output.rs 17 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168169170171172173174175176177178179180181182183184185186187188189190191192193194195196197198199200201202203204205206207208209210211212213214215216217218219220221222223224225226227228229230231232233234235236237238239240241242243244245246247248249250251252253254255256257258259260261262263264265266267268269270271272273274275276277278279280281282283284285286287288289290291292293294295296297298299300301302303304305306307308309310311312313314315316317318319320321322323324325326327328329330331332333334335336337338339340341342343344345346347348349350351352353354355356357358359360361362363364365366367368369370371372373374375376377378379380381382383384385386387388389390391392393394395396397398399400401402403404405406407408409410411412413414415416417418419420421422423424425426427428429430431432433434435436437438439440441442443444445446447448449450451452453454455456457458459460461462463464465466467468469470471472473474475476477478479480481482483484485486487488489490491492493494495496497498499500501502503504505506507508509510511512513514515516517518519520521522523524525526527528529530531532533534535536537538
  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,
  168. loc.longitude,
  169. loc.altitude,
  170. )
  171. }
  172. Record::MX(ref mx) => {
  173. format!("{} {:?}", mx.preference, mx.exchange.to_string())
  174. }
  175. Record::NS(ref ns) => {
  176. format!("{:?}", ns.nameserver.to_string())
  177. }
  178. Record::PTR(ref ptr) => {
  179. format!("{:?}", ptr.cname.to_string())
  180. }
  181. Record::SSHFP(ref sshfp) => {
  182. format!("{} {} {}",
  183. sshfp.algorithm,
  184. sshfp.fingerprint_type,
  185. sshfp.hex_fingerprint(),
  186. )
  187. }
  188. Record::SOA(ref soa) => {
  189. format!("{:?} {:?} {} {} {} {} {}",
  190. soa.mname.to_string(),
  191. soa.rname.to_string(),
  192. soa.serial,
  193. self.format_duration(soa.refresh_interval),
  194. self.format_duration(soa.retry_interval),
  195. self.format_duration(soa.expire_limit),
  196. self.format_duration(soa.minimum_ttl),
  197. )
  198. }
  199. Record::SRV(ref srv) => {
  200. format!("{} {} {:?}:{}", srv.priority, srv.weight, srv.target.to_string(), srv.port)
  201. }
  202. Record::TLSA(ref tlsa) => {
  203. format!("{} {} {} {:?}",
  204. tlsa.certificate_usage,
  205. tlsa.selector,
  206. tlsa.matching_type,
  207. tlsa.hex_certificate_data().to_string(),
  208. )
  209. }
  210. Record::TXT(ref txt) => {
  211. format!("{:?}", txt.message)
  212. }
  213. Record::Other { ref bytes, .. } => {
  214. format!("{:?}", bytes)
  215. }
  216. }
  217. }
  218. /// Formats a summary of an OPT pseudo-record. Pseudo-records have a different
  219. /// structure than standard ones.
  220. pub fn pseudo_record_payload_summary(self, opt: &OPT) -> String {
  221. format!("{} {} {} {} {:?}",
  222. opt.udp_payload_size,
  223. opt.higher_bits,
  224. opt.edns0_version,
  225. opt.flags,
  226. opt.data)
  227. }
  228. /// Formats a duration depending on whether it should be displayed as
  229. /// seconds, or as computed units.
  230. pub fn format_duration(self, seconds: u32) -> String {
  231. if self.format_durations {
  232. format_duration_hms(seconds)
  233. }
  234. else {
  235. format!("{}", seconds)
  236. }
  237. }
  238. }
  239. /// Formats a duration as days, hours, minutes, and seconds, skipping leading
  240. /// zero units.
  241. fn format_duration_hms(seconds: u32) -> String {
  242. if seconds < 60 {
  243. format!("{}s", seconds)
  244. }
  245. else if seconds < 60 * 60 {
  246. format!("{}m{:02}s",
  247. seconds / 60,
  248. seconds % 60)
  249. }
  250. else if seconds < 60 * 60 * 24 {
  251. format!("{}h{:02}m{:02}s",
  252. seconds / 3600,
  253. (seconds % 3600) / 60,
  254. seconds % 60)
  255. }
  256. else {
  257. format!("{}d{}h{:02}m{:02}s",
  258. seconds / 86400,
  259. (seconds % 86400) / 3600,
  260. (seconds % 3600) / 60,
  261. seconds % 60)
  262. }
  263. }
  264. /// Serialises multiple DNS queries as a JSON value.
  265. fn json_queries(queries: &[Query]) -> JsonValue {
  266. let queries = queries.iter().map(|q| {
  267. json!({
  268. "name": q.qname.to_string(),
  269. "class": format!("{:?}", q.qclass),
  270. "type": q.qtype,
  271. })
  272. }).collect::<Vec<_>>();
  273. json!(queries)
  274. }
  275. /// Serialises multiple received DNS answers as a JSON value.
  276. fn json_answers(answers: &[Answer]) -> JsonValue {
  277. let answers = answers.iter().map(|a| {
  278. match a {
  279. Answer::Standard { qname, qclass, ttl, record } => {
  280. let mut object = json_record(record);
  281. let omut = object.as_object_mut().unwrap();
  282. omut.insert("name".into(), qname.to_string().into());
  283. omut.insert("class".into(), format!("{:?}", qclass).into());
  284. omut.insert("ttl".into(), (*ttl).into());
  285. json!(object)
  286. }
  287. Answer::Pseudo { qname, opt } => {
  288. let object = json!({
  289. "name": qname.to_string(),
  290. "type": "OPT",
  291. "version": opt.edns0_version,
  292. "data": opt.data,
  293. });
  294. object
  295. }
  296. }
  297. }).collect::<Vec<_>>();
  298. json!(answers)
  299. }
  300. /// Serialises a received DNS record as a JSON value.
  301. fn json_record(record: &Record) -> JsonValue {
  302. match record {
  303. Record::A(rec) => {
  304. json!({
  305. "type": "A",
  306. "address": rec.address.to_string(),
  307. })
  308. }
  309. Record::AAAA(rec) => {
  310. json!({
  311. "type": "AAAA",
  312. "address": rec.address.to_string(),
  313. })
  314. }
  315. Record::CAA(rec) => {
  316. json!({
  317. "type": "CAA",
  318. "critical": rec.critical,
  319. "tag": rec.tag,
  320. "value": rec.value,
  321. })
  322. }
  323. Record::CNAME(rec) => {
  324. json!({
  325. "type": "CNAME",
  326. "domain": rec.domain.to_string(),
  327. })
  328. }
  329. Record::HINFO(rec) => {
  330. json!({
  331. "type": "HINFO",
  332. "cpu": rec.cpu,
  333. "os": rec.os,
  334. })
  335. }
  336. Record::LOC(rec) => {
  337. json!({
  338. "type": "LOC",
  339. "size": rec.size.to_string(),
  340. "precision": {
  341. "horizontal": rec.horizontal_precision,
  342. "vertical": rec.vertical_precision,
  343. },
  344. "point": {
  345. "latitude": rec.latitude,
  346. "longitude": rec.longitude,
  347. "altitude": rec.altitude,
  348. },
  349. })
  350. }
  351. Record::MX(rec) => {
  352. json!({
  353. "type": "MX",
  354. "preference": rec.preference,
  355. "exchange": rec.exchange.to_string(),
  356. })
  357. }
  358. Record::NS(rec) => {
  359. json!({
  360. "type": "NS",
  361. "nameserver": rec.nameserver.to_string(),
  362. })
  363. }
  364. Record::PTR(rec) => {
  365. json!({
  366. "type": "PTR",
  367. "cname": rec.cname.to_string(),
  368. })
  369. }
  370. Record::SSHFP(rec) => {
  371. json!({
  372. "type": "SSHFP",
  373. "algorithm": rec.algorithm,
  374. "fingerprint_type": rec.fingerprint_type,
  375. "fingerprint": rec.hex_fingerprint(),
  376. })
  377. }
  378. Record::SOA(rec) => {
  379. json!({
  380. "type": "SOA",
  381. "mname": rec.mname.to_string(),
  382. })
  383. }
  384. Record::SRV(rec) => {
  385. json!({
  386. "type": "SRV",
  387. "priority": rec.priority,
  388. "weight": rec.weight,
  389. "port": rec.port,
  390. "target": rec.target.to_string(),
  391. })
  392. }
  393. Record::TLSA(rec) => {
  394. json!({
  395. "type": "TLSA",
  396. "certificate_usage": rec.certificate_usage,
  397. "selector": rec.selector,
  398. "matching_type": rec.matching_type,
  399. "certificate_data": rec.hex_certificate_data().to_string(),
  400. })
  401. }
  402. Record::TXT(rec) => {
  403. json!({
  404. "type": "TXT",
  405. "message": rec.message,
  406. })
  407. }
  408. Record::Other { type_number, bytes } => {
  409. let type_name = match type_number {
  410. UnknownQtype::HeardOf(name) => json!(name),
  411. UnknownQtype::UnheardOf(num) => json!(num),
  412. };
  413. json!({
  414. "unknown": true,
  415. "type": type_name,
  416. "bytes": bytes,
  417. })
  418. }
  419. }
  420. }
  421. /// Prints a message describing the “error code” field of a DNS packet. This
  422. /// happens when the packet was received correctly, but the server indicated
  423. /// an error.
  424. pub fn print_error_code(rcode: ErrorCode) {
  425. match rcode {
  426. ErrorCode::FormatError => println!("Status: Format Error"),
  427. ErrorCode::ServerFailure => println!("Status: Server Failure"),
  428. ErrorCode::NXDomain => println!("Status: NXDomain"),
  429. ErrorCode::NotImplemented => println!("Status: Not Implemented"),
  430. ErrorCode::QueryRefused => println!("Status: Query Refused"),
  431. ErrorCode::BadVersion => println!("Status: Bad Version"),
  432. ErrorCode::Other(num) => println!("Status: Other Failure ({})", num),
  433. }
  434. }
  435. /// Returns the “phase” of operation where an error occurred. This gets shown
  436. /// to the user so they can debug what went wrong.
  437. fn erroneous_phase(error: &TransportError) -> &'static str {
  438. match error {
  439. TransportError::NetworkError(_) => "network",
  440. #[cfg(feature="https")]
  441. TransportError::HttpError(_) => "http",
  442. #[cfg(feature="tls")]
  443. TransportError::TlsError(_) => "tls",
  444. TransportError::BadRequest => "http-status",
  445. TransportError::WireError(_) => "protocol",
  446. }
  447. }
  448. /// Formats an error into its human-readable message.
  449. fn error_message(error: TransportError) -> String {
  450. match error {
  451. TransportError::NetworkError(e) => e.to_string(),
  452. #[cfg(feature="https")]
  453. TransportError::HttpError(e) => e.to_string(),
  454. #[cfg(feature="tls")]
  455. TransportError::TlsError(e) => e.to_string(),
  456. TransportError::BadRequest => "Nameserver returned HTTP 400 Bad Request".into(),
  457. TransportError::WireError(e) => wire_error_message(e),
  458. }
  459. }
  460. /// Formats a wire error into its human-readable message, describing what was
  461. /// wrong with the packet we received.
  462. fn wire_error_message(error: WireError) -> String {
  463. match error {
  464. WireError::IO => {
  465. "Malformed packet: insufficient data".into()
  466. }
  467. WireError::WrongRecordLength { stated_length, mandated_length: MandatedLength::Exactly(len) } => {
  468. format!("Malformed packet: record length should be {}, got {}", len, stated_length )
  469. }
  470. WireError::WrongRecordLength { stated_length, mandated_length: MandatedLength::AtLeast(len) } => {
  471. format!("Malformed packet: record length should be at least {}, got {}", len, stated_length )
  472. }
  473. WireError::WrongLabelLength { stated_length, length_after_labels } => {
  474. format!("Malformed packet: length {} was specified, but read {} bytes", stated_length, length_after_labels)
  475. }
  476. WireError::TooMuchRecursion(indices) => {
  477. format!("Malformed packet: too much recursion: {:?}", indices)
  478. }
  479. WireError::OutOfBounds(index) => {
  480. format!("Malformed packet: out of bounds ({})", index)
  481. }
  482. WireError::WrongVersion { stated_version, maximum_supported_version } => {
  483. format!("Malformed packet: record specifies version {}, expected up to {}", stated_version, maximum_supported_version)
  484. }
  485. }
  486. }