如何创建一个接收函数的函数,调用它并在C ++上返回它?

时间:2013-09-05 05:23:05

标签: c++ function

我正在尝试创建一个接收函数的函数,调用它并将其返回。我已经尝试了几件事,包括很多模板组合,似乎没有效果。这样做的正确方法是什么?

4 个答案:

答案 0 :(得分:9)

template <typename Functor>
Functor your_function(Functor toCall)
{
    toCall();
    return toCall;
}

如果你想返回仿函数返回的内容,那么你可以使用类似的东西:

// Requires C++11
#include <type_traits>

template <typename Functor>
typename std::result_of<Functor()>::type your_function(Functor toCall)
{
    return toCall();
}

另请注意,使用decltype(auto)

的C ++ 14会更容易
//Requires C++14    
template <typename Functor>
decltype(auto) your_function(Functor toCall)
{
    return toCall();
}

答案 1 :(得分:5)

一个函数不能接收另一个函数作为参数 - C不允许它,而C ++也不允许。

但是,您可以将指针作为参数传递给函数,然后通过该指针调用该函数。

#include <iostream>

int f() { std::cout << "called f\n"; return 2; }

typedef int (*ptr)();

int g(ptr p) { return p(); }

int main(){
    std::cout << g(f);
}

结果:

called f
2

如果您愿意使用函数 template 而不是函数,则可以将函数的名称作为模板参数传递并调用它。在大多数的情况下,最好使用一个仿函数(一个重载operator()的类的实例,以便它可以像函数一样调用),而不是函数。

答案 2 :(得分:2)

算法:

  1. 使函数接收一个参数,这是一个函数指针。
  2. 使用函数指针调用函数。
  3. 返回函数指针。 函数不是C和C ++中的第一类对象。所以你需要使用函数指针。

答案 3 :(得分:0)

这是函数的语法,它将函数指针作为其参数之一传递:

int Func (int (*funcToCall) (int, int)) /* This is how to receive the function as a parameter */
{
    int val = funcToCall (1, 2); /* This is how to call the function once it's received as a parameter */
    return (val);
}
int FuncToBePassed (int x, int y) /* This is a sample function that fits the format we need to pass into Func */
{
    return (x+y);
}
printf ("%d\n", Func (FuncToBePassed)); /* This is how to pass the function reference to the first function */

因此,在这个例子中,我们有一个带有两个int参数的函数(FuncToBePassed),然后是一个函数(Func),它希望传递一个像FuncToBePassed这样的函数。最后,最后一行代码就是这样做,调用Func并向它传递一个对FuncToBePassed的引用。

顺便说一下,如果你还没有完全致力于使用C ++,我强烈建议使用C#,因为传递函数等细节设计得更好。所以,如果你打算花时间掌握一门语言,那就选择一个更实用的语言。除非你维护一些已经在C ++中的代码,这是可以理解的......希望我回答你的问题!