#![allow(missing_docs)]
use crate::CodeMemory;
#[allow(unused_imports)]
use anyhow::{bail, Result};
cfg_if::cfg_if! {
if #[cfg(all(feature = "jitdump", target_os = "linux"))] {
mod jitdump;
pub use jitdump::new as new_jitdump;
} else {
pub fn new_jitdump() -> Result<Box<dyn ProfilingAgent>> {
if cfg!(feature = "jitdump") {
bail!("jitdump is not supported on this platform");
} else {
bail!("jitdump support disabled at compile time");
}
}
}
}
cfg_if::cfg_if! {
if #[cfg(unix)] {
mod perfmap;
pub use perfmap::new as new_perfmap;
} else {
pub fn new_perfmap() -> Result<Box<dyn ProfilingAgent>> {
bail!("perfmap support not supported on this platform");
}
}
}
cfg_if::cfg_if! {
if #[cfg(all(feature = "vtune", target_arch = "x86_64", not(all(target_os = "windows", target_env = "gnu"))))] {
mod vtune;
pub use vtune::new as new_vtune;
} else {
pub fn new_vtune() -> Result<Box<dyn ProfilingAgent>> {
if cfg!(feature = "vtune") {
bail!("VTune is not supported on this platform.");
} else {
bail!("VTune support disabled at compile time.");
}
}
}
}
pub trait ProfilingAgent: Send + Sync + 'static {
fn register_function(&self, name: &str, addr: *const u8, size: usize);
fn register_module(&self, code: &CodeMemory, custom_name: &dyn Fn(usize) -> Option<String>) {
use object::{File, Object as _, ObjectSection, ObjectSymbol, SectionKind, SymbolKind};
let image = match File::parse(&code.mmap()[..]) {
Ok(image) => image,
Err(_) => return,
};
let text_base = match image.sections().find(|s| s.kind() == SectionKind::Text) {
Some(section) => match section.data() {
Ok(data) => data.as_ptr() as usize,
Err(_) => return,
},
None => return,
};
for sym in image.symbols() {
if !sym.is_definition() {
continue;
}
if sym.kind() != SymbolKind::Text {
continue;
}
let address = sym.address();
let size = sym.size();
if address == 0 || size == 0 {
continue;
}
if let Ok(name) = sym.name() {
let addr = text_base + address as usize;
let owned;
let name = match custom_name(address as usize) {
Some(name) => {
owned = name;
&owned
}
None => name,
};
self.register_function(name, addr as *const u8, size as usize);
}
}
}
}
pub fn new_null() -> Box<dyn ProfilingAgent> {
Box::new(NullProfilerAgent)
}
#[derive(Debug, Default, Clone, Copy)]
struct NullProfilerAgent;
impl ProfilingAgent for NullProfilerAgent {
fn register_function(&self, _name: &str, _addr: *const u8, _size: usize) {}
fn register_module(&self, _code: &CodeMemory, _custom_name: &dyn Fn(usize) -> Option<String>) {}
}