我想将{em> Test 类与boost::lexical_cast
一起使用。我已经重载了operator<<
和operator>>
,但它给了我运行时错误
这是我的代码:
#include <iostream>
#include <boost/lexical_cast.hpp>
using namespace std;
class Test {
int a, b;
public:
Test() { }
Test(const Test &test) {
a = test.a;
b = test.b;
}
~Test() { }
void print() {
cout << "A = " << a << endl;
cout << "B = " << b << endl;
}
friend istream& operator>> (istream &input, Test &test) {
input >> test.a >> test.b;
return input;
}
friend ostream& operator<< (ostream &output, const Test &test) {
output << test.a << test.b;
return output;
}
};
int main() {
try {
Test test = boost::lexical_cast<Test>("10 2");
} catch(std::exception &e) {
cout << e.what() << endl;
}
return 0;
}
输出:
bad lexical cast: source type value could not be interpreted as target
顺便说一下,我正在使用Visual Studio 2010但是我已经尝试使用g ++的Fedora 16并得到了相同的结果!
答案 0 :(得分:7)
你的问题来自boost::lexical_cast
不忽略输入中的空格(它取消设置输入流的skipws
标志)这一事实。
解决方案是在提取运算符中自己设置标志,或者只跳过一个字符。实际上,提取运算符应该镜像插入运算符:因为在输出Test
实例时明确地放置了空格,所以在提取实例时应该明确地读取空格。
This thread讨论了这个主题,推荐的解决方案是执行以下操作:
friend std::istream& operator>>(std::istream &input, Test &test)
{
input >> test.a;
if((input.flags() & std::ios_base::skipws) == 0)
{
char whitespace;
input >> whitespace;
}
return input >> test.b;
}