将std :: function与lambda进行比较

时间:2016-06-18 00:03:12

标签: c++ c++11 lambda

如何比较std :: function和lambda?

#include <iostream>
#include <functional>
using namespace std;

int main()
{
    using Type = void( float, int );
    std::function<Type> a;
    auto callback = []( float d, int r )
    {
        cout << d << " " << r << endl;
    };  
    static_assert( std::is_same< Type , decltype( callback ) >::value, "Callbacks should be same!" );


    a(15.7f, 15);   
}

因为在lambda的第一个参数的情况下将是int - 代码将编译1个警告。如何保护代码?

1 个答案:

答案 0 :(得分:4)

callback的类型不是一个简单的函数。没有捕获的lambda可以衰减到函数指针但它不是函数指针。这是本地班级的一个实例。

如果要确保lambda的特定函数类型,可以通过强制衰减函数指针类型来实现:

#include <iostream>
#include <functional>
using namespace std;

int main()
{
    using Type = void( float, int );
    std::function<Type> a;
    auto callback = []( float d, int r )
    {
        cout << d << " " << r << endl;
    };  

    // Ensures desired type.
    {
        Type* const func_ptr = callback;   (void) func_ptr;
    }

    a = callback;
    a(15.7f, 15);   
}