firestorm_enabled/lib.rs
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146 147 148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166 167 168 169 170 171 172 173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221 222 223 224 225 226 227 228 229 230 231 232 233 234 235 236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290
// The backwards compatability policy:
// When core needs to change:
// It can release a new version
// And every point release of previous APIs can be upgraded to use it.
// So long as exact versions are never relied upon this should work.
//
// When a new version comes out, it needs to enable the previous version
// (which happens recursively)
// It would be good if this only brought in the profiling part and not
// the drawing part, but I can fix that later.
use std::{error::Error, fs::create_dir_all, io::Write, path::Path};
extern crate inferno;
use {firestorm_core::*, inferno::flamegraph, std::collections::HashMap};
pub mod internal;
#[macro_export]
macro_rules! profile_fn {
($($t:tt)*) => {
let _firestorm_fn_guard = {
let event_data = $crate::internal::EventData::Start(
$crate::internal::Start::Func {
signature: &stringify!($($t)*),
}
);
$crate::internal::start(event_data);
$crate::internal::SpanGuard::new()
};
};
}
#[macro_export]
macro_rules! profile_method {
($($t:tt)*) => {
let _firestorm_method_guard = {
let event_data = $crate::internal::EventData::Start(
$crate::internal::Start::Method {
signature: &stringify!($($t)*),
typ: ::std::any::type_name::<Self>(),
}
);
$crate::internal::start(event_data);
$crate::internal::SpanGuard::new()
};
};
}
#[macro_export]
macro_rules! profile_section {
($name:ident) => {
#[allow(unused_variables)]
let $name = {
let event_data = $crate::internal::EventData::Start($crate::internal::Start::Section {
name: &stringify!($name),
});
$crate::internal::start(event_data);
$crate::internal::SpanGuard::new()
};
};
}
/// Clears all of the recorded info that firestorm has tracked in this thread.
pub fn clear() {
with_events(|e| e.clear());
}
fn inferno_valid_chars(s: &str) -> String {
s.replace(";", "").replace(" ", "")
}
fn format_start(tag: &Start) -> String {
let mut s = String::new();
match tag {
Start::Method { typ, signature } => {
s += typ;
s += "::";
s += signature;
}
Start::Func { signature } => {
s += signature;
}
Start::Section { name } => {
s += name;
}
_ => s += "Unsupported",
}
s
}
/// Convert events to the format that inferno is expecting
fn lines(mode: Mode) -> Vec<String> {
with_events(|events| {
struct Frame {
name: String,
start: TimeSample,
}
struct Line {
name: String,
duration: u64,
}
let mut stack = Vec::<Frame>::new();
let mut collapsed = HashMap::<_, u64>::new();
let mut lines = Vec::<Line>::new();
for event in events.iter() {
let time = event.time;
match &event.data {
EventData::Start(tag) => {
let mut s = format_start(tag);
s = inferno_valid_chars(&s);
if let Some(parent) = stack.last() {
if !matches!(mode, Mode::OwnTime) {
s = format!("{};{}", &parent.name, s);
}
if mode == Mode::TimeAxis {
lines.push(Line {
name: parent.name.clone(),
duration: time - parent.start,
});
}
}
let frame = Frame {
name: s,
start: time,
};
stack.push(frame);
}
EventData::End => {
let Frame { name, start } = stack.pop().unwrap();
let elapsed = time - start;
match mode {
Mode::Merged | Mode::OwnTime => {
let entry = collapsed.entry(name).or_default();
*entry = entry.wrapping_add(elapsed);
if let Some(parent) = stack.last() {
let entry = collapsed.entry(parent.name.clone()).or_default();
*entry = entry.wrapping_sub(elapsed);
}
}
Mode::TimeAxis => {
lines.push(Line {
name,
duration: elapsed,
});
if let Some(parent) = stack.last_mut() {
parent.start = time;
}
}
}
}
_ => panic!("Unsupported event data. Update Firestorm."),
}
}
assert!(stack.is_empty(), "Mimatched start/end");
fn format_line(name: &str, duration: &u64) -> Option<String> {
if *duration == 0 {
None
} else {
Some(format!("{} {}", name, duration))
}
}
match mode {
Mode::Merged => collapsed
.iter()
.filter_map(|(name, duration)| format_line(name, duration))
.collect(),
Mode::TimeAxis => lines
.iter()
.filter_map(|Line { name, duration }| format_line(name, duration))
.collect(),
Mode::OwnTime => {
let mut collapsed: Vec<_> = collapsed
.into_iter()
.filter(|(_, duration)| *duration != 0)
.collect();
collapsed.sort_by_key(|(_, duration)| u64::MAX - *duration);
for i in 1..collapsed.len() {
collapsed[i - 1].1 -= collapsed[i].1;
}
let mut collapsed = collapsed.into_iter();
let mut lines = Vec::new();
if let Some(item) = collapsed.next() {
let mut name = item.0.clone();
if let Some(line) = format_line(&name, &item.1) {
lines.push(line);
}
for item in collapsed {
name = format!("{};{}", name, &item.0);
if let Some(line) = format_line(&name, &item.1) {
lines.push(line);
}
}
}
lines
}
}
})
}
#[derive(Copy, Clone, Eq, PartialEq, Debug)]
enum Mode {
TimeAxis,
/// Merges all instances of the same stack into a single bar.
/// This may give a better overview of, for example, how much total
/// time a method took. But, will not retain information like how
/// many times a method was called.
Merged,
/// The stacks have nothing to do with callstacks, this is just a
/// bar graph on it's side.
OwnTime,
}
/// Save the flamegraph to a folder.
pub fn save<P: AsRef<Path>>(path: P) -> Result<(), Box<dyn Error>> {
let data_dir = path.as_ref().join("firestorm");
create_dir_all(&data_dir)?;
for (mode, name) in [
(Mode::OwnTime, "owntime"),
(Mode::TimeAxis, "timeaxis"),
(Mode::Merged, "merged"),
]
.iter()
{
let lines = lines(*mode);
let mut fg_opts = flamegraph::Options::default();
fg_opts.title = "".to_owned();
fg_opts.hash = true;
fg_opts.count_name = "nanoseconds".to_owned();
// https://github.com/jonhoo/inferno/issues/243
//fg_opts.count_name = "μs".to_owned();
//fg_opts.factor = 0.001;
fg_opts.flame_chart = matches!(mode, Mode::TimeAxis);
let name = data_dir.join(name.to_string() + ".svg");
let mut writer = std::fs::File::create(name)?;
flamegraph::from_lines(
&mut fg_opts,
lines.iter().rev().map(|s| s.as_str()),
&mut writer,
)?;
}
let name = path.as_ref().join("firestorm.html");
let mut writer = std::fs::File::create(name)?;
let html = include_bytes!("firestorm.html");
writer.write_all(html)?;
Ok(())
}
/// Finish profiling a section.
pub(crate) fn end() {
with_events(|events| {
events.push(Event {
time: TimeSample::now(),
data: EventData::End,
})
});
}
/// Unsafe! This MUST not be used recursively
/// TODO: Verify in Debug this is not used recursively
pub(crate) fn with_events<T>(f: impl FnOnce(&mut Vec<Event>) -> T) -> T {
EVENTS.with(|e| {
let r = unsafe { &mut *e.get() };
f(r)
})
}
/// Returns whether or not firestorm is enabled
#[inline(always)]
pub const fn enabled() -> bool {
true
}
pub fn bench<F: Fn(), P: AsRef<Path>>(path: P, f: F) -> Result<(), Box<dyn Error>> {
// Warmup - pre-allocates memory for samples
f();
clear();
f();
save(path)
}