我有以下代码:
#include <iostream>
#include <boost\lexical_cast.hpp>
struct vec2_t
{
float x;
float y;
};
std::istream& operator>>(std::istream& istream, vec2_t& v)
{
istream >> v.x >> v.y;
return istream;
}
int main()
{
auto v = boost::lexical_cast<vec2_t>("1231.2 152.9");
std::cout << v.x << " " << v.y;
return 0;
}
我从Boost收到以下编译错误:
错误1错误C2338:目标类型既不是std :: istream
able nor std::wistream
能够
这看起来很简单,过去一小时我一直在桌子上打我的头。任何帮助将不胜感激!
编辑:我使用的是Visual Studio 2013。
答案 0 :(得分:8)
正在进行两阶段查找。
您需要使用ADL启用重载,因此lexical_cast
将在第二阶段找到它。
因此,您应该将重载移到命名空间mandala
这是一个完全固定的示例(您还应该使用std::skipws
):
<强> Live On Coliru 强>
#include <iostream>
#include <boost/lexical_cast.hpp>
namespace mandala
{
struct vec2_t {
float x,y;
};
}
namespace mandala
{
std::istream& operator>>(std::istream& istream, vec2_t& v) {
return istream >> std::skipws >> v.x >> v.y;
}
}
int main()
{
auto v = boost::lexical_cast<mandala::vec2_t>("123.1 15.2");
std::cout << "Parsed: " << v.x << ", " << v.y << "\n";
}