如何在不使用C ++ 0x的情况下创建lambda函数来匹配boost :: function参数?

时间:2011-07-08 13:07:30

标签: c++ boost stl

如何使用boost或stl创建lambda函数以匹配boost::function中第三段代码中F所需的main参数?

#include <iostream>
#include <boost/function.hpp>

void F(int a, boost::function<bool(int)> f) {
    std::cout << "a = " << a << " f(a) = " << f(a) << std::endl;
}

bool G(int x) {
    return x == 0;
}

int main(int arg, char** argv) {
    // C++0x
    F(123, [](int i) { return i==0; } );

    // Using seperate function
    F(0, &G);

    // How can I do it in place without C++0x
    F(123, /* create a lambda here to match */);
}

我不能使用C ++ 0x并且想避免创建几个单独的函数。如果有帮助,我可以使用其他boost::function的东西,我的优先事项是简洁地创建lambda。

2 个答案:

答案 0 :(得分:7)

#include <functional>    // STL
#include <boost/lambda/lambda.hpp>   // Boost.Lambda
#include <boost/spirit/include/phoenix_core.hpp>     // Boost.Pheonix
#include <boost/spirit/include/phoenix_operator.hpp> // Boost.Pheonix also

...

// Use STL bind without lambdas
F(0, std::bind2nd(std::equal_to<int>(), 0));
F(123, std::bind2nd(std::equal_to<int>(), 0));

// Use Boost.Lambda (boost::lambda::_1 is the variable)
F(0, boost::lambda::_1 == 0);
F(123, boost::lambda::_1 == 0);

// Use Boost.Phoenix
F(0, boost::phoenix::arg_names::arg1 == 0);
F(123, boost::phoenix::arg_names::arg1 == 0);

您可能需要添加一些using namespace来简化代码。

Boost.Lambda严格用于使用类似C ++的语法定义函子,而Boost.Phoenix是一种基于C ++构建的函数式编程语言,它滥用(☺)其语法和编译时计算功能。 Boost.Phoenix比Boost.Lambda强大得多,但前者也需要更多的时间来编译。

答案 1 :(得分:-1)

简答:不。

C ++ 0x lambdas的发明完全符合您的要求。它们实际上只不过是在下面的示例匿名/内联中制作Increment的方法。它是唯一方式在任何标准C ++中获取匿名函数。

struct Increment {
    int & arg;
    Increment (int a) : arg (a) {}
    void operator () (int & i)
        {arg += i;}
};

void foo (const std :: vector <int> & buffer, int x)
{
    std :: for_each (
        buffer .begin (), buffer .end (),
        Increment (x)); // C++98

    std :: for_each (
        buffer .begin (), buffer .end (),
        [&x] (int & i) {x += i;}); // C++0x
}

关于lambdas的唯一神奇之处在于它们的类型不能拼写,但编译器可以将内部隐藏类型绑定到std::function(在某些情况下甚至是C函数指针)。

我发布了上述代码,因为我认为你的问题可能不代表你的想法。 Lambdas 绝对是C ++ 0x的东西,但在这个例子中,Increment闭包。 (有人会说它只会变成一个闭包,如果你返回它并且绑定变量会逃避它被绑定的上下文 - 这是挑剔但是它就是Javascript所做的那样。)

你有关于lambdas或闭包的问题吗?