ptr.rs 1.4 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657
  1. use crate::strings::ReadLabels;
  2. use crate::wire::*;
  3. /// A **PTR** record, which holds a _pointer_ to a canonical name. This is
  4. /// most often used for reverse DNS lookups.
  5. ///
  6. /// # Encoding
  7. ///
  8. /// The text encoding is not specified, but this crate treats it as UTF-8.
  9. /// Invalid bytes are turned into the replacement character.
  10. ///
  11. /// # References
  12. ///
  13. /// - [RFC 1035 §3.3.14](https://tools.ietf.org/html/rfc1035) — Domain Names, Implementation and Specification (November 1987)
  14. #[derive(PartialEq, Debug, Clone)]
  15. pub struct PTR {
  16. /// The CNAME contained in the record.
  17. pub cname: String,
  18. }
  19. impl Wire for PTR {
  20. const NAME: &'static str = "PTR";
  21. const RR_TYPE: u16 = 12;
  22. #[cfg_attr(all(test, feature = "with_mutagen"), ::mutagen::mutate)]
  23. fn read(_len: u16, c: &mut Cursor<&[u8]>) -> Result<Self, WireError> {
  24. let cname = c.read_labels()?;
  25. Ok(PTR { cname })
  26. }
  27. }
  28. #[cfg(test)]
  29. mod test {
  30. use super::*;
  31. #[test]
  32. fn parses() {
  33. let buf = &[
  34. 0x03, 0x64, 0x6e, 0x73, 0x06, 0x67, 0x6f, 0x6f, 0x67, 0x6c, 0x65, // cname
  35. 0x00, // cname terminator
  36. ];
  37. assert_eq!(PTR::read(buf.len() as _, &mut Cursor::new(buf)).unwrap(),
  38. PTR {
  39. cname: String::from("dns.google."),
  40. });
  41. }
  42. #[test]
  43. fn empty() {
  44. assert_eq!(PTR::read(0, &mut Cursor::new(&[])),
  45. Err(WireError::IO));
  46. }
  47. }