1

我有代码:

#include <iostream>

using namespace std;

auto fn = ([](int x){
       return [x](int y) {
          return x * y;
       };
});

int main() {

    int i = fn(2)(4); // 8

    cout << i << endl;

    return 0;
}

这段代码工作正常。但是,我想稍后调用第二个函数,例如:

auto i = fn(2);

i(4); //error: 'i' cannot be used as a function

有没有办法稍后调用最后一个函数,然后与第一个调用绑定?

4

3 回答 3

6

以下按预期工作

#include <iostream>

using namespace std;

auto fn = [](int x){
       return [x](int y) {
          return x * y;
       };
  };

int main() {

    auto i = fn(2)(4); // 8
    cout << i << endl;
    auto j = fn(2);
    cout << j(4) << endl;

    return 0;
}

添加

顺便说一句,如果您使用 int 而不是 auto,带有 -std=c++0x 的 gcc 4.5 会出现以下错误:

currying.cpp:17:17: error: cannot convert ‘&lt;lambda(int)>::<lambda(int)>’ to ‘int’ in initialization
currying.cpp:19:16: error: ‘j’ cannot be used as a function

这是了解问题所在的“明显”且有用的信息。

于 2012-04-07T14:52:28.607 回答
5

的结果fn不是整数,因此您不能分配fn(2)给整数(甚至不知道为什么会编译)。

你应该能够做到auto i = fn(2);

于 2012-04-07T14:51:35.390 回答
1

这对我有用:

int main() {
    auto i = fn(2);
    cout << i(4) << endl;  // prints 8
    return 0;
}
于 2012-04-07T14:51:31.900 回答