TAMSVIZ
Visualization and annotation tool for ROS
loader.h
1 // TAMSVIZ
2 // (c) 2020 Philipp Ruppel
3 
4 #pragma once
5 
6 #include <condition_variable>
7 #include <deque>
8 #include <functional>
9 #include <memory>
10 #include <mutex>
11 #include <thread>
12 #include <tuple>
13 
14 #include "event.h"
15 
16 class LoaderThread {
17  std::thread _thread;
18  std::mutex _mutex;
19  std::condition_variable _condition;
20  std::deque<std::pair<std::shared_ptr<void>, std::function<void()>>> _queue;
21  bool _stop = false;
22  std::atomic<size_t> _count;
23 
24 public:
25  void start(const std::shared_ptr<void> &owner,
26  const std::function<void()> &fnc);
27  void cancel(const std::shared_ptr<void> &owner);
28  size_t count() const { return _count; }
29  LoaderThread();
30  ~LoaderThread();
31  Event<void()> started, finished;
32  static const std::shared_ptr<LoaderThread> &instance();
33 };
34 
35 template <class T> struct Loader {
36  struct Data {
37  std::shared_ptr<T> data;
38  bool ready = false;
39  };
40  std::shared_ptr<Data> _data;
41  std::function<std::shared_ptr<T>()> _constructor;
42  void _load() {
43  if (!_data) {
44  _data = std::make_shared<Data>();
45  auto d = _data;
46  auto ctor = _constructor;
47  LoaderThread::instance()->start(_data, [d, ctor]() {
48  d->data = ctor();
49  d->ready = true;
50  });
51  }
52  }
53 
54 public:
55  template <class... Args> Loader(const Args &... args) {
56  _constructor = [args...]() { return std::make_shared<T>(args...); };
57  }
58  Loader() {}
59  Loader(const Loader &) = delete;
60  Loader &operator=(const Loader &) = delete;
61  ~Loader() { clear(); }
62  std::shared_ptr<T> load() {
63  _load();
64  if (_data->ready) {
65  return _data->data;
66  } else {
67  return nullptr;
68  }
69  }
70  void clear() {
71  if (_data) {
72  LoaderThread::instance()->cancel(_data);
73  _data = nullptr;
74  }
75  }
76 };
Definition: loader.h:35