aaaa.rs 2.7 KB

1234567891011121314151617181920212223242526272829303132333435363738394041424344454647484950515253545556575859606162636465666768697071727374757677787980818283848586878889909192939495969798
  1. use std::net::Ipv6Addr;
  2. use log::*;
  3. use crate::wire::*;
  4. /// A **AAAA** record, which contains an `Ipv6Address`.
  5. ///
  6. /// # References
  7. ///
  8. /// - [RFC 3596](https://tools.ietf.org/html/rfc3596) — DNS Extensions to Support IP Version 6 (October 2003)
  9. #[derive(PartialEq, Debug, Copy, Clone)]
  10. pub struct AAAA {
  11. /// The IPv6 address contained in the packet.
  12. pub address: Ipv6Addr,
  13. }
  14. impl Wire for AAAA {
  15. const NAME: &'static str = "AAAA";
  16. const RR_TYPE: u16 = 28;
  17. #[cfg_attr(all(test, feature = "with_mutagen"), ::mutagen::mutate)]
  18. fn read(len: u16, c: &mut Cursor<&[u8]>) -> Result<Self, WireError> {
  19. let mut buf = Vec::new();
  20. for _ in 0 .. len {
  21. buf.push(c.read_u8()?);
  22. }
  23. if let [a, b, c, d, e, f, g, h, i, j, k, l, m, n, o, p] = *buf {
  24. let address = Ipv6Addr::from([a, b, c, d, e, f, g, h, i, j, k, l, m, n, o, p]);
  25. // probably the best two lines of code I have ever written
  26. trace!("Parsed IPv6 address -> {:?}", address);
  27. Ok(Self { address })
  28. }
  29. else {
  30. warn!("Length is incorrect (record length {:?}, but should be sixteen)", len);
  31. Err(WireError::WrongRecordLength { expected: 16, got: len })
  32. }
  33. }
  34. }
  35. #[cfg(test)]
  36. mod test {
  37. use super::*;
  38. #[test]
  39. fn parses() {
  40. let buf = &[
  41. 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00,
  42. 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, 0x00, // IPv6 address
  43. ];
  44. assert_eq!(AAAA::read(buf.len() as _, &mut Cursor::new(buf)).unwrap(),
  45. AAAA { address: Ipv6Addr::new(0,0,0,0,0,0,0,0) });
  46. }
  47. #[test]
  48. fn record_too_long() {
  49. let buf = &[
  50. 0x09, 0x09, 0x09, 0x09, 0x09, 0x09, 0x09, 0x09,
  51. 0x09, 0x09, 0x09, 0x09, 0x09, 0x09, 0x09, 0x09, // IPv6 address
  52. 0x09, // Unexpected extra byte
  53. ];
  54. assert_eq!(AAAA::read(buf.len() as _, &mut Cursor::new(buf)),
  55. Err(WireError::WrongRecordLength { expected: 16, got: 17 }));
  56. }
  57. #[test]
  58. fn record_too_short() {
  59. let buf = &[
  60. 0x05, 0x05, 0x05, 0x05, 0x05, // Five arbitrary bytes
  61. ];
  62. assert_eq!(AAAA::read(buf.len() as _, &mut Cursor::new(buf)),
  63. Err(WireError::WrongRecordLength { expected: 16, got: 5 }));
  64. }
  65. #[test]
  66. fn record_empty() {
  67. assert_eq!(AAAA::read(0, &mut Cursor::new(&[])),
  68. Err(WireError::WrongRecordLength { expected: 16, got: 0 }));
  69. }
  70. #[test]
  71. fn buffer_ends_abruptly() {
  72. let buf = &[
  73. 0x05, 0x05, 0x05, 0x05, 0x05, // Five arbitrary bytes
  74. ];
  75. assert_eq!(AAAA::read(16, &mut Cursor::new(buf)),
  76. Err(WireError::IO));
  77. }
  78. }