考虑以下示例:
#include <string>
#include <sstream>
struct Location {
unsigned line;
template<typename CharT, typename Traits>
operator std::basic_string<CharT, Traits>() const {
std::basic_ostringstream<CharT, Traits> ss;
ss << line;
return ss.str();
}
};
int main()
{
using namespace std::string_literals;
Location loc{42};
std::string s1 = "Line: "s.append(loc) + "\n"s; // fine
//std::string s2 = "Line: "s + loc + "\n"s; // error
}
注释行会导致编译错误:no match for 'operator+'
。为什么?我最初的想法是它首先使用operator std::string
转换然后执行对operator+
的调用,就像它对.append
一样。
它只是隐式转换的一个级别,所以它应该被执行并且应该被考虑在内,不是吗?
答案 0 :(得分:2)
您的运算符是模板化的,因此需要推导出模板参数。您不能这样做,因为编译器会尝试将basic_string<_CharT, _Traits, _Alloc>
与您的Location
匹配,但它会失败。
所以问题是重载,而不是转换,因为代码实际上从未达到过这一点。
改变这个:
std::string s2 = "Line: "s + loc + "\n"s;
到此:
std::string s2 = "Line: "s + std::string(loc) + "\n"s;
你应该没问题,因为如果仔细观察编译错误,就会提到:
template argument deduction/substitution failed:
prog.cc:22:32: note: 'Location' is not derived from 'const std::__cxx11::basic_string<_CharT, _Traits, _Alloc>'
std::string s2 = "Line: "s + loc + "\n"s; // error
^~~
和其他类似的消息。
答案 1 :(得分:0)
显式转换为std :: string对我有用:https://godbolt.org/g/WZG78z
std::string s2 = "Line: "s + std::string(loc) + "\n"; // was error