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
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, ProgramType};
use crate::platform::linux::syscalls::{cbzero, close};
#[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,
}
pub struct Probe {
program: Program,
attach_fds: Option<Vec<u32>>,
}
impl Probe {
pub fn create(program: Program) -> Self {
Self {
program,
attach_fds: None,
}
}
pub fn attach(&mut self) -> Result<(), Error> {
let attr = self.program.get_attr();
match attr.prog_type {
ProgramType::Kprobe => self.attach_kprobe(),
_ => self.attach_raw_tracepoint(),
}
}
fn attach_kprobe(&mut self) -> Result<(), Error> {
let attr = self.program.get_attr();
let perf_event_fds = match &attr.attach_name {
Some(name) => perf_event_open_by_name("kprobe", name)?,
None => return Err(Error::InvalidArgument),
};
let mut fds = vec![];
for fd in perf_event_fds {
perf_event_attach(fd, self.program.get_fd())?;
perf_event_enable(fd)?;
fds.push(fd);
}
self.attach_fds = Some(fds);
Ok(())
}
fn attach_raw_tracepoint(&mut self) -> Result<(), Error> {
let mut bpf_attr = BpfRawTracepointOpenAttr::default();
cbzero(&mut bpf_attr);
let attr = self.program.get_attr();
let mut attach_name = String::from("");
let name = if let Some(n) = &attr.attach_name {
attach_name.push_str(n);
attach_name.push('\0');
attach_name.as_ptr() as u64
} else {
0
};
bpf_attr.prog_fd = self.program.get_fd();
bpf_attr.name = name;
self.attach_fds = Some(vec![bpf_attr.call_bpf(Command::RawTracepointOpen)?]);
Ok(())
}
pub fn detach(&mut self) -> Result<(), Error> {
if let Some(fds) = &self.attach_fds {
for fd in fds {
close(*fd);
}
}
self.attach_fds = None;
Ok(())
}
}
impl Drop for Probe {
fn drop(&mut self) {
let _ = self.detach();
}
}