wire.rs 14 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424
  1. //! Parsing the DNS wire protocol.
  2. pub(crate) use std::io::Cursor;
  3. pub(crate) use byteorder::{BigEndian, ReadBytesExt, WriteBytesExt};
  4. use std::io;
  5. use log::*;
  6. use crate::record::{Record, OPT};
  7. use crate::strings::{ReadLabels, WriteLabels};
  8. use crate::types::*;
  9. impl Request {
  10. /// Converts this request to a vector of bytes.
  11. pub fn to_bytes(&self) -> io::Result<Vec<u8>> {
  12. let mut bytes = Vec::with_capacity(32);
  13. bytes.write_u16::<BigEndian>(self.transaction_id)?;
  14. bytes.write_u16::<BigEndian>(self.flags.to_u16())?;
  15. bytes.write_u16::<BigEndian>(self.queries.len() as u16)?;
  16. bytes.write_u16::<BigEndian>(0)?; // usually answers
  17. bytes.write_u16::<BigEndian>(0)?; // usually authority RRs
  18. bytes.write_u16::<BigEndian>(if self.additional.is_some() { 1 } else { 0 })?; // additional RRs
  19. for query in &self.queries {
  20. bytes.write_labels(&query.qname)?;
  21. bytes.write_u16::<BigEndian>(query.qtype)?;
  22. bytes.write_u16::<BigEndian>(query.qclass.to_u16())?;
  23. }
  24. if let Some(opt) = &self.additional {
  25. bytes.write_u8(0)?; // usually a name
  26. bytes.write_u16::<BigEndian>(OPT::RR_TYPE)?;
  27. bytes.extend(opt.to_bytes()?);
  28. }
  29. Ok(bytes)
  30. }
  31. /// Returns the OPT record to be sent as part of requests.
  32. pub fn additional_record() -> OPT {
  33. OPT {
  34. udp_payload_size: 512,
  35. higher_bits: 0,
  36. edns0_version: 0,
  37. flags: 0,
  38. data: Vec::new(),
  39. }
  40. }
  41. }
  42. impl Response {
  43. /// Reads bytes off of the given slice, parsing them into a response.
  44. #[cfg_attr(all(test, feature = "with_mutagen"), ::mutagen::mutate)]
  45. pub fn from_bytes(bytes: &[u8]) -> Result<Self, WireError> {
  46. info!("Parsing response");
  47. trace!("Bytes -> {:?}", bytes);
  48. let mut c = Cursor::new(bytes);
  49. let transaction_id = c.read_u16::<BigEndian>()?;
  50. trace!("Read txid -> {:?}", transaction_id);
  51. let flags = Flags::from_u16(c.read_u16::<BigEndian>()?);
  52. trace!("Read flags -> {:#?}", flags);
  53. let query_count = c.read_u16::<BigEndian>()?;
  54. let answer_count = c.read_u16::<BigEndian>()?;
  55. let authority_count = c.read_u16::<BigEndian>()?;
  56. let additional_count = c.read_u16::<BigEndian>()?;
  57. let mut queries = Vec::new();
  58. debug!("Reading {}x query from response", query_count);
  59. for _ in 0 .. query_count {
  60. let (qname, _) = c.read_labels()?;
  61. queries.push(Query::from_bytes(qname, &mut c)?);
  62. }
  63. let mut answers = Vec::new();
  64. debug!("Reading {}x answer from response", answer_count);
  65. for _ in 0 .. answer_count {
  66. let (qname, _) = c.read_labels()?;
  67. answers.push(Answer::from_bytes(qname, &mut c)?);
  68. }
  69. let mut authorities = Vec::new();
  70. debug!("Reading {}x authority from response", authority_count);
  71. for _ in 0 .. authority_count {
  72. let (qname, _) = c.read_labels()?;
  73. authorities.push(Answer::from_bytes(qname, &mut c)?);
  74. }
  75. let mut additionals = Vec::new();
  76. debug!("Reading {}x additional answer from response", additional_count);
  77. for _ in 0 .. additional_count {
  78. let (qname, _) = c.read_labels()?;
  79. additionals.push(Answer::from_bytes(qname, &mut c)?);
  80. }
  81. Ok(Self { transaction_id, flags, queries, answers, authorities, additionals })
  82. }
  83. }
  84. impl Query {
  85. /// Reads bytes from the given cursor, and parses them into a query with
  86. /// the given domain name.
  87. #[cfg_attr(all(test, feature = "with_mutagen"), ::mutagen::mutate)]
  88. fn from_bytes(qname: String, c: &mut Cursor<&[u8]>) -> Result<Self, WireError> {
  89. let qtype = c.read_u16::<BigEndian>()?;
  90. trace!("Read qtype -> {:?}", qtype);
  91. let qclass = QClass::from_u16(c.read_u16::<BigEndian>()?);
  92. trace!("Read qclass -> {:?}", qtype);
  93. Ok(Self { qtype, qclass, qname })
  94. }
  95. }
  96. impl Answer {
  97. /// Reads bytes from the given cursor, and parses them into an answer with
  98. /// the given domain name.
  99. #[cfg_attr(all(test, feature = "with_mutagen"), ::mutagen::mutate)]
  100. fn from_bytes(qname: String, c: &mut Cursor<&[u8]>) -> Result<Self, WireError> {
  101. let qtype = c.read_u16::<BigEndian>()?;
  102. trace!("Read qtype -> {:?}", qtype);
  103. if qtype == OPT::RR_TYPE {
  104. let opt = OPT::read(c)?;
  105. Ok(Self::Pseudo { qname, opt })
  106. }
  107. else {
  108. let qclass = QClass::from_u16(c.read_u16::<BigEndian>()?);
  109. trace!("Read qclass -> {:?}", qtype);
  110. let ttl = c.read_u32::<BigEndian>()?;
  111. trace!("Read TTL -> {:?}", ttl);
  112. let record_length = c.read_u16::<BigEndian>()?;
  113. trace!("Read record length -> {:?}", record_length);
  114. let record = Record::from_bytes(qtype, record_length, c)?;
  115. Ok(Self::Standard { qclass, qname, record, ttl })
  116. }
  117. }
  118. }
  119. impl Record {
  120. /// Reads at most `len` bytes from the given curser, and parses them into
  121. /// a record structure depending on the type number, which has already been read.
  122. #[cfg_attr(all(test, feature = "with_mutagen"), ::mutagen::mutate)]
  123. fn from_bytes(qtype: TypeInt, len: u16, c: &mut Cursor<&[u8]>) -> Result<Self, WireError> {
  124. use crate::record::*;
  125. macro_rules! try_record {
  126. ($record:tt) => {
  127. if $record::RR_TYPE == qtype {
  128. info!("Parsing {} record (type {}, len {})", $record::NAME, qtype, len);
  129. return Wire::read(len, c).map(Self::$record)
  130. }
  131. }
  132. }
  133. // Try all the records, one type at a time, returning early if the
  134. // type number matches.
  135. try_record!(A);
  136. try_record!(AAAA);
  137. try_record!(CAA);
  138. try_record!(CNAME);
  139. try_record!(MX);
  140. try_record!(NS);
  141. // OPT is handled separately
  142. try_record!(PTR);
  143. try_record!(SOA);
  144. try_record!(SRV);
  145. try_record!(TXT);
  146. // Otherwise, collect the bytes into a vector and return an unknown
  147. // record type.
  148. let mut bytes = Vec::new();
  149. for _ in 0 .. len {
  150. bytes.push(c.read_u8()?);
  151. }
  152. let type_number = UnknownQtype::from(qtype);
  153. Ok(Self::Other { type_number, bytes })
  154. }
  155. }
  156. impl QClass {
  157. fn from_u16(uu: u16) -> Self {
  158. match uu {
  159. 0x0001 => Self::IN,
  160. 0x0003 => Self::CH,
  161. 0x0004 => Self::HS,
  162. _ => Self::Other(uu),
  163. }
  164. }
  165. fn to_u16(self) -> u16 {
  166. match self {
  167. Self::IN => 0x0001,
  168. Self::CH => 0x0003,
  169. Self::HS => 0x0004,
  170. Self::Other(uu) => uu,
  171. }
  172. }
  173. }
  174. /// Determines the record type number to signify a record with the given name.
  175. pub fn find_qtype_number(record_type: &str) -> Option<TypeInt> {
  176. use crate::record::*;
  177. macro_rules! try_record {
  178. ($record:tt) => {
  179. if $record::NAME == record_type {
  180. return Some($record::RR_TYPE);
  181. }
  182. }
  183. }
  184. try_record!(A);
  185. try_record!(AAAA);
  186. try_record!(CAA);
  187. try_record!(CNAME);
  188. try_record!(MX);
  189. try_record!(NS);
  190. // OPT is elsewhere
  191. try_record!(PTR);
  192. try_record!(SOA);
  193. try_record!(SRV);
  194. try_record!(TXT);
  195. None
  196. }
  197. impl Flags {
  198. /// The set of flags that represents a query packet.
  199. pub fn query() -> Self {
  200. Self::from_u16(0b_0000_0001_0000_0000)
  201. }
  202. /// Converts the flags into a two-byte number.
  203. pub fn to_u16(self) -> u16 { // 0123 4567 89AB CDEF
  204. let mut bits = 0b_0000_0000_0000_0000;
  205. if self.response { bits += 0b_1000_0000_0000_0000; }
  206. match self.opcode {
  207. _ => { bits += 0b_0000_0000_0000_0000; }
  208. }
  209. if self.authoritative { bits += 0b_0000_0100_0000_0000; }
  210. if self.truncated { bits += 0b_0000_0010_0000_0000; }
  211. if self.recursion_desired { bits += 0b_0000_0001_0000_0000; }
  212. if self.recursion_available { bits += 0b_0000_0000_1000_0000; }
  213. // (the Z bit is reserved) 0b_0000_0000_0100_0000
  214. if self.authentic_data { bits += 0b_0000_0000_0010_0000; }
  215. if self.checking_disabled { bits += 0b_0000_0000_0001_0000; }
  216. bits
  217. }
  218. /// Extracts the flags from the given two-byte number.
  219. pub fn from_u16(bits: u16) -> Self {
  220. let has_bit = |bit| { bits & bit == bit };
  221. Self {
  222. response: has_bit(0b_1000_0000_0000_0000),
  223. opcode: 0,
  224. authoritative: has_bit(0b_0000_0100_0000_0000),
  225. truncated: has_bit(0b_0000_0010_0000_0000),
  226. recursion_desired: has_bit(0b_0000_0001_0000_0000),
  227. recursion_available: has_bit(0b_0000_0000_1000_0000),
  228. authentic_data: has_bit(0b_0000_0000_0010_0000),
  229. checking_disabled: has_bit(0b_0000_0000_0001_0000),
  230. error_code: ErrorCode::from_bits(bits & 0b_1111),
  231. }
  232. }
  233. }
  234. impl ErrorCode {
  235. /// Extracts the rcode from the last four bits of the flags field.
  236. fn from_bits(bits: u16) -> Option<Self> {
  237. match bits {
  238. 0 => None,
  239. 1 => Some(Self::FormatError),
  240. 2 => Some(Self::ServerFailure),
  241. 3 => Some(Self::NXDomain),
  242. 4 => Some(Self::NotImplemented),
  243. 5 => Some(Self::QueryRefused),
  244. 16 => Some(Self::BadVersion),
  245. n => Some(Self::Other(n)),
  246. }
  247. }
  248. }
  249. /// Trait for decoding DNS record structures from bytes read over the wire.
  250. pub trait Wire: Sized {
  251. /// This record’s type as a string, such as `"A"` or `"CNAME"`.
  252. const NAME: &'static str;
  253. /// The number signifying that a record is of this type.
  254. /// See <https://www.iana.org/assignments/dns-parameters/dns-parameters.xhtml#dns-parameters-4>
  255. const RR_TYPE: u16;
  256. /// Read at most `len` bytes from the given `Cursor`. This cursor travels
  257. /// throughout the complete data — by this point, we have read the entire
  258. /// response into a buffer.
  259. fn read(len: u16, c: &mut Cursor<&[u8]>) -> Result<Self, WireError>;
  260. }
  261. /// Helper macro to get the qtype number of a record type at compile-time.
  262. ///
  263. /// # Examples
  264. ///
  265. /// ```
  266. /// use dns::{qtype, record::MX};
  267. ///
  268. /// assert_eq!(15, qtype!(MX));
  269. /// ```
  270. #[macro_export]
  271. macro_rules! qtype {
  272. ($type:ty) => {
  273. <$type as $crate::Wire>::RR_TYPE
  274. }
  275. }
  276. /// Something that can go wrong deciphering a record.
  277. #[derive(PartialEq, Debug)]
  278. pub enum WireError {
  279. /// There was an IO error reading from the cursor.
  280. /// Almost all the time, this means that the buffer was too short.
  281. IO,
  282. // (io::Error is not PartialEq so we don’t propagate it)
  283. /// When the DNS standard requires records of this type to have a certain
  284. /// fixed length, but the response specified a different length.
  285. ///
  286. /// This error should be returned regardless of the _content_ of the
  287. /// record, whatever it is.
  288. WrongRecordLength {
  289. /// The expected size.
  290. expected: u16,
  291. /// The size that was actually received.
  292. got: u16,
  293. },
  294. /// When the length of this record as specified in the packet differs from
  295. /// the computed length, as determined by reading labels.
  296. ///
  297. /// There are two ways, in general, to read arbitrary-length data from a
  298. /// stream of bytes: length-prefixed (read the length, then read that many
  299. /// bytes) or sentinel-terminated (keep reading bytes until you read a
  300. /// certain value, usually zero). The DNS protocol uses both: each
  301. /// record’s size is specified up-front in the packet, but inside the
  302. /// record, there exist arbitrary-length strings that must be read until a
  303. /// zero is read, indicating there is no more string.
  304. ///
  305. /// Consider the case of a packet, with a specified length, containing a
  306. /// string of arbitrary length (such as the CNAME or TXT records). A DNS
  307. /// client has to deal with this in one of two ways:
  308. ///
  309. /// 1. Read exactly the specified length of bytes from the record, raising
  310. /// an error if the contents are too short or a string keeps going past
  311. /// the length (assume the length is correct but the contents are wrong).
  312. ///
  313. /// 2. Read as many bytes from the record as the string requests, raising
  314. /// an error if the number of bytes read at the end differs from the
  315. /// expected length of the record (assume the length is wrong but the
  316. /// contents are correct).
  317. ///
  318. /// Note that no matter which way is picked, the record will still be
  319. /// incorrect — it only impacts the parsing of records that occur after it
  320. /// in the packet. Knowing which method should be used requires knowing
  321. /// what caused the DNS packet to be erroneous, which we cannot know.
  322. ///
  323. /// dog picks the second way. If a record ends up reading more or fewer
  324. /// bytes than it is ‘supposed’ to, it will raise this error, but _after_
  325. /// having read a different number of bytes than the specified length.
  326. WrongLabelLength {
  327. /// The expected size.
  328. expected: u16,
  329. /// The size that was actually received.
  330. got: u16,
  331. },
  332. /// When the data contained a string containing a cycle of pointers.
  333. /// Contains the vector of indexes that was being checked.
  334. TooMuchRecursion(Vec<u16>),
  335. /// When the data contained a string with a pointer to an index outside of
  336. /// the packet. Contains the invalid index.
  337. OutOfBounds(u16),
  338. }
  339. impl From<io::Error> for WireError {
  340. fn from(ioe: io::Error) -> Self {
  341. error!("IO error -> {:?}", ioe);
  342. Self::IO
  343. }
  344. }