udp.rs 15 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484
  1. use byteorder::{ByteOrder, NetworkEndian};
  2. use core::fmt;
  3. use super::{Error, Result};
  4. use crate::phy::ChecksumCapabilities;
  5. use crate::wire::ip::checksum;
  6. use crate::wire::{IpAddress, IpProtocol};
  7. /// A read/write wrapper around an User Datagram Protocol packet buffer.
  8. #[derive(Debug, PartialEq, Eq, Clone)]
  9. pub struct Packet<T: AsRef<[u8]>> {
  10. buffer: T,
  11. }
  12. mod field {
  13. #![allow(non_snake_case)]
  14. use crate::wire::field::*;
  15. pub const SRC_PORT: Field = 0..2;
  16. pub const DST_PORT: Field = 2..4;
  17. pub const LENGTH: Field = 4..6;
  18. pub const CHECKSUM: Field = 6..8;
  19. pub const fn PAYLOAD(length: u16) -> Field {
  20. CHECKSUM.end..(length as usize)
  21. }
  22. }
  23. pub const HEADER_LEN: usize = field::CHECKSUM.end;
  24. #[allow(clippy::len_without_is_empty)]
  25. impl<T: AsRef<[u8]>> Packet<T> {
  26. /// Imbue a raw octet buffer with UDP packet structure.
  27. pub const fn new_unchecked(buffer: T) -> Packet<T> {
  28. Packet { buffer }
  29. }
  30. /// Shorthand for a combination of [new_unchecked] and [check_len].
  31. ///
  32. /// [new_unchecked]: #method.new_unchecked
  33. /// [check_len]: #method.check_len
  34. pub fn new_checked(buffer: T) -> Result<Packet<T>> {
  35. let packet = Self::new_unchecked(buffer);
  36. packet.check_len()?;
  37. Ok(packet)
  38. }
  39. /// Ensure that no accessor method will panic if called.
  40. /// Returns `Err(Error)` if the buffer is too short.
  41. /// Returns `Err(Error)` if the length field has a value smaller
  42. /// than the header length.
  43. ///
  44. /// The result of this check is invalidated by calling [set_len].
  45. ///
  46. /// [set_len]: #method.set_len
  47. pub fn check_len(&self) -> Result<()> {
  48. let buffer_len = self.buffer.as_ref().len();
  49. if buffer_len < HEADER_LEN {
  50. Err(Error)
  51. } else {
  52. let field_len = self.len() as usize;
  53. if buffer_len < field_len || field_len < HEADER_LEN {
  54. Err(Error)
  55. } else {
  56. Ok(())
  57. }
  58. }
  59. }
  60. /// Consume the packet, returning the underlying buffer.
  61. pub fn into_inner(self) -> T {
  62. self.buffer
  63. }
  64. /// Return the source port field.
  65. #[inline]
  66. pub fn src_port(&self) -> u16 {
  67. let data = self.buffer.as_ref();
  68. NetworkEndian::read_u16(&data[field::SRC_PORT])
  69. }
  70. /// Return the destination port field.
  71. #[inline]
  72. pub fn dst_port(&self) -> u16 {
  73. let data = self.buffer.as_ref();
  74. NetworkEndian::read_u16(&data[field::DST_PORT])
  75. }
  76. /// Return the length field.
  77. #[inline]
  78. pub fn len(&self) -> u16 {
  79. let data = self.buffer.as_ref();
  80. NetworkEndian::read_u16(&data[field::LENGTH])
  81. }
  82. /// Return the checksum field.
  83. #[inline]
  84. pub fn checksum(&self) -> u16 {
  85. let data = self.buffer.as_ref();
  86. NetworkEndian::read_u16(&data[field::CHECKSUM])
  87. }
  88. /// Validate the packet checksum.
  89. ///
  90. /// # Panics
  91. /// This function panics unless `src_addr` and `dst_addr` belong to the same family,
  92. /// and that family is IPv4 or IPv6.
  93. ///
  94. /// # Fuzzing
  95. /// This function always returns `true` when fuzzing.
  96. pub fn verify_checksum(&self, src_addr: &IpAddress, dst_addr: &IpAddress) -> bool {
  97. if cfg!(fuzzing) {
  98. return true;
  99. }
  100. // From the RFC:
  101. // > An all zero transmitted checksum value means that the transmitter
  102. // > generated no checksum (for debugging or for higher level protocols
  103. // > that don't care).
  104. if self.checksum() == 0 {
  105. return true;
  106. }
  107. let data = self.buffer.as_ref();
  108. checksum::combine(&[
  109. checksum::pseudo_header(src_addr, dst_addr, IpProtocol::Udp, self.len() as u32),
  110. checksum::data(&data[..self.len() as usize]),
  111. ]) == !0
  112. }
  113. }
  114. impl<'a, T: AsRef<[u8]> + ?Sized> Packet<&'a T> {
  115. /// Return a pointer to the payload.
  116. #[inline]
  117. pub fn payload(&self) -> &'a [u8] {
  118. let length = self.len();
  119. let data = self.buffer.as_ref();
  120. &data[field::PAYLOAD(length)]
  121. }
  122. }
  123. impl<T: AsRef<[u8]> + AsMut<[u8]>> Packet<T> {
  124. /// Set the source port field.
  125. #[inline]
  126. pub fn set_src_port(&mut self, value: u16) {
  127. let data = self.buffer.as_mut();
  128. NetworkEndian::write_u16(&mut data[field::SRC_PORT], value)
  129. }
  130. /// Set the destination port field.
  131. #[inline]
  132. pub fn set_dst_port(&mut self, value: u16) {
  133. let data = self.buffer.as_mut();
  134. NetworkEndian::write_u16(&mut data[field::DST_PORT], value)
  135. }
  136. /// Set the length field.
  137. #[inline]
  138. pub fn set_len(&mut self, value: u16) {
  139. let data = self.buffer.as_mut();
  140. NetworkEndian::write_u16(&mut data[field::LENGTH], value)
  141. }
  142. /// Set the checksum field.
  143. #[inline]
  144. pub fn set_checksum(&mut self, value: u16) {
  145. let data = self.buffer.as_mut();
  146. NetworkEndian::write_u16(&mut data[field::CHECKSUM], value)
  147. }
  148. /// Compute and fill in the header checksum.
  149. ///
  150. /// # Panics
  151. /// This function panics unless `src_addr` and `dst_addr` belong to the same family,
  152. /// and that family is IPv4 or IPv6.
  153. pub fn fill_checksum(&mut self, src_addr: &IpAddress, dst_addr: &IpAddress) {
  154. self.set_checksum(0);
  155. let checksum = {
  156. let data = self.buffer.as_ref();
  157. !checksum::combine(&[
  158. checksum::pseudo_header(src_addr, dst_addr, IpProtocol::Udp, self.len() as u32),
  159. checksum::data(&data[..self.len() as usize]),
  160. ])
  161. };
  162. // UDP checksum value of 0 means no checksum; if the checksum really is zero,
  163. // use all-ones, which indicates that the remote end must verify the checksum.
  164. // Arithmetically, RFC 1071 checksums of all-zeroes and all-ones behave identically,
  165. // so no action is necessary on the remote end.
  166. self.set_checksum(if checksum == 0 { 0xffff } else { checksum })
  167. }
  168. /// Return a mutable pointer to the payload.
  169. #[inline]
  170. pub fn payload_mut(&mut self) -> &mut [u8] {
  171. let length = self.len();
  172. let data = self.buffer.as_mut();
  173. &mut data[field::PAYLOAD(length)]
  174. }
  175. }
  176. impl<T: AsRef<[u8]>> AsRef<[u8]> for Packet<T> {
  177. fn as_ref(&self) -> &[u8] {
  178. self.buffer.as_ref()
  179. }
  180. }
  181. /// A high-level representation of an User Datagram Protocol packet.
  182. #[derive(Debug, PartialEq, Eq, Clone, Copy)]
  183. pub struct Repr {
  184. pub src_port: u16,
  185. pub dst_port: u16,
  186. }
  187. impl Repr {
  188. /// Parse an User Datagram Protocol packet and return a high-level representation.
  189. pub fn parse<T>(
  190. packet: &Packet<&T>,
  191. src_addr: &IpAddress,
  192. dst_addr: &IpAddress,
  193. checksum_caps: &ChecksumCapabilities,
  194. ) -> Result<Repr>
  195. where
  196. T: AsRef<[u8]> + ?Sized,
  197. {
  198. packet.check_len()?;
  199. // Destination port cannot be omitted (but source port can be).
  200. if packet.dst_port() == 0 {
  201. return Err(Error);
  202. }
  203. // Valid checksum is expected...
  204. if checksum_caps.udp.rx() && !packet.verify_checksum(src_addr, dst_addr) {
  205. match (src_addr, dst_addr) {
  206. // ... except on UDP-over-IPv4, where it can be omitted.
  207. #[cfg(feature = "proto-ipv4")]
  208. (&IpAddress::Ipv4(_), &IpAddress::Ipv4(_)) if packet.checksum() == 0 => (),
  209. _ => return Err(Error),
  210. }
  211. }
  212. Ok(Repr {
  213. src_port: packet.src_port(),
  214. dst_port: packet.dst_port(),
  215. })
  216. }
  217. /// Return the length of the packet header that will be emitted from this high-level representation.
  218. pub const fn header_len(&self) -> usize {
  219. HEADER_LEN
  220. }
  221. /// Emit a high-level representation into an User Datagram Protocol packet.
  222. ///
  223. /// This never calculates the checksum, and is intended for internal-use only,
  224. /// not for packets that are going to be actually sent over the network. For
  225. /// example, when decompressing 6lowpan.
  226. pub(crate) fn emit_header<T: ?Sized>(&self, packet: &mut Packet<&mut T>, payload_len: usize)
  227. where
  228. T: AsRef<[u8]> + AsMut<[u8]>,
  229. {
  230. packet.set_src_port(self.src_port);
  231. packet.set_dst_port(self.dst_port);
  232. packet.set_len((HEADER_LEN + payload_len) as u16);
  233. packet.set_checksum(0);
  234. }
  235. /// Emit a high-level representation into an User Datagram Protocol packet.
  236. pub fn emit<T: ?Sized>(
  237. &self,
  238. packet: &mut Packet<&mut T>,
  239. src_addr: &IpAddress,
  240. dst_addr: &IpAddress,
  241. payload_len: usize,
  242. emit_payload: impl FnOnce(&mut [u8]),
  243. checksum_caps: &ChecksumCapabilities,
  244. ) where
  245. T: AsRef<[u8]> + AsMut<[u8]>,
  246. {
  247. packet.set_src_port(self.src_port);
  248. packet.set_dst_port(self.dst_port);
  249. packet.set_len((HEADER_LEN + payload_len) as u16);
  250. emit_payload(packet.payload_mut());
  251. if checksum_caps.udp.tx() {
  252. packet.fill_checksum(src_addr, dst_addr)
  253. } else {
  254. // make sure we get a consistently zeroed checksum,
  255. // since implementations might rely on it
  256. packet.set_checksum(0);
  257. }
  258. }
  259. }
  260. impl<'a, T: AsRef<[u8]> + ?Sized> fmt::Display for Packet<&'a T> {
  261. fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
  262. // Cannot use Repr::parse because we don't have the IP addresses.
  263. write!(
  264. f,
  265. "UDP src={} dst={} len={}",
  266. self.src_port(),
  267. self.dst_port(),
  268. self.payload().len()
  269. )
  270. }
  271. }
  272. #[cfg(feature = "defmt")]
  273. impl<'a, T: AsRef<[u8]> + ?Sized> defmt::Format for Packet<&'a T> {
  274. fn format(&self, fmt: defmt::Formatter) {
  275. // Cannot use Repr::parse because we don't have the IP addresses.
  276. defmt::write!(
  277. fmt,
  278. "UDP src={} dst={} len={}",
  279. self.src_port(),
  280. self.dst_port(),
  281. self.payload().len()
  282. );
  283. }
  284. }
  285. impl fmt::Display for Repr {
  286. fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
  287. write!(f, "UDP src={} dst={}", self.src_port, self.dst_port)
  288. }
  289. }
  290. #[cfg(feature = "defmt")]
  291. impl defmt::Format for Repr {
  292. fn format(&self, fmt: defmt::Formatter) {
  293. defmt::write!(fmt, "UDP src={} dst={}", self.src_port, self.dst_port);
  294. }
  295. }
  296. use crate::wire::pretty_print::{PrettyIndent, PrettyPrint};
  297. impl<T: AsRef<[u8]>> PrettyPrint for Packet<T> {
  298. fn pretty_print(
  299. buffer: &dyn AsRef<[u8]>,
  300. f: &mut fmt::Formatter,
  301. indent: &mut PrettyIndent,
  302. ) -> fmt::Result {
  303. match Packet::new_checked(buffer) {
  304. Err(err) => write!(f, "{indent}({err})"),
  305. Ok(packet) => write!(f, "{indent}{packet}"),
  306. }
  307. }
  308. }
  309. #[cfg(test)]
  310. mod test {
  311. use super::*;
  312. #[cfg(feature = "proto-ipv4")]
  313. use crate::wire::Ipv4Address;
  314. #[cfg(feature = "proto-ipv4")]
  315. const SRC_ADDR: Ipv4Address = Ipv4Address([192, 168, 1, 1]);
  316. #[cfg(feature = "proto-ipv4")]
  317. const DST_ADDR: Ipv4Address = Ipv4Address([192, 168, 1, 2]);
  318. #[cfg(feature = "proto-ipv4")]
  319. static PACKET_BYTES: [u8; 12] = [
  320. 0xbf, 0x00, 0x00, 0x35, 0x00, 0x0c, 0x12, 0x4d, 0xaa, 0x00, 0x00, 0xff,
  321. ];
  322. #[cfg(feature = "proto-ipv4")]
  323. static NO_CHECKSUM_PACKET: [u8; 12] = [
  324. 0xbf, 0x00, 0x00, 0x35, 0x00, 0x0c, 0x00, 0x00, 0xaa, 0x00, 0x00, 0xff,
  325. ];
  326. #[cfg(feature = "proto-ipv4")]
  327. static PAYLOAD_BYTES: [u8; 4] = [0xaa, 0x00, 0x00, 0xff];
  328. #[test]
  329. #[cfg(feature = "proto-ipv4")]
  330. fn test_deconstruct() {
  331. let packet = Packet::new_unchecked(&PACKET_BYTES[..]);
  332. assert_eq!(packet.src_port(), 48896);
  333. assert_eq!(packet.dst_port(), 53);
  334. assert_eq!(packet.len(), 12);
  335. assert_eq!(packet.checksum(), 0x124d);
  336. assert_eq!(packet.payload(), &PAYLOAD_BYTES[..]);
  337. assert!(packet.verify_checksum(&SRC_ADDR.into(), &DST_ADDR.into()));
  338. }
  339. #[test]
  340. #[cfg(feature = "proto-ipv4")]
  341. fn test_construct() {
  342. let mut bytes = vec![0xa5; 12];
  343. let mut packet = Packet::new_unchecked(&mut bytes);
  344. packet.set_src_port(48896);
  345. packet.set_dst_port(53);
  346. packet.set_len(12);
  347. packet.set_checksum(0xffff);
  348. packet.payload_mut().copy_from_slice(&PAYLOAD_BYTES[..]);
  349. packet.fill_checksum(&SRC_ADDR.into(), &DST_ADDR.into());
  350. assert_eq!(&*packet.into_inner(), &PACKET_BYTES[..]);
  351. }
  352. #[test]
  353. fn test_impossible_len() {
  354. let mut bytes = vec![0; 12];
  355. let mut packet = Packet::new_unchecked(&mut bytes);
  356. packet.set_len(4);
  357. assert_eq!(packet.check_len(), Err(Error));
  358. }
  359. #[test]
  360. #[cfg(feature = "proto-ipv4")]
  361. fn test_zero_checksum() {
  362. let mut bytes = vec![0; 8];
  363. let mut packet = Packet::new_unchecked(&mut bytes);
  364. packet.set_src_port(1);
  365. packet.set_dst_port(31881);
  366. packet.set_len(8);
  367. packet.fill_checksum(&SRC_ADDR.into(), &DST_ADDR.into());
  368. assert_eq!(packet.checksum(), 0xffff);
  369. }
  370. #[test]
  371. #[cfg(feature = "proto-ipv4")]
  372. fn test_no_checksum() {
  373. let mut bytes = vec![0; 8];
  374. let mut packet = Packet::new_unchecked(&mut bytes);
  375. packet.set_src_port(1);
  376. packet.set_dst_port(31881);
  377. packet.set_len(8);
  378. packet.set_checksum(0);
  379. assert!(packet.verify_checksum(&SRC_ADDR.into(), &DST_ADDR.into()));
  380. }
  381. #[cfg(feature = "proto-ipv4")]
  382. fn packet_repr() -> Repr {
  383. Repr {
  384. src_port: 48896,
  385. dst_port: 53,
  386. }
  387. }
  388. #[test]
  389. #[cfg(feature = "proto-ipv4")]
  390. fn test_parse() {
  391. let packet = Packet::new_unchecked(&PACKET_BYTES[..]);
  392. let repr = Repr::parse(
  393. &packet,
  394. &SRC_ADDR.into(),
  395. &DST_ADDR.into(),
  396. &ChecksumCapabilities::default(),
  397. )
  398. .unwrap();
  399. assert_eq!(repr, packet_repr());
  400. }
  401. #[test]
  402. #[cfg(feature = "proto-ipv4")]
  403. fn test_emit() {
  404. let repr = packet_repr();
  405. let mut bytes = vec![0xa5; repr.header_len() + PAYLOAD_BYTES.len()];
  406. let mut packet = Packet::new_unchecked(&mut bytes);
  407. repr.emit(
  408. &mut packet,
  409. &SRC_ADDR.into(),
  410. &DST_ADDR.into(),
  411. PAYLOAD_BYTES.len(),
  412. |payload| payload.copy_from_slice(&PAYLOAD_BYTES),
  413. &ChecksumCapabilities::default(),
  414. );
  415. assert_eq!(&*packet.into_inner(), &PACKET_BYTES[..]);
  416. }
  417. #[test]
  418. #[cfg(feature = "proto-ipv4")]
  419. fn test_checksum_omitted() {
  420. let packet = Packet::new_unchecked(&NO_CHECKSUM_PACKET[..]);
  421. let repr = Repr::parse(
  422. &packet,
  423. &SRC_ADDR.into(),
  424. &DST_ADDR.into(),
  425. &ChecksumCapabilities::default(),
  426. )
  427. .unwrap();
  428. assert_eq!(repr, packet_repr());
  429. }
  430. }