将匿名函数对象传递给std :: function?

时间:2014-12-02 14:40:28

标签: c++ c++11 most-vexing-parse

这是我的问题: 我定义了一个仿函数:

class A { 
 public: 
   int operator()(int a, int b) const{
    return a + b;
   }
 };
typedef function<int (int, int)> Fun;

然后我使用匿名仿函数创建一个std :: function对象,我发现一些奇怪的东西。这是我的代码:

Fun f(A());
f(3, 4);

不幸的是,这是错误的。错误消息是:

error: invalid conversion from ‘int’ to ‘A (*)()’ [-fpermissive]
error: too many arguments to function ‘Fun f(A (*)())’

但是,当我更改我的代码时如下:

A a;
Fun f(a);
f(3, 4);

Fun f = A();
f(3, 4);

结果是对的。 那么,为什么呢?请帮我理解。感谢。

1 个答案:

答案 0 :(得分:13)

Fun f(A());

这是most-vexing parse的一个案例。它声明了一个返回f的函数Fun。它将函数指针作为参数,指向不带参数的函数并返回A

有几种方法可以解决这个问题:

Fun f{A()};    // Uniform-initialisation syntax
Fun f{A{}};    // Uniform-initialisation on both objects
Fun f((A()));  // Forcing the initialiser to be an expression, not parameter list

或者你做过的其中一件事。