greater 结构

一个对其参数执行大于运算 (operator>) 的二元谓词。

语法

template <class Type = void>
struct greater : public binary_function <Type, Type, bool>
{
    bool operator()(
    const Type& Left,
    const Type& Right) const;

};

// specialized transparent functor for operator>
template <>
struct greater<void>
{
  template <class T, class U>
  auto operator()(T&& Left, U&& Right) const
    ->  decltype(std::forward<T>(Left)> std::forward<U>(Right));
};

参数

Type、T、U
支持 operator> 接受指定或推断类型的操作数的任何类型。

Left
大于运算的左操作数。 未专用化的模板采用 Type 类型的 lvalue 引用参数。 专用化的模板可完美转移推断类型 T 的 lvalue 和 rvalue 引用参数。

Right
大于运算的右操作数。 未专用化的模板采用 Type 类型的 lvalue 引用参数。 专用化的模板可完美转移推断类型 T 的 lvalue 和 rvalue 引用参数。

返回值

Left > Right 的结果。 专专用化模板可完美转移结果,该结果具有由 operator> 返回的类型。

备注

二元谓词 greater<Type> 向等价类提供类型为 Type 的一组元素值的严格弱排序(在且仅在此类型满足如此进行排序的标准数学要求时)。 任何指针类型的专用化都会产生元素的全序,所有不同值的元素都会相对于彼此进行排序。

示例

// functional_greater.cpp
// compile with: /EHsc
#include <vector>
#include <algorithm>
#include <functional>
#include <cstdlib>
#include <iostream>

int main( )
{
   using namespace std;
   vector <int> v1;
   vector <int>::iterator Iter1;

   int i;
   for ( i = 0 ; i < 8 ; i++ )
   {
      v1.push_back( rand( ) );
   }

   cout << "Original vector v1 = ( " ;
   for ( Iter1 = v1.begin( ) ; Iter1 != v1.end( ) ; Iter1++ )
      cout << *Iter1 << " ";
   cout << ")" << endl;

   // To sort in ascending order,
   // use default binary predicate less<int>( )
   sort( v1.begin( ), v1.end( ) );
   cout << "Sorted vector v1 = ( " ;
   for ( Iter1 = v1.begin( ) ; Iter1 != v1.end( ) ; Iter1++ )
      cout << *Iter1 << " ";
   cout << ")" << endl;

   // To sort in descending order,
   // specify binary predicate greater<int>( )
   sort( v1.begin( ), v1.end( ), greater<int>( ) );
   cout << "Resorted vector v1 = ( " ;
   for ( Iter1 = v1.begin( ) ; Iter1 != v1.end( ) ; Iter1++ )
      cout << *Iter1 << " ";
   cout << ")" << endl;
}
Original vector v1 = (41 18467 6334 26500 19169 15724 11478 29358)
Sorted vector v1 = (41 6334 11478 15724 18467 19169 26500 29358)
Resorted vector v1 = (29358 26500 19169 18467 15724 11478 6334 41)