9

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

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);

结果是对的。那么,为什么会这样呢?请帮助我理解它。谢谢。

4

1 回答 1

13
Fun f(A());

这是最令人头疼的 parse的一个案例。它声明了一个f返回 a的函数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

或者你做过的一件事。

于 2014-12-02T14:43:49.080 回答