TAMSVIZ
Visualization and annotation tool for ROS
type.cpp
1 // TAMSVIZ
2 // (c) 2020 Philipp Ruppel
3 
4 #include "type.h"
5 
6 #include "object.h"
7 
8 #include <atomic>
9 #include <mutex>
10 #include <unordered_map>
11 #include <unordered_set>
12 
13 uint64_t handleObjectId(const Object *object) {
14  return object ? object->id() : 0;
15 }
16 
17 struct TypeRegistry {
18  std::mutex mutex;
19  std::unordered_map<std::string, std::shared_ptr<Type>> names;
20  std::unordered_map<std::type_index, std::shared_ptr<Type>> ids;
21  static const std::shared_ptr<TypeRegistry> &instance() {
22  static auto ret = std::make_shared<TypeRegistry>();
23  return ret;
24  }
25 };
26 
27 void Type::_registerType(const std::shared_ptr<Type> &t) {
28  auto reg = TypeRegistry::instance();
29  std::unique_lock<std::mutex> lock(reg->mutex);
30  reg->names[t->name()] = t;
31  reg->ids[t->typeId()] = t;
32 }
33 
34 std::shared_ptr<Type> Type::tryFind(const std::string &name) {
35  auto reg = TypeRegistry::instance();
36  std::unique_lock<std::mutex> lock(reg->mutex);
37  auto iter = reg->names.find(name);
38  if (iter != reg->names.end()) {
39  return iter->second;
40  } else {
41  return nullptr;
42  }
43 }
44 
45 std::shared_ptr<Type> Type::find(const std::string &name) {
46  if (auto ret = tryFind(name)) {
47  return ret;
48  } else {
49  throw std::runtime_error("type not found: " + name);
50  }
51 }
52 
53 std::shared_ptr<Type> Type::tryFind(const std::type_index &id) {
54  auto reg = TypeRegistry::instance();
55  std::unique_lock<std::mutex> lock(reg->mutex);
56  auto iter = reg->ids.find(id);
57  if (iter != reg->ids.end()) {
58  return iter->second;
59  } else {
60  return nullptr;
61  }
62 }
63 
64 std::shared_ptr<Type> Type::find(const std::type_index &id) {
65  if (auto ret = tryFind(id)) {
66  return ret;
67  } else {
68  throw std::runtime_error(std::string() + "type not found: " + id.name());
69  }
70 }
71 
72 std::vector<std::shared_ptr<Type>> Type::list() const {
73  auto reg = TypeRegistry::instance();
74  std::unique_lock<std::mutex> lock(reg->mutex);
75  std::vector<std::shared_ptr<Type>> ret;
76  for (auto &p : reg->ids) {
77  auto type = p.second;
78  for (auto base = type; base; base = base->base()) {
79  if (base.get() == this) {
80  ret.push_back(type);
81  break;
82  }
83  }
84  }
85  return ret;
86 }
Definition: object.h:8