指定返回向量的强制转换运算符会导致错误C2664。
void foo(const std::vector<std::wstring>& s)
{
}
class Wrapper
{
public:
Wrapper(const std::vector<std::wstring>& s) : m_s(s)
{
}
operator std::vector<std::wstring>() const
{
return m_s;
}
private:
const std::vector<std::wstring> m_s;
};
Wrapper wrapper(std::vector<std::wstring>());
foo(wrapper);
foo(static_cast<std::vector<std::wstring>>(wrapper));
我明白了:
error C2664: '`anonymous-namespace'::foo' : cannot convert parameter 1 from '`anonymous-namespace'::Wrapper (__cdecl *)(std::vector<_Ty> (__cdecl *)(void))' to 'const std::vector<_Ty> &'
with
[
_Ty=std::wstring
]
Reason: cannot convert from 'overloaded-function' to 'const std::vector<_Ty>'
with
[
_Ty=std::wstring
]
No constructor could take the source type, or constructor overload resolution was ambiguous
使用wstring的相同代码可以正常工作:
void foo(const std::wstring& s)
{
}
class Wrapper
{
public:
Wrapper(const std::wstring& s) : m_s(s)
{
}
operator std::wstring() const
{
return m_s;
}
private:
const std::wstring m_s;
};
Wrapper wrapper(std::wstring(L"test"));
foo(wrapper);
这是Visual Studio编译器中的错误还是容器特有的东西?
答案 0 :(得分:6)
Most Vexing Parse - wrapper
被声明为函数而不是对象。
具体来说,它是一个返回Wrapper
的函数,并且指向一个返回std::vector<std::wstring>
且不带参数的函数的指针。
构造函数参数L"test"
在使用wstring
的代码中避免了这种情况,因为它不能是函数声明的一部分,因此声明是一个对象定义。在这种特殊情况下,对代码的最简单修复可能是将0
作为构造函数参数传递给向量而不是没有args。
答案 1 :(得分:1)
只需更改一行:
Wrapper wrapper(std::vector<std::wstring>());
成:
std::vector<std::wstring> v;
Wrapper wrapper(v);
您wrapper
的原始声明被解析为函数的声明,该函数返回类型为Wrapper
的对象,并在输入中接受返回std::vector<std::wstring>
且不带参数的函数。