按照C++11的标准,to_string函数对每个基础算术类型均有重载函数。但是VC2010的C++库中没有实现所有的重载函数,而是只实现了其中的几个。
受此影响,以下代码无法编译:
std::to_string(3);
std::to_string(true);
微软给出的解决方法是:
std::to_string(static_cast<long long>(3));
std::to_string(static_cast<long long>(true));
很恼火吧?每次用到这个函数都得这么cast过去!
经过思考,我用模板的方法避免了这个问题:
在你的C++工具箱(什么?你还没有工具箱?赶紧创建吧,会很有用)里面添加如下代码
#include <string>
#include <type_traits>
namespace std { \
template<typename T>
typename enable_if<is_convertible<T, _Longlong>::value, string>::type to_string(T rhs)
{
return to_string(static_cast<_Longlong>(rhs));
}
} // namespace std
主要原理是,
(1)普通函数比模板函数在匹配时优先级更高;
(2)使用了SFINAE技术,避免模板函数面对这样的代码std::to_string(std::vector<int>());这样的调用;
(3)如果新的库如VC11DP完善了重载函数,那么根据(1)可以知道本方法可以应对后续的变化。
通过这种方法,不但可以省去前面繁琐的cast转换,还可以达到其他显式或隐式指定类型T的目的。比如
std::to_string<bool>(std::unique_ptr<int>(new int));
enum : std::int16_t {a, b, c};
std::to_string<bool>©;
// 这里将a转换为bool的过程用模板参数体现,而不直接通过繁琐的static_cast:std::to_string(static_cast<bool>(a))
// 不过编译器给出的警告似乎不大正确:warning C4305: “参数”: 从“”到“bool”截断
// 第1个双引号内是空的,有点奇怪
希望本方法对您有帮助。