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
use std::path::Path;
use std::ptr::null_mut;
use std::ptr::NonNull;
use crate::util::path_to_cstring;
use crate::util::{self};
use crate::Error;
use crate::Result;
/// A type used for linking multiple BPF object files into a single one.
///
/// Please refer to
/// <https://lwn.net/ml/bpf/20210310040431.916483-6-andrii@kernel.org/> for
/// additional details.
#[derive(Debug)]
pub struct Linker {
/// The `libbpf` linker object.
linker: NonNull<libbpf_sys::bpf_linker>,
}
impl Linker {
/// Instantiate a `Linker` object.
pub fn new<P>(output: P) -> Result<Self>
where
P: AsRef<Path>,
{
let output = path_to_cstring(output)?;
util::create_bpf_entity_checked(|| {
let opts = null_mut();
// SAFETY: `output` is a valid pointer and `opts` is accepted as NULL.
unsafe { libbpf_sys::bpf_linker__new(output.as_ptr(), opts) }
})
.map(|linker| Self { linker })
}
/// Add a file to the set of files to link.
pub fn add_file<P>(&mut self, file: P) -> Result<()>
where
P: AsRef<Path>,
{
let file = path_to_cstring(file)?;
let opts = null_mut();
// SAFETY: `linker` and `file` are a valid pointers.
let err =
unsafe { libbpf_sys::bpf_linker__add_file(self.linker.as_ptr(), file.as_ptr(), opts) };
if err != 0 {
Err(Error::System(err))
} else {
Ok(())
}
}
/// Link all BPF object files [added](Self::add_file) to this object into
/// a single one.
pub fn link(&self) -> Result<()> {
// SAFETY: `linker` is a valid pointer.
let err = unsafe { libbpf_sys::bpf_linker__finalize(self.linker.as_ptr()) };
if err != 0 {
return Err(Error::System(err));
}
Ok(())
}
}
// SAFETY: `bpf_linker` can be sent to a different thread.
unsafe impl Send for Linker {}
impl Drop for Linker {
fn drop(&mut self) {
// SAFETY: `linker` is a valid pointer returned by `bpf_linker__new`.
unsafe { libbpf_sys::bpf_linker__free(self.linker.as_ptr()) }
}
}
#[cfg(test)]
mod test {
use super::*;
/// Check that `Linker` is `Send`.
#[test]
fn linker_is_send() {
fn test<T>()
where
T: Send,
{
}
test::<Linker>();
}
}