loopback.rs 6.1 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196
  1. #![cfg_attr(not(feature = "std"), no_std)]
  2. #![allow(unused_mut)]
  3. #![allow(clippy::collapsible_if)]
  4. #[cfg(feature = "std")]
  5. #[allow(dead_code)]
  6. mod utils;
  7. use core::str;
  8. use log::{debug, error, info};
  9. use smoltcp::iface::{InterfaceBuilder, NeighborCache};
  10. use smoltcp::phy::{Loopback, Medium};
  11. use smoltcp::socket::{SocketSet, TcpSocket, TcpSocketBuffer};
  12. use smoltcp::time::{Duration, Instant};
  13. use smoltcp::wire::{EthernetAddress, IpAddress, IpCidr};
  14. #[cfg(not(feature = "std"))]
  15. mod mock {
  16. use core::cell::Cell;
  17. use smoltcp::time::{Duration, Instant};
  18. #[derive(Debug)]
  19. #[cfg_attr(feature = "defmt", derive(defmt::Format))]
  20. pub struct Clock(Cell<Instant>);
  21. impl Clock {
  22. pub fn new() -> Clock {
  23. Clock(Cell::new(Instant::from_millis(0)))
  24. }
  25. pub fn advance(&self, duration: Duration) {
  26. self.0.set(self.0.get() + duration)
  27. }
  28. pub fn elapsed(&self) -> Instant {
  29. self.0.get()
  30. }
  31. }
  32. struct Rand;
  33. smoltcp::rand_custom_impl!(Rand);
  34. impl smoltcp::Rand for Rand {
  35. fn rand_bytes(buf: &mut [u8]) {
  36. buf.fill(0x42);
  37. }
  38. }
  39. }
  40. #[cfg(feature = "std")]
  41. mod mock {
  42. use smoltcp::time::{Duration, Instant};
  43. use std::sync::atomic::{AtomicUsize, Ordering};
  44. use std::sync::Arc;
  45. // should be AtomicU64 but that's unstable
  46. #[derive(Debug, Clone)]
  47. #[cfg_attr(feature = "defmt", derive(defmt::Format))]
  48. pub struct Clock(Arc<AtomicUsize>);
  49. impl Clock {
  50. pub fn new() -> Clock {
  51. Clock(Arc::new(AtomicUsize::new(0)))
  52. }
  53. pub fn advance(&self, duration: Duration) {
  54. self.0
  55. .fetch_add(duration.total_millis() as usize, Ordering::SeqCst);
  56. }
  57. pub fn elapsed(&self) -> Instant {
  58. Instant::from_millis(self.0.load(Ordering::SeqCst) as i64)
  59. }
  60. }
  61. }
  62. fn main() {
  63. let clock = mock::Clock::new();
  64. let device = Loopback::new(Medium::Ethernet);
  65. #[cfg(feature = "std")]
  66. let device = {
  67. let clock = clock.clone();
  68. utils::setup_logging_with_clock("", move || clock.elapsed());
  69. let (mut opts, mut free) = utils::create_options();
  70. utils::add_middleware_options(&mut opts, &mut free);
  71. let mut matches = utils::parse_options(&opts, free);
  72. utils::parse_middleware_options(&mut matches, device, /*loopback=*/ true)
  73. };
  74. let mut neighbor_cache_entries = [None; 8];
  75. let mut neighbor_cache = NeighborCache::new(&mut neighbor_cache_entries[..]);
  76. let mut ip_addrs = [IpCidr::new(IpAddress::v4(127, 0, 0, 1), 8)];
  77. let mut iface = InterfaceBuilder::new(device)
  78. .ethernet_addr(EthernetAddress::default())
  79. .neighbor_cache(neighbor_cache)
  80. .ip_addrs(ip_addrs)
  81. .finalize();
  82. let server_socket = {
  83. // It is not strictly necessary to use a `static mut` and unsafe code here, but
  84. // on embedded systems that smoltcp targets it is far better to allocate the data
  85. // statically to verify that it fits into RAM rather than get undefined behavior
  86. // when stack overflows.
  87. static mut TCP_SERVER_RX_DATA: [u8; 1024] = [0; 1024];
  88. static mut TCP_SERVER_TX_DATA: [u8; 1024] = [0; 1024];
  89. let tcp_rx_buffer = TcpSocketBuffer::new(unsafe { &mut TCP_SERVER_RX_DATA[..] });
  90. let tcp_tx_buffer = TcpSocketBuffer::new(unsafe { &mut TCP_SERVER_TX_DATA[..] });
  91. TcpSocket::new(tcp_rx_buffer, tcp_tx_buffer)
  92. };
  93. let client_socket = {
  94. static mut TCP_CLIENT_RX_DATA: [u8; 1024] = [0; 1024];
  95. static mut TCP_CLIENT_TX_DATA: [u8; 1024] = [0; 1024];
  96. let tcp_rx_buffer = TcpSocketBuffer::new(unsafe { &mut TCP_CLIENT_RX_DATA[..] });
  97. let tcp_tx_buffer = TcpSocketBuffer::new(unsafe { &mut TCP_CLIENT_TX_DATA[..] });
  98. TcpSocket::new(tcp_rx_buffer, tcp_tx_buffer)
  99. };
  100. let mut socket_set_entries: [_; 2] = Default::default();
  101. let mut socket_set = SocketSet::new(&mut socket_set_entries[..]);
  102. let server_handle = socket_set.add(server_socket);
  103. let client_handle = socket_set.add(client_socket);
  104. let mut did_listen = false;
  105. let mut did_connect = false;
  106. let mut done = false;
  107. while !done && clock.elapsed() < Instant::from_millis(10_000) {
  108. match iface.poll(&mut socket_set, clock.elapsed()) {
  109. Ok(_) => {}
  110. Err(e) => {
  111. debug!("poll error: {}", e);
  112. }
  113. }
  114. {
  115. let mut socket = socket_set.get::<TcpSocket>(server_handle);
  116. if !socket.is_active() && !socket.is_listening() {
  117. if !did_listen {
  118. debug!("listening");
  119. socket.listen(1234).unwrap();
  120. did_listen = true;
  121. }
  122. }
  123. if socket.can_recv() {
  124. debug!(
  125. "got {:?}",
  126. socket.recv(|buffer| { (buffer.len(), str::from_utf8(buffer).unwrap()) })
  127. );
  128. socket.close();
  129. done = true;
  130. }
  131. }
  132. {
  133. let mut socket = socket_set.get::<TcpSocket>(client_handle);
  134. if !socket.is_open() {
  135. if !did_connect {
  136. debug!("connecting");
  137. socket
  138. .connect(
  139. (IpAddress::v4(127, 0, 0, 1), 1234),
  140. (IpAddress::Unspecified, 65000),
  141. )
  142. .unwrap();
  143. did_connect = true;
  144. }
  145. }
  146. if socket.can_send() {
  147. debug!("sending");
  148. socket.send_slice(b"0123456789abcdef").unwrap();
  149. socket.close();
  150. }
  151. }
  152. match iface.poll_delay(&socket_set, clock.elapsed()) {
  153. Some(Duration::ZERO) => debug!("resuming"),
  154. Some(delay) => {
  155. debug!("sleeping for {} ms", delay);
  156. clock.advance(delay)
  157. }
  158. None => clock.advance(Duration::from_millis(1)),
  159. }
  160. }
  161. if done {
  162. info!("done")
  163. } else {
  164. error!("this is taking too long, bailing out")
  165. }
  166. }