我正在经历boost::variant
,并想知道如何让他们继续工作?
typedef boost::variant<int,std::string> myval;
int main()
{
std::vector<myval> vec;
std::ifstream fin("temp.txt");
//How following can be achieved ?
std::copy(std::istream_iterator<myval>(fin), //Can this be from std::cin too ?
std::istream_iterator<myval>(),
std::back_inserter(vec));
}
对于类数据成员,我们可以选择重载>>
运算符,但如何使用myval
执行此操作?
答案 0 :(得分:3)
您可以为operator>>
重载variant
,就像任何其他类型一样。但是由您来实现逻辑来决定从流中读取哪些类型并存储在variant
中。以下是您可以采用的完整示例:
#include "boost/variant.hpp"
#include <iostream>
#include <cctype>
#include <vector>
#include <string>
typedef boost::variant<int, std::string> myval;
namespace boost { // must be in boost namespace to be found by ADL
std::istream& operator>>(std::istream& in, myval& v)
{
in >> std::ws; // throw away leading whitespace
int c = in.peek();
if (c == EOF) return in; // nothing to read, done
// read int if there's a minus or a digit
// TODO: handle the case where minus is not followed by a digit
// because that's supposed to be an error or read as a string
if (std::isdigit(static_cast<unsigned char>(c)) || c == '-') {
int i;
in >> i;
v = i;
} else {
std::string s;
in >> s;
v = s;
}
return in;
}
} // namespace boost
// visitor to query the type of value
struct visitor : boost::static_visitor<std::string> {
std::string operator()(const std::string&) const
{
return "string";
}
std::string operator()(int) const
{
return "int";
}
};
int main()
{
std::vector<myval> vec;
std::copy(
std::istream_iterator<myval>(std::cin),
std::istream_iterator<myval>(),
std::back_inserter(vec));
std::cout << "Types read:\n";
for (const auto& v : vec) {
std::string s = boost::apply_visitor(visitor(), v);
std::cout << s << '\n';
}
}
示例输入:1 2 3 hello 4 world
输出:
Types read:
int
int
int
string
int
string
答案 1 :(得分:0)
myval
只是一种类型。您根据类型重载运算符。
std::istream &operator >>(std::istream &stream, myval &val)
{
//Put stuff here.
}
至于放在那里的内容,完全取决于您以及您对流中的期望或要求。