ptr.rs 1.8 KB

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