route.rs 9.8 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327
  1. use heapless::Vec;
  2. use crate::config::IFACE_MAX_ROUTE_COUNT;
  3. use crate::time::Instant;
  4. use crate::wire::{IpAddress, IpCidr};
  5. #[cfg(feature = "proto-ipv4")]
  6. use crate::wire::{Ipv4Address, Ipv4Cidr};
  7. #[cfg(feature = "proto-ipv6")]
  8. use crate::wire::{Ipv6Address, Ipv6Cidr};
  9. #[derive(Debug, Clone, Copy, PartialEq, Eq)]
  10. #[cfg_attr(feature = "defmt", derive(defmt::Format))]
  11. pub struct RouteTableFull;
  12. impl core::fmt::Display for RouteTableFull {
  13. fn fmt(&self, f: &mut core::fmt::Formatter<'_>) -> core::fmt::Result {
  14. write!(f, "Route table full")
  15. }
  16. }
  17. #[cfg(feature = "std")]
  18. impl std::error::Error for RouteTableFull {}
  19. /// A prefix of addresses that should be routed via a router
  20. #[derive(Debug, Clone, Copy)]
  21. #[cfg_attr(feature = "defmt", derive(defmt::Format))]
  22. pub struct Route {
  23. pub cidr: IpCidr,
  24. pub via_router: IpAddress,
  25. /// `None` means "forever".
  26. pub preferred_until: Option<Instant>,
  27. /// `None` means "forever".
  28. pub expires_at: Option<Instant>,
  29. }
  30. #[cfg(feature = "proto-ipv4")]
  31. const IPV4_DEFAULT: IpCidr = IpCidr::Ipv4(Ipv4Cidr::new(Ipv4Address::new(0, 0, 0, 0), 0));
  32. #[cfg(feature = "proto-ipv6")]
  33. const IPV6_DEFAULT: IpCidr =
  34. IpCidr::Ipv6(Ipv6Cidr::new(Ipv6Address::new(0, 0, 0, 0, 0, 0, 0, 0), 0));
  35. impl Route {
  36. /// Returns a route to 0.0.0.0/0 via the `gateway`, with no expiry.
  37. #[cfg(feature = "proto-ipv4")]
  38. pub fn new_ipv4_gateway(gateway: Ipv4Address) -> Route {
  39. Route {
  40. cidr: IPV4_DEFAULT,
  41. via_router: gateway.into(),
  42. preferred_until: None,
  43. expires_at: None,
  44. }
  45. }
  46. /// Returns a route to ::/0 via the `gateway`, with no expiry.
  47. #[cfg(feature = "proto-ipv6")]
  48. pub fn new_ipv6_gateway(gateway: Ipv6Address) -> Route {
  49. Route {
  50. cidr: IPV6_DEFAULT,
  51. via_router: gateway.into(),
  52. preferred_until: None,
  53. expires_at: None,
  54. }
  55. }
  56. }
  57. /// A routing table.
  58. #[derive(Debug)]
  59. pub struct Routes {
  60. storage: Vec<Route, IFACE_MAX_ROUTE_COUNT>,
  61. }
  62. impl Routes {
  63. /// Creates a new empty routing table.
  64. pub fn new() -> Self {
  65. Self {
  66. storage: Vec::new(),
  67. }
  68. }
  69. /// Update the routes of this node.
  70. pub fn update<F: FnOnce(&mut Vec<Route, IFACE_MAX_ROUTE_COUNT>)>(&mut self, f: F) {
  71. f(&mut self.storage);
  72. }
  73. /// Add a default ipv4 gateway (ie. "ip route add 0.0.0.0/0 via `gateway`").
  74. ///
  75. /// On success, returns the previous default route, if any.
  76. #[cfg(feature = "proto-ipv4")]
  77. pub fn add_default_ipv4_route(
  78. &mut self,
  79. gateway: Ipv4Address,
  80. ) -> Result<Option<Route>, RouteTableFull> {
  81. let old = self.remove_default_ipv4_route();
  82. self.storage
  83. .push(Route::new_ipv4_gateway(gateway))
  84. .map_err(|_| RouteTableFull)?;
  85. Ok(old)
  86. }
  87. /// Add a default ipv6 gateway (ie. "ip -6 route add ::/0 via `gateway`").
  88. ///
  89. /// On success, returns the previous default route, if any.
  90. #[cfg(feature = "proto-ipv6")]
  91. pub fn add_default_ipv6_route(
  92. &mut self,
  93. gateway: Ipv6Address,
  94. ) -> Result<Option<Route>, RouteTableFull> {
  95. let old = self.remove_default_ipv6_route();
  96. self.storage
  97. .push(Route::new_ipv6_gateway(gateway))
  98. .map_err(|_| RouteTableFull)?;
  99. Ok(old)
  100. }
  101. /// Remove the default ipv4 gateway
  102. ///
  103. /// On success, returns the previous default route, if any.
  104. #[cfg(feature = "proto-ipv4")]
  105. pub fn remove_default_ipv4_route(&mut self) -> Option<Route> {
  106. if let Some((i, _)) = self
  107. .storage
  108. .iter()
  109. .enumerate()
  110. .find(|(_, r)| r.cidr == IPV4_DEFAULT)
  111. {
  112. Some(self.storage.remove(i))
  113. } else {
  114. None
  115. }
  116. }
  117. /// Remove the default ipv6 gateway
  118. ///
  119. /// On success, returns the previous default route, if any.
  120. #[cfg(feature = "proto-ipv6")]
  121. pub fn remove_default_ipv6_route(&mut self) -> Option<Route> {
  122. if let Some((i, _)) = self
  123. .storage
  124. .iter()
  125. .enumerate()
  126. .find(|(_, r)| r.cidr == IPV6_DEFAULT)
  127. {
  128. Some(self.storage.remove(i))
  129. } else {
  130. None
  131. }
  132. }
  133. pub(crate) fn lookup(&self, addr: &IpAddress, timestamp: Instant) -> Option<IpAddress> {
  134. assert!(addr.is_unicast());
  135. self.storage
  136. .iter()
  137. // Keep only matching routes
  138. .filter(|route| {
  139. if let Some(expires_at) = route.expires_at {
  140. if timestamp > expires_at {
  141. return false;
  142. }
  143. }
  144. route.cidr.contains_addr(addr)
  145. })
  146. // pick the most specific one (highest prefix_len)
  147. .max_by_key(|route| route.cidr.prefix_len())
  148. .map(|route| route.via_router)
  149. }
  150. }
  151. #[cfg(test)]
  152. mod test {
  153. use super::*;
  154. #[cfg(feature = "proto-ipv6")]
  155. mod mock {
  156. use super::super::*;
  157. pub const ADDR_1A: Ipv6Address =
  158. Ipv6Address([0xfe, 0x80, 0, 0, 0, 0, 0, 2, 0, 0, 0, 0, 0, 0, 0, 1]);
  159. pub const ADDR_1B: Ipv6Address =
  160. Ipv6Address([0xfe, 0x80, 0, 0, 0, 0, 0, 2, 0, 0, 0, 0, 0, 0, 0, 13]);
  161. pub const ADDR_1C: Ipv6Address =
  162. Ipv6Address([0xfe, 0x80, 0, 0, 0, 0, 0, 2, 0, 0, 0, 0, 0, 0, 0, 42]);
  163. pub fn cidr_1() -> Ipv6Cidr {
  164. Ipv6Cidr::new(
  165. Ipv6Address([0xfe, 0x80, 0, 0, 0, 0, 0, 2, 0, 0, 0, 0, 0, 0, 0, 0]),
  166. 64,
  167. )
  168. }
  169. pub const ADDR_2A: Ipv6Address =
  170. Ipv6Address([0xfe, 0x80, 0, 0, 0, 0, 51, 100, 0, 0, 0, 0, 0, 0, 0, 1]);
  171. pub const ADDR_2B: Ipv6Address =
  172. Ipv6Address([0xfe, 0x80, 0, 0, 0, 0, 51, 100, 0, 0, 0, 0, 0, 0, 0, 21]);
  173. pub fn cidr_2() -> Ipv6Cidr {
  174. Ipv6Cidr::new(
  175. Ipv6Address([0xfe, 0x80, 0, 0, 0, 0, 51, 100, 0, 0, 0, 0, 0, 0, 0, 0]),
  176. 64,
  177. )
  178. }
  179. }
  180. #[cfg(all(feature = "proto-ipv4", not(feature = "proto-ipv6")))]
  181. mod mock {
  182. use super::super::*;
  183. pub const ADDR_1A: Ipv4Address = Ipv4Address([192, 0, 2, 1]);
  184. pub const ADDR_1B: Ipv4Address = Ipv4Address([192, 0, 2, 13]);
  185. pub const ADDR_1C: Ipv4Address = Ipv4Address([192, 0, 2, 42]);
  186. pub fn cidr_1() -> Ipv4Cidr {
  187. Ipv4Cidr::new(Ipv4Address([192, 0, 2, 0]), 24)
  188. }
  189. pub const ADDR_2A: Ipv4Address = Ipv4Address([198, 51, 100, 1]);
  190. pub const ADDR_2B: Ipv4Address = Ipv4Address([198, 51, 100, 21]);
  191. pub fn cidr_2() -> Ipv4Cidr {
  192. Ipv4Cidr::new(Ipv4Address([198, 51, 100, 0]), 24)
  193. }
  194. }
  195. use self::mock::*;
  196. #[test]
  197. fn test_fill() {
  198. let mut routes = Routes::new();
  199. assert_eq!(
  200. routes.lookup(&ADDR_1A.into(), Instant::from_millis(0)),
  201. None
  202. );
  203. assert_eq!(
  204. routes.lookup(&ADDR_1B.into(), Instant::from_millis(0)),
  205. None
  206. );
  207. assert_eq!(
  208. routes.lookup(&ADDR_1C.into(), Instant::from_millis(0)),
  209. None
  210. );
  211. assert_eq!(
  212. routes.lookup(&ADDR_2A.into(), Instant::from_millis(0)),
  213. None
  214. );
  215. assert_eq!(
  216. routes.lookup(&ADDR_2B.into(), Instant::from_millis(0)),
  217. None
  218. );
  219. let route = Route {
  220. cidr: cidr_1().into(),
  221. via_router: ADDR_1A.into(),
  222. preferred_until: None,
  223. expires_at: None,
  224. };
  225. routes.update(|storage| {
  226. storage.push(route).unwrap();
  227. });
  228. assert_eq!(
  229. routes.lookup(&ADDR_1A.into(), Instant::from_millis(0)),
  230. Some(ADDR_1A.into())
  231. );
  232. assert_eq!(
  233. routes.lookup(&ADDR_1B.into(), Instant::from_millis(0)),
  234. Some(ADDR_1A.into())
  235. );
  236. assert_eq!(
  237. routes.lookup(&ADDR_1C.into(), Instant::from_millis(0)),
  238. Some(ADDR_1A.into())
  239. );
  240. assert_eq!(
  241. routes.lookup(&ADDR_2A.into(), Instant::from_millis(0)),
  242. None
  243. );
  244. assert_eq!(
  245. routes.lookup(&ADDR_2B.into(), Instant::from_millis(0)),
  246. None
  247. );
  248. let route2 = Route {
  249. cidr: cidr_2().into(),
  250. via_router: ADDR_2A.into(),
  251. preferred_until: Some(Instant::from_millis(10)),
  252. expires_at: Some(Instant::from_millis(10)),
  253. };
  254. routes.update(|storage| {
  255. storage.push(route2).unwrap();
  256. });
  257. assert_eq!(
  258. routes.lookup(&ADDR_1A.into(), Instant::from_millis(0)),
  259. Some(ADDR_1A.into())
  260. );
  261. assert_eq!(
  262. routes.lookup(&ADDR_1B.into(), Instant::from_millis(0)),
  263. Some(ADDR_1A.into())
  264. );
  265. assert_eq!(
  266. routes.lookup(&ADDR_1C.into(), Instant::from_millis(0)),
  267. Some(ADDR_1A.into())
  268. );
  269. assert_eq!(
  270. routes.lookup(&ADDR_2A.into(), Instant::from_millis(0)),
  271. Some(ADDR_2A.into())
  272. );
  273. assert_eq!(
  274. routes.lookup(&ADDR_2B.into(), Instant::from_millis(0)),
  275. Some(ADDR_2A.into())
  276. );
  277. assert_eq!(
  278. routes.lookup(&ADDR_1A.into(), Instant::from_millis(10)),
  279. Some(ADDR_1A.into())
  280. );
  281. assert_eq!(
  282. routes.lookup(&ADDR_1B.into(), Instant::from_millis(10)),
  283. Some(ADDR_1A.into())
  284. );
  285. assert_eq!(
  286. routes.lookup(&ADDR_1C.into(), Instant::from_millis(10)),
  287. Some(ADDR_1A.into())
  288. );
  289. assert_eq!(
  290. routes.lookup(&ADDR_2A.into(), Instant::from_millis(10)),
  291. Some(ADDR_2A.into())
  292. );
  293. assert_eq!(
  294. routes.lookup(&ADDR_2B.into(), Instant::from_millis(10)),
  295. Some(ADDR_2A.into())
  296. );
  297. }
  298. }