lib.rs 5.5 KB

123456789101112131415161718192021222324252627282930313233343536373839404142434445464748495051525354555657585960616263646566676869707172737475767778798081828384858687888990919293949596979899100101102103104105106107108109110111112113114115116117118119120121122123124125126127128129130131132133134135136137138139140141142143144145146147148149150151152153154155156157158159160161162163164165166167168
  1. use std::str;
  2. use aya_log_common::DisplayHint;
  3. /// A parsed formatting parameter (contents of `{` `}` block).
  4. #[derive(Clone, Debug, PartialEq, Eq)]
  5. pub struct Parameter {
  6. /// The display hint, e.g. ':ipv4', ':x'.
  7. pub hint: DisplayHint,
  8. }
  9. #[derive(Clone, Debug, PartialEq, Eq)]
  10. pub enum Fragment {
  11. /// A literal string (eg. `"literal "` in `"literal {}"`).
  12. Literal(String),
  13. /// A format parameter.
  14. Parameter(Parameter),
  15. }
  16. fn push_literal(frag: &mut Vec<Fragment>, unescaped_literal: &str) -> Result<(), String> {
  17. // Replace `{{` with `{` and `}}` with `}`. Single braces are errors.
  18. // Scan for single braces first. The rest is trivial.
  19. let mut last_open = false;
  20. let mut last_close = false;
  21. for c in unescaped_literal.chars() {
  22. match c {
  23. '{' => last_open = !last_open,
  24. '}' => last_close = !last_close,
  25. _ => {
  26. if last_open {
  27. return Err("unmatched `{` in format string".into());
  28. }
  29. if last_close {
  30. return Err("unmatched `}` in format string".into());
  31. }
  32. }
  33. }
  34. }
  35. // Handle trailing unescaped `{` or `}`.
  36. if last_open {
  37. return Err("unmatched `{` in format string".into());
  38. }
  39. if last_close {
  40. return Err("unmatched `}` in format string".into());
  41. }
  42. let literal = unescaped_literal.replace("{{", "{").replace("}}", "}");
  43. frag.push(Fragment::Literal(literal));
  44. Ok(())
  45. }
  46. /// Parse `Param` from the given `&str` which can specify an optional format
  47. /// like `:x` or `:ipv4` (without curly braces, which are parsed by the `parse`
  48. /// function).
  49. fn parse_param(input: &str) -> Result<Parameter, String> {
  50. let hint = match input.strip_prefix(":") {
  51. Some(input) => match input {
  52. "" => return Err("malformed format string (missing display hint after ':')".into()),
  53. "p" | "x" => DisplayHint::LowerHex,
  54. "X" => DisplayHint::UpperHex,
  55. "i" => DisplayHint::Ip,
  56. "mac" => DisplayHint::LowerMac,
  57. "MAC" => DisplayHint::UpperMac,
  58. input => return Err(format!("unknown display hint: {input:?}")),
  59. },
  60. None => {
  61. if !input.is_empty() {
  62. return Err(format!("unexpected content {input:?} in format string"));
  63. }
  64. DisplayHint::Default
  65. }
  66. };
  67. Ok(Parameter { hint })
  68. }
  69. /// Parses the given format string into string literals and parameters specified
  70. /// by curly braces (with optional format hints like `:x` or `:ipv4`).
  71. pub fn parse(format_string: &str) -> Result<Vec<Fragment>, String> {
  72. let mut fragments = Vec::new();
  73. // Index after the `}` of the last format specifier.
  74. let mut end_pos = 0;
  75. let mut chars = format_string.char_indices();
  76. while let Some((brace_pos, ch)) = chars.next() {
  77. if ch != '{' {
  78. // Part of a literal fragment.
  79. continue;
  80. }
  81. // Peek at the next char.
  82. if chars.as_str().starts_with('{') {
  83. // Escaped `{{`, also part of a literal fragment.
  84. chars.next();
  85. continue;
  86. }
  87. if brace_pos > end_pos {
  88. // There's a literal fragment with at least 1 character before this
  89. // parameter fragment.
  90. let unescaped_literal = &format_string[end_pos..brace_pos];
  91. push_literal(&mut fragments, unescaped_literal)?;
  92. }
  93. // Else, this is a format specifier. It ends at the next `}`.
  94. let len = chars
  95. .as_str()
  96. .find('}')
  97. .ok_or("missing `}` in format string")?;
  98. end_pos = brace_pos + 1 + len + 1;
  99. // Parse the contents inside the braces.
  100. let param_str = &format_string[brace_pos + 1..][..len];
  101. let param = parse_param(param_str)?;
  102. fragments.push(Fragment::Parameter(param));
  103. }
  104. // Trailing literal.
  105. if end_pos != format_string.len() {
  106. push_literal(&mut fragments, &format_string[end_pos..])?;
  107. }
  108. Ok(fragments)
  109. }
  110. #[cfg(test)]
  111. mod test {
  112. use super::*;
  113. // TODO(https://github.com/rust-lang/rust-clippy/issues/13885): narrow this to just the specific
  114. // strings when that doesn't trip the lint.
  115. #[allow(clippy::literal_string_with_formatting_args)]
  116. #[test]
  117. fn test_parse() {
  118. assert_eq!(
  119. parse("foo {} bar {:x} test {:X} ayy {:i} lmao {{}} {{something}} {:p}"),
  120. Ok(vec![
  121. Fragment::Literal("foo ".into()),
  122. Fragment::Parameter(Parameter {
  123. hint: DisplayHint::Default
  124. }),
  125. Fragment::Literal(" bar ".into()),
  126. Fragment::Parameter(Parameter {
  127. hint: DisplayHint::LowerHex
  128. }),
  129. Fragment::Literal(" test ".into()),
  130. Fragment::Parameter(Parameter {
  131. hint: DisplayHint::UpperHex
  132. }),
  133. Fragment::Literal(" ayy ".into()),
  134. Fragment::Parameter(Parameter {
  135. hint: DisplayHint::Ip
  136. }),
  137. Fragment::Literal(" lmao {} {something} ".into()),
  138. Fragment::Parameter(Parameter {
  139. hint: DisplayHint::LowerHex
  140. }),
  141. ])
  142. );
  143. assert!(parse("foo {:}").is_err());
  144. assert!(parse("foo { bar").is_err());
  145. assert!(parse("foo } bar").is_err());
  146. assert!(parse("foo { bar }").is_err());
  147. }
  148. }