mod.rs 5.1 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136
  1. //! Communication between endpoints.
  2. //!
  3. //! The `socket` module deals with *network endpoints* and *buffering*.
  4. //! It provides interfaces for accessing buffers of data, and protocol state machines
  5. //! for filling and emptying these buffers.
  6. //!
  7. //! The programming interface implemented here differs greatly from the common Berkeley socket
  8. //! interface. Specifically, in the Berkeley interface the buffering is implicit:
  9. //! the operating system decides on the good size for a buffer and manages it.
  10. //! The interface implemented by this module uses explicit buffering: you decide on the good
  11. //! size for a buffer, allocate it, and let the networking stack use it.
  12. use Result;
  13. use phy::DeviceLimits;
  14. use wire::IpRepr;
  15. mod raw;
  16. mod udp;
  17. mod tcp;
  18. mod set;
  19. pub use self::raw::PacketBuffer as RawPacketBuffer;
  20. pub use self::raw::SocketBuffer as RawSocketBuffer;
  21. pub use self::raw::RawSocket;
  22. pub use self::udp::PacketBuffer as UdpPacketBuffer;
  23. pub use self::udp::SocketBuffer as UdpSocketBuffer;
  24. pub use self::udp::UdpSocket;
  25. pub use self::tcp::SocketBuffer as TcpSocketBuffer;
  26. pub use self::tcp::State as TcpState;
  27. pub use self::tcp::TcpSocket;
  28. pub use self::set::{Set as SocketSet, Item as SocketSetItem, Handle as SocketHandle};
  29. pub use self::set::{Iter as SocketSetIter, IterMut as SocketSetIterMut};
  30. /// A network socket.
  31. ///
  32. /// This enumeration abstracts the various types of sockets based on the IP protocol.
  33. /// To downcast a `Socket` value down to a concrete socket, use
  34. /// the [AsSocket](trait.AsSocket.html) trait, and call e.g. `socket.as_socket::<UdpSocket<_>>()`.
  35. ///
  36. /// The `process` and `dispatch` functions are fundamentally asymmetric and thus differ in
  37. /// their use of the [trait PacketRepr](trait.PacketRepr.html). When `process` is called,
  38. /// the packet length is already known and no allocation is required; on the other hand,
  39. /// `process` would have to downcast a `&PacketRepr` to e.g. an `&UdpRepr` through `Any`,
  40. /// which is rather inelegant. Conversely, when `dispatch` is called, the packet length is
  41. /// not yet known and the packet storage has to be allocated; but the `&PacketRepr` is sufficient
  42. /// since the lower layers treat the packet as an opaque octet sequence.
  43. #[derive(Debug)]
  44. pub enum Socket<'a, 'b: 'a> {
  45. Raw(RawSocket<'a, 'b>),
  46. Udp(UdpSocket<'a, 'b>),
  47. Tcp(TcpSocket<'a>),
  48. #[doc(hidden)]
  49. __Nonexhaustive
  50. }
  51. macro_rules! dispatch_socket {
  52. ($self_:expr, |$socket:ident [$( $mut_:tt )*]| $code:expr) => ({
  53. match $self_ {
  54. &$( $mut_ )* Socket::Raw(ref $( $mut_ )* $socket) => $code,
  55. &$( $mut_ )* Socket::Udp(ref $( $mut_ )* $socket) => $code,
  56. &$( $mut_ )* Socket::Tcp(ref $( $mut_ )* $socket) => $code,
  57. &$( $mut_ )* Socket::__Nonexhaustive => unreachable!()
  58. }
  59. })
  60. }
  61. impl<'a, 'b> Socket<'a, 'b> {
  62. /// Return the debug identifier.
  63. pub fn debug_id(&self) -> usize {
  64. dispatch_socket!(self, |socket []| socket.debug_id())
  65. }
  66. /// Set the debug identifier.
  67. ///
  68. /// The debug identifier is a number printed in socket trace messages.
  69. /// It could as well be used by the user code.
  70. pub fn set_debug_id(&mut self, id: usize) {
  71. dispatch_socket!(self, |socket [mut]| socket.set_debug_id(id))
  72. }
  73. pub(crate) fn dispatch<F, R>(&mut self, timestamp: u64, limits: &DeviceLimits,
  74. emit: &mut F) -> Result<R>
  75. where F: FnMut(&IpRepr, &IpPayload) -> Result<R> {
  76. dispatch_socket!(self, |socket [mut]| socket.dispatch(timestamp, limits, emit))
  77. }
  78. }
  79. /// An IP-encapsulated packet representation.
  80. ///
  81. /// This trait abstracts the various types of packets layered under the IP protocol,
  82. /// and serves as an accessory to [trait Socket](trait.Socket.html).
  83. pub trait IpPayload {
  84. /// Return the length of the buffer required to serialize this high-level representation.
  85. fn buffer_len(&self) -> usize;
  86. /// Emit this high-level representation into a sequence of octets.
  87. fn emit(&self, ip_repr: &IpRepr, payload: &mut [u8]);
  88. }
  89. /// A conversion trait for network sockets.
  90. ///
  91. /// This trait is used to concisely downcast [Socket](trait.Socket.html) values to their
  92. /// concrete types.
  93. pub trait AsSocket<T> {
  94. fn as_socket(&mut self) -> &mut T;
  95. fn try_as_socket(&mut self) -> Option<&mut T>;
  96. }
  97. macro_rules! as_socket {
  98. ($socket:ty, $variant:ident) => {
  99. impl<'a, 'b> AsSocket<$socket> for Socket<'a, 'b> {
  100. fn as_socket(&mut self) -> &mut $socket {
  101. match self {
  102. &mut Socket::$variant(ref mut socket) => socket,
  103. _ => panic!(concat!(".as_socket::<",
  104. stringify!($socket),
  105. "> called on wrong socket type"))
  106. }
  107. }
  108. fn try_as_socket(&mut self) -> Option<&mut $socket> {
  109. match self {
  110. &mut Socket::$variant(ref mut socket) => Some(socket),
  111. _ => None,
  112. }
  113. }
  114. }
  115. }
  116. }
  117. as_socket!(RawSocket<'a, 'b>, Raw);
  118. as_socket!(UdpSocket<'a, 'b>, Udp);
  119. as_socket!(TcpSocket<'a>, Tcp);