6

我不明白为什么这不起作用(Visual C++ 2012):

#include <string>
#include <utility>
#include <vector>
#include <boost/assign/list_of.hpp>

using namespace std;

int main()
{
    pair<string, vector<string> >("^", boost::assign::list_of<string>("rules"));
}

错误是:

include\utility(138) : error C2668: 'std::vector<_Ty>::vector' : ambiguous call to overloaded function with [ _Ty=std::string ]
include\vector(786): could be 'std::vector<_Ty>::vector(std::vector<_Ty> &&)' with [ _Ty=std::string ]
include\vector(693): or       'std::vector<_Ty>::vector(unsigned int)' with [ _Ty=std::string ]
while trying to match the argument list '(boost::assign_detail::generic_list<T>)' with [ T=std::string ]
test.cpp(12) : see reference to function template instantiation 'std::pair<_Ty1,_Ty2>::pair<const char(&)[2],boost::assign_detail::generic_list<T>>(_Other1,_Other2 &&,void **)' being compiled
with
[
    _Ty1=std::string,
    _Ty2=std::vector<std::string>,
    T=std::string,
    _Other1=const char (&)[2],
    _Other2=boost::assign_detail::generic_list<std::string>
]
test.cpp(12) : see reference to function template instantiation 'std::pair<_Ty1,_Ty2>::pair<const char(&)[2],boost::assign_detail::generic_list<T>>(_Other1,_Other2 &&,void **)' being compiled
with
[
    _Ty1=std::string,
    _Ty2=std::vector<std::string>,
    T=std::string,
    _Other1=const char (&)[2],
    _Other2=boost::assign_detail::generic_list<std::string>
]

我无法破译为什么它试图访问unsigned int重载......有什么想法吗?

4

2 回答 2

6

这是因为pair在 C++11 中添加了一个新的构造函数来接受通用引用。结果,此代码将在 VS2012(添加此构造函数)和 GCC 中在 C++11 模式下失败。

在 C++03 中

构造pair<T1,T2>函数是:

pair( const T1& x, const T2& y ) : first(x), second(y) {}

在这种情况下,T2 == vector<string>

一个generic_list对象(由 返回的对象list_of)有一个模板转换运算符:

template <class Container>
operator Container() const;

当您generic_list作为参数传入时,它会尝试将generic_list对象转换为 a vector<string>,因为这是构造函数所期望的,并且成功。

在 C++11 中

添加了这个pair<T1,T2>构造函数:

template< class U1, class U2 >
pair( U1&& x, U2&& y ) : first(std::forward<U1>(x)), second(std::forward<U2>(y))

现在,当您传入一个generic_list对象时,它将以generic_list&&. 当它试图用这个对象调用second(类型的vector<string>)构造函数时,它不知道要调用这些构造函数中的哪一个:

explicit vector(size_type count, [more params with default values])
vector(const vector& other);

由于generic_list可以同时转换为size_typevector<string>。这会导致编译错误。

修复/解决方法

一个可能的解决方法是使用该convert_to_container方法并指定目标类型:

pair<string, vector<string> >("^", boost::assign::list_of<string>("rules").convert_to_container<vector<string> >());

另一种选择是使用make_pair并明确指定其模板参数。

于 2012-12-18T10:07:28.997 回答
1

所以代替这个:

("^", boost::assign::list_of<string>("rules"))

我必须写:

("^", boost::assign::list_of<string>("rules").convert_to_container<vector<string> >());

让它有点不可读......我添加了另一个模板:

template <typename T>
std::vector<T> vect(const boost::assign_detail::generic_list<T>& gen_list)
{ return gen_list.convert_to_container<std::vector<T> >(); }

现在可以写成:

("^", vect(boost::assign::list_of<string>("rules")))

这仍然不是很好,但更接近你开始的内容。

于 2013-06-06T09:58:47.440 回答