TAMSVIZ
Visualization and annotation tool for ROS
profiler.cpp
1 // TAMSVIZ
2 // (c) 2020 Philipp Ruppel
3 
4 #include "profiler.h"
5 
6 #include "log.h"
7 
8 #include <algorithm>
9 #include <chrono>
10 
11 ProfilerData ProfilerTrack::swap() {
12  ProfilerData ret;
13  ret.time = _time.exchange(0);
14  ret.count = _count.exchange(0);
15  return ret;
16 }
17 
18 std::shared_ptr<Profiler> Profiler::instance() {
19  static std::shared_ptr<Profiler> instance = std::make_shared<Profiler>();
20  return instance;
21 }
22 
23 std::shared_ptr<ProfilerTrack>
24 Profiler::track(const std::shared_ptr<ProfilerTrack> &track) {
25  if (track) {
26  std::unique_lock<std::mutex> lock(_mutex);
27  _tracks.emplace_back(track);
28  }
29  return track;
30 }
31 
32 std::vector<std::shared_ptr<ProfilerTrack>> Profiler::tracks() const {
33  std::unique_lock<std::mutex> lock(_mutex);
34  std::vector<std::shared_ptr<ProfilerTrack>> ret;
35  for (auto it = _tracks.begin(); it != _tracks.end();) {
36  if (auto ptr = it->lock()) {
37  ret.push_back(ptr);
38  it++;
39  } else {
40  it = _tracks.erase(it);
41  }
42  }
43  return std::move(ret);
44 }
45 
46 ProfilerTrack::ProfilerTrack(const std::string &name) : _name(name) {
47  _time = 0;
48 }
49 
50 ProfilerTrack::~ProfilerTrack() {}
51 
52 ProfilerThread::ProfilerThread(const std::shared_ptr<Profiler> &profiler) {
53  _thread = std::thread([this, profiler]() {
54  auto timeout = std::chrono::steady_clock::now();
55  while (true) {
56  std::vector<std::shared_ptr<ProfilerTrack>> tracks;
57  {
58  std::unique_lock<std::mutex> lock(_mutex);
59  while (true) {
60  if (_exit) {
61  return;
62  }
63  if (std::chrono::steady_clock::now() >= timeout) {
64  break;
65  }
66  _condition.wait_until(lock, timeout);
67  }
68  tracks = profiler->tracks();
69  }
70  std::vector<std::pair<ProfilerData, std::shared_ptr<ProfilerTrack>>> data;
71  for (auto &t : tracks) {
72  data.emplace_back(t->swap(), t);
73  }
74  std::sort(
75  data.begin(), data.end(),
76  [](const std::pair<ProfilerData, std::shared_ptr<ProfilerTrack>> &a,
77  const std::pair<ProfilerData, std::shared_ptr<ProfilerTrack>> &b) {
78  return a.first.time > b.first.time;
79  });
80  std::stringstream stream;
81  stream << "profiler\n";
82  for (auto &row : data) {
83  if (row.first.count > 0) {
84  stream << row.first.time << " " << row.first.count << " "
85  << row.second->name() << "\n";
86  }
87  }
88  stream << "\n";
89  LOG_DEBUG(stream.str());
90  timeout = std::max(timeout + std::chrono::seconds(5),
91  std::chrono::steady_clock::now());
92  }
93  });
94 }
95 
96 ProfilerThread::~ProfilerThread() {
97  {
98  std::unique_lock<std::mutex> lock(_mutex);
99  _exit = true;
100  _condition.notify_all();
101  }
102  _thread.join();
103 }