output.rs 19 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538539540541542543544545546547548549550551552553554555556557558559560561562563564565566567568569570571572573574575576577
  1. //! Text and JSON output.
  2. use std::time::Duration;
  3. use dns::{Response, Query, Answer, ErrorCode, WireError, MandatedLength};
  4. use dns::record::{Record, OPT, UnknownQtype};
  5. use dns_transport::Error as TransportError;
  6. use serde_json::{json, Value as JsonValue};
  7. use crate::colours::Colours;
  8. use crate::table::{Table, Section};
  9. /// How to format the output data.
  10. #[derive(PartialEq, Debug, Copy, Clone)]
  11. pub enum OutputFormat {
  12. /// Format the output as plain text, optionally adding ANSI colours.
  13. Text(UseColours, TextFormat),
  14. /// Format the output as one line of plain text.
  15. Short(TextFormat),
  16. /// Format the entries as JSON.
  17. JSON,
  18. }
  19. /// When to use colours in the output.
  20. #[derive(PartialEq, Debug, Copy, Clone)]
  21. pub enum UseColours {
  22. /// Always use colours.
  23. Always,
  24. /// Use colours if output is to a terminal; otherwise, do not.
  25. Automatic,
  26. /// Never use colours.
  27. Never,
  28. }
  29. /// Options that govern how text should be rendered in record summaries.
  30. #[derive(PartialEq, Debug, Copy, Clone)]
  31. pub struct TextFormat {
  32. /// Whether to format TTLs as hours, minutes, and seconds.
  33. pub format_durations: bool,
  34. }
  35. impl UseColours {
  36. /// Whether we should use colours or not. This checks whether the user has
  37. /// overridden the colour setting, and if not, whether output is to a
  38. /// terminal.
  39. pub fn should_use_colours(self) -> bool {
  40. self == Self::Always || (atty::is(atty::Stream::Stdout) && self != Self::Never)
  41. }
  42. /// Creates a palette of colours depending on the user’s wishes or whether
  43. /// output is to a terminal.
  44. pub fn palette(self) -> Colours {
  45. if self.should_use_colours() {
  46. Colours::pretty()
  47. }
  48. else {
  49. Colours::plain()
  50. }
  51. }
  52. }
  53. impl OutputFormat {
  54. /// Prints the entirety of the output, formatted according to the
  55. /// settings. If the duration has been measured, it should also be
  56. /// printed. Returns `false` if there were no results to print, and `true`
  57. /// otherwise.
  58. pub fn print(self, responses: Vec<Response>, duration: Option<Duration>) -> bool {
  59. match self {
  60. Self::Short(tf) => {
  61. let all_answers = responses.into_iter().flat_map(|r| r.answers).collect::<Vec<_>>();
  62. if all_answers.is_empty() {
  63. eprintln!("No results");
  64. return false;
  65. }
  66. for answer in all_answers {
  67. match answer {
  68. Answer::Standard { record, .. } => {
  69. println!("{}", tf.record_payload_summary(&record))
  70. }
  71. Answer::Pseudo { opt, .. } => {
  72. println!("{}", tf.pseudo_record_payload_summary(&opt))
  73. }
  74. }
  75. }
  76. }
  77. Self::JSON => {
  78. let mut rs = Vec::new();
  79. for response in responses {
  80. let json = json!({
  81. "queries": json_queries(&response.queries),
  82. "answers": json_answers(&response.answers),
  83. "authorities": json_answers(&response.authorities),
  84. "additionals": json_answers(&response.additionals),
  85. });
  86. rs.push(json);
  87. }
  88. if let Some(duration) = duration {
  89. let object = json!({ "responses": rs, "duration": duration });
  90. println!("{}", object);
  91. }
  92. else {
  93. let object = json!({ "responses": rs });
  94. println!("{}", object);
  95. }
  96. }
  97. Self::Text(uc, tf) => {
  98. let mut table = Table::new(uc.palette(), tf);
  99. for response in responses {
  100. if let Some(rcode) = response.flags.error_code {
  101. print_error_code(rcode);
  102. }
  103. for a in response.answers {
  104. table.add_row(a, Section::Answer);
  105. }
  106. for a in response.authorities {
  107. table.add_row(a, Section::Authority);
  108. }
  109. for a in response.additionals {
  110. table.add_row(a, Section::Additional);
  111. }
  112. }
  113. table.print(duration);
  114. }
  115. }
  116. true
  117. }
  118. /// Print an error that’s ocurred while sending or receiving DNS packets
  119. /// to standard error.
  120. pub fn print_error(self, error: TransportError) {
  121. match self {
  122. Self::Short(..) | Self::Text(..) => {
  123. eprintln!("Error [{}]: {}", erroneous_phase(&error), error_message(error));
  124. }
  125. Self::JSON => {
  126. let object = json!({
  127. "error": true,
  128. "error_phase": erroneous_phase(&error),
  129. "error_message": error_message(error),
  130. });
  131. eprintln!("{}", object);
  132. }
  133. }
  134. }
  135. }
  136. impl TextFormat {
  137. /// Formats a summary of a record in a received DNS response. Each record
  138. /// type contains wildly different data, so the format of the summary
  139. /// depends on what record it’s for.
  140. pub fn record_payload_summary(self, record: &Record) -> String {
  141. match *record {
  142. Record::A(ref a) => {
  143. format!("{}", a.address)
  144. }
  145. Record::AAAA(ref aaaa) => {
  146. format!("{}", aaaa.address)
  147. }
  148. Record::CAA(ref caa) => {
  149. if caa.critical {
  150. format!("{:?} {:?} (critical)", caa.tag, caa.value)
  151. }
  152. else {
  153. format!("{:?} {:?} (non-critical)", caa.tag, caa.value)
  154. }
  155. }
  156. Record::CNAME(ref cname) => {
  157. format!("{:?}", cname.domain.to_string())
  158. }
  159. Record::HINFO(ref hinfo) => {
  160. format!("{:?} {:?}", hinfo.cpu, hinfo.os)
  161. }
  162. Record::LOC(ref loc) => {
  163. format!("{} ({}, {}) ({}, {}, {})",
  164. loc.size,
  165. loc.horizontal_precision,
  166. loc.vertical_precision,
  167. loc.latitude .map_or_else(|| "Out of range".into(), |e| e.to_string()),
  168. loc.longitude.map_or_else(|| "Out of range".into(), |e| e.to_string()),
  169. loc.altitude,
  170. )
  171. }
  172. Record::MX(ref mx) => {
  173. format!("{} {:?}", mx.preference, mx.exchange.to_string())
  174. }
  175. Record::NAPTR(ref naptr) => {
  176. format!("{} {} {} {:?} /{}/ {:?}",
  177. naptr.order,
  178. naptr.preference,
  179. naptr.flags,
  180. naptr.service,
  181. naptr.regex,
  182. naptr.replacement.to_string(),
  183. )
  184. }
  185. Record::NS(ref ns) => {
  186. format!("{:?}", ns.nameserver.to_string())
  187. }
  188. Record::PTR(ref ptr) => {
  189. format!("{:?}", ptr.cname.to_string())
  190. }
  191. Record::SSHFP(ref sshfp) => {
  192. format!("{} {} {}",
  193. sshfp.algorithm,
  194. sshfp.fingerprint_type,
  195. sshfp.hex_fingerprint(),
  196. )
  197. }
  198. Record::SOA(ref soa) => {
  199. format!("{:?} {:?} {} {} {} {} {}",
  200. soa.mname.to_string(),
  201. soa.rname.to_string(),
  202. soa.serial,
  203. self.format_duration(soa.refresh_interval),
  204. self.format_duration(soa.retry_interval),
  205. self.format_duration(soa.expire_limit),
  206. self.format_duration(soa.minimum_ttl),
  207. )
  208. }
  209. Record::SRV(ref srv) => {
  210. format!("{} {} {:?}:{}", srv.priority, srv.weight, srv.target.to_string(), srv.port)
  211. }
  212. Record::TLSA(ref tlsa) => {
  213. format!("{} {} {} {:?}",
  214. tlsa.certificate_usage,
  215. tlsa.selector,
  216. tlsa.matching_type,
  217. tlsa.hex_certificate_data(),
  218. )
  219. }
  220. Record::TXT(ref txt) => {
  221. let messages = txt.messages.iter().map(|t| format!("{:?}", t)).collect::<Vec<_>>();
  222. messages.join(", ")
  223. }
  224. Record::URI(ref uri) => {
  225. format!("{} {} {:?}", uri.priority, uri.weight, uri.target)
  226. }
  227. Record::Other { ref bytes, .. } => {
  228. format!("{:?}", bytes)
  229. }
  230. }
  231. }
  232. /// Formats a summary of an OPT pseudo-record. Pseudo-records have a different
  233. /// structure than standard ones.
  234. pub fn pseudo_record_payload_summary(self, opt: &OPT) -> String {
  235. format!("{} {} {} {} {:?}",
  236. opt.udp_payload_size,
  237. opt.higher_bits,
  238. opt.edns0_version,
  239. opt.flags,
  240. opt.data)
  241. }
  242. /// Formats a duration depending on whether it should be displayed as
  243. /// seconds, or as computed units.
  244. pub fn format_duration(self, seconds: u32) -> String {
  245. if self.format_durations {
  246. format_duration_hms(seconds)
  247. }
  248. else {
  249. format!("{}", seconds)
  250. }
  251. }
  252. }
  253. /// Formats a duration as days, hours, minutes, and seconds, skipping leading
  254. /// zero units.
  255. fn format_duration_hms(seconds: u32) -> String {
  256. if seconds < 60 {
  257. format!("{}s", seconds)
  258. }
  259. else if seconds < 60 * 60 {
  260. format!("{}m{:02}s",
  261. seconds / 60,
  262. seconds % 60)
  263. }
  264. else if seconds < 60 * 60 * 24 {
  265. format!("{}h{:02}m{:02}s",
  266. seconds / 3600,
  267. (seconds % 3600) / 60,
  268. seconds % 60)
  269. }
  270. else {
  271. format!("{}d{}h{:02}m{:02}s",
  272. seconds / 86400,
  273. (seconds % 86400) / 3600,
  274. (seconds % 3600) / 60,
  275. seconds % 60)
  276. }
  277. }
  278. /// Serialises multiple DNS queries as a JSON value.
  279. fn json_queries(queries: &[Query]) -> JsonValue {
  280. let queries = queries.iter().map(|q| {
  281. json!({
  282. "name": q.qname.to_string(),
  283. "class": format!("{:?}", q.qclass),
  284. "type": q.qtype,
  285. })
  286. }).collect::<Vec<_>>();
  287. json!(queries)
  288. }
  289. /// Serialises multiple received DNS answers as a JSON value.
  290. fn json_answers(answers: &[Answer]) -> JsonValue {
  291. let answers = answers.iter().map(|a| {
  292. match a {
  293. Answer::Standard { qname, qclass, ttl, record } => {
  294. let mut object = json_record(record);
  295. let omut = object.as_object_mut().unwrap();
  296. omut.insert("name".into(), qname.to_string().into());
  297. omut.insert("class".into(), format!("{:?}", qclass).into());
  298. omut.insert("ttl".into(), (*ttl).into());
  299. json!(object)
  300. }
  301. Answer::Pseudo { qname, opt } => {
  302. let object = json!({
  303. "name": qname.to_string(),
  304. "type": "OPT",
  305. "version": opt.edns0_version,
  306. "data": opt.data,
  307. });
  308. object
  309. }
  310. }
  311. }).collect::<Vec<_>>();
  312. json!(answers)
  313. }
  314. /// Serialises a received DNS record as a JSON value.
  315. fn json_record(record: &Record) -> JsonValue {
  316. match record {
  317. Record::A(rec) => {
  318. json!({
  319. "type": "A",
  320. "address": rec.address.to_string(),
  321. })
  322. }
  323. Record::AAAA(rec) => {
  324. json!({
  325. "type": "AAAA",
  326. "address": rec.address.to_string(),
  327. })
  328. }
  329. Record::CAA(rec) => {
  330. json!({
  331. "type": "CAA",
  332. "critical": rec.critical,
  333. "tag": rec.tag,
  334. "value": rec.value,
  335. })
  336. }
  337. Record::CNAME(rec) => {
  338. json!({
  339. "type": "CNAME",
  340. "domain": rec.domain.to_string(),
  341. })
  342. }
  343. Record::HINFO(rec) => {
  344. json!({
  345. "type": "HINFO",
  346. "cpu": rec.cpu,
  347. "os": rec.os,
  348. })
  349. }
  350. Record::LOC(rec) => {
  351. json!({
  352. "type": "LOC",
  353. "size": rec.size.to_string(),
  354. "precision": {
  355. "horizontal": rec.horizontal_precision,
  356. "vertical": rec.vertical_precision,
  357. },
  358. "point": {
  359. "latitude": rec.latitude.map(|e| e.to_string()),
  360. "longitude": rec.longitude.map(|e| e.to_string()),
  361. "altitude": rec.altitude.to_string(),
  362. },
  363. })
  364. }
  365. Record::MX(rec) => {
  366. json!({
  367. "type": "MX",
  368. "preference": rec.preference,
  369. "exchange": rec.exchange.to_string(),
  370. })
  371. }
  372. Record::NAPTR(rec) => {
  373. json!({
  374. "type": "NAPTR",
  375. "order": rec.order,
  376. "flags": rec.flags,
  377. "service": rec.service,
  378. "regex": rec.service,
  379. "replacement": rec.replacement.to_string(),
  380. })
  381. }
  382. Record::NS(rec) => {
  383. json!({
  384. "type": "NS",
  385. "nameserver": rec.nameserver.to_string(),
  386. })
  387. }
  388. Record::PTR(rec) => {
  389. json!({
  390. "type": "PTR",
  391. "cname": rec.cname.to_string(),
  392. })
  393. }
  394. Record::SSHFP(rec) => {
  395. json!({
  396. "type": "SSHFP",
  397. "algorithm": rec.algorithm,
  398. "fingerprint_type": rec.fingerprint_type,
  399. "fingerprint": rec.hex_fingerprint(),
  400. })
  401. }
  402. Record::SOA(rec) => {
  403. json!({
  404. "type": "SOA",
  405. "mname": rec.mname.to_string(),
  406. })
  407. }
  408. Record::SRV(rec) => {
  409. json!({
  410. "type": "SRV",
  411. "priority": rec.priority,
  412. "weight": rec.weight,
  413. "port": rec.port,
  414. "target": rec.target.to_string(),
  415. })
  416. }
  417. Record::TLSA(rec) => {
  418. json!({
  419. "type": "TLSA",
  420. "certificate_usage": rec.certificate_usage,
  421. "selector": rec.selector,
  422. "matching_type": rec.matching_type,
  423. "certificate_data": rec.hex_certificate_data(),
  424. })
  425. }
  426. Record::TXT(rec) => {
  427. json!({
  428. "type": "TXT",
  429. "messages": rec.messages,
  430. })
  431. }
  432. Record::URI(rec) => {
  433. json!({
  434. "type": "URI",
  435. "priority": rec.priority,
  436. "weight": rec.weight,
  437. "target": rec.target,
  438. })
  439. }
  440. Record::Other { type_number, bytes } => {
  441. let type_name = match type_number {
  442. UnknownQtype::HeardOf(name) => json!(name),
  443. UnknownQtype::UnheardOf(num) => json!(num),
  444. };
  445. json!({
  446. "unknown": true,
  447. "type": type_name,
  448. "bytes": bytes,
  449. })
  450. }
  451. }
  452. }
  453. /// Prints a message describing the “error code” field of a DNS packet. This
  454. /// happens when the packet was received correctly, but the server indicated
  455. /// an error.
  456. pub fn print_error_code(rcode: ErrorCode) {
  457. match rcode {
  458. ErrorCode::FormatError => println!("Status: Format Error"),
  459. ErrorCode::ServerFailure => println!("Status: Server Failure"),
  460. ErrorCode::NXDomain => println!("Status: NXDomain"),
  461. ErrorCode::NotImplemented => println!("Status: Not Implemented"),
  462. ErrorCode::QueryRefused => println!("Status: Query Refused"),
  463. ErrorCode::BadVersion => println!("Status: Bad Version"),
  464. ErrorCode::Private(num) => println!("Status: Private Reason ({})", num),
  465. ErrorCode::Other(num) => println!("Status: Other Failure ({})", num),
  466. }
  467. }
  468. /// Returns the “phase” of operation where an error occurred. This gets shown
  469. /// to the user so they can debug what went wrong.
  470. fn erroneous_phase(error: &TransportError) -> &'static str {
  471. match error {
  472. TransportError::WireError(_) => "protocol",
  473. TransportError::TruncatedResponse |
  474. TransportError::NetworkError(_) => "network",
  475. #[cfg(feature="tls")]
  476. TransportError::TlsError(_) |
  477. TransportError::TlsHandshakeError(_) => "tls",
  478. #[cfg(feature="https")]
  479. TransportError::HttpError(_) |
  480. TransportError::WrongHttpStatus(_,_) => "http",
  481. }
  482. }
  483. /// Formats an error into its human-readable message.
  484. fn error_message(error: TransportError) -> String {
  485. match error {
  486. TransportError::WireError(e) => wire_error_message(e),
  487. TransportError::TruncatedResponse => "Truncated response".into(),
  488. TransportError::NetworkError(e) => e.to_string(),
  489. #[cfg(feature="tls")]
  490. TransportError::TlsError(e) => e.to_string(),
  491. #[cfg(feature="tls")]
  492. TransportError::TlsHandshakeError(e) => e.to_string(),
  493. #[cfg(feature="https")]
  494. TransportError::HttpError(e) => e.to_string(),
  495. #[cfg(feature="https")]
  496. TransportError::WrongHttpStatus(t,r) => format!("Nameserver returned HTTP {} ({})", t, r.unwrap_or_else(|| "No reason".into()))
  497. }
  498. }
  499. /// Formats a wire error into its human-readable message, describing what was
  500. /// wrong with the packet we received.
  501. fn wire_error_message(error: WireError) -> String {
  502. match error {
  503. WireError::IO => {
  504. "Malformed packet: insufficient data".into()
  505. }
  506. WireError::WrongRecordLength { stated_length, mandated_length: MandatedLength::Exactly(len) } => {
  507. format!("Malformed packet: record length should be {}, got {}", len, stated_length )
  508. }
  509. WireError::WrongRecordLength { stated_length, mandated_length: MandatedLength::AtLeast(len) } => {
  510. format!("Malformed packet: record length should be at least {}, got {}", len, stated_length )
  511. }
  512. WireError::WrongLabelLength { stated_length, length_after_labels } => {
  513. format!("Malformed packet: length {} was specified, but read {} bytes", stated_length, length_after_labels)
  514. }
  515. WireError::TooMuchRecursion(indices) => {
  516. format!("Malformed packet: too much recursion: {:?}", indices)
  517. }
  518. WireError::OutOfBounds(index) => {
  519. format!("Malformed packet: out of bounds ({})", index)
  520. }
  521. WireError::WrongVersion { stated_version, maximum_supported_version } => {
  522. format!("Malformed packet: record specifies version {}, expected up to {}", stated_version, maximum_supported_version)
  523. }
  524. }
  525. }