Параметр шаблона T
не может быть выведен, его необходимо указать явно:
template <typename T, typename Function1, typename Function2>
AndFunction <Function1, Function2, T>
And(Function1 f1, Function2 f2)
{
return AndFunction<Function1, Function2, T>(f1, f2);
}
//***** This is where my sulotion ends ******
int main(int argc, char** argv)
{
int array[10] = {1, 2, 3, 4, 5, 6, 7, 8, 9, 10};
char* strings[4] = {"aba", NULL, "air", "boom"};
cout << count_if(array,array+10,And<int>(DividesBy(2),DividesBy(4))) << endl;
// prints 2, since 4 and 8 are the only numbers which can be divided by
// both 2 and 4.
cout << count_if(strings,strings+4,And<const char*>(NotNull(),BeginsWith('a'))) <<endl;
// prints 2, since only "aba" and "air" are both not NULL and begin
// with the character 'a'.
return 0;
}
Решение jpalecek лучше и работает следующим образом:
//***** This is where my sulotion starts ******
template <typename Function1, typename Function2>
class AndFunction
{
Function1 f1;
Function2 f2;
public:
AndFunction(Function1 g1, Function2 g2) : f1(g1), f2(g2) {}
template<typename T> bool operator()(T)
{
return (f1(t) && f2(t));
}
};
template <typename Function1, typename Function2>
AndFunction <Function1, Function2>
And(Function1 f1, Function2 f2)
{
return AndFunction<Function1, Function2>(f1, f2);
}
//***** This is where my sulotion ends ******