我不明白为什么这不起作用(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
超载...任何想法?
答案 0 :(得分:6)
这是因为在C ++ 11中添加了一个新的pair
构造函数来接受通用引用。因此,在使用C ++ 11模式时,此代码将在VS2012(添加此构造函数)和GCC中失败。
在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
对象转换为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_type
和vector<string>
。这会导致编译错误。
<强>修复/解决方法强>:
可能的解决方法是使用convert_to_container
方法并指定目标类型:
pair<string, vector<string> >("^", boost::assign::list_of<string>("rules").convert_to_container<vector<string> >());
另一种选择是使用make_pair
并明确指定其模板参数。
答案 1 :(得分:1)
所以不要这样:
("^", boost::assign::list_of<string>("rules"))
我必须写:
("^", boost::assign::list_of<string>("rules").convert_to_container<vector<string> >());
让它变得难以理解...... 我添加了Yet Another模板:
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")))
仍然不是很好,但更接近你的开始。