utils.rs 6.7 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230
  1. #![allow(dead_code)]
  2. #[cfg(feature = "log")]
  3. use env_logger::Builder;
  4. use getopts::{Matches, Options};
  5. #[cfg(feature = "log")]
  6. use log::{trace, Level, LevelFilter};
  7. use std::env;
  8. use std::fs::File;
  9. use std::io::{self, Write};
  10. use std::process;
  11. use std::str::{self, FromStr};
  12. use std::time::{SystemTime, UNIX_EPOCH};
  13. use smoltcp::phy::RawSocket;
  14. #[cfg(feature = "phy-tuntap_interface")]
  15. use smoltcp::phy::TunTapInterface;
  16. use smoltcp::phy::{Device, FaultInjector, Medium, Tracer};
  17. use smoltcp::phy::{PcapMode, PcapWriter};
  18. use smoltcp::time::{Duration, Instant};
  19. #[cfg(feature = "log")]
  20. pub fn setup_logging_with_clock<F>(filter: &str, since_startup: F)
  21. where
  22. F: Fn() -> Instant + Send + Sync + 'static,
  23. {
  24. Builder::new()
  25. .format(move |buf, record| {
  26. let elapsed = since_startup();
  27. let timestamp = format!("[{}]", elapsed);
  28. if record.target().starts_with("smoltcp::") {
  29. writeln!(
  30. buf,
  31. "\x1b[0m{} ({}): {}\x1b[0m",
  32. timestamp,
  33. record.target().replace("smoltcp::", ""),
  34. record.args()
  35. )
  36. } else if record.level() == Level::Trace {
  37. let message = format!("{}", record.args());
  38. writeln!(
  39. buf,
  40. "\x1b[37m{} {}\x1b[0m",
  41. timestamp,
  42. message.replace("\n", "\n ")
  43. )
  44. } else {
  45. writeln!(
  46. buf,
  47. "\x1b[32m{} ({}): {}\x1b[0m",
  48. timestamp,
  49. record.target(),
  50. record.args()
  51. )
  52. }
  53. })
  54. .filter(None, LevelFilter::Trace)
  55. .parse(filter)
  56. .parse(&env::var("RUST_LOG").unwrap_or_else(|_| "".to_owned()))
  57. .init();
  58. }
  59. #[cfg(feature = "log")]
  60. pub fn setup_logging(filter: &str) {
  61. setup_logging_with_clock(filter, Instant::now)
  62. }
  63. pub fn create_options() -> (Options, Vec<&'static str>) {
  64. let mut opts = Options::new();
  65. opts.optflag("h", "help", "print this help menu");
  66. (opts, Vec::new())
  67. }
  68. pub fn parse_options(options: &Options, free: Vec<&str>) -> Matches {
  69. match options.parse(env::args().skip(1)) {
  70. Err(err) => {
  71. println!("{}", err);
  72. process::exit(1)
  73. }
  74. Ok(matches) => {
  75. if matches.opt_present("h") || matches.free.len() != free.len() {
  76. let brief = format!(
  77. "Usage: {} [OPTION]... {}",
  78. env::args().next().unwrap(),
  79. free.join(" ")
  80. );
  81. print!("{}", options.usage(&brief));
  82. process::exit(if matches.free.len() != free.len() {
  83. 1
  84. } else {
  85. 0
  86. })
  87. }
  88. matches
  89. }
  90. }
  91. }
  92. pub fn add_tuntap_options(opts: &mut Options, _free: &mut Vec<&str>) {
  93. opts.optopt("", "tun", "TUN interface to use", "tun0");
  94. opts.optopt("", "tap", "TAP interface to use", "tap0");
  95. }
  96. #[cfg(feature = "phy-tuntap_interface")]
  97. pub fn parse_tuntap_options(matches: &mut Matches) -> TunTapInterface {
  98. let tun = matches.opt_str("tun");
  99. let tap = matches.opt_str("tap");
  100. match (tun, tap) {
  101. (Some(tun), None) => TunTapInterface::new(&tun, Medium::Ip).unwrap(),
  102. (None, Some(tap)) => TunTapInterface::new(&tap, Medium::Ethernet).unwrap(),
  103. _ => panic!("You must specify exactly one of --tun or --tap"),
  104. }
  105. }
  106. pub fn parse_raw_socket_options(matches: &mut Matches) -> RawSocket {
  107. let interface = matches.free.remove(0);
  108. RawSocket::new(&interface).unwrap()
  109. }
  110. pub fn add_middleware_options(opts: &mut Options, _free: &mut Vec<&str>) {
  111. opts.optopt("", "pcap", "Write a packet capture file", "FILE");
  112. opts.optopt(
  113. "",
  114. "drop-chance",
  115. "Chance of dropping a packet (%)",
  116. "CHANCE",
  117. );
  118. opts.optopt(
  119. "",
  120. "corrupt-chance",
  121. "Chance of corrupting a packet (%)",
  122. "CHANCE",
  123. );
  124. opts.optopt(
  125. "",
  126. "size-limit",
  127. "Drop packets larger than given size (octets)",
  128. "SIZE",
  129. );
  130. opts.optopt(
  131. "",
  132. "tx-rate-limit",
  133. "Drop packets after transmit rate exceeds given limit \
  134. (packets per interval)",
  135. "RATE",
  136. );
  137. opts.optopt(
  138. "",
  139. "rx-rate-limit",
  140. "Drop packets after transmit rate exceeds given limit \
  141. (packets per interval)",
  142. "RATE",
  143. );
  144. opts.optopt(
  145. "",
  146. "shaping-interval",
  147. "Sets the interval for rate limiting (ms)",
  148. "RATE",
  149. );
  150. }
  151. pub fn parse_middleware_options<D>(
  152. matches: &mut Matches,
  153. device: D,
  154. loopback: bool,
  155. ) -> FaultInjector<Tracer<PcapWriter<D, Box<dyn io::Write>>>>
  156. where
  157. D: for<'a> Device<'a>,
  158. {
  159. let drop_chance = matches
  160. .opt_str("drop-chance")
  161. .map(|s| u8::from_str(&s).unwrap())
  162. .unwrap_or(0);
  163. let corrupt_chance = matches
  164. .opt_str("corrupt-chance")
  165. .map(|s| u8::from_str(&s).unwrap())
  166. .unwrap_or(0);
  167. let size_limit = matches
  168. .opt_str("size-limit")
  169. .map(|s| usize::from_str(&s).unwrap())
  170. .unwrap_or(0);
  171. let tx_rate_limit = matches
  172. .opt_str("tx-rate-limit")
  173. .map(|s| u64::from_str(&s).unwrap())
  174. .unwrap_or(0);
  175. let rx_rate_limit = matches
  176. .opt_str("rx-rate-limit")
  177. .map(|s| u64::from_str(&s).unwrap())
  178. .unwrap_or(0);
  179. let shaping_interval = matches
  180. .opt_str("shaping-interval")
  181. .map(|s| u64::from_str(&s).unwrap())
  182. .unwrap_or(0);
  183. let pcap_writer: Box<dyn io::Write>;
  184. if let Some(pcap_filename) = matches.opt_str("pcap") {
  185. pcap_writer = Box::new(File::create(pcap_filename).expect("cannot open file"))
  186. } else {
  187. pcap_writer = Box::new(io::sink())
  188. }
  189. let seed = SystemTime::now()
  190. .duration_since(UNIX_EPOCH)
  191. .unwrap()
  192. .subsec_nanos();
  193. let device = PcapWriter::new(
  194. device,
  195. pcap_writer,
  196. if loopback {
  197. PcapMode::TxOnly
  198. } else {
  199. PcapMode::Both
  200. },
  201. );
  202. let device = Tracer::new(device, |_timestamp, _printer| {
  203. #[cfg(feature = "log")]
  204. trace!("{}", _printer);
  205. });
  206. let mut device = FaultInjector::new(device, seed);
  207. device.set_drop_chance(drop_chance);
  208. device.set_corrupt_chance(corrupt_chance);
  209. device.set_max_packet_size(size_limit);
  210. device.set_max_tx_rate(tx_rate_limit);
  211. device.set_max_rx_rate(rx_rate_limit);
  212. device.set_bucket_interval(Duration::from_millis(shaping_interval));
  213. device
  214. }