run.rs 21 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506
  1. use std::{path::{Path, PathBuf}, fs::{File, self, OpenOptions}, io::{BufWriter, Write, self, Read, BufRead}, net::Ipv4Addr, process::{Command, self, Stdio}, time::{Instant, Duration}, thread};
  2. use json::JsonValue;
  3. use log::info;
  4. use rand::prelude::*;
  5. use anyhow::{Context, ensure, anyhow};
  6. mod args;
  7. mod error;
  8. pub use crate::run::args::*;
  9. pub use crate::run::error::*;
  10. pub use crate::run::args::TestType::*;
  11. pub const BENCH_BASE_PATH: &str = "bench";
  12. pub const BENCH_DATA_PATH: &str = "data";
  13. pub const BENCH_BIN_PATH: &str = "bin";
  14. pub const BENCH_LOG_PATH: &str = "log";
  15. const XDP_LOAD_TIMEOUT_SECS: u64 = 5;
  16. const PRIVILEGE_RUNNER: [&str;1] = ["sudo"];
  17. fn log<R>(log_path: &Path, reader: &mut R, name: &str) -> anyhow::Result<()>
  18. where
  19. R: ?Sized,
  20. R: Read
  21. {
  22. fs::create_dir_all(log_path)?;
  23. let path = log_path.join(format!("{}.log", name));
  24. let mut file = OpenOptions::new().append(true).create(true).open(&path)
  25. .context(format!("Failed to create logfile {}", path.to_str().unwrap()))?;
  26. io::copy(reader, &mut file)
  27. .context(format!("Failed to write to logfile {}", path.to_str().unwrap()))?;
  28. Ok(())
  29. }
  30. fn log_both<R1, R2>(log_path: &Path, stderr: &mut R1, stdout: &mut R2, name: &str) -> anyhow::Result<()>
  31. where
  32. R1: ?Sized,
  33. R2: ?Sized,
  34. R1: Read,
  35. R2: Read
  36. {
  37. let stderr_name = format!("{}.stderr", name);
  38. log(log_path, stderr, &stderr_name.as_str())?;
  39. let stdout_name = format!("{}.stdout", name);
  40. log(log_path, stdout, &stdout_name.as_str())?;
  41. Ok(())
  42. }
  43. pub fn run() -> Result<(), anyhow::Error> {
  44. clean().context("Cleaning bench folder")?;
  45. let cores: u32 = 4;
  46. let seed: u64 = 0x1337133713371337;
  47. // let scan_sizes: Vec<u64> = vec![8, 16];//, 24];//,32]; // TODO 8 only for test purposes
  48. let scan_sizes: Vec<u64> = vec![24];
  49. // let hit_rates: Vec<f64> = vec![0.001, 0.0032,0.01,0.032,0.1];
  50. let hit_rates: Vec<f64> = vec![0.02];
  51. // let false_positive_rates: Vec<TestType> = vec![Baseline, EmptyFilter,Normal(0.1),Normal(0.01),Normal(0.001),Normal(0.0001)];
  52. let false_positive_rates: Vec<TestType> = vec![Baseline, Normal(0.001), BpfStats(0.001)];
  53. // let scan_rates: Vec<u64> = vec![316_000, 562_000, 1_000_000, 1_780_000, 3_160_000];
  54. let scan_rates: Vec<u64> = vec![300000, 377678, 475468, 598579, 753566, 948683, 1194322, 1503562, 1892872, 2382985, 3000000];
  55. // baseline test against dummy interface (drop all)
  56. for scan_size in &scan_sizes {
  57. for hit_rate in &hit_rates {
  58. let data_args = DataArgs::from(seed, *scan_size, *hit_rate);
  59. if data_args.entries == 0 {
  60. info!("Skipping {}; no entries", data_args);
  61. continue;
  62. }
  63. info!("Building IP file for {}", data_args);
  64. let (ip_file_path, subnet) = build_ip_file(data_args)
  65. .context(format!("Building ip file for {}", data_args))?;
  66. info!("subnet for {} is {}", data_args, subnet);
  67. for test_type in &false_positive_rates {
  68. let bloom_args = BloomFilterArgs::from(data_args, *test_type);
  69. info!("Building binaries for {} {}", data_args, bloom_args);
  70. build_binaries(data_args, bloom_args)
  71. .context(format!("Failed to build binaries for {} {}", data_args, bloom_args))?;
  72. info!("Building filter for {} {}", data_args, bloom_args);
  73. let filter_path = build_filter(data_args, bloom_args, ip_file_path.as_path())
  74. .context(format!("Failed to build filter for {} {}", data_args, bloom_args))?;
  75. for scan_rate in &scan_rates {
  76. let scan_args = ScanArgs::new(*scan_rate);
  77. let args = BenchArgs {data_args, bloom_filter_args: bloom_args, scan_args};
  78. let run_output = (|| {
  79. fs::create_dir_all(args.wd_path())
  80. .context("Failed to create wd")
  81. .map_err(|e| (None, e))?;
  82. let (handle, stderr_handle, stdout_handle) = match test_type {
  83. Normal(_) | EmptyFilter | BpfStats(_) => {
  84. info!("Loading XDP program for {}", args);
  85. let (handle, stderr_handle, stdout_handle) = load_xdp(args, Some(filter_path.as_path()))
  86. .map_err(|(h, e)| (h, e.context(format!("Loading XDP program for {}", args))))?;
  87. (Some(handle), Some(stderr_handle), Some(stdout_handle))
  88. },
  89. Baseline => {
  90. info!("Not loading XDP program for {}", args);
  91. (None, None, None)
  92. }
  93. };
  94. if let BpfStats(_) = test_type {
  95. info!("Enabling bpf_stats");
  96. if let Err(e) = set_bpf_stats(args, true) {
  97. return Err((handle, e));
  98. }
  99. }
  100. info!("Running zmap for {}", args);
  101. let zmap_result = run_zmap(args, subnet)
  102. .context(format!("Running zmap for {}", args));
  103. if let Err(e) = zmap_result {
  104. return Err((handle, e));
  105. }
  106. let zmap_output = zmap_result.unwrap();
  107. let bpf_stats = match test_type {
  108. BpfStats(_) => {
  109. info!("Disabling and collecting bpf_stats");
  110. if let Err(e) = set_bpf_stats(args, false) {
  111. return Err((handle, e));
  112. }
  113. let bpf_stats_result = read_bpf_stats(args)
  114. .context(format!("Failed to read bpf stats for {}", args));
  115. if let Err(e) = bpf_stats_result {
  116. return Err((handle, e));
  117. }
  118. let bpf_stats = bpf_stats_result.unwrap();
  119. Some(bpf_stats)
  120. }
  121. _ => {
  122. None
  123. }
  124. };
  125. let responder_output = match test_type {
  126. BpfStats(_) | Normal(_) | EmptyFilter => {
  127. info!("Telling 'responder' to unload XDP");
  128. let responder_output = unload_xdp(args, handle.unwrap())
  129. .map_err(|(h, e)| (h, e.context(format!("Could not successfully unload XDP program for {}", args))))?;
  130. Some(responder_output)
  131. }
  132. Baseline => {
  133. None
  134. }
  135. };
  136. Ok((zmap_output, responder_output, bpf_stats, stderr_handle, stdout_handle))
  137. })();
  138. let (zmap_output, _responder_output, bpf_stats, responder_stderr_handle, responder_stdout_handle) = run_output.map_err(|(handle, e)| {
  139. if let Some(mut handle) = handle {
  140. let kill_result = handle.kill();
  141. if let Err(kill_e) = kill_result {
  142. return anyhow!(kill_e)
  143. .context(e)
  144. .context(format!("Failed to kill responder process for {}; Killed because of reason below", args));
  145. }
  146. }
  147. e
  148. })?;
  149. if let Some(responder_stderr_handle) = responder_stderr_handle {
  150. responder_stderr_handle.join()
  151. .map_err(|_| anyhow!("stderr thread panicked"))
  152. .and(responder_stdout_handle.unwrap().join()
  153. .map_err(|_| anyhow!("stdout thread panicked")))
  154. .and_then(|res| res)
  155. .context(format!("Error occured in a log thread for {}", args))?;
  156. }
  157. File::create(args.wd_path().join("zmap_stats.txt"))
  158. .context(format!("Failed to create zmap_stats.txt file for {}", args))?
  159. .write_all(&zmap_output.stderr.as_slice())
  160. .context(format!("Failed to write to zmap_stats.txt file for {}", args))?;
  161. if let Some(bpf_stats) = bpf_stats {
  162. File::create(args.wd_path().join("bpf_stats.json"))
  163. .context(format!("Failed to create bpf_stats.json file for {}", args))?
  164. .write_all(format!("{{\"run_count\": {}, \"run_time\": {}, \"mem_lock\": {}}}", bpf_stats.0, bpf_stats.1, bpf_stats.2).as_bytes())
  165. .context(format!("Failed to write to bpf_stats.json file for {}", args))?;
  166. }
  167. }
  168. }
  169. }
  170. }
  171. Ok(())
  172. }
  173. fn clean() -> anyhow::Result<()> {
  174. fs::remove_dir_all(PathBuf::from(BENCH_BASE_PATH)).context(format!("Failed to clean path: {:?}", BENCH_BASE_PATH))?;
  175. Ok(())
  176. }
  177. fn next_ip(rng: &mut SmallRng, mask: u32) -> u32 {
  178. loop {
  179. let ip = rng.next_u32() & mask;
  180. if ip & 0xff000000 != 0x7f000000 {
  181. // can not have ips in
  182. break ip;
  183. }
  184. }
  185. }
  186. fn build_ip_file(data_args: DataArgs) -> anyhow::Result<(PathBuf, Ipv4Addr)> {
  187. let mut path = PathBuf::new();
  188. path.push(BENCH_BASE_PATH);
  189. path.push(BENCH_DATA_PATH);
  190. path.push(data_args.rel_path());
  191. path.push("ips.txt");
  192. fs::create_dir_all(path.parent().unwrap())?;
  193. let ip_file = File::create(&path)?;
  194. let mut writer = BufWriter::new(ip_file);
  195. let mut rng = SmallRng::seed_from_u64(data_args.seed);
  196. let lower_subnet_mask = (1 << (data_args.scan_subnet_size as u32)) - 1;
  197. let upper_subnet_mask = u32::MAX - lower_subnet_mask;
  198. let subnet = next_ip(&mut rng, upper_subnet_mask);
  199. for _ in 0..data_args.entries {
  200. let ip = subnet | next_ip(&mut rng, lower_subnet_mask);
  201. writer.write(Ipv4Addr::from(ip).to_string().as_bytes())?;
  202. writer.write(b"\n")?;
  203. }
  204. Ok((path, Ipv4Addr::from(subnet)))
  205. }
  206. fn build_binaries(data_args: DataArgs, bloom_args: BloomFilterArgs) -> anyhow::Result<()> {
  207. let bin_path = BenchArgs::bin_bin_path(data_args, bloom_args);
  208. fs::create_dir_all(&bin_path).context("Failed to create bench dir")?;
  209. let output = Command::new("cargo")
  210. .args([
  211. "xtask",
  212. "build-artifacts",
  213. "--output-folder", bin_path.to_str().unwrap()
  214. ])
  215. .env("BLOOMFILTER_ADDRESS_BITS", bloom_args.address_bits.to_string())
  216. .env("BLOOMFILTER_ADDRESS_BITS_CHUNK", bloom_args.chunk_address_bits.to_string())
  217. .env("BLOOMFILTER_HASH_COUNT", bloom_args.hash_count.to_string())
  218. .stdin(Stdio::null())
  219. .stderr(Stdio::piped())
  220. .stdout(Stdio::null())
  221. .output()
  222. .context("Failed to run cargo xtask build-artifacts")?;
  223. let log_path = BenchArgs::bin_log_path(data_args, bloom_args);
  224. log_both(&log_path, &mut output.stderr.as_slice(), &mut output.stdout.as_slice(), "build-artifacts")?;
  225. ensure!(output.status.success(), CommandError::new(output, log_path));
  226. Ok(())
  227. }
  228. fn build_filter(data_args: DataArgs, bloom_args: BloomFilterArgs, ip_file_path: &Path) -> anyhow::Result<PathBuf> {
  229. let path = BenchArgs::bin_wd_path(data_args, bloom_args).join("ips.bfb");
  230. fs::create_dir_all(path.parent().unwrap()).context("Failed to create bench dir")?;
  231. let output = Command::new("/usr/bin/time")
  232. .args([
  233. // time args
  234. "-o", BenchArgs::bin_wd_path(data_args, bloom_args).join("filter_extern_time.json").to_str().unwrap(),
  235. "--format", "{\"clock\": %e, \"cpu_p\": \"%P\", \"kernel_s\": %S, \"user_s\": %U}",
  236. // actual command
  237. BenchArgs::bin_bin_path(data_args, bloom_args).join("tools/build_filter").to_str().unwrap(),
  238. "--force",
  239. "--timing-path", BenchArgs::bin_wd_path(data_args, bloom_args).join("filter_intern_time.json").to_str().unwrap(),
  240. ip_file_path.to_str().unwrap(),
  241. path.to_str().unwrap()
  242. ])
  243. .env("RUST_LOG", "info")
  244. .stdin(Stdio::null())
  245. .stderr(Stdio::piped())
  246. .stdout(Stdio::piped())
  247. .output()
  248. .context("Failed to run build_filter binary")?;
  249. let log_path = BenchArgs::bin_log_path(data_args, bloom_args);
  250. log_both(&log_path, &mut output.stderr.as_slice(), &mut output.stdout.as_slice(), "build-filter")?;
  251. ensure!(output.status.success(), CommandError::new(output, log_path));
  252. Ok(path)
  253. }
  254. type LogJoinHandle = thread::JoinHandle<anyhow::Result<()>>;
  255. fn load_xdp(bench_args: BenchArgs, filter_path: Option<&Path>) -> Result<(process::Child, LogJoinHandle, LogJoinHandle), (Option<process::Child>, anyhow::Error)> {
  256. let responder_path = bench_args.bin_path().join("responder");
  257. let target= bench_args.bin_path().join("ebpf");
  258. let fd_info_out_path = bench_args.wd_path().join("responder_info.json");
  259. let mut args = Vec::from(PRIVILEGE_RUNNER);
  260. args.extend_from_slice(&[
  261. responder_path.to_str().unwrap(),
  262. "--target", target.to_str().unwrap(),
  263. "--fd-info-out-path", fd_info_out_path.to_str().unwrap(),
  264. ]);
  265. if let Some(path) = filter_path {
  266. args.extend_from_slice(&["--bfb", path.to_str().unwrap()]);
  267. }
  268. let mut handle = Command::new(args.remove(0))
  269. .args(args)
  270. .env("RUST_LOG", "info")
  271. .stdin(Stdio::piped())
  272. .stderr(Stdio::piped())
  273. .stdout(Stdio::piped())
  274. .spawn()
  275. .context("Failed to run responder to load XDP")
  276. .map_err(|e| (None, e))?;
  277. let mut stderr = handle.stderr.take().unwrap();
  278. let mut stdout = handle.stdout.take().unwrap();
  279. let stderr_handle = thread::spawn(move || log(&bench_args.log_path(), &mut stderr, "responder.stderr"));
  280. let stdout_handle = thread::spawn(move || log(&bench_args.log_path(), &mut stdout, "responder.stdout"));
  281. if let Err(e) = try_wait_xdp_loaded(bench_args, &mut handle) {
  282. return Err((Some(handle), e));
  283. }
  284. return Ok((handle, stderr_handle, stdout_handle));
  285. }
  286. fn try_wait_xdp_loaded(_bench_args: BenchArgs, handle: &mut process::Child) -> anyhow::Result<()> {
  287. let start = Instant::now();
  288. let mut last_ip_link = None;
  289. while start.elapsed().as_secs() < XDP_LOAD_TIMEOUT_SECS {
  290. if let Some(_) = handle.try_wait()? {
  291. return Err(anyhow!("Responder exited too early"));
  292. }
  293. let output = Command::new("ip")
  294. .args(["link", "show", "lo"])
  295. .output()
  296. .context("Failed to run 'ip link show lo'")?;
  297. let ip_link_info = String::from_utf8(output.stdout)?;
  298. last_ip_link = Some(ip_link_info.clone());
  299. if let Some(l) = ip_link_info.lines().skip(2).next() {
  300. if let Some(id) = l.strip_prefix(" prog/xdp id") {
  301. info!("XDP loaded; id:{}", id);
  302. return Ok(())
  303. }
  304. }
  305. thread::sleep(Duration::from_millis(100));
  306. }
  307. Err(anyhow!(
  308. "XDP program did not load within timeout ({}); last ip link show lo info: {}",
  309. XDP_LOAD_TIMEOUT_SECS,
  310. last_ip_link.unwrap_or(String::from("no ip link info"))
  311. ))
  312. }
  313. fn unload_xdp(bench_args: BenchArgs,mut handle: process::Child) -> Result<process::Output, (Option<process::Child>, anyhow::Error)> {
  314. let result = handle.stdin.take().unwrap().write(&[b'\n']);
  315. if let Err(e) = result {
  316. return Err((Some(handle), anyhow!(e)));
  317. }
  318. let output = handle.wait_with_output().map_err(|e| (None, anyhow!(e)))?;
  319. if !output.status.success() {
  320. return Err((None, anyhow!(CommandError::new(output, bench_args.log_path()))));
  321. }
  322. return Ok(output);
  323. }
  324. fn set_bpf_stats(bench_args: BenchArgs, enabled: bool) -> anyhow::Result<()> {
  325. let setting = format!("kernel.bpf_stats_enabled={}", if enabled {1} else {0});
  326. let mut args = Vec::from(PRIVILEGE_RUNNER);
  327. args.extend_from_slice(&[
  328. "sysctl", "-w", setting.as_str()
  329. ]);
  330. let output = Command::new(args.remove(0))
  331. .args(args)
  332. .stdin(Stdio::null())
  333. .stderr(Stdio::piped())
  334. .stdout(Stdio::piped())
  335. .output()
  336. .context("Failed to run sysctl")?;
  337. let name = format!("sysctl_{}", if enabled {"enable"} else {"disable"});
  338. log_both(&bench_args.log_path(), &mut output.stderr.as_slice(), &mut output.stdout.as_slice(), name.as_str())?;
  339. ensure!(output.status.success(), CommandError::new(output, bench_args.log_path()));
  340. Ok(())
  341. }
  342. fn read_bpf_stats(bench_args: BenchArgs) -> anyhow::Result<(u128, u128, u128)> {
  343. // TODO Also collect memlock
  344. let mut info = vec![];
  345. File::open(bench_args.wd_path().join("responder_info.json"))
  346. .context("Failed to open responder_info.json file")?
  347. .read_to_end(&mut info)?;
  348. let info = json::parse(String::from_utf8(info)?.as_str())?;
  349. if let JsonValue::Object(o) = info {
  350. let fd = o.get("fd").ok_or(anyhow!("No key fd found in responder_info.json file"))?.as_u64().unwrap();
  351. let pid = o.get("pid").ok_or(anyhow!("No key pid found in responder_info.json file"))?.as_u64().unwrap();
  352. let mut path = PathBuf::from("/proc");
  353. path.push(pid.to_string());
  354. path.push("fdinfo");
  355. path.push(fd.to_string());
  356. let mut args = Vec::from(PRIVILEGE_RUNNER);
  357. args.extend_from_slice(&[
  358. "cat", path.to_str().unwrap()
  359. ]);
  360. let output = Command::new(args.remove(0))
  361. .args(args)
  362. .stdin(Stdio::null())
  363. .stderr(Stdio::piped())
  364. .stdout(Stdio::piped())
  365. .output()
  366. .context("Failed to read fd info from /proc/[pid]/fdinfo/[fd]")?;
  367. log_both(&bench_args.log_path(), &mut output.stderr.as_slice(), &mut output.stdout.as_slice(), "procfs")?;
  368. ensure!(output.status.success(), CommandError::new(output, bench_args.log_path()));
  369. let mut run_time: Option<u128> = None;
  370. let mut run_count: Option<u128> = None;
  371. let mut mem_lock: Option<u128> = None;
  372. for line in output.stdout.lines() {
  373. let line = line?;
  374. if let Some(run_time_str) = line.as_str().strip_prefix("run_time_ns:") {
  375. run_time = Some(run_time_str.trim().parse()?);
  376. } else if let Some(run_count_str) = line.as_str().strip_prefix("run_cnt:") {
  377. run_count = Some(run_count_str.trim().parse()?);
  378. } else if let Some(mem_lock_str) = line.as_str().strip_prefix("memlock:") {
  379. mem_lock = Some(mem_lock_str.trim().parse()?);
  380. }
  381. }
  382. return match (run_count, run_time, mem_lock) {
  383. (None, _, _) => Err(anyhow!("Could not read run_cnt from fdinfo file")),
  384. (_, None, _) => Err(anyhow!("Could not read run_time_ns from fdinfo file")),
  385. (_, _, None) => Err(anyhow!("Could not read mem_lock from fdinfo file")),
  386. (Some(run_count), Some(run_time), Some(mem_lock)) => Ok((run_count, run_time, mem_lock))
  387. }
  388. } else {
  389. return Err(anyhow!("Could not read json object from responder_info.json file"));
  390. }
  391. }
  392. fn run_zmap(bench_args: BenchArgs, subnet: Ipv4Addr) -> anyhow::Result<process::Output> {
  393. let subnet_string = format!("{}/{}",subnet, 32 - bench_args.data_args.scan_subnet_size);
  394. let output_file = bench_args.wd_path().join("zmap_out_ips.txt");
  395. let rate_string = bench_args.scan_args.rate.to_string();
  396. let interface = match bench_args.bloom_filter_args.test_type {
  397. Baseline => "dummyif",
  398. _ => "lo",
  399. };
  400. let seed = bench_args.data_args.seed.to_string();
  401. let mut args = Vec::from(PRIVILEGE_RUNNER);
  402. args.extend_from_slice(&[
  403. "zmap",
  404. subnet_string.as_str(),
  405. "--target-port=80",
  406. "--interface", interface,
  407. "--gateway-mac=00:00:00:00:00:00",
  408. "--output-file", output_file.to_str().unwrap(),
  409. "--rate", rate_string.as_str(),
  410. "--sender-threads=7",
  411. "--cooldown-time=1",
  412. "--seed", seed.as_str(),
  413. ]);
  414. let output = Command::new(args.remove(0))
  415. .args(args)
  416. .stdin(Stdio::null())
  417. .stderr(Stdio::piped())
  418. .stdout(Stdio::piped())
  419. .output()
  420. .context("Failed to run zmap")?;
  421. log_both(&bench_args.log_path(), &mut output.stderr.as_slice(), &mut output.stdout.as_slice(), "zmap")?;
  422. ensure!(output.status.success(), CommandError::new(output, bench_args.log_path()));
  423. return Ok(output);
  424. }