binder1st 类

一个类模板,用于提供构造函数,通过将二元函数的第一个参数绑定到指定值,将二元函数对象转换为一元函数对象。 在 C++11 中弃用以支持 bind,并已在 C++17 中删除。

语法

template <class Operation>
class binder1st
    : public unaryFunction <typename Operation::second_argument_type,
                             typename Operation::result_type>
{
public:
    typedef typename Operation::argument_type argument_type;
    typedef typename Operation::result_type result_type;
    binder1st(
        const Operation& binary_fn,
        const typename Operation::first_argument_type& left);

    result_type operator()(const argument_type& right) const;
    result_type operator()(const argument_type& right) const;

protected:
    Operation op;
    typename Operation::first_argument_type value;
};

参数

binary_fn
要转换为一元函数对象的二元函数对象。

left
要将二元函数对象的第一个参数绑定到的值。

right
改编的二元对象将其与第二个参数进行比较的参数值。

返回值

将二元函数对象的第一个参数绑定到值 left 生成的一元函数对象。

备注

这个类模板将二元函数对象 binary_fn 的副本存储在 op 中,并将 left 的副本存储在 value 中。 它将其成员函数 operator() 定义为返回 op(value, right)

如果 binary_fnOperation 类型的对象,并且 c 是常量,则 bind1st(binary_fn, c) 是比 binder1st<Operation>(binary_fn, c) 更方便的等效项。 有关详细信息,请参阅 bind1st

示例

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

using namespace std;

int main()
{
    vector<int> v1;
    vector<int>::iterator Iter;

    int i;
    for (i = 0; i <= 5; i++)
    {
        v1.push_back(5 * i);
    }

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

    // Count the number of integers > 10 in the vector
    vector<int>::iterator::difference_type result1;
    result1 = count_if(v1.begin(), v1.end(),
        binder1st<less<int> >(less<int>(), 10));
    cout << "The number of elements in v1 greater than 10 is: "
         << result1 << "." << endl;

    // Compare use of binder2nd fixing 2nd argument:
    // count the number of integers < 10 in the vector
    vector<int>::iterator::difference_type result2;
    result2 = count_if(v1.begin(), v1.end(),
        binder2nd<less<int> >(less<int>(), 10));
    cout << "The number of elements in v1 less than 10 is: "
         << result2 << "." << endl;
}
The vector v1 = ( 0 5 10 15 20 25 )
The number of elements in v1 greater than 10 is: 3.
The number of elements in v1 less than 10 is: 2.