1use alloc::borrow::{Cow, ToOwned};
4use alloc::collections::BTreeMap;
5use alloc::string::{String, ToString};
6use alloc::{format, vec, vec::Vec};
7use core::cmp::{max, min, Ordering, Reverse};
8use core::fmt;
9
10use anstyle::Style;
11
12use super::margin::Margin;
13use super::stylesheet::Stylesheet;
14use super::DecorStyle;
15use super::Renderer;
16use crate::level::{Level, LevelInner};
17use crate::renderer::source_map::{
18 AnnotatedLineInfo, LineInfo, Loc, SourceMap, SplicedLines, SubstitutionHighlight, TrimmedPatch,
19};
20use crate::renderer::styled_buffer::StyledBuffer;
21use crate::snippet::Id;
22use crate::{
23 Annotation, AnnotationKind, Element, Group, Message, Origin, Padding, Patch, Report, Snippet,
24 Title,
25};
26
27const ANONYMIZED_LINE_NUM: &str = "LL";
28
29pub(crate) fn render(renderer: &Renderer, groups: Report<'_>) -> String {
30 if renderer.short_message {
31 render_short_message(renderer, groups).unwrap()
32 } else {
33 let (max_line_num, og_primary_path, groups) = pre_process(groups);
34 let max_line_num_len = if renderer.anonymized_line_numbers {
35 ANONYMIZED_LINE_NUM.len()
36 } else {
37 num_decimal_digits(max_line_num)
38 };
39 let mut out_string = String::new();
40 let group_len = groups.len();
41 for (
42 g,
43 PreProcessedGroup {
44 group,
45 elements,
46 primary_path,
47 max_depth,
48 },
49 ) in groups.into_iter().enumerate()
50 {
51 let mut buffer = StyledBuffer::new();
52 let level = group.primary_level.clone();
53 let mut message_iter = elements.into_iter().enumerate().peekable();
54 if let Some(title) = &group.title {
55 let peek = message_iter.peek().map(|(_, s)| s);
56 let title_style = if title.allows_styling {
57 TitleStyle::Header
58 } else {
59 TitleStyle::MainHeader
60 };
61 let buffer_msg_line_offset = buffer.num_lines();
62 render_title(
63 renderer,
64 &mut buffer,
65 title,
66 max_line_num_len,
67 title_style,
68 matches!(peek, Some(PreProcessedElement::Message(_))),
69 buffer_msg_line_offset,
70 );
71 let buffer_msg_line_offset = buffer.num_lines();
72
73 if matches!(peek, Some(PreProcessedElement::Message(_))) {
74 draw_col_separator_no_space(
75 renderer,
76 &mut buffer,
77 buffer_msg_line_offset,
78 max_line_num_len + 1,
79 );
80 }
81 if peek.is_none()
82 && title_style == TitleStyle::MainHeader
83 && g == 0
84 && group_len > 1
85 {
86 draw_col_separator_end(
87 renderer,
88 &mut buffer,
89 buffer_msg_line_offset,
90 max_line_num_len + 1,
91 );
92 }
93 }
94 let mut seen_primary = false;
95 let mut last_suggestion_path = None;
96 while let Some((i, section)) = message_iter.next() {
97 let peek = message_iter.peek().map(|(_, s)| s);
98 let is_first = i == 0;
99 match section {
100 PreProcessedElement::Message(title) => {
101 let title_style = TitleStyle::Secondary;
102 let buffer_msg_line_offset = buffer.num_lines();
103 render_title(
104 renderer,
105 &mut buffer,
106 title,
107 max_line_num_len,
108 title_style,
109 peek.is_some(),
110 buffer_msg_line_offset,
111 );
112 }
113 PreProcessedElement::Cause((cause, source_map, annotated_lines)) => {
114 let is_primary = primary_path == cause.path.as_ref() && !seen_primary;
115 seen_primary |= is_primary;
116 render_snippet_annotations(
117 renderer,
118 &mut buffer,
119 max_line_num_len,
120 cause,
121 is_primary,
122 &source_map,
123 &annotated_lines,
124 max_depth,
125 peek.is_some() || (g == 0 && group_len > 1),
126 is_first,
127 );
128
129 if g == 0 {
130 let current_line = buffer.num_lines();
131 match peek {
132 Some(PreProcessedElement::Message(_)) => {
133 draw_col_separator_no_space(
134 renderer,
135 &mut buffer,
136 current_line,
137 max_line_num_len + 1,
138 );
139 }
140 None if group_len > 1 => draw_col_separator_end(
141 renderer,
142 &mut buffer,
143 current_line,
144 max_line_num_len + 1,
145 ),
146 _ => {}
147 }
148 }
149 }
150 PreProcessedElement::Suggestion((
151 suggestion,
152 source_map,
153 spliced_lines,
154 display_suggestion,
155 )) => {
156 let matches_previous_suggestion =
157 last_suggestion_path == Some(suggestion.path.as_ref());
158 emit_suggestion_default(
159 renderer,
160 &mut buffer,
161 suggestion,
162 spliced_lines,
163 display_suggestion,
164 max_line_num_len,
165 &source_map,
166 primary_path.or(og_primary_path),
167 matches_previous_suggestion,
168 is_first,
169 peek.is_some(),
171 );
172
173 if matches!(peek, Some(PreProcessedElement::Suggestion(_))) {
174 last_suggestion_path = Some(suggestion.path.as_ref());
175 } else {
176 last_suggestion_path = None;
177 }
178 }
179
180 PreProcessedElement::Origin(origin) => {
181 let buffer_msg_line_offset = buffer.num_lines();
182 let is_primary = primary_path == Some(&origin.path) && !seen_primary;
183 seen_primary |= is_primary;
184 render_origin(
185 renderer,
186 &mut buffer,
187 max_line_num_len,
188 origin,
189 is_primary,
190 is_first,
191 peek.is_none(),
192 buffer_msg_line_offset,
193 );
194 let current_line = buffer.num_lines();
195 if g == 0 && peek.is_none() && group_len > 1 {
196 draw_col_separator_end(
197 renderer,
198 &mut buffer,
199 current_line,
200 max_line_num_len + 1,
201 );
202 }
203 }
204 PreProcessedElement::Padding(_) => {
205 let current_line = buffer.num_lines();
206 if peek.is_none() {
207 draw_col_separator_end(
208 renderer,
209 &mut buffer,
210 current_line,
211 max_line_num_len + 1,
212 );
213 } else {
214 draw_col_separator_no_space(
215 renderer,
216 &mut buffer,
217 current_line,
218 max_line_num_len + 1,
219 );
220 }
221 }
222 }
223 }
224 buffer
225 .render(&level, &renderer.stylesheet, &mut out_string)
226 .unwrap();
227 if g != group_len - 1 {
228 use core::fmt::Write;
229
230 writeln!(out_string).unwrap();
231 }
232 }
233 out_string
234 }
235}
236
237fn render_short_message(renderer: &Renderer, groups: &[Group<'_>]) -> Result<String, fmt::Error> {
238 let mut buffer = StyledBuffer::new();
239 let mut labels = None;
240 let group = groups.first().expect("Expected at least one group");
241
242 let Some(title) = &group.title else {
243 panic!("Expected a Title");
244 };
245
246 if let Some(Element::Cause(cause)) = group
247 .elements
248 .iter()
249 .find(|e| matches!(e, Element::Cause(_)))
250 {
251 let labels_inner = cause
252 .markers
253 .iter()
254 .filter_map(|ann| match &ann.label {
255 Some(msg) if ann.kind.is_primary() => {
256 if !msg.trim().is_empty() {
257 Some(msg.to_string())
258 } else {
259 None
260 }
261 }
262 _ => None,
263 })
264 .collect::<Vec<_>>()
265 .join(", ");
266 if !labels_inner.is_empty() {
267 labels = Some(labels_inner);
268 }
269
270 if let Some(path) = &cause.path {
271 let mut origin = Origin::path(path.as_ref());
272
273 let source_map = SourceMap::new(&cause.source, cause.line_start);
274 let (_depth, annotated_lines) =
275 source_map.annotated_lines(cause.markers.clone(), cause.fold);
276
277 if let Some(primary_line) = annotated_lines
278 .iter()
279 .find(|l| l.annotations.iter().any(LineAnnotation::is_primary))
280 .or(annotated_lines.iter().find(|l| !l.annotations.is_empty()))
281 {
282 origin.line = Some(primary_line.line_index);
283 if let Some(first_annotation) = primary_line
284 .annotations
285 .iter()
286 .min_by_key(|a| (Reverse(a.is_primary()), a.start.char))
287 {
288 origin.char_column = Some(first_annotation.start.char + 1);
289 }
290 }
291
292 render_origin(renderer, &mut buffer, 0, &origin, true, true, true, 0);
293 buffer.append(0, ": ", ElementStyle::LineAndColumn);
294 }
295 }
296
297 render_title(
298 renderer,
299 &mut buffer,
300 title,
301 0, TitleStyle::MainHeader,
303 false,
304 0,
305 );
306
307 if let Some(labels) = labels {
308 buffer.append(0, &format!(": {labels}"), ElementStyle::NoStyle);
309 }
310
311 let mut out_string = String::new();
312 buffer.render(&title.level, &renderer.stylesheet, &mut out_string)?;
313
314 Ok(out_string)
315}
316
317#[allow(clippy::too_many_arguments)]
318fn render_title(
319 renderer: &Renderer,
320 buffer: &mut StyledBuffer,
321 title: &dyn MessageOrTitle,
322 max_line_num_len: usize,
323 title_style: TitleStyle,
324 is_cont: bool,
325 buffer_msg_line_offset: usize,
326) {
327 let (label_style, title_element_style) = match title_style {
328 TitleStyle::MainHeader => (
329 ElementStyle::Level(title.level().level),
330 if renderer.short_message {
331 ElementStyle::NoStyle
332 } else {
333 ElementStyle::MainHeaderMsg
334 },
335 ),
336 TitleStyle::Header => (
337 ElementStyle::Level(title.level().level),
338 ElementStyle::HeaderMsg,
339 ),
340 TitleStyle::Secondary => {
341 for _ in 0..max_line_num_len {
342 buffer.prepend(buffer_msg_line_offset, " ", ElementStyle::NoStyle);
343 }
344
345 draw_note_separator(
346 renderer,
347 buffer,
348 buffer_msg_line_offset,
349 max_line_num_len + 1,
350 is_cont,
351 );
352 (ElementStyle::MainHeaderMsg, ElementStyle::NoStyle)
353 }
354 };
355 let mut label_width = 0;
356
357 if title.level().name != Some(None) {
358 buffer.append(buffer_msg_line_offset, title.level().as_str(), label_style);
359 label_width += title.level().as_str().len();
360 if let Some(Id { id: Some(id), url }) = &title.id() {
361 buffer.append(buffer_msg_line_offset, "[", label_style);
362 if let Some(url) = url.as_ref() {
363 buffer.append(
364 buffer_msg_line_offset,
365 &format!("\x1B]8;;{url}\x1B\\"),
366 label_style,
367 );
368 }
369 buffer.append(buffer_msg_line_offset, id, label_style);
370 if url.is_some() {
371 buffer.append(buffer_msg_line_offset, "\x1B]8;;\x1B\\", label_style);
372 }
373 buffer.append(buffer_msg_line_offset, "]", label_style);
374 label_width += 2 + id.len();
375 }
376 buffer.append(buffer_msg_line_offset, ": ", title_element_style);
377 label_width += 2;
378 }
379
380 let padding = " ".repeat(if title_style == TitleStyle::Secondary {
381 max_line_num_len + 3 + label_width
399 } else {
400 label_width
401 });
402
403 let (title_str, style) = if title.allows_styling() {
404 (title.text().to_owned(), ElementStyle::NoStyle)
405 } else {
406 (normalize_whitespace(title.text()), title_element_style)
407 };
408 for (i, text) in title_str.split('\n').enumerate() {
409 if i != 0 {
410 buffer.append(buffer_msg_line_offset + i, &padding, ElementStyle::NoStyle);
411 if title_style == TitleStyle::Secondary
412 && is_cont
413 && matches!(renderer.decor_style, DecorStyle::Unicode)
414 {
415 draw_col_separator_no_space(
427 renderer,
428 buffer,
429 buffer_msg_line_offset + i,
430 max_line_num_len + 1,
431 );
432 }
433 }
434 buffer.append(buffer_msg_line_offset + i, text, style);
435 }
436}
437
438#[allow(clippy::too_many_arguments)]
439fn render_origin(
440 renderer: &Renderer,
441 buffer: &mut StyledBuffer,
442 max_line_num_len: usize,
443 origin: &Origin<'_>,
444 is_primary: bool,
445 is_first: bool,
446 alone: bool,
447 buffer_msg_line_offset: usize,
448) {
449 if is_primary && !renderer.short_message {
450 buffer.prepend(
451 buffer_msg_line_offset,
452 renderer.decor_style.file_start(is_first, alone),
453 ElementStyle::LineNumber,
454 );
455 } else if !renderer.short_message {
456 buffer.prepend(
477 buffer_msg_line_offset,
478 renderer.decor_style.secondary_file_start(),
479 ElementStyle::LineNumber,
480 );
481 }
482
483 let str = match (&origin.line, &origin.char_column) {
484 (Some(line), Some(col)) => {
485 format!("{}:{}:{}", origin.path, line, col)
486 }
487 (Some(line), None) => format!("{}:{}", origin.path, line),
488 _ => origin.path.to_string(),
489 };
490
491 buffer.append(buffer_msg_line_offset, &str, ElementStyle::LineAndColumn);
492 if !renderer.short_message {
493 for _ in 0..max_line_num_len {
494 buffer.prepend(buffer_msg_line_offset, " ", ElementStyle::NoStyle);
495 }
496 }
497}
498
499#[allow(clippy::too_many_arguments)]
500fn render_snippet_annotations(
501 renderer: &Renderer,
502 buffer: &mut StyledBuffer,
503 max_line_num_len: usize,
504 snippet: &Snippet<'_, Annotation<'_>>,
505 is_primary: bool,
506 sm: &SourceMap<'_>,
507 annotated_lines: &[AnnotatedLineInfo<'_>],
508 multiline_depth: usize,
509 is_cont: bool,
510 is_first: bool,
511) {
512 if let Some(path) = &snippet.path {
513 let mut origin = Origin::path(path.as_ref());
514 if is_primary {
519 if let Some(primary_line) = annotated_lines
520 .iter()
521 .find(|l| l.annotations.iter().any(LineAnnotation::is_primary))
522 .or(annotated_lines.iter().find(|l| !l.annotations.is_empty()))
523 {
524 origin.line = Some(primary_line.line_index);
525 if let Some(first_annotation) = primary_line
526 .annotations
527 .iter()
528 .min_by_key(|a| (Reverse(a.is_primary()), a.start.char))
529 {
530 origin.char_column = Some(first_annotation.start.char + 1);
531 }
532 }
533 } else {
534 let buffer_msg_line_offset = buffer.num_lines();
535 draw_col_separator_no_space(
546 renderer,
547 buffer,
548 buffer_msg_line_offset,
549 max_line_num_len + 1,
550 );
551 if let Some(first_line) = annotated_lines.first() {
552 origin.line = Some(first_line.line_index);
553 if let Some(first_annotation) = first_line.annotations.first() {
554 origin.char_column = Some(first_annotation.start.char + 1);
555 }
556 }
557 }
558 let buffer_msg_line_offset = buffer.num_lines();
559 render_origin(
560 renderer,
561 buffer,
562 max_line_num_len,
563 &origin,
564 is_primary,
565 is_first,
566 false,
567 buffer_msg_line_offset,
568 );
569 draw_col_separator_no_space(
571 renderer,
572 buffer,
573 buffer_msg_line_offset + 1,
574 max_line_num_len + 1,
575 );
576 } else {
577 let buffer_msg_line_offset = buffer.num_lines();
578 if is_primary {
579 if renderer.decor_style == DecorStyle::Unicode {
580 buffer.puts(
581 buffer_msg_line_offset,
582 max_line_num_len,
583 renderer.decor_style.file_start(is_first, false),
584 ElementStyle::LineNumber,
585 );
586 } else {
587 draw_col_separator_no_space(
588 renderer,
589 buffer,
590 buffer_msg_line_offset,
591 max_line_num_len + 1,
592 );
593 }
594 } else {
595 draw_col_separator_no_space(
606 renderer,
607 buffer,
608 buffer_msg_line_offset,
609 max_line_num_len + 1,
610 );
611
612 buffer.puts(
613 buffer_msg_line_offset + 1,
614 max_line_num_len,
615 renderer.decor_style.secondary_file_start(),
616 ElementStyle::LineNumber,
617 );
618 }
619 }
620
621 let mut multilines = Vec::new();
623
624 let mut whitespace_margin = usize::MAX;
626 for line_info in annotated_lines {
627 let leading_whitespace = line_info
628 .line
629 .chars()
630 .take_while(|c| c.is_whitespace())
631 .map(|c| {
632 match c {
633 '\t' => 4,
635 _ => 1,
636 }
637 })
638 .sum();
639 if line_info.line.chars().any(|c| !c.is_whitespace()) {
640 whitespace_margin = min(whitespace_margin, leading_whitespace);
641 }
642 }
643 if whitespace_margin == usize::MAX {
644 whitespace_margin = 0;
645 }
646
647 let mut span_left_margin = usize::MAX;
649 for line_info in annotated_lines {
650 for ann in &line_info.annotations {
651 span_left_margin = min(span_left_margin, ann.start.display);
652 span_left_margin = min(span_left_margin, ann.end.display);
653 }
654 }
655 if span_left_margin == usize::MAX {
656 span_left_margin = 0;
657 }
658
659 let mut span_right_margin = 0;
661 let mut label_right_margin = 0;
662 let mut max_line_len = 0;
663 for line_info in annotated_lines {
664 max_line_len = max(max_line_len, str_width(line_info.line));
665 for ann in &line_info.annotations {
666 span_right_margin = max(span_right_margin, ann.start.display);
667 span_right_margin = max(span_right_margin, ann.end.display);
668 let label_right = ann.label.as_ref().map_or(0, |l| str_width(l) + 1);
670 label_right_margin = max(label_right_margin, ann.end.display + label_right);
671 }
672 }
673 let width_offset = 3 + max_line_num_len;
674 let code_offset = if multiline_depth == 0 {
675 width_offset
676 } else {
677 width_offset + multiline_depth + 1
678 };
679
680 let column_width = renderer.term_width.saturating_sub(code_offset);
681
682 let margin = Margin::new(
683 whitespace_margin,
684 span_left_margin,
685 span_right_margin,
686 label_right_margin,
687 column_width,
688 max_line_len,
689 );
690
691 for annotated_line_idx in 0..annotated_lines.len() {
693 let previous_buffer_line = buffer.num_lines();
694
695 let depths = render_source_line(
696 renderer,
697 &annotated_lines[annotated_line_idx],
698 buffer,
699 width_offset,
700 code_offset,
701 max_line_num_len,
702 margin,
703 !is_cont && annotated_line_idx + 1 == annotated_lines.len(),
704 );
705
706 let mut to_add = BTreeMap::new();
707
708 for (depth, style) in depths {
709 if let Some(index) = multilines.iter().position(|(d, _)| d == &depth) {
710 multilines.swap_remove(index);
711 } else {
712 to_add.insert(depth, style);
713 }
714 }
715
716 for (depth, style) in &multilines {
719 for line in previous_buffer_line..buffer.num_lines() {
720 draw_multiline_line(renderer, buffer, line, width_offset, *depth, *style);
721 }
722 }
723 if annotated_line_idx < (annotated_lines.len() - 1) {
726 let line_idx_delta = annotated_lines[annotated_line_idx + 1].line_index
727 - annotated_lines[annotated_line_idx].line_index;
728 match line_idx_delta.cmp(&2) {
729 Ordering::Greater => {
730 let last_buffer_line_num = buffer.num_lines();
731
732 draw_line_separator(renderer, buffer, last_buffer_line_num, width_offset);
733
734 for (depth, style) in &multilines {
736 draw_multiline_line(
737 renderer,
738 buffer,
739 last_buffer_line_num,
740 width_offset,
741 *depth,
742 *style,
743 );
744 }
745 if let Some(line) = annotated_lines.get(annotated_line_idx) {
746 for ann in &line.annotations {
747 if let LineAnnotationType::MultilineStart(pos) = ann.annotation_type {
748 draw_multiline_line(
752 renderer,
753 buffer,
754 last_buffer_line_num,
755 width_offset,
756 pos,
757 if ann.is_primary() {
758 ElementStyle::UnderlinePrimary
759 } else {
760 ElementStyle::UnderlineSecondary
761 },
762 );
763 }
764 }
765 }
766 }
767
768 Ordering::Equal => {
769 let unannotated_line = sm
770 .get_line(annotated_lines[annotated_line_idx].line_index + 1)
771 .unwrap_or("");
772
773 let last_buffer_line_num = buffer.num_lines();
774
775 draw_line(
776 renderer,
777 buffer,
778 &normalize_whitespace(unannotated_line),
779 annotated_lines[annotated_line_idx + 1].line_index - 1,
780 last_buffer_line_num,
781 width_offset,
782 code_offset,
783 max_line_num_len,
784 margin,
785 );
786
787 for (depth, style) in &multilines {
788 draw_multiline_line(
789 renderer,
790 buffer,
791 last_buffer_line_num,
792 width_offset,
793 *depth,
794 *style,
795 );
796 }
797 if let Some(line) = annotated_lines.get(annotated_line_idx) {
798 for ann in &line.annotations {
799 if let LineAnnotationType::MultilineStart(pos) = ann.annotation_type {
800 draw_multiline_line(
801 renderer,
802 buffer,
803 last_buffer_line_num,
804 width_offset,
805 pos,
806 if ann.is_primary() {
807 ElementStyle::UnderlinePrimary
808 } else {
809 ElementStyle::UnderlineSecondary
810 },
811 );
812 }
813 }
814 }
815 }
816 Ordering::Less => {}
817 }
818 }
819
820 multilines.extend(to_add);
821 }
822}
823
824#[allow(clippy::too_many_arguments)]
825fn render_source_line(
826 renderer: &Renderer,
827 line_info: &AnnotatedLineInfo<'_>,
828 buffer: &mut StyledBuffer,
829 width_offset: usize,
830 code_offset: usize,
831 max_line_num_len: usize,
832 margin: Margin,
833 close_window: bool,
834) -> Vec<(usize, ElementStyle)> {
835 let source_string = normalize_whitespace(line_info.line);
850
851 let line_offset = buffer.num_lines();
852
853 let left = draw_line(
854 renderer,
855 buffer,
856 &source_string,
857 line_info.line_index,
858 line_offset,
859 width_offset,
860 code_offset,
861 max_line_num_len,
862 margin,
863 );
864
865 if line_info.annotations.is_empty() {
867 if close_window {
870 draw_col_separator_end(renderer, buffer, line_offset + 1, width_offset - 2);
871 }
872 return vec![];
873 }
874
875 let mut buffer_ops = vec![];
892 let mut annotations = vec![];
893 let mut short_start = true;
894 for ann in &line_info.annotations {
895 if let LineAnnotationType::MultilineStart(depth) = ann.annotation_type {
896 if source_string
897 .chars()
898 .take(ann.start.display)
899 .all(char::is_whitespace)
900 {
901 let uline = renderer.decor_style.underline(ann.is_primary());
902 let chr = uline.multiline_whole_line;
903 annotations.push((depth, uline.style));
904 buffer_ops.push((line_offset, width_offset + depth - 1, chr, uline.style));
905 } else {
906 short_start = false;
907 break;
908 }
909 } else if let LineAnnotationType::MultilineLine(_) = ann.annotation_type {
910 } else {
911 short_start = false;
912 break;
913 }
914 }
915 if short_start {
916 for (y, x, c, s) in buffer_ops {
917 buffer.putc(y, x, c, s);
918 }
919 return annotations;
920 }
921
922 let mut annotations = line_info.annotations.clone();
955 annotations.sort_by_key(|a| Reverse((a.start.display, a.start.char)));
956
957 let mut overlap = vec![false; annotations.len()];
1020 let mut annotations_position = vec![];
1021 let mut line_len: usize = 0;
1022 let mut p = 0;
1023 for (i, annotation) in annotations.iter().enumerate() {
1024 for (j, next) in annotations.iter().enumerate() {
1025 if overlaps(next, annotation, 0) && j > 1 {
1026 overlap[i] = true;
1027 overlap[j] = true;
1028 }
1029 if overlaps(next, annotation, 0) && annotation.has_label() && j > i && p == 0
1033 {
1035 if next.start.display == annotation.start.display
1038 && next.start.char == annotation.start.char
1039 && next.end.display == annotation.end.display
1040 && next.end.char == annotation.end.char
1041 && !next.has_label()
1042 {
1043 continue;
1044 }
1045
1046 p += 1;
1048 break;
1049 }
1050 }
1051 annotations_position.push((p, annotation));
1052 for (j, next) in annotations.iter().enumerate() {
1053 if j > i {
1054 let l = next.label.as_ref().map_or(0, |label| label.len() + 2);
1055 if (overlaps(next, annotation, l) && annotation.has_label() && next.has_label()) || (annotation.takes_space() && next.has_label()) || (annotation.has_label() && next.takes_space())
1072 || (annotation.takes_space() && next.takes_space())
1073 || (overlaps(next, annotation, l)
1074 && (next.end.display, next.end.char) <= (annotation.end.display, annotation.end.char)
1075 && next.has_label()
1076 && p == 0)
1077 {
1079 p += 1;
1081 break;
1082 }
1083 }
1084 }
1085 line_len = max(line_len, p);
1086 }
1087
1088 if line_len != 0 {
1089 line_len += 1;
1090 }
1091
1092 if line_info.annotations.iter().all(LineAnnotation::is_line) {
1095 return vec![];
1096 }
1097
1098 if annotations_position
1099 .iter()
1100 .all(|(_, ann)| matches!(ann.annotation_type, LineAnnotationType::MultilineStart(_)))
1101 {
1102 if let Some(max_pos) = annotations_position.iter().map(|(pos, _)| *pos).max() {
1103 for (pos, _) in &mut annotations_position {
1116 *pos = max_pos - *pos;
1117 }
1118 line_len = line_len.saturating_sub(1);
1121 }
1122 }
1123
1124 for pos in 0..=line_len {
1136 draw_col_separator_no_space(renderer, buffer, line_offset + pos + 1, width_offset - 2);
1137 }
1138 if close_window {
1139 draw_col_separator_end(
1140 renderer,
1141 buffer,
1142 line_offset + line_len + 1,
1143 width_offset - 2,
1144 );
1145 }
1146 for &(pos, annotation) in &annotations_position {
1159 let underline = renderer.decor_style.underline(annotation.is_primary());
1160 let pos = pos + 1;
1161 match annotation.annotation_type {
1162 LineAnnotationType::MultilineStart(depth) | LineAnnotationType::MultilineEnd(depth) => {
1163 draw_range(
1164 buffer,
1165 underline.multiline_horizontal,
1166 line_offset + pos,
1167 width_offset + depth,
1168 (code_offset + annotation.start.display).saturating_sub(left),
1169 underline.style,
1170 );
1171 }
1172 _ if annotation.highlight_source => {
1173 buffer.set_style_range(
1174 line_offset,
1175 (code_offset + annotation.start.display).saturating_sub(left),
1176 (code_offset + annotation.end.display).saturating_sub(left),
1177 underline.style,
1178 annotation.is_primary(),
1179 );
1180 }
1181 _ => {}
1182 }
1183 }
1184
1185 for &(pos, annotation) in &annotations_position {
1197 let underline = renderer.decor_style.underline(annotation.is_primary());
1198 let pos = pos + 1;
1199
1200 if pos > 1 && (annotation.has_label() || annotation.takes_space()) {
1201 for p in line_offset + 1..=line_offset + pos {
1202 buffer.putc(
1203 p,
1204 (code_offset + annotation.start.display).saturating_sub(left),
1205 match annotation.annotation_type {
1206 LineAnnotationType::MultilineLine(_) => underline.multiline_vertical,
1207 _ => underline.vertical_text_line,
1208 },
1209 underline.style,
1210 );
1211 }
1212 if let LineAnnotationType::MultilineStart(_) = annotation.annotation_type {
1213 buffer.putc(
1214 line_offset + pos,
1215 (code_offset + annotation.start.display).saturating_sub(left),
1216 underline.bottom_right,
1217 underline.style,
1218 );
1219 }
1220 if matches!(
1221 annotation.annotation_type,
1222 LineAnnotationType::MultilineEnd(_)
1223 ) && annotation.has_label()
1224 {
1225 buffer.putc(
1226 line_offset + pos,
1227 (code_offset + annotation.start.display).saturating_sub(left),
1228 underline.multiline_bottom_right_with_text,
1229 underline.style,
1230 );
1231 }
1232 }
1233 match annotation.annotation_type {
1234 LineAnnotationType::MultilineStart(depth) => {
1235 buffer.putc(
1236 line_offset + pos,
1237 width_offset + depth - 1,
1238 underline.top_left,
1239 underline.style,
1240 );
1241 for p in line_offset + pos + 1..line_offset + line_len + 2 {
1242 buffer.putc(
1243 p,
1244 width_offset + depth - 1,
1245 underline.multiline_vertical,
1246 underline.style,
1247 );
1248 }
1249 }
1250 LineAnnotationType::MultilineEnd(depth) => {
1251 for p in line_offset..line_offset + pos {
1252 buffer.putc(
1253 p,
1254 width_offset + depth - 1,
1255 underline.multiline_vertical,
1256 underline.style,
1257 );
1258 }
1259 buffer.putc(
1260 line_offset + pos,
1261 width_offset + depth - 1,
1262 underline.bottom_left,
1263 underline.style,
1264 );
1265 }
1266 _ => (),
1267 }
1268 }
1269
1270 for &(pos, annotation) in &annotations_position {
1282 let style = if annotation.is_primary() {
1283 ElementStyle::LabelPrimary
1284 } else {
1285 ElementStyle::LabelSecondary
1286 };
1287 let (pos, col) = if pos == 0 {
1288 if annotation.end.display == 0 {
1289 (pos + 1, (annotation.end.display + 2).saturating_sub(left))
1290 } else {
1291 (pos + 1, (annotation.end.display + 1).saturating_sub(left))
1292 }
1293 } else {
1294 (pos + 2, annotation.start.display.saturating_sub(left))
1295 };
1296 if let Some(label) = &annotation.label {
1297 buffer.puts(line_offset + pos, code_offset + col, label, style);
1298 }
1299 }
1300
1301 annotations_position.sort_by_key(|(_, ann)| {
1310 (Reverse(ann.len()), ann.is_primary())
1312 });
1313
1314 for &(pos, annotation) in &annotations_position {
1326 let uline = renderer.decor_style.underline(annotation.is_primary());
1327 for p in annotation.start.display..annotation.end.display {
1328 buffer.putc(
1330 line_offset + 1,
1331 (code_offset + p).saturating_sub(left),
1332 uline.underline,
1333 uline.style,
1334 );
1335 }
1336
1337 if pos == 0
1338 && matches!(
1339 annotation.annotation_type,
1340 LineAnnotationType::MultilineStart(_) | LineAnnotationType::MultilineEnd(_)
1341 )
1342 {
1343 buffer.putc(
1345 line_offset + 1,
1346 (code_offset + annotation.start.display).saturating_sub(left),
1347 match annotation.annotation_type {
1348 LineAnnotationType::MultilineStart(_) => uline.top_right_flat,
1349 LineAnnotationType::MultilineEnd(_) => uline.multiline_end_same_line,
1350 _ => panic!("unexpected annotation type: {annotation:?}"),
1351 },
1352 uline.style,
1353 );
1354 } else if pos != 0
1355 && matches!(
1356 annotation.annotation_type,
1357 LineAnnotationType::MultilineStart(_) | LineAnnotationType::MultilineEnd(_)
1358 )
1359 {
1360 buffer.putc(
1363 line_offset + 1,
1364 (code_offset + annotation.start.display).saturating_sub(left),
1365 match annotation.annotation_type {
1366 LineAnnotationType::MultilineStart(_) => uline.multiline_start_down,
1367 LineAnnotationType::MultilineEnd(_) => uline.multiline_end_up,
1368 _ => panic!("unexpected annotation type: {annotation:?}"),
1369 },
1370 uline.style,
1371 );
1372 } else if pos != 0 && annotation.has_label() {
1373 buffer.putc(
1375 line_offset + 1,
1376 (code_offset + annotation.start.display).saturating_sub(left),
1377 uline.label_start,
1378 uline.style,
1379 );
1380 }
1381 }
1382
1383 for (i, (_pos, annotation)) in annotations_position.iter().enumerate() {
1387 if overlap[i] {
1389 continue;
1390 };
1391 let LineAnnotationType::Singleline = annotation.annotation_type else {
1392 continue;
1393 };
1394 let width = annotation.end.display - annotation.start.display;
1395 if width > margin.term_width * 2 && width > 10 {
1396 let pad = max(margin.term_width / 3, 5);
1399 buffer.replace(
1401 line_offset,
1402 annotation.start.display + pad,
1403 annotation.end.display - pad,
1404 renderer.decor_style.margin(),
1405 );
1406 buffer.replace(
1408 line_offset + 1,
1409 annotation.start.display + pad,
1410 annotation.end.display - pad,
1411 renderer.decor_style.margin(),
1412 );
1413 }
1414 }
1415 annotations_position
1416 .iter()
1417 .filter_map(|&(_, annotation)| match annotation.annotation_type {
1418 LineAnnotationType::MultilineStart(p) | LineAnnotationType::MultilineEnd(p) => {
1419 let style = if annotation.is_primary() {
1420 ElementStyle::LabelPrimary
1421 } else {
1422 ElementStyle::LabelSecondary
1423 };
1424 Some((p, style))
1425 }
1426 _ => None,
1427 })
1428 .collect::<Vec<_>>()
1429}
1430
1431#[allow(clippy::too_many_arguments)]
1432fn emit_suggestion_default(
1433 renderer: &Renderer,
1434 buffer: &mut StyledBuffer,
1435 suggestion: &Snippet<'_, Patch<'_>>,
1436 spliced_lines: SplicedLines<'_>,
1437 show_code_change: DisplaySuggestion,
1438 max_line_num_len: usize,
1439 sm: &SourceMap<'_>,
1440 primary_path: Option<&Cow<'_, str>>,
1441 matches_previous_suggestion: bool,
1442 is_first: bool,
1443 is_cont: bool,
1444) {
1445 let buffer_offset = buffer.num_lines();
1446 let mut row_num = buffer_offset + usize::from(!matches_previous_suggestion);
1447 let (complete, parts, highlights) = spliced_lines;
1448 let is_multiline = complete.lines().count() > 1;
1449
1450 if matches_previous_suggestion {
1451 buffer.puts(
1452 row_num - 1,
1453 max_line_num_len + 1,
1454 renderer.decor_style.multi_suggestion_separator(),
1455 ElementStyle::LineNumber,
1456 );
1457 } else {
1458 draw_col_separator_start(renderer, buffer, row_num - 1, max_line_num_len + 1);
1459 }
1460 if suggestion.path.as_ref() != primary_path {
1461 if let Some(path) = suggestion.path.as_ref() {
1462 if !matches_previous_suggestion {
1463 let (loc, _) = sm.span_to_locations(parts[0].span.clone());
1464 let arrow = renderer.decor_style.file_start(is_first, false);
1467 buffer.puts(row_num - 1, 0, arrow, ElementStyle::LineNumber);
1468 let message = format!("{}:{}:{}", path, loc.line, loc.char + 1);
1469 let col = usize::max(max_line_num_len + 1, arrow.len());
1470 buffer.puts(row_num - 1, col, &message, ElementStyle::LineAndColumn);
1471 for _ in 0..max_line_num_len {
1472 buffer.prepend(row_num - 1, " ", ElementStyle::NoStyle);
1473 }
1474 draw_col_separator_no_space(renderer, buffer, row_num, max_line_num_len + 1);
1475 row_num += 1;
1476 }
1477 }
1478 }
1479
1480 if let DisplaySuggestion::Diff = show_code_change {
1481 row_num += 1;
1482 }
1483
1484 let lo = parts.iter().map(|p| p.span.start).min().unwrap();
1485 let hi = parts.iter().map(|p| p.span.end).max().unwrap();
1486
1487 let file_lines = sm.span_to_lines(lo..hi);
1488 let (line_start, line_end) = if suggestion.fold {
1489 sm.span_to_locations(parts[0].original_span.clone())
1491 } else {
1492 sm.span_to_locations(0..sm.source.len())
1493 };
1494 let mut lines = complete.lines();
1495 if lines.clone().next().is_none() {
1496 for line in line_start.line..=line_end.line {
1498 buffer.puts(
1499 row_num - 1 + line - line_start.line,
1500 0,
1501 &maybe_anonymized(renderer, line, max_line_num_len),
1502 ElementStyle::LineNumber,
1503 );
1504 buffer.puts(
1505 row_num - 1 + line - line_start.line,
1506 max_line_num_len + 1,
1507 "- ",
1508 ElementStyle::Removal,
1509 );
1510 buffer.puts(
1511 row_num - 1 + line - line_start.line,
1512 max_line_num_len + 3,
1513 &normalize_whitespace(sm.get_line(line).unwrap()),
1514 ElementStyle::Removal,
1515 );
1516 }
1517 row_num += line_end.line - line_start.line;
1518 }
1519 let mut unhighlighted_lines = Vec::new();
1520 for (line_pos, (line, highlight_parts)) in lines.by_ref().zip(highlights).enumerate() {
1521 if highlight_parts.is_empty() && suggestion.fold {
1523 unhighlighted_lines.push((line_pos, line));
1524 continue;
1525 }
1526
1527 match unhighlighted_lines.len() {
1528 0 => (),
1529 n if n <= 3 => unhighlighted_lines.drain(..).for_each(|(p, l)| {
1534 draw_code_line(
1535 renderer,
1536 buffer,
1537 &mut row_num,
1538 &[],
1539 p + line_start.line,
1540 l,
1541 show_code_change,
1542 max_line_num_len,
1543 &file_lines,
1544 is_multiline,
1545 );
1546 }),
1547 _ => {
1555 let last_line = unhighlighted_lines.pop();
1556 let first_line = unhighlighted_lines.drain(..).next();
1557
1558 if let Some((p, l)) = first_line {
1559 draw_code_line(
1560 renderer,
1561 buffer,
1562 &mut row_num,
1563 &[],
1564 p + line_start.line,
1565 l,
1566 show_code_change,
1567 max_line_num_len,
1568 &file_lines,
1569 is_multiline,
1570 );
1571 }
1572
1573 let placeholder = renderer.decor_style.margin();
1574 let padding = str_width(placeholder);
1575 buffer.puts(
1576 row_num,
1577 max_line_num_len.saturating_sub(padding),
1578 placeholder,
1579 ElementStyle::LineNumber,
1580 );
1581 row_num += 1;
1582
1583 if let Some((p, l)) = last_line {
1584 draw_code_line(
1585 renderer,
1586 buffer,
1587 &mut row_num,
1588 &[],
1589 p + line_start.line,
1590 l,
1591 show_code_change,
1592 max_line_num_len,
1593 &file_lines,
1594 is_multiline,
1595 );
1596 }
1597 }
1598 }
1599 draw_code_line(
1600 renderer,
1601 buffer,
1602 &mut row_num,
1603 &highlight_parts,
1604 line_pos + line_start.line,
1605 line,
1606 show_code_change,
1607 max_line_num_len,
1608 &file_lines,
1609 is_multiline,
1610 );
1611 }
1612
1613 let mut offsets: Vec<(usize, isize)> = Vec::new();
1616 if let DisplaySuggestion::Diff | DisplaySuggestion::Underline | DisplaySuggestion::Add =
1619 show_code_change
1620 {
1621 let mut prev_lines: Option<(usize, usize)> = None;
1622 for part in parts {
1623 let snippet = sm.span_to_snippet(part.span.clone()).unwrap_or_default();
1624 let (span_start, span_end) = sm.span_to_locations(part.span.clone());
1625 let span_start_pos = span_start.display;
1626 let span_end_pos = span_end.display;
1627
1628 let is_whitespace_addition = part.replacement.trim().is_empty();
1631
1632 let start = if is_whitespace_addition {
1634 0
1635 } else {
1636 part.replacement
1637 .len()
1638 .saturating_sub(part.replacement.trim_start().len())
1639 };
1640 let sub_len: usize = str_width(if is_whitespace_addition {
1643 &part.replacement
1644 } else {
1645 part.replacement.trim()
1646 });
1647
1648 let offset: isize = offsets
1649 .iter()
1650 .filter_map(|(start, v)| {
1651 if span_start_pos < *start {
1652 None
1653 } else {
1654 Some(v)
1655 }
1656 })
1657 .sum();
1658 let underline_start = (span_start_pos + start) as isize + offset;
1659 let underline_end = (span_start_pos + start + sub_len) as isize + offset;
1660 assert!(underline_start >= 0 && underline_end >= 0);
1661 let padding: usize = max_line_num_len + 3;
1662 for p in underline_start..underline_end {
1663 if matches!(show_code_change, DisplaySuggestion::Underline) {
1664 buffer.putc(
1667 row_num,
1668 (padding as isize + p) as usize,
1669 if part.is_addition(sm) {
1670 '+'
1671 } else {
1672 renderer.decor_style.diff()
1673 },
1674 ElementStyle::Addition,
1675 );
1676 }
1677 }
1678 if let DisplaySuggestion::Diff = show_code_change {
1679 let newlines = snippet.lines().count();
1710 if newlines > 0 && row_num > newlines {
1711 let offset = match prev_lines {
1712 Some((start, end)) => {
1713 file_lines.len().saturating_sub(end.saturating_sub(start))
1714 }
1715 None => file_lines.len(),
1716 };
1717 for (i, line) in snippet.lines().enumerate() {
1726 let tabs: usize = line
1727 .chars()
1728 .take(span_start.char)
1729 .map(|ch| match ch {
1730 '\t' => 3,
1731 _ => 0,
1732 })
1733 .sum();
1734 let line = normalize_whitespace(line);
1735 let min_row = buffer_offset + usize::from(!matches_previous_suggestion);
1738 let row = (row_num - 2 - (offset - i - 1)).max(min_row);
1739 let start = if i == 0 {
1745 (padding as isize + (span_start.char + tabs) as isize) as usize
1746 } else {
1747 padding
1748 };
1749 let end = if i == 0 {
1750 (padding as isize
1751 + (span_start.char + tabs) as isize
1752 + line.chars().count() as isize)
1753 as usize
1754 } else if i == newlines - 1 {
1755 (padding as isize + (span_end.char + tabs) as isize) as usize
1756 } else {
1757 (padding as isize + line.chars().count() as isize) as usize
1758 };
1759 buffer.set_style_range(row, start, end, ElementStyle::Removal, true);
1760 }
1761 } else {
1762 let tabs: usize = snippet
1763 .chars()
1764 .take(span_start.char)
1765 .map(|ch| match ch {
1766 '\t' => 3,
1767 _ => 0,
1768 })
1769 .sum();
1770 buffer.set_style_range(
1772 row_num - 2,
1773 (padding as isize + (span_start.char + tabs) as isize) as usize,
1774 (padding as isize + (span_end.char + tabs) as isize) as usize,
1775 ElementStyle::Removal,
1776 true,
1777 );
1778 }
1779 prev_lines = Some((span_start.line, span_end.line));
1780 }
1781
1782 let full_sub_len = str_width(&part.replacement) as isize;
1784
1785 let snippet_len = span_end_pos as isize - span_start_pos as isize;
1787 offsets.push((span_end_pos, full_sub_len - snippet_len));
1791 }
1792 row_num += 1;
1793 }
1794
1795 if lines.next().is_some() {
1797 let placeholder = renderer.decor_style.margin();
1798 let padding = str_width(placeholder);
1799 buffer.puts(
1800 row_num,
1801 max_line_num_len.saturating_sub(padding),
1802 placeholder,
1803 ElementStyle::LineNumber,
1804 );
1805 } else {
1806 let row = match show_code_change {
1807 DisplaySuggestion::Diff | DisplaySuggestion::Add | DisplaySuggestion::Underline => {
1808 row_num - 1
1809 }
1810 DisplaySuggestion::None => row_num,
1811 };
1812 if is_cont {
1813 draw_col_separator_no_space(renderer, buffer, row, max_line_num_len + 1);
1814 } else {
1815 draw_col_separator_end(renderer, buffer, row, max_line_num_len + 1);
1816 }
1817 }
1818}
1819
1820#[allow(clippy::too_many_arguments)]
1821fn draw_code_line(
1822 renderer: &Renderer,
1823 buffer: &mut StyledBuffer,
1824 row_num: &mut usize,
1825 highlight_parts: &[SubstitutionHighlight],
1826 line_num: usize,
1827 line_to_add: &str,
1828 show_code_change: DisplaySuggestion,
1829 max_line_num_len: usize,
1830 file_lines: &[&LineInfo<'_>],
1831 is_multiline: bool,
1832) {
1833 if let DisplaySuggestion::Diff = show_code_change {
1834 let lines_to_remove = file_lines.iter().take(file_lines.len() - 1);
1837 for (index, line_to_remove) in lines_to_remove.enumerate() {
1838 buffer.puts(
1839 *row_num - 1,
1840 0,
1841 &maybe_anonymized(renderer, line_num + index, max_line_num_len),
1842 ElementStyle::LineNumber,
1843 );
1844 buffer.puts(
1845 *row_num - 1,
1846 max_line_num_len + 1,
1847 "- ",
1848 ElementStyle::Removal,
1849 );
1850 let line = normalize_whitespace(line_to_remove.line);
1851 buffer.puts(
1852 *row_num - 1,
1853 max_line_num_len + 3,
1854 &line,
1855 ElementStyle::NoStyle,
1856 );
1857 *row_num += 1;
1858 }
1859 let last_line = &file_lines.last().unwrap();
1866 if last_line.line == line_to_add {
1867 *row_num -= 2;
1868 } else {
1869 buffer.puts(
1870 *row_num - 1,
1871 0,
1872 &maybe_anonymized(renderer, line_num + file_lines.len() - 1, max_line_num_len),
1873 ElementStyle::LineNumber,
1874 );
1875 buffer.puts(
1876 *row_num - 1,
1877 max_line_num_len + 1,
1878 "- ",
1879 ElementStyle::Removal,
1880 );
1881 buffer.puts(
1882 *row_num - 1,
1883 max_line_num_len + 3,
1884 &normalize_whitespace(last_line.line),
1885 ElementStyle::NoStyle,
1886 );
1887 if line_to_add.trim().is_empty() {
1888 *row_num -= 1;
1889 } else {
1890 buffer.puts(
1904 *row_num,
1905 0,
1906 &maybe_anonymized(renderer, line_num, max_line_num_len),
1907 ElementStyle::LineNumber,
1908 );
1909 buffer.puts(*row_num, max_line_num_len + 1, "+ ", ElementStyle::Addition);
1910 buffer.append(
1911 *row_num,
1912 &normalize_whitespace(line_to_add),
1913 ElementStyle::NoStyle,
1914 );
1915 }
1916 }
1917 } else if is_multiline {
1918 buffer.puts(
1919 *row_num,
1920 0,
1921 &maybe_anonymized(renderer, line_num, max_line_num_len),
1922 ElementStyle::LineNumber,
1923 );
1924 match &highlight_parts {
1925 [SubstitutionHighlight { start: 0, end }] if *end == line_to_add.len() => {
1926 buffer.puts(*row_num, max_line_num_len + 1, "+ ", ElementStyle::Addition);
1927 }
1928 [] | [SubstitutionHighlight { start: 0, end: 0 }] => {
1929 draw_col_separator_no_space(renderer, buffer, *row_num, max_line_num_len + 1);
1931 }
1932 _ => {
1933 let diff = renderer.decor_style.diff();
1934 buffer.puts(
1935 *row_num,
1936 max_line_num_len + 1,
1937 &format!("{diff} "),
1938 ElementStyle::Addition,
1939 );
1940 }
1941 }
1942 buffer.puts(
1948 *row_num,
1949 max_line_num_len + 3,
1950 &normalize_whitespace(line_to_add),
1951 ElementStyle::NoStyle,
1952 );
1953 } else if let DisplaySuggestion::Add = show_code_change {
1954 buffer.puts(
1955 *row_num,
1956 0,
1957 &maybe_anonymized(renderer, line_num, max_line_num_len),
1958 ElementStyle::LineNumber,
1959 );
1960 buffer.puts(*row_num, max_line_num_len + 1, "+ ", ElementStyle::Addition);
1961 buffer.append(
1962 *row_num,
1963 &normalize_whitespace(line_to_add),
1964 ElementStyle::NoStyle,
1965 );
1966 } else {
1967 buffer.puts(
1968 *row_num,
1969 0,
1970 &maybe_anonymized(renderer, line_num, max_line_num_len),
1971 ElementStyle::LineNumber,
1972 );
1973 draw_col_separator(renderer, buffer, *row_num, max_line_num_len + 1);
1974 buffer.append(
1975 *row_num,
1976 &normalize_whitespace(line_to_add),
1977 ElementStyle::NoStyle,
1978 );
1979 }
1980
1981 for &SubstitutionHighlight { start, end } in highlight_parts {
1983 if start != end {
1985 let tabs: usize = line_to_add
1987 .chars()
1988 .take(start)
1989 .map(|ch| match ch {
1990 '\t' => 3,
1991 _ => 0,
1992 })
1993 .sum();
1994 buffer.set_style_range(
1995 *row_num,
1996 max_line_num_len + 3 + start + tabs,
1997 max_line_num_len + 3 + end + tabs,
1998 ElementStyle::Addition,
1999 true,
2000 );
2001 }
2002 }
2003 *row_num += 1;
2004}
2005
2006#[allow(clippy::too_many_arguments)]
2007fn draw_line(
2008 renderer: &Renderer,
2009 buffer: &mut StyledBuffer,
2010 source_string: &str,
2011 line_index: usize,
2012 line_offset: usize,
2013 width_offset: usize,
2014 code_offset: usize,
2015 max_line_num_len: usize,
2016 margin: Margin,
2017) -> usize {
2018 debug_assert!(!source_string.contains('\t'));
2020 let line_len = str_width(source_string);
2021 let mut left = margin.left(line_len);
2023 let right = margin.right(line_len);
2024
2025 let mut taken = 0;
2026 let mut skipped = 0;
2027 let code: String = source_string
2028 .chars()
2029 .skip_while(|ch| {
2030 let w = char_width(*ch);
2031 if skipped < left {
2036 skipped += w;
2037 true
2038 } else {
2039 false
2040 }
2041 })
2042 .take_while(|ch| {
2043 taken += char_width(*ch);
2045 taken <= (right - left)
2046 })
2047 .collect();
2048 if skipped > left {
2050 left += skipped - left;
2051 }
2052 let placeholder = renderer.decor_style.margin();
2053 let padding = str_width(placeholder);
2054 let (width_taken, bytes_taken) = if margin.was_cut_left() {
2055 let mut bytes_taken = 0;
2057 let mut width_taken = 0;
2058 for ch in code.chars() {
2059 width_taken += char_width(ch);
2060 bytes_taken += ch.len_utf8();
2061
2062 if width_taken >= padding {
2063 break;
2064 }
2065 }
2066
2067 buffer.puts(
2068 line_offset,
2069 code_offset,
2070 placeholder,
2071 ElementStyle::LineNumber,
2072 );
2073 (width_taken, bytes_taken)
2074 } else {
2075 (0, 0)
2076 };
2077
2078 buffer.puts(
2079 line_offset,
2080 code_offset + width_taken,
2081 &code[bytes_taken..],
2082 ElementStyle::Quotation,
2083 );
2084
2085 if line_len > right {
2086 let mut char_taken = 0;
2088 let mut width_taken_inner = 0;
2089 for ch in code.chars().rev() {
2090 width_taken_inner += char_width(ch);
2091 char_taken += 1;
2092
2093 if width_taken_inner >= padding {
2094 break;
2095 }
2096 }
2097
2098 buffer.puts(
2099 line_offset,
2100 code_offset + width_taken + code[bytes_taken..].chars().count() - char_taken,
2101 placeholder,
2102 ElementStyle::LineNumber,
2103 );
2104 }
2105
2106 buffer.puts(
2107 line_offset,
2108 0,
2109 &maybe_anonymized(renderer, line_index, max_line_num_len),
2110 ElementStyle::LineNumber,
2111 );
2112
2113 draw_col_separator_no_space(renderer, buffer, line_offset, width_offset - 2);
2114
2115 left
2116}
2117
2118fn draw_range(
2119 buffer: &mut StyledBuffer,
2120 symbol: char,
2121 line: usize,
2122 col_from: usize,
2123 col_to: usize,
2124 style: ElementStyle,
2125) {
2126 for col in col_from..col_to {
2127 buffer.putc(line, col, symbol, style);
2128 }
2129}
2130
2131fn draw_multiline_line(
2132 renderer: &Renderer,
2133 buffer: &mut StyledBuffer,
2134 line: usize,
2135 offset: usize,
2136 depth: usize,
2137 style: ElementStyle,
2138) {
2139 let chr = match (style, renderer.decor_style) {
2140 (ElementStyle::UnderlinePrimary | ElementStyle::LabelPrimary, DecorStyle::Ascii) => '|',
2141 (_, DecorStyle::Ascii) => '|',
2142 (ElementStyle::UnderlinePrimary | ElementStyle::LabelPrimary, DecorStyle::Unicode) => '┃',
2143 (_, DecorStyle::Unicode) => '│',
2144 };
2145 buffer.putc(line, offset + depth - 1, chr, style);
2146}
2147
2148fn draw_col_separator(renderer: &Renderer, buffer: &mut StyledBuffer, line: usize, col: usize) {
2149 let chr = renderer.decor_style.col_separator();
2150 buffer.puts(line, col, &format!("{chr} "), ElementStyle::LineNumber);
2151}
2152
2153fn draw_col_separator_no_space(
2154 renderer: &Renderer,
2155 buffer: &mut StyledBuffer,
2156 line: usize,
2157 col: usize,
2158) {
2159 let chr = renderer.decor_style.col_separator();
2160 draw_col_separator_no_space_with_style(buffer, chr, line, col, ElementStyle::LineNumber);
2161}
2162
2163fn draw_col_separator_start(
2164 renderer: &Renderer,
2165 buffer: &mut StyledBuffer,
2166 line: usize,
2167 col: usize,
2168) {
2169 match renderer.decor_style {
2170 DecorStyle::Ascii => {
2171 draw_col_separator_no_space_with_style(
2172 buffer,
2173 '|',
2174 line,
2175 col,
2176 ElementStyle::LineNumber,
2177 );
2178 }
2179 DecorStyle::Unicode => {
2180 draw_col_separator_no_space_with_style(
2181 buffer,
2182 '╭',
2183 line,
2184 col,
2185 ElementStyle::LineNumber,
2186 );
2187 draw_col_separator_no_space_with_style(
2188 buffer,
2189 '╴',
2190 line,
2191 col + 1,
2192 ElementStyle::LineNumber,
2193 );
2194 }
2195 }
2196}
2197
2198fn draw_col_separator_end(renderer: &Renderer, buffer: &mut StyledBuffer, line: usize, col: usize) {
2199 match renderer.decor_style {
2200 DecorStyle::Ascii => {
2201 draw_col_separator_no_space_with_style(
2202 buffer,
2203 '|',
2204 line,
2205 col,
2206 ElementStyle::LineNumber,
2207 );
2208 }
2209 DecorStyle::Unicode => {
2210 draw_col_separator_no_space_with_style(
2211 buffer,
2212 '╰',
2213 line,
2214 col,
2215 ElementStyle::LineNumber,
2216 );
2217 draw_col_separator_no_space_with_style(
2218 buffer,
2219 '╴',
2220 line,
2221 col + 1,
2222 ElementStyle::LineNumber,
2223 );
2224 }
2225 }
2226}
2227
2228fn draw_col_separator_no_space_with_style(
2229 buffer: &mut StyledBuffer,
2230 chr: char,
2231 line: usize,
2232 col: usize,
2233 style: ElementStyle,
2234) {
2235 buffer.putc(line, col, chr, style);
2236}
2237
2238fn maybe_anonymized(renderer: &Renderer, line_num: usize, max_line_num_len: usize) -> String {
2239 format!(
2240 "{:>max_line_num_len$}",
2241 if renderer.anonymized_line_numbers {
2242 Cow::Borrowed(ANONYMIZED_LINE_NUM)
2243 } else {
2244 Cow::Owned(line_num.to_string())
2245 }
2246 )
2247}
2248
2249fn draw_note_separator(
2250 renderer: &Renderer,
2251 buffer: &mut StyledBuffer,
2252 line: usize,
2253 col: usize,
2254 is_cont: bool,
2255) {
2256 let chr = renderer.decor_style.note_separator(is_cont);
2257 buffer.puts(line, col, chr, ElementStyle::LineNumber);
2258}
2259
2260fn draw_line_separator(renderer: &Renderer, buffer: &mut StyledBuffer, line: usize, col: usize) {
2261 let (column, dots) = match renderer.decor_style {
2262 DecorStyle::Ascii => (0, "..."),
2263 DecorStyle::Unicode => (col - 2, "‡"),
2264 };
2265 buffer.puts(line, column, dots, ElementStyle::LineNumber);
2266}
2267
2268trait MessageOrTitle {
2269 fn level(&self) -> &Level<'_>;
2270 fn id(&self) -> Option<&Id<'_>>;
2271 fn text(&self) -> &str;
2272 fn allows_styling(&self) -> bool;
2273}
2274
2275impl MessageOrTitle for Title<'_> {
2276 fn level(&self) -> &Level<'_> {
2277 &self.level
2278 }
2279 fn id(&self) -> Option<&Id<'_>> {
2280 self.id.as_ref()
2281 }
2282 fn text(&self) -> &str {
2283 self.text.as_ref()
2284 }
2285 fn allows_styling(&self) -> bool {
2286 self.allows_styling
2287 }
2288}
2289
2290impl MessageOrTitle for Message<'_> {
2291 fn level(&self) -> &Level<'_> {
2292 &self.level
2293 }
2294 fn id(&self) -> Option<&Id<'_>> {
2295 None
2296 }
2297 fn text(&self) -> &str {
2298 self.text.as_ref()
2299 }
2300 fn allows_styling(&self) -> bool {
2301 true
2302 }
2303}
2304
2305fn num_decimal_digits(num: usize) -> usize {
2310 #[cfg(target_pointer_width = "64")]
2311 const MAX_DIGITS: usize = 20;
2312
2313 #[cfg(target_pointer_width = "32")]
2314 const MAX_DIGITS: usize = 10;
2315
2316 #[cfg(target_pointer_width = "16")]
2317 const MAX_DIGITS: usize = 5;
2318
2319 let mut lim = 10;
2320 for num_digits in 1..MAX_DIGITS {
2321 if num < lim {
2322 return num_digits;
2323 }
2324 lim = lim.wrapping_mul(10);
2325 }
2326 MAX_DIGITS
2327}
2328
2329fn str_width(s: &str) -> usize {
2330 s.chars().map(char_width).sum()
2331}
2332
2333pub(crate) fn char_width(ch: char) -> usize {
2334 match ch {
2337 '\t' => 4,
2338 '\u{0000}' | '\u{0001}' | '\u{0002}' | '\u{0003}' | '\u{0004}' | '\u{0005}'
2342 | '\u{0006}' | '\u{0007}' | '\u{0008}' | '\u{000B}' | '\u{000C}' | '\u{000D}'
2343 | '\u{000E}' | '\u{000F}' | '\u{0010}' | '\u{0011}' | '\u{0012}' | '\u{0013}'
2344 | '\u{0014}' | '\u{0015}' | '\u{0016}' | '\u{0017}' | '\u{0018}' | '\u{0019}'
2345 | '\u{001A}' | '\u{001B}' | '\u{001C}' | '\u{001D}' | '\u{001E}' | '\u{001F}'
2346 | '\u{007F}' | '\u{202A}' | '\u{202B}' | '\u{202D}' | '\u{202E}' | '\u{2066}'
2347 | '\u{2067}' | '\u{2068}' | '\u{202C}' | '\u{2069}' => 1,
2348 _ => unicode_width::UnicodeWidthChar::width(ch).unwrap_or(1),
2349 }
2350}
2351
2352pub(crate) fn num_overlap(
2353 a_start: usize,
2354 a_end: usize,
2355 b_start: usize,
2356 b_end: usize,
2357 inclusive: bool,
2358) -> bool {
2359 let extra = usize::from(inclusive);
2360 (b_start..b_end + extra).contains(&a_start) || (a_start..a_end + extra).contains(&b_start)
2361}
2362
2363fn overlaps(a1: &LineAnnotation<'_>, a2: &LineAnnotation<'_>, padding: usize) -> bool {
2364 num_overlap(
2365 a1.start.display,
2366 a1.end.display + padding,
2367 a2.start.display,
2368 a2.end.display,
2369 false,
2370 )
2371}
2372
2373#[derive(Clone, Debug, PartialOrd, Ord, PartialEq, Eq)]
2374pub(crate) enum LineAnnotationType {
2375 Singleline,
2377
2378 MultilineStart(usize),
2390 MultilineEnd(usize),
2392 MultilineLine(usize),
2397}
2398
2399#[derive(Clone, Debug, PartialOrd, Ord, PartialEq, Eq)]
2400pub(crate) struct LineAnnotation<'a> {
2401 pub start: Loc,
2406
2407 pub end: Loc,
2409
2410 pub kind: AnnotationKind,
2412
2413 pub label: Option<Cow<'a, str>>,
2415
2416 pub annotation_type: LineAnnotationType,
2419
2420 pub highlight_source: bool,
2422}
2423
2424impl LineAnnotation<'_> {
2425 pub(crate) fn is_primary(&self) -> bool {
2426 self.kind == AnnotationKind::Primary
2427 }
2428
2429 pub(crate) fn is_line(&self) -> bool {
2431 matches!(self.annotation_type, LineAnnotationType::MultilineLine(_))
2432 }
2433
2434 pub(crate) fn len(&self) -> usize {
2436 self.end.display.abs_diff(self.start.display)
2438 }
2439
2440 pub(crate) fn has_label(&self) -> bool {
2441 if let Some(label) = &self.label {
2442 !label.is_empty()
2453 } else {
2454 false
2455 }
2456 }
2457
2458 pub(crate) fn takes_space(&self) -> bool {
2459 matches!(
2461 self.annotation_type,
2462 LineAnnotationType::MultilineStart(_) | LineAnnotationType::MultilineEnd(_)
2463 )
2464 }
2465}
2466
2467#[derive(Clone, Copy, Debug)]
2468pub(crate) enum DisplaySuggestion {
2469 Underline,
2470 Diff,
2471 None,
2472 Add,
2473}
2474
2475impl DisplaySuggestion {
2476 fn new(complete: &str, patches: &[TrimmedPatch<'_>], sm: &SourceMap<'_>) -> Self {
2477 let has_deletion = patches
2478 .iter()
2479 .any(|p| p.is_deletion(sm) || p.is_destructive_replacement(sm));
2480 let is_multiline = complete.lines().count() > 1;
2481 if has_deletion && !is_multiline {
2482 DisplaySuggestion::Diff
2483 } else if patches.len() == 1
2484 && patches.first().map_or(false, |p| {
2485 p.replacement.ends_with('\n') && p.replacement.trim() == complete.trim()
2486 })
2487 {
2488 DisplaySuggestion::Add
2490 } else if (patches.len() != 1 || patches[0].replacement.trim() != complete.trim())
2491 && !is_multiline
2492 {
2493 DisplaySuggestion::Underline
2494 } else {
2495 DisplaySuggestion::None
2496 }
2497 }
2498}
2499
2500const OUTPUT_REPLACEMENTS: &[(char, &str)] = &[
2503 ('\0', "␀"),
2507 ('\u{0001}', "␁"),
2508 ('\u{0002}', "␂"),
2509 ('\u{0003}', "␃"),
2510 ('\u{0004}', "␄"),
2511 ('\u{0005}', "␅"),
2512 ('\u{0006}', "␆"),
2513 ('\u{0007}', "␇"),
2514 ('\u{0008}', "␈"),
2515 ('\t', " "), ('\u{000b}', "␋"),
2517 ('\u{000c}', "␌"),
2518 ('\u{000d}', "␍"),
2519 ('\u{000e}', "␎"),
2520 ('\u{000f}', "␏"),
2521 ('\u{0010}', "␐"),
2522 ('\u{0011}', "␑"),
2523 ('\u{0012}', "␒"),
2524 ('\u{0013}', "␓"),
2525 ('\u{0014}', "␔"),
2526 ('\u{0015}', "␕"),
2527 ('\u{0016}', "␖"),
2528 ('\u{0017}', "␗"),
2529 ('\u{0018}', "␘"),
2530 ('\u{0019}', "␙"),
2531 ('\u{001a}', "␚"),
2532 ('\u{001b}', "␛"),
2533 ('\u{001c}', "␜"),
2534 ('\u{001d}', "␝"),
2535 ('\u{001e}', "␞"),
2536 ('\u{001f}', "␟"),
2537 ('\u{007f}', "␡"),
2538 ('\u{200d}', ""), ('\u{202a}', "�"), ('\u{202b}', "�"), ('\u{202c}', "�"), ('\u{202d}', "�"),
2543 ('\u{202e}', "�"),
2544 ('\u{2066}', "�"),
2545 ('\u{2067}', "�"),
2546 ('\u{2068}', "�"),
2547 ('\u{2069}', "�"),
2548];
2549
2550pub(crate) fn normalize_whitespace(s: &str) -> String {
2551 s.chars().fold(String::with_capacity(s.len()), |mut s, c| {
2555 match OUTPUT_REPLACEMENTS.binary_search_by_key(&c, |(k, _)| *k) {
2556 Ok(i) => s.push_str(OUTPUT_REPLACEMENTS[i].1),
2557 _ => s.push(c),
2558 }
2559 s
2560 })
2561}
2562
2563#[derive(Clone, Copy, Debug, PartialOrd, Ord, PartialEq, Eq)]
2564pub(crate) enum ElementStyle {
2565 MainHeaderMsg,
2566 HeaderMsg,
2567 LineAndColumn,
2568 LineNumber,
2569 Quotation,
2570 UnderlinePrimary,
2571 UnderlineSecondary,
2572 LabelPrimary,
2573 LabelSecondary,
2574 NoStyle,
2575 Level(LevelInner),
2576 Addition,
2577 Removal,
2578}
2579
2580impl ElementStyle {
2581 pub(crate) fn color_spec(&self, level: &Level<'_>, stylesheet: &Stylesheet) -> Style {
2582 match self {
2583 ElementStyle::Addition => stylesheet.addition,
2584 ElementStyle::Removal => stylesheet.removal,
2585 ElementStyle::LineAndColumn => stylesheet.none,
2586 ElementStyle::LineNumber => stylesheet.line_num,
2587 ElementStyle::Quotation => stylesheet.none,
2588 ElementStyle::MainHeaderMsg => stylesheet.emphasis,
2589 ElementStyle::UnderlinePrimary | ElementStyle::LabelPrimary => level.style(stylesheet),
2590 ElementStyle::UnderlineSecondary | ElementStyle::LabelSecondary => stylesheet.context,
2591 ElementStyle::HeaderMsg | ElementStyle::NoStyle => stylesheet.none,
2592 ElementStyle::Level(lvl) => lvl.style(stylesheet),
2593 }
2594 }
2595}
2596
2597#[derive(Debug, Clone, Copy)]
2598pub(crate) struct UnderlineParts {
2599 pub(crate) style: ElementStyle,
2600 pub(crate) underline: char,
2601 pub(crate) label_start: char,
2602 pub(crate) vertical_text_line: char,
2603 pub(crate) multiline_vertical: char,
2604 pub(crate) multiline_horizontal: char,
2605 pub(crate) multiline_whole_line: char,
2606 pub(crate) multiline_start_down: char,
2607 pub(crate) bottom_right: char,
2608 pub(crate) top_left: char,
2609 pub(crate) top_right_flat: char,
2610 pub(crate) bottom_left: char,
2611 pub(crate) multiline_end_up: char,
2612 pub(crate) multiline_end_same_line: char,
2613 pub(crate) multiline_bottom_right_with_text: char,
2614}
2615
2616#[derive(Clone, Copy, Debug, PartialEq, Eq)]
2617enum TitleStyle {
2618 MainHeader,
2619 Header,
2620 Secondary,
2621}
2622
2623struct PreProcessedGroup<'a> {
2624 group: &'a Group<'a>,
2625 elements: Vec<PreProcessedElement<'a>>,
2626 primary_path: Option<&'a Cow<'a, str>>,
2627 max_depth: usize,
2628}
2629
2630enum PreProcessedElement<'a> {
2631 Message(&'a Message<'a>),
2632 Cause(
2633 (
2634 &'a Snippet<'a, Annotation<'a>>,
2635 SourceMap<'a>,
2636 Vec<AnnotatedLineInfo<'a>>,
2637 ),
2638 ),
2639 Suggestion(
2640 (
2641 &'a Snippet<'a, Patch<'a>>,
2642 SourceMap<'a>,
2643 SplicedLines<'a>,
2644 DisplaySuggestion,
2645 ),
2646 ),
2647 Origin(&'a Origin<'a>),
2648 Padding(Padding),
2649}
2650
2651fn pre_process<'a>(
2652 groups: &'a [Group<'a>],
2653) -> (usize, Option<&'a Cow<'a, str>>, Vec<PreProcessedGroup<'a>>) {
2654 let mut max_line_num = 0;
2655 let mut og_primary_path = None;
2656 let mut out = Vec::with_capacity(groups.len());
2657 for group in groups {
2658 let mut elements = Vec::with_capacity(group.elements.len());
2659 let mut primary_path = None;
2660 let mut max_depth = 0;
2661 for element in &group.elements {
2662 match element {
2663 Element::Message(message) => {
2664 elements.push(PreProcessedElement::Message(message));
2665 }
2666 Element::Cause(cause) => {
2667 let sm = SourceMap::new(&cause.source, cause.line_start);
2668 let (depth, annotated_lines) =
2669 sm.annotated_lines(cause.markers.clone(), cause.fold);
2670
2671 if cause.fold {
2672 let end = cause
2673 .markers
2674 .iter()
2675 .map(|a| a.span.end)
2676 .max()
2677 .unwrap_or(cause.source.len())
2678 .min(cause.source.len());
2679
2680 max_line_num = max(
2681 cause.line_start + newline_count(&cause.source[..end]),
2682 max_line_num,
2683 );
2684 } else {
2685 max_line_num = max(
2686 cause.line_start + newline_count(&cause.source),
2687 max_line_num,
2688 );
2689 }
2690
2691 if primary_path.is_none() {
2692 primary_path = Some(cause.path.as_ref());
2693 }
2694 max_depth = max(depth, max_depth);
2695 elements.push(PreProcessedElement::Cause((cause, sm, annotated_lines)));
2696 }
2697 Element::Suggestion(suggestion) => {
2698 let sm = SourceMap::new(&suggestion.source, suggestion.line_start);
2699 if let Some((complete, patches, highlights)) =
2700 sm.splice_lines(suggestion.markers.clone(), suggestion.fold)
2701 {
2702 let display_suggestion = DisplaySuggestion::new(&complete, &patches, &sm);
2703
2704 if suggestion.fold {
2705 if let Some(first) = patches.first() {
2706 let (l_start, _) =
2707 sm.span_to_locations(first.original_span.clone());
2708 let nc = newline_count(&complete);
2709 let sugg_max_line_num = match display_suggestion {
2710 DisplaySuggestion::Underline => l_start.line,
2711 DisplaySuggestion::Diff => {
2712 let file_lines = sm.span_to_lines(first.span.clone());
2713 file_lines
2714 .last()
2715 .map_or(l_start.line + nc, |line| line.line_index)
2716 }
2717 DisplaySuggestion::None => l_start.line + nc,
2718 DisplaySuggestion::Add => l_start.line + nc,
2719 };
2720 max_line_num = max(sugg_max_line_num, max_line_num);
2721 }
2722 } else {
2723 max_line_num = max(
2724 suggestion.line_start + newline_count(&complete),
2725 max_line_num,
2726 );
2727 }
2728
2729 elements.push(PreProcessedElement::Suggestion((
2730 suggestion,
2731 sm,
2732 (complete, patches, highlights),
2733 display_suggestion,
2734 )));
2735 }
2736 }
2737 Element::Origin(origin) => {
2738 if primary_path.is_none() {
2739 primary_path = Some(Some(&origin.path));
2740 }
2741 elements.push(PreProcessedElement::Origin(origin));
2742 }
2743 Element::Padding(padding) => {
2744 elements.push(PreProcessedElement::Padding(padding.clone()));
2745 }
2746 }
2747 }
2748 let group = PreProcessedGroup {
2749 group,
2750 elements,
2751 primary_path: primary_path.unwrap_or_default(),
2752 max_depth,
2753 };
2754 if og_primary_path.is_none() && group.primary_path.is_some() {
2755 og_primary_path = group.primary_path;
2756 }
2757 out.push(group);
2758 }
2759
2760 (max_line_num, og_primary_path, out)
2761}
2762
2763fn newline_count(body: &str) -> usize {
2764 #[cfg(feature = "simd")]
2765 {
2766 memchr::memchr_iter(b'\n', body.as_bytes()).count()
2767 }
2768 #[cfg(not(feature = "simd"))]
2769 {
2770 body.lines().count().saturating_sub(1)
2771 }
2772}
2773
2774#[cfg(test)]
2775mod test {
2776 use super::{newline_count, OUTPUT_REPLACEMENTS};
2777 use snapbox::IntoData;
2778
2779 fn format_replacements(replacements: Vec<(char, &str)>) -> String {
2780 replacements
2781 .into_iter()
2782 .map(|r| format!(" {r:?}"))
2783 .collect::<Vec<_>>()
2784 .join("\n")
2785 }
2786
2787 #[test]
2788 fn ensure_output_replacements_is_sorted() {
2791 let mut expected = OUTPUT_REPLACEMENTS.to_owned();
2792 expected.sort_by_key(|r| r.0);
2793 expected.dedup_by_key(|r| r.0);
2794 let expected = format_replacements(expected);
2795 let actual = format_replacements(OUTPUT_REPLACEMENTS.to_owned());
2796 snapbox::assert_data_eq!(actual, expected.into_data().raw());
2797 }
2798
2799 #[test]
2800 fn ensure_newline_count_correct() {
2801 let source = r#"
2802 cargo-features = ["path-bases"]
2803
2804 [package]
2805 name = "foo"
2806 version = "0.5.0"
2807 authors = ["wycats@example.com"]
2808
2809 [dependencies]
2810 bar = { base = '^^not-valid^^', path = 'bar' }
2811 "#;
2812 let actual_count = newline_count(source);
2813 let expected_count = 10;
2814
2815 assert_eq!(expected_count, actual_count);
2816 }
2817}