and操作 ( && )を実行するために、このファンクターを作成しました。
// unary functor; performs '&&'
template <typename T>
struct AND
{
function<bool (const T&)> x;
function<bool (const T&)> y;
AND(function<bool (const T&)> xx, function<bool (const T&)> yy)
: x(xx), y(yy) {}
bool operator() ( const T &arg ) { return x(arg) && y(arg); }
};
// helper
template <typename T>
AND<T> And(function<bool (const T&)> xx, function<bool (const T&)> yy)
{
return AND<T>(xx,yy);
}
コンストラクターの引数の型であることに 注意function<bool (const T&)>
してください: .
今、私はさまざまな方法でインスタンス化しようとしています(内部big_odd_exists()
):
int is_odd(int n) { return n%2; }
int is_big(int n) { return n>5; }
bool big_odd_exists( vector<int>::iterator first, vector<int>::iterator last )
{
function<bool (const int &)> fun1 = is_odd;
function<bool (const int &)> fun2 = is_big;
return any_of( first, last, And( fun1, fun2 ) ); // instantiating an And object
}
int main()
{
std::vector<int> n = {1, 3, 5, 7, 9, 10, 11};
cout << "exists : " << big_odd_exists( n.begin(), n.end() ) << endl;
}
驚いたことに、 の暗黙的なインスタンス化はどれもstd::functions
コンパイルされませんでした。
私が試したケースは次のとおりです(g++-4.8):
これはコンパイルされます (オブジェクトの明示的なインスタンス化std::function
):
function<bool (const int &)> fun1 = is_odd;
function<bool (const int &)> fun2 = is_big;
return any_of( first, last, And( fun1, fun2 ) );
これはコンパイルされません(一時オブジェクトの暗黙的std::function
なインスタンス化):
return any_of( first, last, And( is_odd, is_big ) ); // error: no matching function for call to ‘And(int (&)(int), int (&)(int))’
これはコンパイルされます (オブジェクトの明示的なインスタンス化std::function
):
function<bool (const int &)> fun1 = bind(is_odd,_1);
function<bool (const int &)> fun2 = bind(is_big,_1);
return any_of( first, last, And(fun1, fun2) );
これはコンパイルされません(一時オブジェクトの暗黙的std::function
なインスタンス化):
return any_of( first, last, And(bind(is_odd,_1), bind(is_big,_1)) ); // error: no matching function for call to ‘And(std::_Bind_helper<false, int (&)(int), const std::_Placeholder<1>&>::type, std::_Bind_helper<false, int (&)(int), const std::_Placeholder<1>&>::type)’
私が理解している限り、明示的なコンストラクターstd::functions
はありません。では、nicerを使用して呼び出しのバージョンを読み取れないのはなぜですか?
私はすべてのテストケースを持っています: http://coliru.stacked-crooked.com/a/ded6cad4cab07541