以下代码无法编译:
#include <iostream>
#include <utility>
struct Foo
{
Foo() { std::cout << "Foo()" << std::endl; }
Foo(int) { std::cout << "Foo(int)" << std::endl; }
};
template <typename T>
struct Bar
{
Foo foo;
Bar(const Bar&) { std::cout << "Bar(const Bar&)" << std::endl; }
template <typename... Args>
Bar(Args&&... args) : foo(std::forward<Args>(args)...)
{
std::cout << "Bar(Args&&... args)" << std::endl;
}
};
int main()
{
Bar<Foo> bar1{};
Bar<Foo> bar2{bar1};
}
编译器错误告诉我编译器试图使用variadic模板构造函数而不是复制构造函数:
prog.cpp: In instantiation of 'Bar<T>::Bar(Args&& ...) [with Args = {Bar<Foo>&}; T = Foo]':
prog.cpp:27:20: required from here
prog.cpp:18:55: error: no matching function for call to 'Foo::Foo(Bar<Foo>&)'
Bar(Args&&... args) : foo(std::forward<Args>(args)...)
为什么编译器会这样做以及如何修复它?
答案 0 :(得分:12)
这个电话:
Bar<Foo> bar2{bar1};
在其重载集中有两个候选者:
Bar(const Bar&);
Bar(Bar&); // Args... = {Bar&}
确定一个转换序列是否优于另一个转换序列的方法之一是来自[over.ics.rank]:
标准转换序列S1是比标准转换序列更好的转换序列 S2如果
- [...]
- S1和S2是引用绑定(8.5.3),引用引用的类型相同 除了顶级 cv - 限定符之外的类型,以及由S2初始化引用的类型 比由S1初始化的引用所引用的类型更加 cv 。 [例如:int f(const int &); int f(int &); int g(const int &); int g(int); int i; int j = f(i); // calls f(int &) int k = g(i); // ambiguous
-end example]
转发引用可变参数构造函数是一个更好的匹配,因为它的引用绑定(Bar&
)比复制构造函数的引用绑定(const Bar&
更少 cv })。
就解决方案而言,您可以随时在候选集中排除Args...
,您应该使用SFINAE调用副本或移动构造函数:
template <typename... > struct typelist;
template <typename... Args,
typename = std::enable_if_t<
!std::is_same<typelist<Bar>,
typelist<std::decay_t<Args>...>>::value
>>
Bar(Args&&... args)
如果Args...
属于Bar
,Bar&
,Bar&&
,const Bar&
,则typelist<decay_t<Args>...>
将为typelist<Bar>
- 这就是我们要排除的情况。任何其他一组Args...
都可以被允许。
答案 1 :(得分:6)
虽然我同意这是违反直觉的,但原因是你的复制构造函数需要const Bar&
,但bar1
不是常量。
http://coliru.stacked-crooked.com/a/2622b4871d6407da
由于通用引用可以绑定任何内容,因此选择具有const要求的限制性较强的构造函数。
答案 2 :(得分:0)
避免选择可变参数构造函数的另一种方法是提供exit
构造函数的所有形式。
它可以做多一点工作,但是如果对你很重要的话,请避免使用enable_if的复杂性:
Bar