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
use std::ffi::{CStr, CString};
use std::os::raw::c_char;
use std::path::Path;
use crate::*;
pub fn str_to_cstring(s: &str) -> Result<CString> {
CString::new(s).map_err(|e| Error::InvalidInput(e.to_string()))
}
pub fn path_to_cstring<P: AsRef<Path>>(path: P) -> Result<CString> {
let path_str = path.as_ref().to_str().ok_or_else(|| {
Error::InvalidInput(format!("{} is not valid unicode", path.as_ref().display()))
})?;
str_to_cstring(path_str)
}
pub fn c_ptr_to_string(p: *const c_char) -> Result<String> {
if p.is_null() {
return Err(Error::Internal("Null string".to_owned()));
}
let c_str = unsafe { CStr::from_ptr(p) };
Ok(c_str
.to_str()
.map_err(|e| Error::Internal(e.to_string()))?
.to_owned())
}
pub fn roundup(num: usize, r: usize) -> usize {
((num + (r - 1)) / r) * r
}
pub fn num_possible_cpus() -> Result<usize> {
let ret = unsafe { libbpf_sys::libbpf_num_possible_cpus() };
parse_ret_usize(ret)
}
pub fn parse_ret(ret: i32) -> Result<()> {
if ret < 0 {
Err(Error::System(-ret))
} else {
Ok(())
}
}
pub fn parse_ret_i32(ret: i32) -> Result<i32> {
if ret < 0 {
Err(Error::System(-ret))
} else {
Ok(ret)
}
}
pub fn parse_ret_usize(ret: i32) -> Result<usize> {
if ret < 0 {
Err(Error::System(-ret))
} else {
Ok(ret as usize)
}
}
#[cfg(test)]
mod tests {
use super::*;
#[test]
fn test_roundup() {
for i in 1..=256 {
let up = roundup(i, 8);
assert!(up % 8 == 0);
assert!(i <= up);
assert!(up - i < 8);
}
}
#[test]
fn test_roundup_multiples() {
for i in (8..=256).step_by(8) {
assert_eq!(roundup(i, 8), i);
}
}
#[test]
fn test_num_possible_cpus() {
let num = num_possible_cpus().unwrap();
assert!(num > 0);
}
}