编译器是否允许
c
与…类型相同
a
?
不
[&counter](){counter++;}
是lambda表达式和per
[expr.prim.lambda.closure]/1
:
lambda表达式的类型(也是闭包对象的类型)是唯一的、未命名的非并集类类型,称为闭包类型,其属性如下所述。
因此,对于每个lambda表达式,即使它与前一个表达式相同,也会得到唯一的类型。
你可以用
typeid
要检查这种情况,请执行以下操作:
#include <iostream>
#include <typeinfo>
template <typename T> void once(T t){
static bool first_call = true;
std::cout << typeid(t).name() << std::endl;
if (first_call) {
t();
}
first_call = false;
}
int main() {
int counter = 0;
auto a = [&counter](){counter++;};
once(a);
once(a);
std::cout << counter << std::endl; // 1
auto b = a; // same type
once(b);
std::cout << counter << std::endl; // 1
auto c = [&counter](){counter++;}; // different type
once(c);
once(c);
std::cout << counter << std::endl; // 2
}
结果:
Z4mainEUlvE_
Z4mainEUlvE_
1
Z4mainEUlvE_
1
Z4mainEUlvE0_
Z4mainEUlvE0_
2
您可以看到有两个函数模板实例化。