对于使用std::string
使用与其他基本类型相同的初始化的情况,我希望以下代码输出“test”而不是“X”。 std::string
现在使用initializer_list
调用构造函数,因此调用get
char
的模板专门化。
#include <sstream>
#include <string>
#include <iostream>
// Imagine this part as some kind of cool parser.
// I've thrown out everything for a simpler demonstration.
template<typename T> T get() {}
template<> int get(){ return 5; }
template<> double get(){ return .5; }
template<> char get(){ return 'X'; }
template<> std::string get(){ return "test"; }
struct Config {
struct proxy {
// use cool parser to actually read values
template<typename T> operator T(){ return get<T>(); }
};
proxy operator[](const std::string &what){ return proxy{}; }
};
int main()
{
auto conf = Config{};
auto nbr = int{ conf["int"] };
auto dbl = double{ conf["dbl"] };
auto str = std::string{ conf["str"] };
std::cout << nbr << std::endl; // 5
std::cout << dbl << std::endl; // 0.5
std::cout << str << std::endl; // 'X'
}
在不破坏变量初始化的一致外观的情况下,有没有一种很好的方法呢?
答案 0 :(得分:4)
std::string
有一个带initializer_list<char>
参数的构造函数;当您使用非空的braced-init-list列表初始化时,将始终首先考虑该构造函数,这就是char
get()
的{{1}}特化的原因。
如果对所有初始化使用括号而不是大括号,initializer_list
构造函数将不再是std::string
案例中唯一考虑的构造函数。
auto nbr = int( conf["int"] );
auto dbl = double( conf["dbl"] );
auto str = std::string( conf["str"] );
但是,仅此更改不起作用,因为您具有可以产生任何类型的隐式用户定义转换模板。上面的代码,在std::string
的情况下,导致所有std::string
构造函数的匹配,可以使用单个参数调用。要解决此问题,请转换运算符explicit
。
struct proxy {
// use cool parser to actually read values
template<typename T>
explicit operator T(){ return get<T>(); }
};
现在,只有显式转换为std::string
才可行,而且代码的工作方式也符合您的要求。
答案 1 :(得分:2)
auto nbr = (int)conf["int"];
auto dbl = (double)conf["dbl"];
auto str = (string&&)conf["str"];
你已经定义了模板运算符T(),上面只是调用它。要制作副本,你可以
auto str = string((string&&)conf["str"])
编辑:已将(字符串)更改为(字符串&amp;&amp;)
EDIT2:以下作品(全部测试过 - gcc -std = c ++ 11):
auto nbr = (int&&)conf["int"];
auto dbl = (double&&)conf["dbl"];
auto str = (string&&)conf["str"];