TAMSVIZ
Visualization and annotation tool for ROS
serialization.cpp
1 // TAMSVIZ
2 // (c) 2020 Philipp Ruppel
3 
4 #include "serialization.h"
5 
6 #include <yaml-cpp/yaml.h>
7 
8 SerializationTypeError::SerializationTypeError(const std::string &type_name)
9  : std::runtime_error("Type not found: " + type_name),
10  _type_name(type_name) {}
11 
12 void toYAML(const Variant &v, YAML::Emitter &emitter) {
13  auto type = v.type();
14  if (type == typeid(std::string)) {
15  emitter << v.value<std::string>();
16  } else if (type == typeid(std::vector<Variant>)) {
17  emitter << YAML::BeginSeq;
18  for (auto &x : v.value<std::vector<Variant>>()) {
19  toYAML(x, emitter);
20  }
21  emitter << YAML::EndSeq;
22  } else if (type == typeid(std::map<std::string, Variant>)) {
23  emitter << YAML::BeginMap;
24  for (auto &x : v.value<std::map<std::string, Variant>>()) {
25  emitter << YAML::Key << x.first << YAML::Value;
26  toYAML(x.second, emitter);
27  }
28  emitter << YAML::EndMap;
29  } else {
30  throw std::runtime_error(std::string() + "unknown variant type " +
31  type.name());
32  }
33 }
34 
35 void toYAML(const Variant &v, std::ostream &stream) {
36  YAML::Emitter emitter(stream);
37  toYAML(v, emitter);
38 }
39 std::string toYAML(const Variant &v) {
40  std::stringstream stream;
41  toYAML(v, stream);
42  return stream.str();
43 }
44 
45 Variant parseYAML(const YAML::Node &yaml) {
46  if (yaml.IsSequence()) {
47  std::vector<Variant> ret;
48  for (auto &y : yaml) {
49  ret.push_back(parseYAML(y));
50  }
51  return Variant(ret);
52  }
53  if (yaml.IsMap()) {
54  std::map<std::string, Variant> ret;
55  for (auto &y : yaml) {
56  ret[y.first.as<std::string>()] = parseYAML(y.second);
57  }
58  return Variant(ret);
59  }
60  return Variant(yaml.as<std::string>());
61 }
62 
63 Variant parseYAML(const std::string &str) {
64  YAML::Node yaml = YAML::Load(str);
65  return parseYAML(yaml);
66 }
Definition: variant.h:9