set.rs 4.6 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160
  1. use core::{fmt, slice};
  2. use managed::ManagedSlice;
  3. use crate::socket::{AnySocket, Socket};
  4. /// An item of a socket set.
  5. ///
  6. /// The only reason this struct is public is to allow the socket set storage
  7. /// to be allocated externally.
  8. #[derive(Debug)]
  9. pub struct Item<'a> {
  10. socket: Socket<'a>,
  11. }
  12. /// A handle, identifying a socket in a set.
  13. #[derive(Debug, Clone, Copy, PartialEq, Eq, PartialOrd, Ord, Default, Hash)]
  14. #[cfg_attr(feature = "defmt", derive(defmt::Format))]
  15. pub struct Handle(usize);
  16. impl fmt::Display for Handle {
  17. fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
  18. write!(f, "#{}", self.0)
  19. }
  20. }
  21. /// An extensible set of sockets.
  22. ///
  23. /// The lifetime `'a` is used when storing a `Socket<'a>`.
  24. #[derive(Debug)]
  25. pub struct Set<'a> {
  26. sockets: ManagedSlice<'a, Option<Item<'a>>>,
  27. }
  28. impl<'a> Set<'a> {
  29. /// Create a socket set using the provided storage.
  30. pub fn new<SocketsT>(sockets: SocketsT) -> Set<'a>
  31. where
  32. SocketsT: Into<ManagedSlice<'a, Option<Item<'a>>>>,
  33. {
  34. let sockets = sockets.into();
  35. Set { sockets }
  36. }
  37. /// Add a socket to the set, and return its handle.
  38. ///
  39. /// # Panics
  40. /// This function panics if the storage is fixed-size (not a `Vec`) and is full.
  41. pub fn add<T>(&mut self, socket: T) -> Handle
  42. where
  43. T: Into<Socket<'a>>,
  44. {
  45. fn put<'a>(index: usize, slot: &mut Option<Item<'a>>, mut socket: Socket<'a>) -> Handle {
  46. net_trace!("[{}]: adding", index);
  47. let handle = Handle(index);
  48. socket.meta_mut().handle = handle;
  49. *slot = Some(Item { socket });
  50. handle
  51. }
  52. let socket = socket.into();
  53. for (index, slot) in self.sockets.iter_mut().enumerate() {
  54. if slot.is_none() {
  55. return put(index, slot, socket);
  56. }
  57. }
  58. match self.sockets {
  59. ManagedSlice::Borrowed(_) => panic!("adding a socket to a full SocketSet"),
  60. #[cfg(any(feature = "std", feature = "alloc"))]
  61. ManagedSlice::Owned(ref mut sockets) => {
  62. sockets.push(None);
  63. let index = sockets.len() - 1;
  64. put(index, &mut sockets[index], socket)
  65. }
  66. }
  67. }
  68. /// Get a socket from the set by its handle, as mutable.
  69. ///
  70. /// # Panics
  71. /// This function may panic if the handle does not belong to this socket set
  72. /// or the socket has the wrong type.
  73. pub fn get<T: AnySocket<'a>>(&mut self, handle: Handle) -> &mut T {
  74. match self.sockets[handle.0].as_mut() {
  75. Some(item) => {
  76. T::downcast(&mut item.socket).expect("handle refers to a socket of a wrong type")
  77. }
  78. None => panic!("handle does not refer to a valid socket"),
  79. }
  80. }
  81. /// Remove a socket from the set, without changing its state.
  82. ///
  83. /// # Panics
  84. /// This function may panic if the handle does not belong to this socket set.
  85. pub fn remove(&mut self, handle: Handle) -> Socket<'a> {
  86. net_trace!("[{}]: removing", handle.0);
  87. match self.sockets[handle.0].take() {
  88. Some(item) => item.socket,
  89. None => panic!("handle does not refer to a valid socket"),
  90. }
  91. }
  92. /// Iterate every socket in this set.
  93. pub fn iter<'d>(&'d self) -> Iter<'d, 'a> {
  94. Iter {
  95. lower: self.sockets.iter(),
  96. }
  97. }
  98. /// Iterate every socket in this set.
  99. pub fn iter_mut<'d>(&'d mut self) -> IterMut<'d, 'a> {
  100. IterMut {
  101. lower: self.sockets.iter_mut(),
  102. }
  103. }
  104. }
  105. /// Immutable socket set iterator.
  106. ///
  107. /// This struct is created by the [iter](struct.SocketSet.html#method.iter)
  108. /// on [socket sets](struct.SocketSet.html).
  109. pub struct Iter<'a, 'b: 'a> {
  110. lower: slice::Iter<'a, Option<Item<'b>>>,
  111. }
  112. impl<'a, 'b: 'a> Iterator for Iter<'a, 'b> {
  113. type Item = &'a Socket<'b>;
  114. fn next(&mut self) -> Option<Self::Item> {
  115. for item_opt in &mut self.lower {
  116. if let Some(item) = item_opt.as_ref() {
  117. return Some(&item.socket);
  118. }
  119. }
  120. None
  121. }
  122. }
  123. /// Mutable socket set iterator.
  124. ///
  125. /// This struct is created by the [iter_mut](struct.SocketSet.html#method.iter_mut)
  126. /// on [socket sets](struct.SocketSet.html).
  127. pub struct IterMut<'a, 'b: 'a> {
  128. lower: slice::IterMut<'a, Option<Item<'b>>>,
  129. }
  130. impl<'a, 'b: 'a> Iterator for IterMut<'a, 'b> {
  131. type Item = &'a mut Socket<'b>;
  132. fn next(&mut self) -> Option<Self::Item> {
  133. for item_opt in &mut self.lower {
  134. if let Some(item) = item_opt.as_mut() {
  135. return Some(&mut item.socket);
  136. }
  137. }
  138. None
  139. }
  140. }