我已经看到了一些其他boost::lexical_cast
问题的答案,这些答案断言以下是可能的:
bool b = boost::lexical_cast< bool >("true");
这不适用于 g++ 4.4.3 boost 1.43。(也许它确实可以在std::boolalpha
默认设置的平台上运行)
这是 string to bool 问题的一个很好的解决方案,但它缺少 boost::lexical_cast 提供的输入验证。
我已经看到了一些其他boost::lexical_cast
问题的答案,这些答案断言以下是可能的:
bool b = boost::lexical_cast< bool >("true");
这不适用于 g++ 4.4.3 boost 1.43。(也许它确实可以在std::boolalpha
默认设置的平台上运行)
这是 string to bool 问题的一个很好的解决方案,但它缺少 boost::lexical_cast 提供的输入验证。
除了答案形式 poindexter 之外,您还可以将这里的方法包装在一个专门的版本中boost::lexical_cast
:
namespace boost {
template<>
bool lexical_cast<bool, std::string>(const std::string& arg) {
std::istringstream ss(arg);
bool b;
ss >> std::boolalpha >> b;
return b;
}
template<>
std::string lexical_cast<std::string, bool>(const bool& b) {
std::ostringstream ss;
ss << std::boolalpha << b;
return ss.str();
}
}
并使用它:
#include <iostream>
#include <boost/lexical_cast.hpp>
//... specializations
int main() {
bool b = boost::lexical_cast<bool>(std::string("true"));
std::cout << std::boolalpha << b << std::endl;
std::string txt = boost::lexical_cast< std::string >(b);
std::cout << txt << std::endl;
return 0;
}
我个人喜欢这种方法,因为它隐藏了任何特殊代码(例如,使用LocaleBool
或to_bool(...)
来自链接)来转换为布尔值/从布尔值转换。
我在这里为可能正在寻找类似问题的其他人发布我自己的问题的答案:
struct LocaleBool {
bool data;
LocaleBool() {}
LocaleBool( bool data ) : data(data) {}
operator bool() const { return data; }
friend std::ostream & operator << ( std::ostream &out, LocaleBool b ) {
out << std::boolalpha << b.data;
return out;
}
friend std::istream & operator >> ( std::istream &in, LocaleBool &b ) {
in >> std::boolalpha >> b.data;
return in;
}
};
用法:
#include <boost/lexical_cast.hpp>
#include <iostream>
#include "LocaleBool.hpp"
int main() {
bool b = boost::lexical_cast< LocaleBool >("true");
std::cout << std::boolalpha << b << std::endl;
std::string txt = boost::lexical_cast< std::string >( LocaleBool( b ) );
std::cout << txt << std::endl;
return 0;
}
将您自己的模板放在 boost lexical cast 之上进行解析。请注意示例中的“默认”参数,以确保重载正常工作(如果需要,请随意使用其他方式)。
template<typename T>
T Parse(const std::string& valStr, const T& default=T()) {
T result = boost::lexical_cast<T>(valStr);
}
然后,您可以专攻任何东西,包括布尔值:
template<>
bool Parse(const std::string& valStr, const bool& default=true) {
if(strcmp(valStr.c_str(), "true") == 0) {
return true;
}
return false;
}
显然有很多方法可以做到这一点,您可以为真假添加更多条件(我会确保“真”和“假”的所有变体,如“真”,加上“T”和“F”工作正常)。您甚至可以将其扩展到数字解析。