我想在{+ 1}}中使用binary_function
使用compose2
std::bind
而不使用boost
库。
编辑:或labmdas。
假设我有以下定义:
bool GreaterThanFive(int x) { return x > 5; }
struct DivisibleByN : binary_function<int, int, bool> {
bool operator()(int x, int n) const { return x % n == 0; }
};
假设我想计算一个大于5且可被3整除的向量元素。我可以很容易地将它们与以下内容组合:
int NumBothCriteria(std::vector<int> v) {
return std::count_if(v.begin(), v.end(),
__gnu_cxx::compose2(std::logical_and<bool>(),
std::bind2nd(DivisibleByN(), 3),
std::ref(GreaterThanFive)));
}
由于bind2nd
从C ++ 11开始不推荐使用,我想转移到std::bind
。我还没弄清楚为什么以下不等同(并且不编译)。
int NumBothCriteria(std::vector<int> v) {
using namespace std::placeholders;
return std::count_if(v.begin(), v.end(),
__gnu_cxx::compose2(std::logical_and<bool>(),
std::bind(DivisibleByN(), _1, 3),
std::ref(GreaterThanFive)));
}
它给了我以下编译错误:
no type named 'argument_type' in 'std::_Bind<DivisibleByN *(std::_Placeholder<1>, int)>`
operator()(const typename _Operation2::argument_type& __x) const
~~~~~~~~~~~~~~~~~~~~~~^~~~~~~~~~~~~
我的直觉是std::bind
没有执行std::bind2nd
所做的事情,但我不确定如何恢复argument_type
typedef。
My search came up with three questions.第一个使用bind2nd
,第二个使用boost
,第三个使用C ++ 03。不幸的是, Effective STL 仍然使用std::bind2nd
。
答案 0 :(得分:2)
请勿使用bind
或compose2
。你以后会感谢自己:
int NumBothCriteria(std::vector<int> v) {
return std::count_if(v.begin(), v.end(),
[](int i){ return i > 5 && i%3 == 0; });
}
您正在寻找的答案是,您只需使用std::bind
代替您使用__gnu_cxx::compose2
的位置:
return std::count_if(v.begin(), v.end(),
std::bind(std::logical_and<bool>(),
std::bind(DivisibleByN(), _1, 3),
std::bind(GreaterThanFive, _1)));
但这比使用lambda更复杂,更难以推理。
答案 1 :(得分:0)
我想出了如何使其与std::function
一起使用。
int NumBothCriteria2(std::vector<int> v) {
using std::placeholders::_1;
return std::count_if(v.begin(), v.end(),
__gnu_cxx::compose2(std::logical_and<bool>(),
std::function<int(int)>(std::bind(
DivisibleByN(), _1, 3)),
std::ref(GreaterThanFive)));
}