c ++函数(带体)作为参数

时间:2014-01-23 13:23:26

标签: c++ function argument-passing

我想传递一个函数作为参数。我知道你可以传递一个函数指针,就像我的例子中的第一个测试一样,但是可以像我的第二次测试一样传递一个hold函数(不是指针)吗?

#include <iostream>

using namespace std;


/* variable for function pointer */
void (*func)(int);

/* default output function */
void my_default(int x) {
    cout << "x =" << "\t" << x << endl << endl;
}


/* entry */
int main() {
    cout << "Test Programm\n\n";

    /* 1. Test - default output function */
    cout << "my_default\n";
    func = &my_default;   // WORK! OK!
    func(5);

    /* 2. Test - special output function 2 */
    cout << "my_func2\n";
    func =  void my_func1(int x) {
            cout << "x =" << "  " << x << endl << endl;
        };   // WON'T WORK! FAILED!
    func(5);

    return 0;
}

4 个答案:

答案 0 :(得分:6)

在C ++ 11中,您可以传递lambda:

func = [](int x) {  cout << "x =" << "  " << x << endl << endl; };

编辑:lambdas可以返回值:

func = [](int x)->int{  cout << "x =" << "  " << x << endl << endl; return x; };

答案 1 :(得分:1)

使用c ++ 11,您可以用更简单的方式编写这样的代码:

使用auto

代替编写函数签名
auto func = &my_default;   // WORK! OK!
func(5);

你也可以使用std :: function对象来传递它们:

template<typename T>
void callme(std::function<T> f) {
   f(6);
}
std::function<decltype(my_default)> func1 = &my_default;
func(5);
callme(func1);

你也可以使用lambdas:

/* 2. Test - special output function 2 */
cout << "my_func2\n";
auto fun = [](int x) {
        cout << "x =" << "  " << x << endl << endl;
    };  
fun(5);

答案 2 :(得分:0)

你可以使用lamdas:

  std::function<int(int)> func2 = [](int i) { return i+4; };
  std::cout << "func2: " << func2(6) << '\n'; 
  

如果正文包含单个return语句,则返回类型   是返回表达式的类型(在rvalue-to-lvalue之后,   数组到指针,或函数到指针的隐式转换)

如果你是lamda constains而不是单一的返回statamen,你应该指定return type

 std::function<int(int)> func2 = [=](int i) ->int {
                                                   if (globalVar)
                                                     return i*4;
                                                   else 
                                                     return 4;
                                                  };
 std::cout << "func2: " << func2(6) << '\n'; 

答案 3 :(得分:0)

即使有返回值也可以:

#include <iostream>

using namespace std;


/* variable for function pointer */
int (*func)(int);

/* default output function */
int my_default(int x) {
    //cout << "x =" << "\t" << x << endl << endl;
    return x;
}


/* entry */
int main() {
    cout << "Test Programm\n\n";

    /* 1. Test - default output function */
    cout << "my_default\n";
    func = &my_default;   // WORK! OK!
    cout << func(5) << endl << endl;

    /* 2. Test - special output function 2 */
    cout << "my_func2\n";
    func =  [](int x) {
            //cout << "x =" << "  " << x << endl << endl;
            return x;
        };
    cout << func(5) << endl << endl;

    return 0;
}