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
use crate::error::Error;
use crate::platform::linux::bpf::{CallBpf, Command};
use crate::platform::linux::perf::{perf_event_attach, perf_event_enable, perf_event_open_by_name};
use crate::platform::linux::prog::Program;
use crate::platform::linux::syscalls::{cbzero, close};
use std::collections::HashMap;
#[derive(Default)]
#[repr(C, align(8))]
struct BpfRawTracepointOpenAttr {
pub name: u64,
pub prog_fd: u32,
}
#[derive(Default)]
#[repr(C, align(8))]
struct BpfLinkCreateAttr {
pub prog_fd: u32,
pub target_fd: u32,
pub attach_type: u32,
pub flags: u32,
pub target_btf_id: u32,
}
#[derive(Clone)]
pub enum AttachInfo {
RawTracepoint(String),
KProbe((String, u64)),
UProbe((String, u64)),
}
pub struct Probe {
attach_info: AttachInfo,
attach_fds: HashMap<u32, Vec<u32>>,
}
impl Probe {
pub fn create(attach_info: AttachInfo) -> Self {
Self {
attach_info,
attach_fds: HashMap::new(),
}
}
pub fn attach(&mut self, program: &Program) -> Result<(), Error> {
let attach_info = self.attach_info.clone();
match &attach_info {
AttachInfo::RawTracepoint(name) => self.attach_raw_tracepoint(program, name),
AttachInfo::KProbe((name, addr)) => self.attach_probe(program, "kprobe", name, *addr),
AttachInfo::UProbe((name, addr)) => self.attach_probe(program, "uprobe", name, *addr),
}
}
fn attach_probe(
&mut self,
program: &Program,
probe_name: &str,
name: &str,
addr: u64,
) -> Result<(), Error> {
let perf_event_fds = perf_event_open_by_name(probe_name, name, addr)?;
let mut fds = vec![];
for fd in perf_event_fds {
perf_event_attach(fd, program.get_fd())?;
perf_event_enable(fd)?;
fds.push(fd);
}
self.attach_fds.insert(program.get_fd(), fds);
Ok(())
}
fn attach_raw_tracepoint(&mut self, program: &Program, name: &str) -> Result<(), Error> {
let mut bpf_attr = BpfRawTracepointOpenAttr::default();
cbzero(&mut bpf_attr);
let mut attach_name = String::from("");
attach_name.push_str(name);
attach_name.push('\0');
bpf_attr.prog_fd = program.get_fd();
bpf_attr.name = attach_name.as_ptr() as u64;
let fds = vec![bpf_attr.call_bpf(Command::RawTracepointOpen)?];
self.attach_fds.insert(program.get_fd(), fds);
Ok(())
}
pub fn detach(&mut self, program: &Program) -> Result<(), Error> {
if let Some(fds) = self.attach_fds.get(&program.get_fd()) {
for fd in fds {
close(*fd);
}
}
self.attach_fds.remove(&program.get_fd());
Ok(())
}
}
impl Drop for Probe {
fn drop(&mut self) {
for fds in self.attach_fds.values() {
for fd in fds {
close(*fd);
}
}
}
}