mod.rs 7.4 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240
  1. //! Access to networking hardware.
  2. //!
  3. //! The `phy` module deals with the *network devices*. It provides a trait
  4. //! for transmitting and receiving frames, [Device](trait.Device.html)
  5. //! and implementations of it:
  6. //!
  7. //! * the [_loopback_](struct.Loopback.html), for zero dependency testing;
  8. //! * _middleware_ [Tracer](struct.Tracer.html) and
  9. //! [FaultInjector](struct.FaultInjector.html), to facilitate debugging;
  10. //! * _adapters_ [RawSocket](struct.RawSocket.html) and
  11. //! [TapInterface](struct.TapInterface.html), to transmit and receive frames
  12. //! on the host OS.
  13. //!
  14. // https://github.com/rust-lang/rust/issues/38740
  15. //! <h1 id="examples" class="section-header"><a href="#examples">Examples</a></h1>
  16. //!
  17. //! An implementation of the [Device](trait.Device.html) trait for a simple hardware
  18. //! Ethernet controller could look as follows:
  19. //!
  20. /*!
  21. ```rust
  22. use std::slice;
  23. use smoltcp::{Error, Result};
  24. use smoltcp::phy::{DeviceCapabilities, Device};
  25. const TX_BUFFERS: [*mut u8; 2] = [0x10000000 as *mut u8, 0x10001000 as *mut u8];
  26. const RX_BUFFERS: [*mut u8; 2] = [0x10002000 as *mut u8, 0x10003000 as *mut u8];
  27. fn rx_full() -> bool {
  28. /* platform-specific code to check if an incoming packet has arrived */
  29. false
  30. }
  31. fn rx_setup(_buf: *mut u8, _length: &mut usize) {
  32. /* platform-specific code to receive a packet into a buffer */
  33. }
  34. fn tx_empty() -> bool {
  35. /* platform-specific code to check if an outgoing packet can be sent */
  36. false
  37. }
  38. fn tx_setup(_buf: *const u8, _length: usize) {
  39. /* platform-specific code to send a buffer with a packet */
  40. }
  41. # #[allow(dead_code)]
  42. pub struct EthernetDevice {
  43. tx_next: usize,
  44. rx_next: usize
  45. }
  46. impl Device for EthernetDevice {
  47. type RxBuffer = &'static [u8];
  48. type TxBuffer = EthernetTxBuffer;
  49. fn capabilities(&self) -> DeviceCapabilities {
  50. let mut caps = DeviceCapabilities::default();
  51. caps.max_transmission_unit = 1536;
  52. caps.max_burst_size = Some(2);
  53. caps
  54. }
  55. fn receive(&mut self, _timestamp: u64) -> Result<Self::RxBuffer> {
  56. if rx_full() {
  57. let index = self.rx_next;
  58. self.rx_next = (self.rx_next + 1) % RX_BUFFERS.len();
  59. let mut length = 0;
  60. rx_setup(RX_BUFFERS[self.rx_next], &mut length);
  61. Ok(unsafe {
  62. slice::from_raw_parts(RX_BUFFERS[index], length)
  63. })
  64. } else {
  65. Err(Error::Exhausted)
  66. }
  67. }
  68. fn transmit(&mut self, _timestamp: u64, length: usize) -> Result<Self::TxBuffer> {
  69. if tx_empty() {
  70. let index = self.tx_next;
  71. self.tx_next = (self.tx_next + 1) % TX_BUFFERS.len();
  72. Ok(EthernetTxBuffer(unsafe {
  73. slice::from_raw_parts_mut(TX_BUFFERS[index], length)
  74. }))
  75. } else {
  76. Err(Error::Exhausted)
  77. }
  78. }
  79. }
  80. pub struct EthernetTxBuffer(&'static mut [u8]);
  81. impl AsRef<[u8]> for EthernetTxBuffer {
  82. fn as_ref(&self) -> &[u8] { self.0 }
  83. }
  84. impl AsMut<[u8]> for EthernetTxBuffer {
  85. fn as_mut(&mut self) -> &mut [u8] { self.0 }
  86. }
  87. impl Drop for EthernetTxBuffer {
  88. fn drop(&mut self) { tx_setup(self.0.as_ptr(), self.0.len()) }
  89. }
  90. ```
  91. */
  92. use Result;
  93. #[cfg(any(feature = "phy-raw_socket", feature = "phy-tap_interface"))]
  94. mod sys;
  95. mod tracer;
  96. mod fault_injector;
  97. mod pcap_writer;
  98. #[cfg(any(feature = "std", feature = "alloc"))]
  99. mod loopback;
  100. #[cfg(feature = "phy-raw_socket")]
  101. mod raw_socket;
  102. #[cfg(all(feature = "phy-tap_interface", target_os = "linux"))]
  103. mod tap_interface;
  104. #[cfg(any(feature = "phy-raw_socket", feature = "phy-tap_interface"))]
  105. pub use self::sys::wait;
  106. pub use self::tracer::Tracer;
  107. pub use self::fault_injector::FaultInjector;
  108. pub use self::pcap_writer::{PcapLinkType, PcapMode, PcapSink, PcapWriter};
  109. #[cfg(any(feature = "std", feature = "alloc"))]
  110. pub use self::loopback::Loopback;
  111. #[cfg(any(feature = "phy-raw_socket"))]
  112. pub use self::raw_socket::RawSocket;
  113. #[cfg(all(feature = "phy-tap_interface", target_os = "linux"))]
  114. pub use self::tap_interface::TapInterface;
  115. /// A tracer device for Ethernet frames.
  116. pub type EthernetTracer<T> = Tracer<T, super::wire::EthernetFrame<&'static [u8]>>;
  117. /// The checksum configuration for a device
  118. #[derive(Debug, Clone, Copy)]
  119. pub enum Checksum {
  120. /// Validate checksum when receiving and supply checksum when sending
  121. Both,
  122. /// Validate checksum when receiving
  123. Rx,
  124. /// Supply checksum before sending
  125. Tx,
  126. /// Ignore checksum
  127. None,
  128. }
  129. impl Default for Checksum {
  130. fn default() -> Checksum {
  131. Checksum::Both
  132. }
  133. }
  134. impl Checksum {
  135. pub(crate) fn rx(&self) -> bool {
  136. match *self {
  137. Checksum::Both | Checksum::Rx => true,
  138. _ => false
  139. }
  140. }
  141. pub(crate) fn tx(&self) -> bool {
  142. match *self {
  143. Checksum::Both | Checksum::Tx => true,
  144. _ => false
  145. }
  146. }
  147. }
  148. /// Configuration of checksum capabilities for each applicable protocol
  149. #[derive(Debug, Clone, Default)]
  150. pub struct ChecksumCapabilities {
  151. pub ipv4: Checksum,
  152. pub udpv4: Checksum,
  153. pub udpv6: Checksum,
  154. pub tcpv4: Checksum,
  155. pub icmpv4: Checksum,
  156. dummy: (),
  157. }
  158. /// A description of device capabilities.
  159. ///
  160. /// Higher-level protocols may achieve higher throughput or lower latency if they consider
  161. /// the bandwidth or packet size limitations.
  162. #[derive(Debug, Clone, Default)]
  163. pub struct DeviceCapabilities {
  164. /// Maximum transmission unit.
  165. ///
  166. /// The network device is unable to send or receive frames larger than the value returned
  167. /// by this function.
  168. ///
  169. /// For Ethernet, MTU will fall between 576 (for IPv4) or 1280 (for IPv6) and 9216 octets.
  170. pub max_transmission_unit: usize,
  171. /// Maximum burst size, in terms of MTU.
  172. ///
  173. /// The network device is unable to send or receive bursts large than the value returned
  174. /// by this function.
  175. ///
  176. /// If `None`, there is no fixed limit on burst size, e.g. if network buffers are
  177. /// dynamically allocated.
  178. pub max_burst_size: Option<usize>,
  179. /// Checksum capabilities for the current device
  180. pub checksum: ChecksumCapabilities,
  181. /// Only present to prevent people from trying to initialize every field of DeviceLimits,
  182. /// which would not let us add new fields in the future.
  183. dummy: ()
  184. }
  185. /// An interface for sending and receiving raw network frames.
  186. ///
  187. /// It is expected that a `Device` implementation would allocate memory for both sending
  188. /// and receiving packets from memory pools; hence, the stack borrows the buffer for a packet
  189. /// that it is about to receive, as well for a packet that it is about to send, from the device.
  190. pub trait Device {
  191. type RxBuffer: AsRef<[u8]>;
  192. type TxBuffer: AsRef<[u8]> + AsMut<[u8]>;
  193. /// Get a description of device capabilities.
  194. fn capabilities(&self) -> DeviceCapabilities;
  195. /// Receive a frame.
  196. ///
  197. /// It is expected that a `receive` implementation, once a packet is written to memory
  198. /// through DMA, would gain ownership of the underlying buffer, provide it for parsing,
  199. /// and return it to the network device once it is dropped.
  200. fn receive(&mut self, timestamp: u64) -> Result<Self::RxBuffer>;
  201. /// Transmit a frame.
  202. ///
  203. /// It is expected that a `transmit` implementation would gain ownership of a buffer with
  204. /// the requested length, provide it for emission, and schedule it to be read from
  205. /// memory by the network device once it is dropped.
  206. fn transmit(&mut self, timestamp: u64, length: usize) -> Result<Self::TxBuffer>;
  207. }