The find_by_order()  is a built-in  function of Ordered Set  which is a Policy Based Data Structure  in C++. Policy-based data structures are not part of the C++ Standard Template Library  but the  g++ compiler supports them.

Ordered Set is a policy-based data structure in g++ that maintains unique elements in sorted order. It performs all the operations as performed by Set in STL in O(logN) complexity.

In addition to that, the following two operations are also performed in O(logN) complexity:

  • order_of_key_ (K):__ Number of items strictly smaller than K._
  • find_by_order(k):_ Kth element in a Set (counting from zero)._

The find_by_order() function accepts a key, say K, as an argument and returns the iterator to the Kth largest element in the Set.

Examples:

_Considering a Set S = {1, 5, 6, 17, 88}, _

s.find_by_order(0): Returns the 0th largest element, i.e. the minimum element, i.e. 1.

s.find_by_order(2): Returns the 2nd largest element, i.e. 6.

Note:_ If K >= N, where N is the size of the set, then the function returns either 0 or in some compilers, the iterator to the smallest element. _

Below is the implementation of find_by_order() function in C++:

  • C++14

// C++ program to implement find_by_order()

// for Policy Based Data Structures

#include <bits/stdc++.h>

// Importing header files

#include <ext/pb_ds/assoc_container.hpp>

using namespace std;

using namespace __gnu_pbds;

// Declaring Ordered Set

typedef tree<int, null_type, less<int>, rb_tree_tag,

tree_order_statistics_node_update>

pbds;

// Driver Code

int main()

{

int arr[] = {1, 5, 6, 17, 88};

int n = sizeof(arr)/sizeof(arr[0]);

pbds S;

// Traverse the array

for (int i = 0; i < n; i++) {

// Insert array elements

// into the ordered set

S.insert(arr[i]);

}

// Returns iterator to 0-th

// largest element in the set

cout << *S.find_by_order(0) << " "``;

// Returns iterator to 2-nd

// largest element in the set

cout << *S.find_by_order(2);

return 0;

}

Output:

1 6

#competitive programming #hash #c++

find_by_order() in C++
2.30 GEEK