sui_display/v1/
parser.rs

1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
// Copyright (c) Mysten Labs, Inc.
// SPDX-License-Identifier: Apache-2.0

use std::{borrow::Cow, fmt, iter::Peekable};

use move_core_types::{annotated_extractor::Element, identifier};

use super::lexer::{Lexeme as L, Lexer, OwnedLexeme, Token as T, TokenSet};

/// A strand is a single component of a format string, it can either be a piece of literal text
/// that needs to be preserved in the output, or a reference to a nested field (as a sequence of
/// field accesses) in the object being displayed which will need to be fetched and interpolated.
#[derive(Debug, Eq, PartialEq)]
pub enum Strand<'s> {
    Text(Cow<'s, str>),
    Expr(Vec<Element<'s>>),
}

pub(crate) struct Parser<'s> {
    max_depth: usize,
    lexer: Peekable<Lexer<'s>>,
}

#[derive(thiserror::Error, Debug)]
pub enum Error {
    #[error("Invalid identifier {ident:?} at offset {off}")]
    InvalidIdentifier { ident: String, off: usize },

    #[error("Field access at offset {off} deeper than the maximum of {max}")]
    TooDeep { max: usize, off: usize },

    #[error("Unexpected end-of-string, expected {expect}")]
    UnexpectedEos { expect: TokenSet<'static> },

    #[error("Unexpected {actual}, expected {expect}")]
    UnexpectedToken {
        actual: OwnedLexeme,
        expect: TokenSet<'static>,
    },
}

/// Pattern match on the next token in the lexer, without consuming it. Returns an error if there
/// is no next token, or if the next token doesn't match any of the provided patterns. The error
/// enumerates all the tokens that were expected.
macro_rules! match_token {
    ($lexer:expr; $(L($($pat:path)|+, $off:pat, $slice:pat) => $expr:expr),+ $(,)?) => {{
        const EXPECTED: TokenSet = TokenSet(&[$($($pat),+),+]);

        match $lexer.peek().ok_or_else(|| Error::UnexpectedEos { expect: EXPECTED })? {
            $(&L($($pat)|+, $off, $slice) => $expr,)+
            &actual => return Err(Error::UnexpectedToken {
                actual: actual.detach(),
                expect: EXPECTED,
            }),
        }
    }};
}

/// Recursive descent parser for Display V1 format strings, parsing the following grammar:
///
///   format ::= strand*
///   strand ::= text | expr
///   text   ::= part+
///   part   ::= TEXT | ESCAPED
///   expr   ::= '{' IDENT ('.' IDENT)* '}'
///
/// The grammar has a lookahead of one token, and requires no backtracking.
impl<'s> Parser<'s> {
    /// Construct a new parser, consuming input from the `src` string. `max_depth` controls how
    /// deeply nested a field access expression can be before it is considered an error.
    pub(crate) fn new(max_depth: usize, src: &'s str) -> Self {
        Self {
            max_depth,
            lexer: Lexer::new(src).peekable(),
        }
    }

    /// Entrypoint into the parser, parsing the root non-terminal -- `format`. Consumes all the
    /// remaining input in the parser and the parser itself.
    pub(crate) fn parse_format(mut self) -> Result<Vec<Strand<'s>>, Error> {
        let mut strands = vec![];
        while self.lexer.peek().is_some() {
            strands.push(self.parse_strand()?);
        }

        Ok(strands)
    }

    fn parse_strand(&mut self) -> Result<Strand<'s>, Error> {
        Ok(match_token! { self.lexer;
            L(T::Text | T::Escaped, _, _) => Strand::Text(self.parse_text()?),
            L(T::LCurl, _, _) => Strand::Expr(self.parse_expr()?),
        })
    }

    fn parse_text(&mut self) -> Result<Cow<'s, str>, Error> {
        let mut text = self.parse_part()?;
        while let Some(L(T::Text | T::Escaped, _, _)) = self.lexer.peek() {
            text += self.parse_part()?;
        }

        Ok(text)
    }

    fn parse_part(&mut self) -> Result<Cow<'s, str>, Error> {
        Ok(match_token! { self.lexer;
            L(T::Text | T::Escaped, _, slice) => {
                self.lexer.next();
                Cow::Borrowed(slice)
            }
        })
    }

    fn parse_expr(&mut self) -> Result<Vec<Element<'s>>, Error> {
        match_token! { self.lexer; L(T::LCurl, _, _) => self.lexer.next() };
        let mut idents = vec![self.parse_ident()?];

        loop {
            match_token! { self.lexer;
                L(T::RCurl, _, _) => {
                    self.lexer.next();
                    break;
                },
                L(T::Dot, off, _) => {
                    self.lexer.next();

                    if idents.len() >= self.max_depth {
                        return Err(Error::TooDeep {
                            max: self.max_depth,
                            off,
                        });
                    }

                    idents.push(self.parse_ident()?);
                }
            };
        }

        Ok(idents)
    }

    fn parse_ident(&mut self) -> Result<Element<'s>, Error> {
        Ok(match_token! { self.lexer;
            L(T::Ident, off, ident) => {
                self.lexer.next();
                if identifier::is_valid(ident) {
                    Element::Field(ident)
                } else {
                    return Err(Error::InvalidIdentifier { ident: ident.to_string(), off });
                }
            }
        })
    }
}

impl fmt::Display for Strand<'_> {
    fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
        match self {
            Strand::Text(text) => write!(f, "{text:?}"),
            Strand::Expr(path) => {
                let mut prefix = "";
                for field in path {
                    let Element::Field(name) = field else {
                        unreachable!("unexpected non-field element in path");
                    };

                    write!(f, "{prefix}{name}")?;
                    prefix = ".";
                }
                Ok(())
            }
        }
    }
}

#[cfg(test)]
mod tests {
    use super::*;

    fn field(f: &str) -> Element<'_> {
        Element::Field(f)
    }

    #[test]
    fn test_literal_string() {
        assert_eq!(
            Parser::new(10, "foo bar").parse_format().unwrap(),
            vec![Strand::Text("foo bar".into())]
        );
    }

    #[test]
    fn test_field_expr() {
        assert_eq!(
            Parser::new(10, "{foo}").parse_format().unwrap(),
            vec![Strand::Expr(vec![field("foo")])]
        );
    }

    #[test]
    fn test_compound_expr() {
        assert_eq!(
            Parser::new(10, "{foo.bar.baz}").parse_format().unwrap(),
            vec![Strand::Expr(
                vec![field("foo"), field("bar"), field("baz"),]
            )]
        );
    }

    #[test]
    fn test_text_with_escape() {
        assert_eq!(
            Parser::new(10, r#"foo \{bar\} baz"#)
                .parse_format()
                .unwrap(),
            vec![Strand::Text(r#"foo {bar} baz"#.into())],
        );
    }

    #[test]
    fn test_escape_chain() {
        assert_eq!(
            Parser::new(10, r#"\\\\\\\\\"#).parse_format().unwrap(),
            vec![Strand::Text(r#"\\\\\"#.into())],
        );
    }

    #[test]
    fn test_back_to_back_exprs() {
        assert_eq!(
            Parser::new(10, "{foo . bar}{baz.qux}")
                .parse_format()
                .unwrap(),
            vec![
                Strand::Expr(vec![field("foo"), field("bar")]),
                Strand::Expr(vec![field("baz"), field("qux")])
            ]
        );
    }

    #[test]
    fn test_bad_identifier() {
        assert_eq!(
            Parser::new(10, "{foo.bar.baz!}")
                .parse_format()
                .unwrap_err()
                .to_string(),
            "Invalid identifier \"baz!\" at offset 9",
        );
    }

    #[test]
    fn test_unexpected_lcurly() {
        assert_eq!(
            Parser::new(10, "{foo{}}")
                .parse_format()
                .unwrap_err()
                .to_string(),
            "Unexpected '{' at offset 4, expected one of '}', or '.'",
        );
    }

    #[test]
    fn test_unexpected_rcurly() {
        assert_eq!(
            Parser::new(10, "foo bar}")
                .parse_format()
                .unwrap_err()
                .to_string(),
            "Unexpected '}' at offset 7, expected one of text, an escaped character, or '{'",
        );
    }

    #[test]
    fn test_no_dot() {
        assert_eq!(
            Parser::new(10, "{foo bar}")
                .parse_format()
                .unwrap_err()
                .to_string(),
            "Unexpected identifier \"bar\" at offset 5, expected one of '}', or '.'",
        );
    }

    #[test]
    fn test_empty_expr() {
        assert_eq!(
            Parser::new(10, "foo {} bar")
                .parse_format()
                .unwrap_err()
                .to_string(),
            "Unexpected '}' at offset 5, expected an identifier",
        );
    }

    #[test]
    fn test_unexpected_eos() {
        assert_eq!(
            Parser::new(10, "foo {bar")
                .parse_format()
                .unwrap_err()
                .to_string(),
            "Unexpected end-of-string, expected one of '}', or '.'",
        );
    }

    #[test]
    fn test_too_deep() {
        assert_eq!(
            Parser::new(2, "{foo.bar.baz}")
                .parse_format()
                .unwrap_err()
                .to_string(),
            "Field access at offset 8 deeper than the maximum of 2",
        );
    }
}