rune/fmt/
output.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
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
use core::mem::take;

use crate::alloc::prelude::*;
use crate::alloc::{self, VecDeque};
use crate::ast::{Kind, Span};
use crate::compile::{Error, ErrorKind, FmtOptions, Result, WithSpan};
use crate::grammar::{Ignore, Node, Tree};
use crate::{Diagnostics, SourceId};

use super::{INDENT, NL, NL_CHAR, WS};

/// Hint for how comments may be laid out.
pub(super) enum Comments {
    /// Any kind of comment can be inserted and should be line-separated.
    Line,
    /// Comments may be inserted in a whitespace prefix position, like `(<comment>args`.
    Prefix,
    /// Comments may be inserted in a whitespace suffix position, like `args<comment>)`.
    Suffix,
    /// An infix comment hint, like `(<comment>)` where there is no preceeding
    /// or succeeding whitespace.
    Infix,
}

#[derive(Clone, Copy, Debug)]
struct Comment {
    span: Span,
    before: usize,
    line: bool,
}

/// A source of text.
#[repr(transparent)]
pub(super) struct Source(str);

impl Source {
    fn new(source: &str) -> &Self {
        // Safety: Source is repr transparent over str.
        unsafe { &*(source as *const str as *const Self) }
    }

    /// Get a checked span from the source.
    pub(super) fn get(&self, span: Span) -> Result<&str> {
        let Some(source) = self.0.get(span.range()) else {
            return Err(Error::new(span, ErrorKind::BadSpan { len: self.0.len() }));
        };

        Ok(source)
    }

    /// Perform a whitespace-insensitive count and check if it's more than
    /// `count`.
    pub(super) fn is_at_least(&self, span: Span, mut count: usize) -> Result<bool> {
        let source = self.get(span)?;

        for c in source.chars() {
            if c.is_whitespace() {
                continue;
            }

            let Some(c) = count.checked_sub(1) else {
                return Ok(true);
            };

            count = c;
        }

        Ok(false)
    }
}

/// The output buffer.
#[repr(transparent)]
pub(super) struct Buffer(String);

impl Buffer {
    fn new(output: &mut String) -> &mut Self {
        // Safety: Source is repr transparent over str.
        unsafe { &mut *(output as *mut String as *mut Self) }
    }

    #[inline]
    fn is_empty(&self) -> bool {
        self.0.is_empty()
    }

    #[inline]
    fn str(&mut self, s: &str) -> alloc::Result<()> {
        self.0.try_push_str(s)
    }

    fn lines(&mut self, indent: usize, lines: usize) -> alloc::Result<()> {
        if lines == 0 {
            return Ok(());
        }

        for _ in 0..lines {
            self.0.try_push_str(NL)?;
        }

        for _ in 0..indent {
            self.0.try_push_str(INDENT)?;
        }

        Ok(())
    }
}

/// A constructed syntax tree.
pub(crate) struct Formatter<'a> {
    span: Span,
    pub(super) source: &'a Source,
    source_id: SourceId,
    o: &'a mut Buffer,
    pub(super) options: &'a FmtOptions,
    diagnostics: &'a mut Diagnostics,
    comments: VecDeque<Comment>,
    lines: usize,
    use_lines: bool,
    ws: bool,
    indent: usize,
}

impl<'a> Formatter<'a> {
    /// Construct a new tree.
    pub(super) fn new(
        span: Span,
        source: &'a str,
        source_id: SourceId,
        o: &'a mut String,
        options: &'a FmtOptions,
        diagnostics: &'a mut Diagnostics,
    ) -> Self {
        Self {
            span,
            source: Source::new(source),
            source_id,
            o: Buffer::new(o),
            options,
            diagnostics,
            comments: VecDeque::new(),
            lines: 0,
            use_lines: false,
            ws: false,
            indent: 0,
        }
    }

    /// Ignore the given node.
    pub(crate) fn ignore(&mut self, node: Node<'a>) -> Result<()> {
        self.process_comments(node.walk_from())?;
        Ok(())
    }

    /// Write the give node to output.
    pub(crate) fn write_owned(&mut self, node: Node<'a>) -> Result<()> {
        self.flush_whitespace(false)?;
        self.write_node(&node)?;
        self.process_comments(node.walk_from())?;
        Ok(())
    }

    /// Write the give node to output without comment or whitespace processing.
    pub(crate) fn write_raw(&mut self, node: Node<'a>) -> Result<()> {
        self.write_node(&node)?;
        self.process_comments(node.walk_from())?;
        Ok(())
    }

    /// Buffer literal to output.
    pub(crate) fn lit(&mut self, s: &str) -> Result<()> {
        // We want whitespace to be preserved *unless* it was written out, since
        // a literal is a synthetic token.
        self.flush_whitespace(true)?;
        self.o.str(s).with_span(self.span)?;
        Ok(())
    }

    /// Flush any remaining whitespace.
    pub(super) fn comments(&mut self, comments: Comments) -> Result<()> {
        if self.comments.is_empty() {
            return Ok(());
        }

        match comments {
            Comments::Line => {
                self.comments_line(false)?;
            }
            Comments::Prefix | Comments::Suffix => {
                // Confusingly, the comment hint determines the location of the
                // comment relative to any relevant token, so it *looks* like
                // they are flipped here. But the writer function is simply used
                // to determine where the whitespace should be located.
                self.comments_ws(
                    matches!(comments, Comments::Suffix),
                    matches!(comments, Comments::Prefix),
                )?;
            }
            Comments::Infix => {
                self.comments_ws(false, false)?;
            }
        }

        Ok(())
    }

    /// Indent the output.
    pub(super) fn indent(&mut self, indent: isize) -> Result<()> {
        if indent != 0 {
            self.indent = self.checked_indent(indent)?;
        }

        Ok(())
    }

    /// Emit a line hint, indicating that the next write should be on a new line
    /// separated by at least `nl` lines.
    ///
    /// The value of `nl` is clamped to the range `[0, 2]`.
    ///
    /// This will write any pending line comments which are on the same line as
    /// the previously written nodes.
    pub(crate) fn nl(&mut self, lines: usize) -> Result<()> {
        if lines == 0 {
            return Ok(());
        }

        self.comments_line(true)?;

        // If we don't already have line heuristics, adopt the proposed one.
        if self.lines == 0 {
            self.lines = lines;
        }

        // At this point, we will use lines for the next flush.
        self.use_lines = true;
        Ok(())
    }

    /// Emit a whitespace hint, indicating that the next node write should
    /// happen with preceeding whitespace.
    ///
    /// This emits a `Comments::Suffix` hint by default, since we *expect*
    /// whitespace to be followed by tokens which will add any additional
    /// whitespace.
    pub(super) fn ws(&mut self) -> Result<()> {
        self.comments_ws(true, false)?;
        self.ws = true;
        Ok(())
    }

    /// Write leading comments.
    pub(super) fn flush_prefix_comments(&mut self, tree: &'a Tree) -> Result<()> {
        self.process_comments(tree.walk())?;
        self.comments(Comments::Line)?;
        self.use_lines = self.lines > 0;
        Ok(())
    }

    /// Smuggle in line comments when we receive a line hint.
    fn comments_line(&mut self, same_line: bool) -> Result<()> {
        while let Some(c) = self.comments.front() {
            if same_line && c.before != 0 {
                break;
            }

            if !self.o.is_empty() {
                if c.before == 0 {
                    self.o.str(WS).with_span(c.span)?;
                } else {
                    self.o
                        .lines(self.indent, c.before.min(2))
                        .with_span(c.span)?;
                }
            }

            let source = self.source.get(c.span)?;
            let source = if c.line { source.trim_end() } else { source };
            self.o.str(source).with_span(c.span)?;

            _ = self.comments.pop_front();
        }

        Ok(())
    }

    /// Smuggle in whitespace comments when we receive a whitespace hint.
    fn comments_ws(&mut self, prefix: bool, suffix: bool) -> Result<()> {
        if self.comments.is_empty() {
            return Ok(());
        }

        let mut any = false;

        while let Some(c) = self.comments.front() {
            if c.line {
                break;
            }

            if (prefix || any) && !self.o.is_empty() {
                self.o.str(WS).with_span(c.span)?;
            }

            let source = self.source.get(c.span)?;
            self.o.str(source).with_span(c.span)?;

            any = true;

            _ = self.comments.pop_front();
        }

        if suffix && any {
            self.o.str(WS).with_span(self.span)?;
        }

        Ok(())
    }

    fn process_comments<I>(&mut self, iter: I) -> Result<()>
    where
        I: IntoIterator<Item = Node<'a>>,
    {
        for node in iter {
            if !node.has_children() && !self.write_comment(node)? {
                break;
            }
        }

        Ok(())
    }

    fn write_comment(&mut self, node: Node<'a>) -> Result<bool> {
        let span = node.span();

        match node.kind() {
            Kind::Comment | Kind::MultilineComment(..) => {
                self.comments
                    .try_push_back(Comment {
                        span,
                        before: take(&mut self.lines),
                        line: matches!(node.kind(), Kind::Comment),
                    })
                    .with_span(span)?;

                Ok(true)
            }
            Kind::Whitespace => {
                let source = self.source.get(span)?;
                let count = source.chars().filter(|c| *c == NL_CHAR).count();

                if self.lines == 0 {
                    self.lines = count;
                }

                Ok(true)
            }
            _ => Ok(false),
        }
    }

    fn checked_indent(&mut self, level: isize) -> Result<usize> {
        let Some(indent) = self.indent.checked_add_signed(level) else {
            return Err(Error::new(
                self.span,
                ErrorKind::BadIndent {
                    level,
                    indent: self.indent,
                },
            ));
        };

        Ok(indent)
    }

    fn write_node(&mut self, node: &Node<'_>) -> Result<()> {
        let source = self.source.get(node.span())?;
        self.span = node.span();
        self.o.str(source).with_span(self.span)?;
        Ok(())
    }

    pub(crate) fn flush_whitespace(&mut self, preserve: bool) -> Result<()> {
        if self.use_lines && self.lines > 0 {
            self.o.lines(self.indent, self.lines.min(2))?;
            self.ws = false;
            self.use_lines = false;
            self.lines = 0;
        }

        if self.ws {
            self.o.str(WS).with_span(self.span)?;
            self.ws = false;
        }

        if !preserve {
            self.lines = 0;
            self.use_lines = false;
        }

        Ok(())
    }
}

impl<'a> Ignore<'a> for Formatter<'a> {
    fn error(&mut self, error: Error) -> alloc::Result<()> {
        self.diagnostics.error(self.source_id, error)
    }

    fn ignore(&mut self, node: Node<'a>) -> Result<()> {
        Formatter::ignore(self, node)
    }
}