Skip to content

Commit dd301b0

Browse files
fee1-deadytmimi
authored andcommitted
Initial work on formatting headers
1 parent 9580747 commit dd301b0

File tree

4 files changed

+130
-7
lines changed

4 files changed

+130
-7
lines changed

src/header.rs

+102
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,102 @@
1+
//! headers are sets of consecutive keywords and tokens, such as
2+
//! `pub const unsafe fn foo` and `pub(crate) unsafe trait Bar`.
3+
//!
4+
//! This module contains general logic for formatting such headers,
5+
//! where they are always placed on a single line except when there
6+
//! are comments between parts of the header.
7+
8+
use std::borrow::Cow;
9+
10+
use rustc_ast as ast;
11+
use rustc_span::symbol::Ident;
12+
use rustc_span::Span;
13+
14+
use crate::comment::combine_strs_with_missing_comments;
15+
use crate::rewrite::RewriteContext;
16+
use crate::shape::Shape;
17+
use crate::utils::rewrite_ident;
18+
19+
pub(crate) fn format_header(
20+
context: &RewriteContext<'_>,
21+
shape: Shape,
22+
parts: Vec<HeaderPart>,
23+
) -> String {
24+
debug!(?parts, "format_header");
25+
let shape = shape.infinite_width();
26+
27+
// Empty `HeaderPart`s are ignored.
28+
let mut parts = parts.into_iter().filter(|x| !x.snippet.is_empty());
29+
let Some(part) = parts.next() else {
30+
return String::new();
31+
};
32+
33+
let mut result = part.snippet.into_owned();
34+
let mut span = part.span;
35+
36+
for part in parts {
37+
debug!(?result, "before combine");
38+
result = combine_strs_with_missing_comments(
39+
context,
40+
&result,
41+
&part.snippet,
42+
span.between(part.span),
43+
shape,
44+
true,
45+
)
46+
.unwrap_or_else(|| format!("{} {}", &result, part.snippet));
47+
debug!(?result);
48+
span = part.span;
49+
}
50+
51+
result
52+
}
53+
54+
#[derive(Debug)]
55+
pub(crate) struct HeaderPart {
56+
/// snippet of this part without surrounding space
57+
snippet: Cow<'static, str>,
58+
span: Span,
59+
}
60+
61+
impl HeaderPart {
62+
pub(crate) fn new(snippet: impl Into<Cow<'static, str>>, span: Span) -> Self {
63+
Self {
64+
snippet: snippet.into(),
65+
span,
66+
}
67+
}
68+
69+
pub(crate) fn ident(context: &RewriteContext<'_>, ident: Ident) -> Self {
70+
Self {
71+
snippet: rewrite_ident(context, ident).to_owned().into(),
72+
span: ident.span,
73+
}
74+
}
75+
76+
pub(crate) fn visibility(context: &RewriteContext<'_>, vis: &ast::Visibility) -> Self {
77+
let snippet = match vis.kind {
78+
ast::VisibilityKind::Public => Cow::from("pub"),
79+
ast::VisibilityKind::Inherited => Cow::from(""),
80+
ast::VisibilityKind::Restricted { ref path, .. } => {
81+
let ast::Path { ref segments, .. } = **path;
82+
let mut segments_iter =
83+
segments.iter().map(|seg| rewrite_ident(context, seg.ident));
84+
if path.is_global() {
85+
segments_iter
86+
.next()
87+
.expect("Non-global path in pub(restricted)?");
88+
}
89+
let is_keyword = |s: &str| s == "crate" || s == "self" || s == "super";
90+
let path = segments_iter.collect::<Vec<_>>().join("::");
91+
let in_str = if is_keyword(&path) { "" } else { "in " };
92+
93+
Cow::from(format!("pub({}{})", in_str, path))
94+
}
95+
};
96+
97+
HeaderPart {
98+
snippet,
99+
span: vis.span,
100+
}
101+
}
102+
}

src/lib.rs

+1
Original file line numberDiff line numberDiff line change
@@ -71,6 +71,7 @@ mod emitter;
7171
mod expr;
7272
mod format_report_formatter;
7373
pub(crate) mod formatting;
74+
pub(crate) mod header;
7475
mod ignore_path;
7576
mod imports;
7677
mod items;

src/macros.rs

+15-7
Original file line numberDiff line numberDiff line change
@@ -27,6 +27,7 @@ use crate::comment::{
2727
use crate::config::lists::*;
2828
use crate::config::Version;
2929
use crate::expr::{rewrite_array, rewrite_assign_rhs, RhsAssignKind};
30+
use crate::header::{format_header, HeaderPart};
3031
use crate::lists::{itemize_list, write_list, ListFormatting};
3132
use crate::overflow;
3233
use crate::parse::macros::lazy_static::parse_lazy_static;
@@ -36,8 +37,8 @@ use crate::shape::{Indent, Shape};
3637
use crate::source_map::SpanUtils;
3738
use crate::spanned::Spanned;
3839
use crate::utils::{
39-
filtered_str_fits, format_visibility, indent_next_line, is_empty_line, mk_sp,
40-
remove_trailing_white_spaces, rewrite_ident, trim_left_preserve_layout, NodeIdExt,
40+
filtered_str_fits, indent_next_line, is_empty_line, mk_sp, remove_trailing_white_spaces,
41+
rewrite_ident, trim_left_preserve_layout, NodeIdExt,
4142
};
4243
use crate::visitor::FmtVisitor;
4344

@@ -418,14 +419,21 @@ pub(crate) fn rewrite_macro_def(
418419
None => return snippet,
419420
};
420421

421-
let mut result = if def.macro_rules {
422-
String::from("macro_rules!")
422+
let mut header = if def.macro_rules {
423+
let pos = context.snippet_provider.span_after(span, "macro_rules!");
424+
vec![HeaderPart::new("macro_rules!", span.with_hi(pos))]
423425
} else {
424-
format!("{}macro", format_visibility(context, vis))
426+
let macro_lo = context.snippet_provider.span_before(span, "macro");
427+
let macro_hi = macro_lo + BytePos("macro".len() as u32);
428+
vec![
429+
HeaderPart::visibility(context, vis),
430+
HeaderPart::new("macro", mk_sp(macro_lo, macro_hi)),
431+
]
425432
};
426433

427-
result += " ";
428-
result += rewrite_ident(context, ident);
434+
header.push(HeaderPart::ident(context, ident));
435+
436+
let mut result = format_header(context, shape, header);
429437

430438
let multi_branch_style = def.macro_rules || parsed_def.branches.len() != 1;
431439

tests/target/keywords.rs

+12
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,12 @@
1+
pub // a
2+
macro // b
3+
hi(
4+
// c
5+
) {
6+
// d
7+
}
8+
9+
macro_rules! // a
10+
my_macro {
11+
() => {};
12+
}

0 commit comments

Comments
 (0)