cname.rs 1.9 KB

12345678910111213141516171819202122232425262728293031323334353637383940414243444546474849505152535455565758596061626364656667686970717273
  1. use log::*;
  2. use crate::strings::{Labels, ReadLabels};
  3. use crate::wire::*;
  4. /// A **CNAME** _(canonical name)_ record, which aliases one domain to another.
  5. ///
  6. /// # References
  7. ///
  8. /// - [RFC 1035 §3.3.1](https://tools.ietf.org/html/rfc1035) — Domain Names, Implementation and Specification (November 1987)
  9. #[derive(PartialEq, Debug, Clone)]
  10. pub struct CNAME {
  11. /// The domain name that this CNAME record is responding with.
  12. pub domain: Labels,
  13. }
  14. impl Wire for CNAME {
  15. const NAME: &'static str = "CNAME";
  16. const RR_TYPE: u16 = 5;
  17. #[cfg_attr(all(test, feature = "with_mutagen"), ::mutagen::mutate)]
  18. fn read(len: u16, c: &mut Cursor<&[u8]>) -> Result<Self, WireError> {
  19. let (domain, domain_len) = c.read_labels()?;
  20. trace!("Parsed domain -> {:?}", domain);
  21. if len == domain_len {
  22. trace!("Length is correct");
  23. Ok(Self { domain })
  24. }
  25. else {
  26. warn!("Length is incorrect (record length {:?}, domain length {:?})", len, domain_len);
  27. Err(WireError::WrongLabelLength { expected: len, got: domain_len })
  28. }
  29. }
  30. }
  31. #[cfg(test)]
  32. mod test {
  33. use super::*;
  34. #[test]
  35. fn parses() {
  36. let buf = &[
  37. 0x05, 0x62, 0x73, 0x61, 0x67, 0x6f, 0x02, 0x6d, 0x65, // domain
  38. 0x00, // domain terminator
  39. ];
  40. assert_eq!(CNAME::read(buf.len() as _, &mut Cursor::new(buf)).unwrap(),
  41. CNAME {
  42. domain: Labels::encode("bsago.me").unwrap(),
  43. });
  44. }
  45. #[test]
  46. fn record_empty() {
  47. assert_eq!(CNAME::read(0, &mut Cursor::new(&[])),
  48. Err(WireError::IO));
  49. }
  50. #[test]
  51. fn buffer_ends_abruptly() {
  52. let buf = &[
  53. 0x05, 0x62, 0x73, // the stard of a string
  54. ];
  55. assert_eq!(CNAME::read(23, &mut Cursor::new(buf)),
  56. Err(WireError::IO));
  57. }
  58. }