miette/handlers/
graphical.rs

1use std::fmt::{self, Write};
2
3use owo_colors::{OwoColorize, Style, StyledList};
4use unicode_width::{UnicodeWidthChar, UnicodeWidthStr};
5
6use crate::diagnostic_chain::{DiagnosticChain, ErrorKind};
7use crate::handlers::theme::*;
8use crate::highlighters::{Highlighter, MietteHighlighter};
9use crate::protocol::{Diagnostic, Severity};
10use crate::{LabeledSpan, ReportHandler, SourceCode, SourceSpan, SpanContents};
11
12/**
13A [`ReportHandler`] that displays a given [`Report`](crate::Report) in a
14quasi-graphical way, using terminal colors, unicode drawing characters, and
15other such things.
16
17This is the default reporter bundled with `miette`.
18
19This printer can be customized by using [`new_themed()`](GraphicalReportHandler::new_themed) and handing it a
20[`GraphicalTheme`] of your own creation (or using one of its own defaults!)
21
22See [`set_hook()`](crate::set_hook) for more details on customizing your global
23printer.
24*/
25#[derive(Debug, Clone)]
26pub struct GraphicalReportHandler {
27    pub(crate) links: LinkStyle,
28    pub(crate) termwidth: usize,
29    pub(crate) theme: GraphicalTheme,
30    pub(crate) footer: Option<String>,
31    pub(crate) context_lines: usize,
32    pub(crate) tab_width: usize,
33    pub(crate) with_cause_chain: bool,
34    pub(crate) wrap_lines: bool,
35    pub(crate) break_words: bool,
36    pub(crate) word_separator: Option<textwrap::WordSeparator>,
37    pub(crate) word_splitter: Option<textwrap::WordSplitter>,
38    pub(crate) highlighter: MietteHighlighter,
39    pub(crate) link_display_text: Option<String>,
40    pub(crate) show_related_as_nested: bool,
41}
42
43#[derive(Debug, Clone, Copy, PartialEq, Eq)]
44pub(crate) enum LinkStyle {
45    None,
46    Link,
47    Text,
48}
49
50impl GraphicalReportHandler {
51    /// Create a new `GraphicalReportHandler` with the default
52    /// [`GraphicalTheme`]. This will use both unicode characters and colors.
53    pub fn new() -> Self {
54        Self {
55            links: LinkStyle::Link,
56            termwidth: 200,
57            theme: GraphicalTheme::default(),
58            footer: None,
59            context_lines: 1,
60            tab_width: 4,
61            with_cause_chain: true,
62            wrap_lines: true,
63            break_words: true,
64            word_separator: None,
65            word_splitter: None,
66            highlighter: MietteHighlighter::default(),
67            link_display_text: None,
68            show_related_as_nested: false,
69        }
70    }
71
72    ///Create a new `GraphicalReportHandler` with a given [`GraphicalTheme`].
73    pub fn new_themed(theme: GraphicalTheme) -> Self {
74        Self {
75            links: LinkStyle::Link,
76            termwidth: 200,
77            theme,
78            footer: None,
79            context_lines: 1,
80            tab_width: 4,
81            wrap_lines: true,
82            with_cause_chain: true,
83            break_words: true,
84            word_separator: None,
85            word_splitter: None,
86            highlighter: MietteHighlighter::default(),
87            link_display_text: None,
88            show_related_as_nested: false,
89        }
90    }
91
92    /// Set the displayed tab width in spaces.
93    pub fn tab_width(mut self, width: usize) -> Self {
94        self.tab_width = width;
95        self
96    }
97
98    /// Whether to enable error code linkification using [`Diagnostic::url()`].
99    pub fn with_links(mut self, links: bool) -> Self {
100        self.links = if links {
101            LinkStyle::Link
102        } else {
103            LinkStyle::Text
104        };
105        self
106    }
107
108    /// Include the cause chain of the top-level error in the graphical output,
109    /// if available.
110    pub fn with_cause_chain(mut self) -> Self {
111        self.with_cause_chain = true;
112        self
113    }
114
115    /// Do not include the cause chain of the top-level error in the graphical
116    /// output.
117    pub fn without_cause_chain(mut self) -> Self {
118        self.with_cause_chain = false;
119        self
120    }
121
122    /// Whether to include [`Diagnostic::url()`] in the output.
123    ///
124    /// Disabling this is not recommended, but can be useful for more easily
125    /// reproducible tests, as `url(docsrs)` links are version-dependent.
126    pub fn with_urls(mut self, urls: bool) -> Self {
127        self.links = match (self.links, urls) {
128            (_, false) => LinkStyle::None,
129            (LinkStyle::None, true) => LinkStyle::Link,
130            (links, true) => links,
131        };
132        self
133    }
134
135    /// Set a theme for this handler.
136    pub fn with_theme(mut self, theme: GraphicalTheme) -> Self {
137        self.theme = theme;
138        self
139    }
140
141    /// Sets the width to wrap the report at.
142    pub fn with_width(mut self, width: usize) -> Self {
143        self.termwidth = width;
144        self
145    }
146
147    /// Enables or disables wrapping of lines to fit the width.
148    pub fn with_wrap_lines(mut self, wrap_lines: bool) -> Self {
149        self.wrap_lines = wrap_lines;
150        self
151    }
152
153    /// Enables or disables breaking of words during wrapping.
154    pub fn with_break_words(mut self, break_words: bool) -> Self {
155        self.break_words = break_words;
156        self
157    }
158
159    /// Sets the word separator to use when wrapping.
160    pub fn with_word_separator(mut self, word_separator: textwrap::WordSeparator) -> Self {
161        self.word_separator = Some(word_separator);
162        self
163    }
164
165    /// Sets the word splitter to use when wrapping.
166    pub fn with_word_splitter(mut self, word_splitter: textwrap::WordSplitter) -> Self {
167        self.word_splitter = Some(word_splitter);
168        self
169    }
170
171    /// Sets the 'global' footer for this handler.
172    pub fn with_footer(mut self, footer: String) -> Self {
173        self.footer = Some(footer);
174        self
175    }
176
177    /// Sets the number of lines of context to show around each error.
178    pub fn with_context_lines(mut self, lines: usize) -> Self {
179        self.context_lines = lines;
180        self
181    }
182
183    /// Sets whether to render related errors as nested errors.
184    pub fn with_show_related_as_nested(mut self, show_related_as_nested: bool) -> Self {
185        self.show_related_as_nested = show_related_as_nested;
186        self
187    }
188
189    /// Enable syntax highlighting for source code snippets, using the given
190    /// [`Highlighter`]. See the [highlighters](crate::highlighters) crate
191    /// for more details.
192    pub fn with_syntax_highlighting(
193        mut self,
194        highlighter: impl Highlighter + Send + Sync + 'static,
195    ) -> Self {
196        self.highlighter = MietteHighlighter::from(highlighter);
197        self
198    }
199
200    /// Disable syntax highlighting. This uses the
201    /// [`crate::highlighters::BlankHighlighter`] as a no-op highlighter.
202    pub fn without_syntax_highlighting(mut self) -> Self {
203        self.highlighter = MietteHighlighter::nocolor();
204        self
205    }
206
207    /// Sets the display text for links.
208    /// Miette displays `(link)` if this option is not set.
209    pub fn with_link_display_text(mut self, text: impl Into<String>) -> Self {
210        self.link_display_text = Some(text.into());
211        self
212    }
213}
214
215impl Default for GraphicalReportHandler {
216    fn default() -> Self {
217        Self::new()
218    }
219}
220
221impl GraphicalReportHandler {
222    /// Render a [`Diagnostic`]. This function is mostly internal and meant to
223    /// be called by the toplevel [`ReportHandler`] handler, but is made public
224    /// to make it easier (possible) to test in isolation from global state.
225    pub fn render_report(
226        &self,
227        f: &mut impl fmt::Write,
228        diagnostic: &(dyn Diagnostic),
229    ) -> fmt::Result {
230        self.render_report_inner(f, diagnostic, diagnostic.source_code())
231    }
232
233    fn render_report_inner(
234        &self,
235        f: &mut impl fmt::Write,
236        diagnostic: &(dyn Diagnostic),
237        parent_src: Option<&dyn SourceCode>,
238    ) -> fmt::Result {
239        let src = diagnostic.source_code().or(parent_src);
240        self.render_header(f, diagnostic, false)?;
241        self.render_causes(f, diagnostic, src)?;
242        self.render_snippets(f, diagnostic, src)?;
243        self.render_footer(f, diagnostic)?;
244        self.render_related(f, diagnostic, src)?;
245        if let Some(footer) = &self.footer {
246            writeln!(f)?;
247            let width = self.termwidth.saturating_sub(2);
248            let mut opts = textwrap::Options::new(width)
249                .initial_indent("  ")
250                .subsequent_indent("  ")
251                .break_words(self.break_words);
252            if let Some(word_separator) = self.word_separator {
253                opts = opts.word_separator(word_separator);
254            }
255            if let Some(word_splitter) = self.word_splitter.clone() {
256                opts = opts.word_splitter(word_splitter);
257            }
258
259            writeln!(f, "{}", self.wrap(footer, opts))?;
260        }
261        Ok(())
262    }
263
264    fn render_header(
265        &self,
266        f: &mut impl fmt::Write,
267        diagnostic: &(dyn Diagnostic),
268        is_nested: bool,
269    ) -> fmt::Result {
270        let severity_style = match diagnostic.severity() {
271            Some(Severity::Error) | None => self.theme.styles.error,
272            Some(Severity::Warning) => self.theme.styles.warning,
273            Some(Severity::Advice) => self.theme.styles.advice,
274        };
275        let mut header = String::new();
276        let mut need_newline = is_nested;
277        if self.links == LinkStyle::Link && diagnostic.url().is_some() {
278            let url = diagnostic.url().unwrap(); // safe
279            let code = if let Some(code) = diagnostic.code() {
280                format!("{} ", code)
281            } else {
282                "".to_string()
283            };
284            let display_text = self.link_display_text.as_deref().unwrap_or("(link)");
285            let link = format!(
286                "\u{1b}]8;;{}\u{1b}\\{}{}\u{1b}]8;;\u{1b}\\",
287                url,
288                code.style(severity_style),
289                display_text.style(self.theme.styles.link)
290            );
291            write!(header, "{}", link)?;
292            writeln!(f, "{}", header)?;
293            need_newline = true;
294        } else if let Some(code) = diagnostic.code() {
295            write!(header, "{}", code.style(severity_style),)?;
296            if self.links == LinkStyle::Text && diagnostic.url().is_some() {
297                let url = diagnostic.url().unwrap(); // safe
298                write!(header, " ({})", url.style(self.theme.styles.link))?;
299            }
300            writeln!(f, "{}", header)?;
301            need_newline = true;
302        }
303        if need_newline {
304            writeln!(f)?;
305        }
306        Ok(())
307    }
308
309    fn render_causes(
310        &self,
311        f: &mut impl fmt::Write,
312        diagnostic: &(dyn Diagnostic),
313        parent_src: Option<&dyn SourceCode>,
314    ) -> fmt::Result {
315        let src = diagnostic.source_code().or(parent_src);
316
317        let (severity_style, severity_icon) = match diagnostic.severity() {
318            Some(Severity::Error) | None => (self.theme.styles.error, &self.theme.characters.error),
319            Some(Severity::Warning) => (self.theme.styles.warning, &self.theme.characters.warning),
320            Some(Severity::Advice) => (self.theme.styles.advice, &self.theme.characters.advice),
321        };
322
323        let initial_indent = format!("  {} ", severity_icon.style(severity_style));
324        let rest_indent = format!("  {} ", self.theme.characters.vbar.style(severity_style));
325        let width = self.termwidth.saturating_sub(2);
326        let mut opts = textwrap::Options::new(width)
327            .initial_indent(&initial_indent)
328            .subsequent_indent(&rest_indent)
329            .break_words(self.break_words);
330        if let Some(word_separator) = self.word_separator {
331            opts = opts.word_separator(word_separator);
332        }
333        if let Some(word_splitter) = self.word_splitter.clone() {
334            opts = opts.word_splitter(word_splitter);
335        }
336
337        writeln!(f, "{}", self.wrap(&diagnostic.to_string(), opts))?;
338
339        if !self.with_cause_chain {
340            return Ok(());
341        }
342
343        if let Some(mut cause_iter) = diagnostic
344            .diagnostic_source()
345            .map(DiagnosticChain::from_diagnostic)
346            .or_else(|| diagnostic.source().map(DiagnosticChain::from_stderror))
347            .map(|it| it.peekable())
348        {
349            while let Some(error) = cause_iter.next() {
350                let is_last = cause_iter.peek().is_none();
351                let char = if !is_last {
352                    self.theme.characters.lcross
353                } else {
354                    self.theme.characters.lbot
355                };
356                let initial_indent = format!(
357                    "  {}{}{} ",
358                    char, self.theme.characters.hbar, self.theme.characters.rarrow
359                )
360                .style(severity_style)
361                .to_string();
362                let rest_indent = format!(
363                    "  {}   ",
364                    if is_last {
365                        ' '
366                    } else {
367                        self.theme.characters.vbar
368                    }
369                )
370                .style(severity_style)
371                .to_string();
372                let mut opts = textwrap::Options::new(width)
373                    .initial_indent(&initial_indent)
374                    .subsequent_indent(&rest_indent)
375                    .break_words(self.break_words);
376                if let Some(word_separator) = self.word_separator {
377                    opts = opts.word_separator(word_separator);
378                }
379                if let Some(word_splitter) = self.word_splitter.clone() {
380                    opts = opts.word_splitter(word_splitter);
381                }
382
383                match error {
384                    ErrorKind::Diagnostic(diag) => {
385                        let mut inner = String::new();
386
387                        let mut inner_renderer = self.clone();
388                        // Don't print footer for inner errors
389                        inner_renderer.footer = None;
390                        // Cause chains are already flattened, so don't double-print the nested error
391                        inner_renderer.with_cause_chain = false;
392                        // Since everything from here on is indented, shrink the virtual terminal
393                        inner_renderer.termwidth -= rest_indent.width();
394                        inner_renderer.render_report_inner(&mut inner, diag, src)?;
395
396                        // If there was no header, remove the leading newline
397                        let inner = inner.trim_start_matches('\n');
398                        writeln!(f, "{}", self.wrap(inner, opts))?;
399                    }
400                    ErrorKind::StdError(err) => {
401                        writeln!(f, "{}", self.wrap(&err.to_string(), opts))?;
402                    }
403                }
404            }
405        }
406
407        Ok(())
408    }
409
410    fn render_footer(&self, f: &mut impl fmt::Write, diagnostic: &(dyn Diagnostic)) -> fmt::Result {
411        if let Some(help) = diagnostic.help() {
412            let width = self.termwidth.saturating_sub(2);
413            let initial_indent = "  help: ".style(self.theme.styles.help).to_string();
414            let mut opts = textwrap::Options::new(width)
415                .initial_indent(&initial_indent)
416                .subsequent_indent("        ")
417                .break_words(self.break_words);
418            if let Some(word_separator) = self.word_separator {
419                opts = opts.word_separator(word_separator);
420            }
421            if let Some(word_splitter) = self.word_splitter.clone() {
422                opts = opts.word_splitter(word_splitter);
423            }
424
425            writeln!(f, "{}", self.wrap(&help.to_string(), opts))?;
426        }
427        Ok(())
428    }
429
430    fn render_related(
431        &self,
432        f: &mut impl fmt::Write,
433        diagnostic: &(dyn Diagnostic),
434        parent_src: Option<&dyn SourceCode>,
435    ) -> fmt::Result {
436        let src = diagnostic.source_code().or(parent_src);
437
438        if let Some(related) = diagnostic.related() {
439            let severity_style = match diagnostic.severity() {
440                Some(Severity::Error) | None => self.theme.styles.error,
441                Some(Severity::Warning) => self.theme.styles.warning,
442                Some(Severity::Advice) => self.theme.styles.advice,
443            };
444
445            let mut inner_renderer = self.clone();
446            // Re-enable the printing of nested cause chains for related errors
447            inner_renderer.with_cause_chain = true;
448            if self.show_related_as_nested {
449                let width = self.termwidth.saturating_sub(2);
450                let mut related = related.peekable();
451                while let Some(rel) = related.next() {
452                    let is_last = related.peek().is_none();
453                    let char = if !is_last {
454                        self.theme.characters.lcross
455                    } else {
456                        self.theme.characters.lbot
457                    };
458                    let initial_indent = format!(
459                        "  {}{}{} ",
460                        char, self.theme.characters.hbar, self.theme.characters.rarrow
461                    )
462                    .style(severity_style)
463                    .to_string();
464                    let rest_indent = format!(
465                        "  {}   ",
466                        if is_last {
467                            ' '
468                        } else {
469                            self.theme.characters.vbar
470                        }
471                    )
472                    .style(severity_style)
473                    .to_string();
474
475                    let mut opts = textwrap::Options::new(width)
476                        .initial_indent(&initial_indent)
477                        .subsequent_indent(&rest_indent)
478                        .break_words(self.break_words);
479                    if let Some(word_separator) = self.word_separator {
480                        opts = opts.word_separator(word_separator);
481                    }
482                    if let Some(word_splitter) = self.word_splitter.clone() {
483                        opts = opts.word_splitter(word_splitter);
484                    }
485
486                    let mut inner = String::new();
487
488                    let mut inner_renderer = self.clone();
489                    inner_renderer.footer = None;
490                    inner_renderer.with_cause_chain = false;
491                    inner_renderer.termwidth -= rest_indent.width();
492                    inner_renderer.render_report_inner(&mut inner, rel, src)?;
493
494                    // If there was no header, remove the leading newline
495                    let inner = inner.trim_matches('\n');
496                    writeln!(f, "{}", self.wrap(inner, opts))?;
497                }
498            } else {
499                for rel in related {
500                    writeln!(f)?;
501                    match rel.severity() {
502                        Some(Severity::Error) | None => write!(f, "Error: ")?,
503                        Some(Severity::Warning) => write!(f, "Warning: ")?,
504                        Some(Severity::Advice) => write!(f, "Advice: ")?,
505                    };
506                    inner_renderer.render_header(f, rel, true)?;
507                    let src = rel.source_code().or(parent_src);
508                    inner_renderer.render_causes(f, rel, src)?;
509                    inner_renderer.render_snippets(f, rel, src)?;
510                    inner_renderer.render_footer(f, rel)?;
511                    inner_renderer.render_related(f, rel, src)?;
512                }
513            }
514        }
515        Ok(())
516    }
517
518    fn render_snippets(
519        &self,
520        f: &mut impl fmt::Write,
521        diagnostic: &(dyn Diagnostic),
522        opt_source: Option<&dyn SourceCode>,
523    ) -> fmt::Result {
524        let source = match opt_source {
525            Some(source) => source,
526            None => return Ok(()),
527        };
528        let labels = match diagnostic.labels() {
529            Some(labels) => labels,
530            None => return Ok(()),
531        };
532
533        let mut labels = labels.collect::<Vec<_>>();
534        labels.sort_unstable_by_key(|l| l.inner().offset());
535
536        let mut contexts = Vec::with_capacity(labels.len());
537        for right in labels.iter().cloned() {
538            let right_conts =
539                match source.read_span(right.inner(), self.context_lines, self.context_lines) {
540                    Ok(cont) => cont,
541                    Err(err) => {
542                        writeln!(
543                            f,
544                            "  [{} `{}` (offset: {}, length: {}): {:?}]",
545                            "Failed to read contents for label".style(self.theme.styles.error),
546                            right
547                                .label()
548                                .unwrap_or("<none>")
549                                .style(self.theme.styles.link),
550                            right.offset().style(self.theme.styles.link),
551                            right.len().style(self.theme.styles.link),
552                            err.style(self.theme.styles.warning)
553                        )?;
554                        return Ok(());
555                    }
556                };
557
558            if contexts.is_empty() {
559                contexts.push((right, right_conts));
560                continue;
561            }
562
563            let (left, left_conts) = contexts.last().unwrap();
564            if left_conts.line() + left_conts.line_count() >= right_conts.line() {
565                // The snippets will overlap, so we create one Big Chunky Boi
566                let left_end = left.offset() + left.len();
567                let right_end = right.offset() + right.len();
568                let new_end = std::cmp::max(left_end, right_end);
569
570                let new_span = LabeledSpan::new(
571                    left.label().map(String::from),
572                    left.offset(),
573                    new_end - left.offset(),
574                );
575                // Check that the two contexts can be combined
576                if let Ok(new_conts) =
577                    source.read_span(new_span.inner(), self.context_lines, self.context_lines)
578                {
579                    contexts.pop();
580                    // We'll throw the contents away later
581                    contexts.push((new_span, new_conts));
582                    continue;
583                }
584            }
585
586            contexts.push((right, right_conts));
587        }
588        for (ctx, _) in contexts {
589            self.render_context(f, source, &ctx, &labels[..])?;
590        }
591
592        Ok(())
593    }
594
595    fn render_context(
596        &self,
597        f: &mut impl fmt::Write,
598        source: &dyn SourceCode,
599        context: &LabeledSpan,
600        labels: &[LabeledSpan],
601    ) -> fmt::Result {
602        let (contents, lines) = self.get_lines(source, context.inner())?;
603
604        // only consider labels from the context as primary label
605        let ctx_labels = labels.iter().filter(|l| {
606            context.inner().offset() <= l.inner().offset()
607                && l.inner().offset() + l.inner().len()
608                    <= context.inner().offset() + context.inner().len()
609        });
610        let primary_label = ctx_labels
611            .clone()
612            .find(|label| label.primary())
613            .or_else(|| ctx_labels.clone().next());
614
615        // sorting is your friend
616        let labels = labels
617            .iter()
618            .zip(self.theme.styles.highlights.iter().cloned().cycle())
619            .map(|(label, st)| FancySpan::new(label.label().map(String::from), *label.inner(), st))
620            .collect::<Vec<_>>();
621
622        let mut highlighter_state = self.highlighter.start_highlighter_state(&*contents);
623
624        // The max number of gutter-lines that will be active at any given
625        // point. We need this to figure out indentation, so we do one loop
626        // over the lines to see what the damage is gonna be.
627        let mut max_gutter = 0usize;
628        for line in &lines {
629            let mut num_highlights = 0;
630            for hl in &labels {
631                if !line.span_line_only(hl) && line.span_applies_gutter(hl) {
632                    num_highlights += 1;
633                }
634            }
635            max_gutter = std::cmp::max(max_gutter, num_highlights);
636        }
637
638        // Oh and one more thing: We need to figure out how much room our line
639        // numbers need!
640        let linum_width = lines[..]
641            .last()
642            .map(|line| line.line_number)
643            // It's possible for the source to be an empty string.
644            .unwrap_or(0)
645            .to_string()
646            .len();
647
648        // Header
649        write!(
650            f,
651            "{}{}{}",
652            " ".repeat(linum_width + 2),
653            self.theme.characters.ltop,
654            self.theme.characters.hbar,
655        )?;
656
657        // If there is a primary label, then use its span
658        // as the reference point for line/column information.
659        let primary_contents = match primary_label {
660            Some(label) => source
661                .read_span(label.inner(), 0, 0)
662                .map_err(|_| fmt::Error)?,
663            None => contents,
664        };
665
666        if let Some(source_name) = primary_contents.name() {
667            writeln!(
668                f,
669                "[{}]",
670                format_args!(
671                    "{}:{}:{}",
672                    source_name,
673                    primary_contents.line() + 1,
674                    primary_contents.column() + 1
675                )
676                .style(self.theme.styles.link)
677            )?;
678        } else if lines.len() <= 1 {
679            writeln!(f, "{}", self.theme.characters.hbar.to_string().repeat(3))?;
680        } else {
681            writeln!(
682                f,
683                "[{}:{}]",
684                primary_contents.line() + 1,
685                primary_contents.column() + 1
686            )?;
687        }
688
689        // Now it's time for the fun part--actually rendering everything!
690        for line in &lines {
691            // Line number, appropriately padded.
692            self.write_linum(f, linum_width, line.line_number)?;
693
694            // Then, we need to print the gutter, along with any fly-bys We
695            // have separate gutters depending on whether we're on the actual
696            // line, or on one of the "highlight lines" below it.
697            self.render_line_gutter(f, max_gutter, line, &labels)?;
698
699            // And _now_ we can print out the line text itself!
700            let styled_text =
701                StyledList::from(highlighter_state.highlight_line(&line.text)).to_string();
702            self.render_line_text(f, &styled_text)?;
703
704            // Next, we write all the highlights that apply to this particular line.
705            let (single_line, multi_line): (Vec<_>, Vec<_>) = labels
706                .iter()
707                .filter(|hl| line.span_applies(hl))
708                .partition(|hl| line.span_line_only(hl));
709            if !single_line.is_empty() {
710                // no line number!
711                self.write_no_linum(f, linum_width)?;
712                // gutter _again_
713                self.render_highlight_gutter(
714                    f,
715                    max_gutter,
716                    line,
717                    &labels,
718                    LabelRenderMode::SingleLine,
719                )?;
720                self.render_single_line_highlights(
721                    f,
722                    line,
723                    linum_width,
724                    max_gutter,
725                    &single_line,
726                    &labels,
727                )?;
728            }
729            for hl in multi_line {
730                if hl.label().is_some() && line.span_ends(hl) && !line.span_starts(hl) {
731                    self.render_multi_line_end(f, &labels, max_gutter, linum_width, line, hl)?;
732                }
733            }
734        }
735        writeln!(
736            f,
737            "{}{}{}",
738            " ".repeat(linum_width + 2),
739            self.theme.characters.lbot,
740            self.theme.characters.hbar.to_string().repeat(4),
741        )?;
742        Ok(())
743    }
744
745    fn render_multi_line_end(
746        &self,
747        f: &mut impl fmt::Write,
748        labels: &[FancySpan],
749        max_gutter: usize,
750        linum_width: usize,
751        line: &Line,
752        label: &FancySpan,
753    ) -> fmt::Result {
754        // no line number!
755        self.write_no_linum(f, linum_width)?;
756
757        if let Some(label_parts) = label.label_parts() {
758            // if it has a label, how long is it?
759            let (first, rest) = label_parts
760                .split_first()
761                .expect("cannot crash because rest would have been None, see docs on the `label` field of FancySpan");
762
763            if rest.is_empty() {
764                // gutter _again_
765                self.render_highlight_gutter(
766                    f,
767                    max_gutter,
768                    line,
769                    labels,
770                    LabelRenderMode::SingleLine,
771                )?;
772
773                self.render_multi_line_end_single(
774                    f,
775                    first,
776                    label.style,
777                    LabelRenderMode::SingleLine,
778                )?;
779            } else {
780                // gutter _again_
781                self.render_highlight_gutter(
782                    f,
783                    max_gutter,
784                    line,
785                    labels,
786                    LabelRenderMode::MultiLineFirst,
787                )?;
788
789                self.render_multi_line_end_single(
790                    f,
791                    first,
792                    label.style,
793                    LabelRenderMode::MultiLineFirst,
794                )?;
795                for label_line in rest {
796                    // no line number!
797                    self.write_no_linum(f, linum_width)?;
798                    // gutter _again_
799                    self.render_highlight_gutter(
800                        f,
801                        max_gutter,
802                        line,
803                        labels,
804                        LabelRenderMode::MultiLineRest,
805                    )?;
806                    self.render_multi_line_end_single(
807                        f,
808                        label_line,
809                        label.style,
810                        LabelRenderMode::MultiLineRest,
811                    )?;
812                }
813            }
814        } else {
815            // gutter _again_
816            self.render_highlight_gutter(f, max_gutter, line, labels, LabelRenderMode::SingleLine)?;
817            // has no label
818            writeln!(f, "{}", self.theme.characters.hbar.style(label.style))?;
819        }
820
821        Ok(())
822    }
823
824    fn render_line_gutter(
825        &self,
826        f: &mut impl fmt::Write,
827        max_gutter: usize,
828        line: &Line,
829        highlights: &[FancySpan],
830    ) -> fmt::Result {
831        if max_gutter == 0 {
832            return Ok(());
833        }
834        let chars = &self.theme.characters;
835        let mut gutter = String::new();
836        let applicable = highlights.iter().filter(|hl| line.span_applies_gutter(hl));
837        let mut arrow = false;
838        for (i, hl) in applicable.enumerate() {
839            if line.span_starts(hl) {
840                gutter.push_str(&chars.ltop.style(hl.style).to_string());
841                gutter.push_str(
842                    &chars
843                        .hbar
844                        .to_string()
845                        .repeat(max_gutter.saturating_sub(i))
846                        .style(hl.style)
847                        .to_string(),
848                );
849                gutter.push_str(&chars.rarrow.style(hl.style).to_string());
850                arrow = true;
851                break;
852            } else if line.span_ends(hl) {
853                if hl.label().is_some() {
854                    gutter.push_str(&chars.lcross.style(hl.style).to_string());
855                } else {
856                    gutter.push_str(&chars.lbot.style(hl.style).to_string());
857                }
858                gutter.push_str(
859                    &chars
860                        .hbar
861                        .to_string()
862                        .repeat(max_gutter.saturating_sub(i))
863                        .style(hl.style)
864                        .to_string(),
865                );
866                gutter.push_str(&chars.rarrow.style(hl.style).to_string());
867                arrow = true;
868                break;
869            } else if line.span_flyby(hl) {
870                gutter.push_str(&chars.vbar.style(hl.style).to_string());
871            } else {
872                gutter.push(' ');
873            }
874        }
875        write!(
876            f,
877            "{}{}",
878            gutter,
879            " ".repeat(
880                if arrow { 1 } else { 3 } + max_gutter.saturating_sub(gutter.chars().count())
881            )
882        )?;
883        Ok(())
884    }
885
886    fn render_highlight_gutter(
887        &self,
888        f: &mut impl fmt::Write,
889        max_gutter: usize,
890        line: &Line,
891        highlights: &[FancySpan],
892        render_mode: LabelRenderMode,
893    ) -> fmt::Result {
894        if max_gutter == 0 {
895            return Ok(());
896        }
897
898        // keeps track of how many columns wide the gutter is
899        // important for ansi since simply measuring the size of the final string
900        // gives the wrong result when the string contains ansi codes.
901        let mut gutter_cols = 0;
902
903        let chars = &self.theme.characters;
904        let mut gutter = String::new();
905        let applicable = highlights.iter().filter(|hl| line.span_applies_gutter(hl));
906        for (i, hl) in applicable.enumerate() {
907            if !line.span_line_only(hl) && line.span_ends(hl) {
908                if render_mode == LabelRenderMode::MultiLineRest {
909                    // this is to make multiline labels work. We want to make the right amount
910                    // of horizontal space for them, but not actually draw the lines
911                    let horizontal_space = max_gutter.saturating_sub(i) + 2;
912                    for _ in 0..horizontal_space {
913                        gutter.push(' ');
914                    }
915                    // account for one more horizontal space, since in multiline mode
916                    // we also add in the vertical line before the label like this:
917                    // 2 │ ╭─▶   text
918                    // 3 │ ├─▶     here
919                    //   · ╰──┤ these two lines
920                    //   ·    │ are the problem
921                    //        ^this
922                    gutter_cols += horizontal_space + 1;
923                } else {
924                    let num_repeat = max_gutter.saturating_sub(i) + 2;
925
926                    gutter.push_str(&chars.lbot.style(hl.style).to_string());
927
928                    gutter.push_str(
929                        &chars
930                            .hbar
931                            .to_string()
932                            .repeat(
933                                num_repeat
934                                    // if we are rendering a multiline label, then leave a bit of space for the
935                                    // rcross character
936                                    - if render_mode == LabelRenderMode::MultiLineFirst {
937                                        1
938                                    } else {
939                                        0
940                                    },
941                            )
942                            .style(hl.style)
943                            .to_string(),
944                    );
945
946                    // we count 1 for the lbot char, and then a few more, the same number
947                    // as we just repeated for. For each repeat we only add 1, even though
948                    // due to ansi escape codes the number of bytes in the string could grow
949                    // a lot each time.
950                    gutter_cols += num_repeat + 1;
951                }
952                break;
953            } else {
954                gutter.push_str(&chars.vbar.style(hl.style).to_string());
955
956                // we may push many bytes for the ansi escape codes style adds,
957                // but we still only add a single character-width to the string in a terminal
958                gutter_cols += 1;
959            }
960        }
961
962        // now calculate how many spaces to add based on how many columns we just created.
963        // it's the max width of the gutter, minus how many character-widths we just generated
964        // capped at 0 (though this should never go below in reality), and then we add 3 to
965        // account for arrowheads when a gutter line ends
966        let num_spaces = (max_gutter + 3).saturating_sub(gutter_cols);
967        // we then write the gutter and as many spaces as we need
968        write!(f, "{}{:width$}", gutter, "", width = num_spaces)?;
969        Ok(())
970    }
971
972    fn wrap(&self, text: &str, opts: textwrap::Options<'_>) -> String {
973        if self.wrap_lines {
974            textwrap::fill(text, opts)
975        } else {
976            // Format without wrapping, but retain the indentation options
977            // Implementation based on `textwrap::indent`
978            let mut result = String::with_capacity(2 * text.len());
979            let trimmed_indent = opts.subsequent_indent.trim_end();
980            for (idx, line) in text.split_terminator('\n').enumerate() {
981                if idx > 0 {
982                    result.push('\n');
983                }
984                if idx == 0 {
985                    if line.trim().is_empty() {
986                        result.push_str(opts.initial_indent.trim_end());
987                    } else {
988                        result.push_str(opts.initial_indent);
989                    }
990                } else if line.trim().is_empty() {
991                    result.push_str(trimmed_indent);
992                } else {
993                    result.push_str(opts.subsequent_indent);
994                }
995                result.push_str(line);
996            }
997            if text.ends_with('\n') {
998                // split_terminator will have eaten the final '\n'.
999                result.push('\n');
1000            }
1001            result
1002        }
1003    }
1004
1005    fn write_linum(&self, f: &mut impl fmt::Write, width: usize, linum: usize) -> fmt::Result {
1006        write!(
1007            f,
1008            " {:width$} {} ",
1009            linum.style(self.theme.styles.linum),
1010            self.theme.characters.vbar,
1011            width = width
1012        )?;
1013        Ok(())
1014    }
1015
1016    fn write_no_linum(&self, f: &mut impl fmt::Write, width: usize) -> fmt::Result {
1017        write!(
1018            f,
1019            " {:width$} {} ",
1020            "",
1021            self.theme.characters.vbar_break,
1022            width = width
1023        )?;
1024        Ok(())
1025    }
1026
1027    /// Returns an iterator over the visual width of each character in a line.
1028    fn line_visual_char_width<'a>(&self, text: &'a str) -> impl Iterator<Item = usize> + 'a {
1029        let mut column = 0;
1030        let mut escaped = false;
1031        let tab_width = self.tab_width;
1032        text.chars().map(move |c| {
1033            let width = match (escaped, c) {
1034                // Round up to the next multiple of tab_width
1035                (false, '\t') => tab_width - column % tab_width,
1036                // start of ANSI escape
1037                (false, '\x1b') => {
1038                    escaped = true;
1039                    0
1040                }
1041                // use Unicode width for all other characters
1042                (false, c) => c.width().unwrap_or(0),
1043                // end of ANSI escape
1044                (true, 'm') => {
1045                    escaped = false;
1046                    0
1047                }
1048                // characters are zero width within escape sequence
1049                (true, _) => 0,
1050            };
1051            column += width;
1052            width
1053        })
1054    }
1055
1056    /// Returns the visual column position of a byte offset on a specific line.
1057    ///
1058    /// If the offset occurs in the middle of a character, the returned column
1059    /// corresponds to that character's first column in `start` is true, or its
1060    /// last column if `start` is false.
1061    fn visual_offset(&self, line: &Line, offset: usize, start: bool) -> usize {
1062        let line_range = line.offset..=(line.offset + line.length);
1063        assert!(line_range.contains(&offset));
1064
1065        let mut text_index = offset - line.offset;
1066        while text_index <= line.text.len() && !line.text.is_char_boundary(text_index) {
1067            if start {
1068                text_index -= 1;
1069            } else {
1070                text_index += 1;
1071            }
1072        }
1073        let text = &line.text[..text_index.min(line.text.len())];
1074        let text_width = self.line_visual_char_width(text).sum();
1075        if text_index > line.text.len() {
1076            // Spans extending past the end of the line are always rendered as
1077            // one column past the end of the visible line.
1078            //
1079            // This doesn't necessarily correspond to a specific byte-offset,
1080            // since a span extending past the end of the line could contain:
1081            //  - an actual \n character (1 byte)
1082            //  - a CRLF (2 bytes)
1083            //  - EOF (0 bytes)
1084            text_width + 1
1085        } else {
1086            text_width
1087        }
1088    }
1089
1090    /// Renders a line to the output formatter, replacing tabs with spaces.
1091    fn render_line_text(&self, f: &mut impl fmt::Write, text: &str) -> fmt::Result {
1092        for (c, width) in text.chars().zip(self.line_visual_char_width(text)) {
1093            if c == '\t' {
1094                for _ in 0..width {
1095                    f.write_char(' ')?;
1096                }
1097            } else {
1098                f.write_char(c)?;
1099            }
1100        }
1101        f.write_char('\n')?;
1102        Ok(())
1103    }
1104
1105    fn render_single_line_highlights(
1106        &self,
1107        f: &mut impl fmt::Write,
1108        line: &Line,
1109        linum_width: usize,
1110        max_gutter: usize,
1111        single_liners: &[&FancySpan],
1112        all_highlights: &[FancySpan],
1113    ) -> fmt::Result {
1114        let mut underlines = String::new();
1115        let mut highest = 0;
1116
1117        let chars = &self.theme.characters;
1118        let vbar_offsets: Vec<_> = single_liners
1119            .iter()
1120            .map(|hl| {
1121                let byte_start = hl.offset();
1122                let byte_end = hl.offset() + hl.len();
1123                let start = self.visual_offset(line, byte_start, true).max(highest);
1124                let end = if hl.len() == 0 {
1125                    start + 1
1126                } else {
1127                    self.visual_offset(line, byte_end, false).max(start + 1)
1128                };
1129
1130                let vbar_offset = (start + end) / 2;
1131                let num_left = vbar_offset - start;
1132                let num_right = end - vbar_offset - 1;
1133                underlines.push_str(
1134                    &format!(
1135                        "{:width$}{}{}{}",
1136                        "",
1137                        chars.underline.to_string().repeat(num_left),
1138                        if hl.len() == 0 {
1139                            chars.uarrow
1140                        } else if hl.label().is_some() {
1141                            chars.underbar
1142                        } else {
1143                            chars.underline
1144                        },
1145                        chars.underline.to_string().repeat(num_right),
1146                        width = start.saturating_sub(highest),
1147                    )
1148                    .style(hl.style)
1149                    .to_string(),
1150                );
1151                highest = std::cmp::max(highest, end);
1152
1153                (hl, vbar_offset)
1154            })
1155            .collect();
1156        writeln!(f, "{}", underlines)?;
1157
1158        for hl in single_liners.iter().rev() {
1159            if let Some(label) = hl.label_parts() {
1160                if label.len() == 1 {
1161                    self.write_label_text(
1162                        f,
1163                        line,
1164                        linum_width,
1165                        max_gutter,
1166                        all_highlights,
1167                        chars,
1168                        &vbar_offsets,
1169                        hl,
1170                        &label[0],
1171                        LabelRenderMode::SingleLine,
1172                    )?;
1173                } else {
1174                    let mut first = true;
1175                    for label_line in &label {
1176                        self.write_label_text(
1177                            f,
1178                            line,
1179                            linum_width,
1180                            max_gutter,
1181                            all_highlights,
1182                            chars,
1183                            &vbar_offsets,
1184                            hl,
1185                            label_line,
1186                            if first {
1187                                LabelRenderMode::MultiLineFirst
1188                            } else {
1189                                LabelRenderMode::MultiLineRest
1190                            },
1191                        )?;
1192                        first = false;
1193                    }
1194                }
1195            }
1196        }
1197        Ok(())
1198    }
1199
1200    // I know it's not good practice, but making this a function makes a lot of sense
1201    // and making a struct for this does not...
1202    #[allow(clippy::too_many_arguments)]
1203    fn write_label_text(
1204        &self,
1205        f: &mut impl fmt::Write,
1206        line: &Line,
1207        linum_width: usize,
1208        max_gutter: usize,
1209        all_highlights: &[FancySpan],
1210        chars: &ThemeCharacters,
1211        vbar_offsets: &[(&&FancySpan, usize)],
1212        hl: &&FancySpan,
1213        label: &str,
1214        render_mode: LabelRenderMode,
1215    ) -> fmt::Result {
1216        self.write_no_linum(f, linum_width)?;
1217        self.render_highlight_gutter(
1218            f,
1219            max_gutter,
1220            line,
1221            all_highlights,
1222            LabelRenderMode::SingleLine,
1223        )?;
1224        let mut curr_offset = 1usize;
1225        for (offset_hl, vbar_offset) in vbar_offsets {
1226            while curr_offset < *vbar_offset + 1 {
1227                write!(f, " ")?;
1228                curr_offset += 1;
1229            }
1230            if *offset_hl != hl {
1231                write!(f, "{}", chars.vbar.to_string().style(offset_hl.style))?;
1232                curr_offset += 1;
1233            } else {
1234                let lines = match render_mode {
1235                    LabelRenderMode::SingleLine => format!(
1236                        "{}{} {}",
1237                        chars.lbot,
1238                        chars.hbar.to_string().repeat(2),
1239                        label,
1240                    ),
1241                    LabelRenderMode::MultiLineFirst => {
1242                        format!("{}{}{} {}", chars.lbot, chars.hbar, chars.rcross, label,)
1243                    }
1244                    LabelRenderMode::MultiLineRest => {
1245                        format!("  {} {}", chars.vbar, label,)
1246                    }
1247                };
1248                writeln!(f, "{}", lines.style(hl.style))?;
1249                break;
1250            }
1251        }
1252        Ok(())
1253    }
1254
1255    fn render_multi_line_end_single(
1256        &self,
1257        f: &mut impl fmt::Write,
1258        label: &str,
1259        style: Style,
1260        render_mode: LabelRenderMode,
1261    ) -> fmt::Result {
1262        match render_mode {
1263            LabelRenderMode::SingleLine => {
1264                writeln!(f, "{} {}", self.theme.characters.hbar.style(style), label)?;
1265            }
1266            LabelRenderMode::MultiLineFirst => {
1267                writeln!(f, "{} {}", self.theme.characters.rcross.style(style), label)?;
1268            }
1269            LabelRenderMode::MultiLineRest => {
1270                writeln!(f, "{} {}", self.theme.characters.vbar.style(style), label)?;
1271            }
1272        }
1273
1274        Ok(())
1275    }
1276
1277    fn get_lines<'a>(
1278        &'a self,
1279        source: &'a dyn SourceCode,
1280        context_span: &'a SourceSpan,
1281    ) -> Result<(Box<dyn SpanContents<'a> + 'a>, Vec<Line>), fmt::Error> {
1282        let context_data = source
1283            .read_span(context_span, self.context_lines, self.context_lines)
1284            .map_err(|_| fmt::Error)?;
1285        let context = String::from_utf8_lossy(context_data.data());
1286        let mut line = context_data.line();
1287        let mut column = context_data.column();
1288        let mut offset = context_data.span().offset();
1289        let mut line_offset = offset;
1290        let mut line_str = String::with_capacity(context.len());
1291        let mut lines = Vec::with_capacity(1);
1292        let mut iter = context.chars().peekable();
1293        while let Some(char) = iter.next() {
1294            offset += char.len_utf8();
1295            let mut at_end_of_file = false;
1296            match char {
1297                '\r' => {
1298                    if iter.next_if_eq(&'\n').is_some() {
1299                        offset += 1;
1300                        line += 1;
1301                        column = 0;
1302                    } else {
1303                        line_str.push(char);
1304                        column += 1;
1305                    }
1306                    at_end_of_file = iter.peek().is_none();
1307                }
1308                '\n' => {
1309                    at_end_of_file = iter.peek().is_none();
1310                    line += 1;
1311                    column = 0;
1312                }
1313                _ => {
1314                    line_str.push(char);
1315                    column += 1;
1316                }
1317            }
1318
1319            if iter.peek().is_none() && !at_end_of_file {
1320                line += 1;
1321            }
1322
1323            if column == 0 || iter.peek().is_none() {
1324                lines.push(Line {
1325                    line_number: line,
1326                    offset: line_offset,
1327                    length: offset - line_offset,
1328                    text: line_str.clone(),
1329                });
1330                line_str.clear();
1331                line_offset = offset;
1332            }
1333        }
1334        Ok((context_data, lines))
1335    }
1336}
1337
1338impl ReportHandler for GraphicalReportHandler {
1339    fn debug(&self, diagnostic: &(dyn Diagnostic), f: &mut fmt::Formatter<'_>) -> fmt::Result {
1340        if f.alternate() {
1341            return fmt::Debug::fmt(diagnostic, f);
1342        }
1343
1344        self.render_report(f, diagnostic)
1345    }
1346}
1347
1348/*
1349Support types
1350*/
1351
1352#[derive(PartialEq, Debug)]
1353enum LabelRenderMode {
1354    /// we're rendering a single line label (or not rendering in any special way)
1355    SingleLine,
1356    /// we're rendering a multiline label
1357    MultiLineFirst,
1358    /// we're rendering the rest of a multiline label
1359    MultiLineRest,
1360}
1361
1362#[derive(Debug)]
1363struct Line {
1364    line_number: usize,
1365    offset: usize,
1366    length: usize,
1367    text: String,
1368}
1369
1370impl Line {
1371    fn span_line_only(&self, span: &FancySpan) -> bool {
1372        span.offset() >= self.offset && span.offset() + span.len() <= self.offset + self.length
1373    }
1374
1375    /// Returns whether `span` should be visible on this line, either in the gutter or under the
1376    /// text on this line
1377    fn span_applies(&self, span: &FancySpan) -> bool {
1378        let spanlen = if span.len() == 0 { 1 } else { span.len() };
1379        // Span starts in this line
1380
1381        (span.offset() >= self.offset && span.offset() < self.offset + self.length)
1382            // Span passes through this line
1383            || (span.offset() < self.offset && span.offset() + spanlen > self.offset + self.length) //todo
1384            // Span ends on this line
1385            || (span.offset() + spanlen > self.offset && span.offset() + spanlen <= self.offset + self.length)
1386    }
1387
1388    /// Returns whether `span` should be visible on this line in the gutter (so this excludes spans
1389    /// that are only visible on this line and do not span multiple lines)
1390    fn span_applies_gutter(&self, span: &FancySpan) -> bool {
1391        let spanlen = if span.len() == 0 { 1 } else { span.len() };
1392        // Span starts in this line
1393        self.span_applies(span)
1394            && !(
1395                // as long as it doesn't start *and* end on this line
1396                (span.offset() >= self.offset && span.offset() < self.offset + self.length)
1397                    && (span.offset() + spanlen > self.offset
1398                        && span.offset() + spanlen <= self.offset + self.length)
1399            )
1400    }
1401
1402    // A 'flyby' is a multi-line span that technically covers this line, but
1403    // does not begin or end within the line itself. This method is used to
1404    // calculate gutters.
1405    fn span_flyby(&self, span: &FancySpan) -> bool {
1406        // The span itself starts before this line's starting offset (so, in a
1407        // prev line).
1408        span.offset() < self.offset
1409            // ...and it stops after this line's end.
1410            && span.offset() + span.len() > self.offset + self.length
1411    }
1412
1413    // Does this line contain the *beginning* of this multiline span?
1414    // This assumes self.span_applies() is true already.
1415    fn span_starts(&self, span: &FancySpan) -> bool {
1416        span.offset() >= self.offset
1417    }
1418
1419    // Does this line contain the *end* of this multiline span?
1420    // This assumes self.span_applies() is true already.
1421    fn span_ends(&self, span: &FancySpan) -> bool {
1422        span.offset() + span.len() >= self.offset
1423            && span.offset() + span.len() <= self.offset + self.length
1424    }
1425}
1426
1427#[derive(Debug, Clone)]
1428struct FancySpan {
1429    /// this is deliberately an option of a vec because I wanted to be very explicit
1430    /// that there can also be *no* label. If there is a label, it can have multiple
1431    /// lines which is what the vec is for.
1432    label: Option<Vec<String>>,
1433    span: SourceSpan,
1434    style: Style,
1435}
1436
1437impl PartialEq for FancySpan {
1438    fn eq(&self, other: &Self) -> bool {
1439        self.label == other.label && self.span == other.span
1440    }
1441}
1442
1443fn split_label(v: String) -> Vec<String> {
1444    v.split('\n').map(|i| i.to_string()).collect()
1445}
1446
1447impl FancySpan {
1448    fn new(label: Option<String>, span: SourceSpan, style: Style) -> Self {
1449        FancySpan {
1450            label: label.map(split_label),
1451            span,
1452            style,
1453        }
1454    }
1455
1456    fn style(&self) -> Style {
1457        self.style
1458    }
1459
1460    fn label(&self) -> Option<String> {
1461        self.label
1462            .as_ref()
1463            .map(|l| l.join("\n").style(self.style()).to_string())
1464    }
1465
1466    fn label_parts(&self) -> Option<Vec<String>> {
1467        self.label.as_ref().map(|l| {
1468            l.iter()
1469                .map(|i| i.style(self.style()).to_string())
1470                .collect()
1471        })
1472    }
1473
1474    fn offset(&self) -> usize {
1475        self.span.offset()
1476    }
1477
1478    fn len(&self) -> usize {
1479        self.span.len()
1480    }
1481}