pcap_writer.rs 7.8 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268
  1. use byteorder::{ByteOrder, NativeEndian};
  2. use core::cell::RefCell;
  3. use phy::Medium;
  4. #[cfg(feature = "std")]
  5. use std::io::Write;
  6. use crate::phy::{self, Device, DeviceCapabilities};
  7. use crate::time::Instant;
  8. enum_with_unknown! {
  9. /// Captured packet header type.
  10. pub enum PcapLinkType(u32) {
  11. /// Ethernet frames
  12. Ethernet = 1,
  13. /// IPv4 or IPv6 packets (depending on the version field)
  14. Ip = 101,
  15. /// IEEE 802.15.4 packets without FCS.
  16. Ieee802154WithoutFcs = 230,
  17. }
  18. }
  19. /// Packet capture mode.
  20. #[derive(Debug, Clone, Copy, PartialEq, Eq)]
  21. #[cfg_attr(feature = "defmt", derive(defmt::Format))]
  22. pub enum PcapMode {
  23. /// Capture both received and transmitted packets.
  24. Both,
  25. /// Capture only received packets.
  26. RxOnly,
  27. /// Capture only transmitted packets.
  28. TxOnly,
  29. }
  30. /// A packet capture sink.
  31. pub trait PcapSink {
  32. /// Write data into the sink.
  33. fn write(&mut self, data: &[u8]);
  34. /// Flush data written into the sync.
  35. fn flush(&mut self) {}
  36. /// Write an `u16` into the sink, in native byte order.
  37. fn write_u16(&mut self, value: u16) {
  38. let mut bytes = [0u8; 2];
  39. NativeEndian::write_u16(&mut bytes, value);
  40. self.write(&bytes[..])
  41. }
  42. /// Write an `u32` into the sink, in native byte order.
  43. fn write_u32(&mut self, value: u32) {
  44. let mut bytes = [0u8; 4];
  45. NativeEndian::write_u32(&mut bytes, value);
  46. self.write(&bytes[..])
  47. }
  48. /// Write the libpcap global header into the sink.
  49. ///
  50. /// This method may be overridden e.g. if special synchronization is necessary.
  51. fn global_header(&mut self, link_type: PcapLinkType) {
  52. self.write_u32(0xa1b2c3d4); // magic number
  53. self.write_u16(2); // major version
  54. self.write_u16(4); // minor version
  55. self.write_u32(0); // timezone (= UTC)
  56. self.write_u32(0); // accuracy (not used)
  57. self.write_u32(65535); // maximum packet length
  58. self.write_u32(link_type.into()); // link-layer header type
  59. }
  60. /// Write the libpcap packet header into the sink.
  61. ///
  62. /// See also the note for [global_header](#method.global_header).
  63. ///
  64. /// # Panics
  65. /// This function panics if `length` is greater than 65535.
  66. fn packet_header(&mut self, timestamp: Instant, length: usize) {
  67. assert!(length <= 65535);
  68. self.write_u32(timestamp.secs() as u32); // timestamp seconds
  69. self.write_u32(timestamp.micros() as u32); // timestamp microseconds
  70. self.write_u32(length as u32); // captured length
  71. self.write_u32(length as u32); // original length
  72. }
  73. /// Write the libpcap packet header followed by packet data into the sink.
  74. ///
  75. /// See also the note for [global_header](#method.global_header).
  76. fn packet(&mut self, timestamp: Instant, packet: &[u8]) {
  77. self.packet_header(timestamp, packet.len());
  78. self.write(packet);
  79. self.flush();
  80. }
  81. }
  82. #[cfg(feature = "std")]
  83. impl<T: Write> PcapSink for T {
  84. fn write(&mut self, data: &[u8]) {
  85. T::write_all(self, data).expect("cannot write")
  86. }
  87. fn flush(&mut self) {
  88. T::flush(self).expect("cannot flush")
  89. }
  90. }
  91. /// A packet capture writer device.
  92. ///
  93. /// Every packet transmitted or received through this device is timestamped
  94. /// and written (in the [libpcap] format) using the provided [sink].
  95. /// Note that writes are fine-grained, and buffering is recommended.
  96. ///
  97. /// The packet sink should be cheaply cloneable, as it is cloned on every
  98. /// transmitted packet. For example, `&'a mut Vec<u8>` is cheaply cloneable
  99. /// but `&std::io::File`
  100. ///
  101. /// [libpcap]: https://wiki.wireshark.org/Development/LibpcapFileFormat
  102. /// [sink]: trait.PcapSink.html
  103. #[derive(Debug)]
  104. pub struct PcapWriter<D, S>
  105. where
  106. D: Device,
  107. S: PcapSink,
  108. {
  109. lower: D,
  110. sink: RefCell<S>,
  111. mode: PcapMode,
  112. }
  113. impl<D: Device, S: PcapSink> PcapWriter<D, S> {
  114. /// Creates a packet capture writer.
  115. pub fn new(lower: D, mut sink: S, mode: PcapMode) -> PcapWriter<D, S> {
  116. let medium = lower.capabilities().medium;
  117. let link_type = match medium {
  118. #[cfg(feature = "medium-ip")]
  119. Medium::Ip => PcapLinkType::Ip,
  120. #[cfg(feature = "medium-ethernet")]
  121. Medium::Ethernet => PcapLinkType::Ethernet,
  122. #[cfg(feature = "medium-ieee802154")]
  123. Medium::Ieee802154 => PcapLinkType::Ieee802154WithoutFcs,
  124. };
  125. sink.global_header(link_type);
  126. PcapWriter {
  127. lower,
  128. sink: RefCell::new(sink),
  129. mode,
  130. }
  131. }
  132. /// Get a reference to the underlying device.
  133. ///
  134. /// Even if the device offers reading through a standard reference, it is inadvisable to
  135. /// directly read from the device as doing so will circumvent the packet capture.
  136. pub fn get_ref(&self) -> &D {
  137. &self.lower
  138. }
  139. /// Get a mutable reference to the underlying device.
  140. ///
  141. /// It is inadvisable to directly read from the device as doing so will circumvent the packet capture.
  142. pub fn get_mut(&mut self) -> &mut D {
  143. &mut self.lower
  144. }
  145. }
  146. impl<D: Device, S> Device for PcapWriter<D, S>
  147. where
  148. S: PcapSink,
  149. {
  150. type RxToken<'a> = RxToken<'a, D::RxToken<'a>, S>
  151. where
  152. Self: 'a;
  153. type TxToken<'a> = TxToken<'a, D::TxToken<'a>, S>
  154. where
  155. Self: 'a;
  156. fn capabilities(&self) -> DeviceCapabilities {
  157. self.lower.capabilities()
  158. }
  159. fn receive(&mut self, timestamp: Instant) -> Option<(Self::RxToken<'_>, Self::TxToken<'_>)> {
  160. let sink = &self.sink;
  161. let mode = self.mode;
  162. self.lower
  163. .receive(timestamp)
  164. .map(move |(rx_token, tx_token)| {
  165. let rx = RxToken {
  166. token: rx_token,
  167. sink,
  168. mode,
  169. timestamp,
  170. };
  171. let tx = TxToken {
  172. token: tx_token,
  173. sink,
  174. mode,
  175. timestamp,
  176. };
  177. (rx, tx)
  178. })
  179. }
  180. fn transmit(&mut self, timestamp: Instant) -> Option<Self::TxToken<'_>> {
  181. let sink = &self.sink;
  182. let mode = self.mode;
  183. self.lower.transmit(timestamp).map(move |token| TxToken {
  184. token,
  185. sink,
  186. mode,
  187. timestamp,
  188. })
  189. }
  190. }
  191. #[doc(hidden)]
  192. pub struct RxToken<'a, Rx: phy::RxToken, S: PcapSink> {
  193. token: Rx,
  194. sink: &'a RefCell<S>,
  195. mode: PcapMode,
  196. timestamp: Instant,
  197. }
  198. impl<'a, Rx: phy::RxToken, S: PcapSink> phy::RxToken for RxToken<'a, Rx, S> {
  199. fn consume<R, F: FnOnce(&[u8]) -> R>(self, f: F) -> R {
  200. self.token.consume(|buffer| {
  201. match self.mode {
  202. PcapMode::Both | PcapMode::RxOnly => self
  203. .sink
  204. .borrow_mut()
  205. .packet(self.timestamp, buffer.as_ref()),
  206. PcapMode::TxOnly => (),
  207. }
  208. f(buffer)
  209. })
  210. }
  211. fn meta(&self) -> phy::PacketMeta {
  212. self.token.meta()
  213. }
  214. }
  215. #[doc(hidden)]
  216. pub struct TxToken<'a, Tx: phy::TxToken, S: PcapSink> {
  217. token: Tx,
  218. sink: &'a RefCell<S>,
  219. mode: PcapMode,
  220. timestamp: Instant,
  221. }
  222. impl<'a, Tx: phy::TxToken, S: PcapSink> phy::TxToken for TxToken<'a, Tx, S> {
  223. fn consume<R, F>(self, len: usize, f: F) -> R
  224. where
  225. F: FnOnce(&mut [u8]) -> R,
  226. {
  227. self.token.consume(len, |buffer| {
  228. let result = f(buffer);
  229. match self.mode {
  230. PcapMode::Both | PcapMode::TxOnly => {
  231. self.sink.borrow_mut().packet(self.timestamp, buffer)
  232. }
  233. PcapMode::RxOnly => (),
  234. };
  235. result
  236. })
  237. }
  238. fn set_meta(&mut self, meta: phy::PacketMeta) {
  239. self.token.set_meta(meta)
  240. }
  241. }