请考虑以下代码:
main()
{
bool t;
...
std::function<bool (bool)> f = t ? [](bool b) { return b; } : [](bool b) { return !b; }; // OK
std::function<bool (bool)> f = t ? [t](bool b) { return t == b; } : [t](bool b) { return t != b; }; // error
}
使用Clang 3.1编译时,非捕获lambda的赋值在捕获失败的情况下有效:
main.cpp:12:36: error: incompatible operand types ('<lambda at main.cpp:12:38>' and '<lambda at main.cpp:12:71>')
std::function<bool (bool)> f2 = t ? [t](bool b) { return t == b; } : [t](bool b) { return t != b; }; // error
^ ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~ ~~~~~~~~~~~~~~~~~~~~~~~~~~~~~~
为什么捕获相同的变量会导致2个lambda属于不兼容的类型?
答案 0 :(得分:14)
lambda的类型是“唯一的非联合类类型”,称为闭包类型。每个lambda都实现为一个不同的类型,在声明范围的本地,它有一个重载的operator()来调用函数体。
示例:如果您这样写:
auto a=[t](bool b){return t==b;};
auto b=[t](bool b){return t!=b;};
然后编译器会编译它(或多或少):
class unique_lambda_name_1
{
bool t;
public:
unique_lambda_name_1(bool t_) t(_t) {}
bool operator () (bool b) const { return t==b; }
} a(t);
class unique_lambda_name_2
{
bool t;
public:
unique_lambda_name_2(bool t_) t(_t) {}
bool operator () (bool b) const { return t!=b; }
} b(t);
a和b有不同的类型,不能在?:运算符中使用。
然而,§5.1.2(6)说,没有捕获的lambda的闭包类型有一个非显式的公共转换运算符,它将lambda转换为函数指针 - 非闭包可以实现为简单的功能。任何具有相同参数和返回类型的lambda都可以转换为相同类型的指针,因此可以将三元?:运算符应用于它们。
示例:非捕获lambda:
auto c=[](bool b){return b;};
实现如下:
class unique_lambda_name_3
{
static bool body(bool b) { return b; }
public:
bool operator () (bool b) const { return body(b); }
operator decltype(&body) () const { return &body; }
} c;
表示这一行:
auto x = t?[](bool b){return b;}:[](bool b){return !b;};
实际上意味着:
// a typedef to make this more readable
typedef bool (*pfun_t)(bool);
pfun_t x = t?((pfun_t)[](bool b){return b;}):(pfun_t)([](bool b){return !b;});