hcl_primitives/
template.rs

1//! Primitives for the HCL template sub-language.
2
3use alloc::borrow::Cow;
4
5/// Controls the whitespace strip behaviour for template interpolations and directives on adjacent
6/// string literals.
7///
8/// The strip behaviour is controlled by a `~` immediately following an interpolation (`${`) or
9/// directive (`%{`) introduction, or preceding the closing `}`.
10///
11/// Whitespace is stripped up until (and including) the next line break:
12///
13/// - `${~ expr}` strips whitespace from an immediately **preceding** string literal.
14/// - `${expr ~}` strips whitespace from an immediately **following** string literal.
15/// - `${~ expr ~}` strips whitespace from immediately **preceding** and **following** string
16///   literals.
17/// - `${expr}` does not strip any whitespace.
18///
19/// The stripping behaviour is equivalent for template directives (`%{expr}`).
20///
21/// For more details, check the section about template literals in the [HCL syntax
22/// specification](https://github.com/hashicorp/hcl/blob/main/hclsyntax/spec.md#template-literals).
23#[derive(Debug, Clone, Copy, Default, PartialEq, Eq)]
24pub enum Strip {
25    /// Don't strip adjacent spaces.
26    #[default]
27    None,
28    /// Strip any adjacent spaces from the immediately preceding string literal, if there is
29    /// one.
30    Start,
31    /// Strip any adjacent spaces from the immediately following string literal, if there is one.
32    End,
33    /// Strip any adjacent spaces from the immediately preceding and following string literals,
34    /// if there are any.
35    Both,
36}
37
38impl Strip {
39    /// Returns `true` if adjacent spaces should be stripped from an immediately preceding string
40    /// literal.
41    ///
42    /// # Example
43    ///
44    /// ```
45    /// # use hcl_primitives::template::Strip;
46    /// assert!(!Strip::None.strip_start());
47    /// assert!(Strip::Start.strip_start());
48    /// assert!(!Strip::End.strip_start());
49    /// assert!(Strip::Both.strip_start());
50    /// ```
51    pub fn strip_start(self) -> bool {
52        matches!(self, Strip::Start | Strip::Both)
53    }
54
55    /// Returns `true` if adjacent spaces should be stripped from an immediately following string
56    /// literal.
57    ///
58    /// # Example
59    ///
60    /// ```
61    /// # use hcl_primitives::template::Strip;
62    /// assert!(!Strip::None.strip_end());
63    /// assert!(!Strip::Start.strip_end());
64    /// assert!(Strip::End.strip_end());
65    /// assert!(Strip::Both.strip_end());
66    /// ```
67    pub fn strip_end(self) -> bool {
68        matches!(self, Strip::End | Strip::Both)
69    }
70}
71
72impl From<(bool, bool)> for Strip {
73    fn from((start, end): (bool, bool)) -> Self {
74        match (start, end) {
75            (true, true) => Strip::Both,
76            (true, false) => Strip::Start,
77            (false, true) => Strip::End,
78            (false, false) => Strip::None,
79        }
80    }
81}
82
83/// Escapes interpolation sequence (`${`) and directive control flow (`%{`) start markers in a
84/// string literal to `$${` and `%%{` respectively.
85///
86/// ```
87/// use hcl_primitives::template::escape_markers;
88///
89/// assert_eq!(escape_markers("foo"), "foo");
90/// assert_eq!(escape_markers("${interpolation}"), "$${interpolation}");
91/// assert_eq!(escape_markers("$${escaped_interpolation}"), "$$${escaped_interpolation}");
92/// assert_eq!(escape_markers("%{if foo}bar%{else}baz%{endif}"), "%%{if foo}bar%%{else}baz%%{endif}");
93/// ```
94pub fn escape_markers(literal: &str) -> Cow<str> {
95    if literal.len() < 2 {
96        // Fast path: strings shorter than 2 chars cannot contain `${` or `%{`.
97        return Cow::Borrowed(literal);
98    }
99
100    for (idx, window) in literal.as_bytes().windows(2).enumerate() {
101        if let b"${" | b"%{" = window {
102            // Found start marker, enter slow path.
103            return Cow::Owned(escape_markers_owned(literal, idx));
104        }
105    }
106
107    Cow::Borrowed(literal)
108}
109
110fn escape_markers_owned(literal: &str, idx: usize) -> String {
111    let (mut buf, rest) = split_buf(literal, idx);
112    let mut chars = rest.chars();
113
114    while let Some(ch) = chars.next() {
115        buf.push(ch);
116
117        if ch != '$' && ch != '%' {
118            continue;
119        }
120
121        match chars.next() {
122            Some(ch2) => {
123                if ch2 == '{' {
124                    // Escape the start marker by doubling `ch`.
125                    buf.push(ch);
126                }
127
128                buf.push(ch2);
129            }
130            None => break,
131        }
132    }
133
134    buf
135}
136
137/// Unescapes escaped interpolation sequence (`$${`) and directive control flow (`%%{`) start
138/// markers in a string literal to `${` and `%{` respectively.
139///
140/// ```
141/// use hcl_primitives::template::unescape_markers;
142///
143/// assert_eq!(unescape_markers("foo"), "foo");
144/// assert_eq!(unescape_markers("${interpolation}"), "${interpolation}");
145/// assert_eq!(unescape_markers("$${escaped_interpolation}"), "${escaped_interpolation}");
146/// assert_eq!(unescape_markers("$$${escaped_interpolation}"), "$${escaped_interpolation}");
147/// assert_eq!(unescape_markers("%{if foo}bar%{else}baz%{endif}"), "%{if foo}bar%{else}baz%{endif}");
148/// ```
149pub fn unescape_markers(literal: &str) -> Cow<str> {
150    if literal.len() < 3 {
151        // Fast path: strings shorter than 3 chars cannot contain `$${` or `%%{`.
152        return Cow::Borrowed(literal);
153    }
154
155    for (idx, window) in literal.as_bytes().windows(3).enumerate() {
156        if let b"$${" | b"%%{" = window {
157            // Found escaped start marker, enter slow path.
158            return Cow::Owned(unescape_markers_owned(literal, idx));
159        }
160    }
161
162    Cow::Borrowed(literal)
163}
164
165fn unescape_markers_owned(literal: &str, idx: usize) -> String {
166    let (mut buf, rest) = split_buf(literal, idx);
167    let mut chars = rest.chars();
168
169    while let Some(ch) = chars.next() {
170        buf.push(ch);
171
172        if ch != '$' && ch != '%' {
173            continue;
174        }
175
176        match (chars.next(), chars.next()) {
177            (Some(ch2), Some('{')) if ch2 == ch => {
178                // Unescape by not pushing `ch2` to the output buffer.
179                buf.push('{');
180            }
181            (Some(ch2), ch3) => {
182                buf.push(ch2);
183
184                if let Some(ch) = ch3 {
185                    buf.push(ch);
186                }
187            }
188            (_, _) => break,
189        }
190    }
191    buf
192}
193
194fn split_buf(s: &str, idx: usize) -> (String, &str) {
195    let mut buf = String::with_capacity(s.len());
196    buf.push_str(&s[..idx]);
197    (buf, &s[idx..])
198}