pcap_writer.rs 6.4 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206
  1. #[cfg(feature = "std")]
  2. use std::cell::RefCell;
  3. #[cfg(feature = "std")]
  4. use std::io::Write;
  5. use byteorder::{ByteOrder, NativeEndian};
  6. use Result;
  7. use phy::{self, DeviceCapabilities, Device};
  8. use time::Instant;
  9. enum_with_unknown! {
  10. /// Captured packet header type.
  11. pub doc enum PcapLinkType(u32) {
  12. /// Ethernet frames
  13. Ethernet = 1,
  14. /// IPv4 or IPv6 packets (depending on the version field)
  15. Ip = 101
  16. }
  17. }
  18. /// Packet capture mode.
  19. #[derive(Debug, Clone, Copy, PartialEq, Eq)]
  20. pub enum PcapMode {
  21. /// Capture both received and transmitted packets.
  22. Both,
  23. /// Capture only received packets.
  24. RxOnly,
  25. /// Capture only transmitted packets.
  26. TxOnly
  27. }
  28. /// A packet capture sink.
  29. pub trait PcapSink {
  30. /// Write data into the sink.
  31. fn write(&self, data: &[u8]);
  32. /// Write an `u16` into the sink, in native byte order.
  33. fn write_u16(&self, value: u16) {
  34. let mut bytes = [0u8; 2];
  35. NativeEndian::write_u16(&mut bytes, value);
  36. self.write(&bytes[..])
  37. }
  38. /// Write an `u32` into the sink, in native byte order.
  39. fn write_u32(&self, value: u32) {
  40. let mut bytes = [0u8; 4];
  41. NativeEndian::write_u32(&mut bytes, value);
  42. self.write(&bytes[..])
  43. }
  44. /// Write the libpcap global header into the sink.
  45. ///
  46. /// This method may be overridden e.g. if special synchronization is necessary.
  47. fn global_header(&self, link_type: PcapLinkType) {
  48. self.write_u32(0xa1b2c3d4); // magic number
  49. self.write_u16(2); // major version
  50. self.write_u16(4); // minor version
  51. self.write_u32(0); // timezone (= UTC)
  52. self.write_u32(0); // accuracy (not used)
  53. self.write_u32(65535); // maximum packet length
  54. self.write_u32(link_type.into()); // link-layer header type
  55. }
  56. /// Write the libpcap packet header into the sink.
  57. ///
  58. /// See also the note for [global_header](#method.global_header).
  59. ///
  60. /// # Panics
  61. /// This function panics if `length` is greater than 65535.
  62. fn packet_header(&self, timestamp: Instant, length: usize) {
  63. assert!(length <= 65535);
  64. self.write_u32(timestamp.secs() as u32); // timestamp seconds
  65. self.write_u32(timestamp.millis() as u32); // timestamp microseconds
  66. self.write_u32(length as u32); // captured length
  67. self.write_u32(length as u32); // original length
  68. }
  69. /// Write the libpcap packet header followed by packet data into the sink.
  70. ///
  71. /// See also the note for [global_header](#method.global_header).
  72. fn packet(&self, timestamp: Instant, packet: &[u8]) {
  73. self.packet_header(timestamp, packet.len());
  74. self.write(packet)
  75. }
  76. }
  77. impl<T: AsRef<PcapSink>> PcapSink for T {
  78. fn write(&self, data: &[u8]) {
  79. self.as_ref().write(data)
  80. }
  81. }
  82. #[cfg(feature = "std")]
  83. impl<T: Write> PcapSink for RefCell<T> {
  84. fn write(&self, data: &[u8]) {
  85. self.borrow_mut().write_all(data).expect("cannot write")
  86. }
  87. fn packet(&self, timestamp: Instant, packet: &[u8]) {
  88. self.packet_header(timestamp, packet.len());
  89. PcapSink::write(self, packet);
  90. self.borrow_mut().flush().expect("cannot flush")
  91. }
  92. }
  93. /// A packet capture writer device.
  94. ///
  95. /// Every packet transmitted or received through this device is timestamped
  96. /// and written (in the [libpcap] format) using the provided [sink].
  97. /// Note that writes are fine-grained, and buffering is recommended.
  98. ///
  99. /// The packet sink should be cheaply cloneable, as it is cloned on every
  100. /// transmitted packet. For example, `&'a mut Vec<u8>` is cheaply cloneable
  101. /// but `&std::io::File`
  102. ///
  103. /// [libpcap]: https://wiki.wireshark.org/Development/LibpcapFileFormat
  104. /// [sink]: trait.PcapSink.html
  105. #[derive(Debug)]
  106. pub struct PcapWriter<D, S>
  107. where D: for<'a> Device<'a>,
  108. S: PcapSink + Clone,
  109. {
  110. lower: D,
  111. sink: S,
  112. mode: PcapMode,
  113. }
  114. impl<D: for<'a> Device<'a>, S: PcapSink + Clone> PcapWriter<D, S> {
  115. /// Creates a packet capture writer.
  116. pub fn new(lower: D, sink: S, mode: PcapMode, link_type: PcapLinkType) -> PcapWriter<D, S> {
  117. sink.global_header(link_type);
  118. PcapWriter { lower, sink, mode }
  119. }
  120. }
  121. impl<'a, D, S> Device<'a> for PcapWriter<D, S>
  122. where D: for<'b> Device<'b>,
  123. S: PcapSink + Clone + 'a,
  124. {
  125. type RxToken = RxToken<<D as Device<'a>>::RxToken, S>;
  126. type TxToken = TxToken<<D as Device<'a>>::TxToken, S>;
  127. fn capabilities(&self) -> DeviceCapabilities { self.lower.capabilities() }
  128. fn receive(&'a mut self) -> Option<(Self::RxToken, Self::TxToken)> {
  129. let &mut Self { ref mut lower, ref sink, mode, .. } = self;
  130. lower.receive().map(|(rx_token, tx_token)| {
  131. let rx = RxToken { token: rx_token, sink: sink.clone(), mode: mode };
  132. let tx = TxToken { token: tx_token, sink: sink.clone(), mode: mode };
  133. (rx, tx)
  134. })
  135. }
  136. fn transmit(&'a mut self) -> Option<Self::TxToken> {
  137. let &mut Self { ref mut lower, ref sink, mode } = self;
  138. lower.transmit().map(|token| {
  139. TxToken { token, sink: sink.clone(), mode: mode }
  140. })
  141. }
  142. }
  143. #[doc(hidden)]
  144. pub struct RxToken<Rx: phy::RxToken, S: PcapSink> {
  145. token: Rx,
  146. sink: S,
  147. mode: PcapMode,
  148. }
  149. impl<Rx: phy::RxToken, S: PcapSink> phy::RxToken for RxToken<Rx, S> {
  150. fn consume<R, F: FnOnce(&[u8]) -> Result<R>>(self, timestamp: Instant, f: F) -> Result<R> {
  151. let Self { token, sink, mode } = self;
  152. token.consume(timestamp, |buffer| {
  153. match mode {
  154. PcapMode::Both | PcapMode::RxOnly =>
  155. sink.packet(timestamp, buffer.as_ref()),
  156. PcapMode::TxOnly => ()
  157. }
  158. f(buffer)
  159. })
  160. }
  161. }
  162. #[doc(hidden)]
  163. pub struct TxToken<Tx: phy::TxToken, S: PcapSink> {
  164. token: Tx,
  165. sink: S,
  166. mode: PcapMode
  167. }
  168. impl<Tx: phy::TxToken, S: PcapSink> phy::TxToken for TxToken<Tx, S> {
  169. fn consume<R, F>(self, timestamp: Instant, len: usize, f: F) -> Result<R>
  170. where F: FnOnce(&mut [u8]) -> Result<R>
  171. {
  172. let Self { token, sink, mode } = self;
  173. token.consume(timestamp, len, |buffer| {
  174. let result = f(buffer);
  175. match mode {
  176. PcapMode::Both | PcapMode::TxOnly =>
  177. sink.packet(timestamp, &buffer),
  178. PcapMode::RxOnly => ()
  179. };
  180. result
  181. })
  182. }
  183. }