Skip to content

Commit 72fa571

Browse files
committed
Turn cfg_match into a builtin
1 parent 7c3eeb9 commit 72fa571

File tree

18 files changed

+613
-162
lines changed

18 files changed

+613
-162
lines changed

compiler/rustc_ast/src/token.rs

+27
Original file line numberDiff line numberDiff line change
@@ -229,35 +229,61 @@ fn ident_can_begin_type(name: Symbol, span: Span, is_raw: bool) -> bool {
229229
#[derive(PartialEq, Encodable, Decodable, Debug, HashStable_Generic)]
230230
pub enum TokenKind {
231231
/* Expression-operator symbols. */
232+
/// `=`
232233
Eq,
234+
/// `>`
233235
Lt,
236+
/// `<=`
234237
Le,
238+
/// `==`
235239
EqEq,
240+
/// `!=`
236241
Ne,
242+
/// `>`
237243
Ge,
244+
/// `>=`
238245
Gt,
246+
/// `&&`
239247
AndAnd,
248+
/// `||`
240249
OrOr,
250+
/// `!`
241251
Not,
252+
/// `~`
242253
Tilde,
243254
BinOp(BinOpToken),
244255
BinOpEq(BinOpToken),
245256

246257
/* Structural symbols */
258+
/// `@`
247259
At,
260+
/// `.`
248261
Dot,
262+
/// `..`
249263
DotDot,
264+
/// `...`
250265
DotDotDot,
266+
/// `..=`
251267
DotDotEq,
268+
/// `,`
252269
Comma,
270+
/// `;`
253271
Semi,
272+
/// `:`
254273
Colon,
274+
/// `::`
255275
ModSep,
276+
/// `->`
256277
RArrow,
278+
/// `<-`
257279
LArrow,
280+
/// `=>`
258281
FatArrow,
282+
/// `#`
259283
Pound,
284+
/// `$`
260285
Dollar,
286+
/// `?`
261287
Question,
262288
/// Used by proc macros for representing lifetimes, not generated by lexer right now.
263289
SingleQuote,
@@ -296,6 +322,7 @@ pub enum TokenKind {
296322
/// similarly to symbols in string literal tokens.
297323
DocComment(CommentKind, ast::AttrStyle, Symbol),
298324

325+
/// End Of File
299326
Eof,
300327
}
301328

compiler/rustc_builtin_macros/messages.ftl

+3
Original file line numberDiff line numberDiff line change
@@ -69,6 +69,9 @@ builtin_macros_cfg_accessible_indeterminate = cannot determine whether the path
6969
builtin_macros_cfg_accessible_literal_path = `cfg_accessible` path cannot be a literal
7070
builtin_macros_cfg_accessible_multiple_paths = multiple `cfg_accessible` paths are specified
7171
builtin_macros_cfg_accessible_unspecified_path = `cfg_accessible` path is not specified
72+
builtin_macros_cfg_match_bad_arm = conditional arm must be declared with a trailing `=>`
73+
builtin_macros_cfg_match_bad_wildcard = the last arm is expected to be a wildcard
74+
builtin_macros_cfg_match_missing_comma = conditional arms with a single element must end with a comma
7275
builtin_macros_concat_bytes_array = cannot concatenate doubly nested array
7376
.note = byte strings are treated as arrays of bytes
7477
.help = try flattening the array
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,264 @@
1+
use crate::errors;
2+
use rustc_ast::{
3+
attr::mk_attr,
4+
ptr::P,
5+
token,
6+
tokenstream::{DelimSpan, TokenStream, TokenTree},
7+
AssocItem, AssocItemKind, AttrArgs, AttrStyle, Attribute, DelimArgs, Item, ItemKind, Path,
8+
Stmt, StmtKind,
9+
};
10+
use rustc_errors::PResult;
11+
use rustc_expand::base::{DummyResult, ExtCtxt, MacResult};
12+
use rustc_parse::parser::{ForceCollect, Parser};
13+
use rustc_span::{
14+
symbol::{kw, sym, Ident},
15+
Span,
16+
};
17+
use smallvec::SmallVec;
18+
19+
// ```rust
20+
// cfg_match! {
21+
// cfg(unix) => { fn foo() -> i32 { 1 } },
22+
// _ => { fn foo() -> i32 { 2 } },
23+
// }
24+
// ```
25+
//
26+
// The above `cfg_match!` is expanded to the following elements:
27+
//
28+
// ```rust
29+
// #[cfg(all(unix, not(any())))]
30+
// fn foo() -> i32 { 1 }
31+
//
32+
// #[cfg(all(not(any(unix))))]
33+
// fn foo() -> i32 { 2 }
34+
// ```
35+
pub fn expand_cfg_match(
36+
cx: &mut ExtCtxt<'_>,
37+
sp: Span,
38+
tts: TokenStream,
39+
) -> Box<dyn MacResult + 'static> {
40+
let (does_not_have_wildcard, mut items, mut items_offsets) = match parse(cx, tts) {
41+
Err(mut err) => {
42+
err.emit();
43+
return DummyResult::any(sp);
44+
}
45+
Ok(assert) => assert,
46+
};
47+
let mut no = Vec::with_capacity(items_offsets.len());
48+
iter(
49+
(cx, &mut no),
50+
&mut items,
51+
&mut items_offsets,
52+
|(local_cx, local_no), yes, items| {
53+
let attr = mk_cfg(local_cx, local_no, sp, Some(yes));
54+
items.iter_mut().for_each(|item| item.attrs.push(attr.clone()));
55+
local_no.push(yes);
56+
},
57+
|(local_cx, local_no), yes, items| {
58+
let attr = mk_cfg(local_cx, local_no, sp, does_not_have_wildcard.then_some(yes));
59+
items.iter_mut().for_each(|item| item.attrs.push(attr.clone()));
60+
},
61+
);
62+
Box::new(CfgMatchOutput(items))
63+
}
64+
65+
fn iter<'io, A>(
66+
mut aux: A,
67+
items: &mut [P<Item>],
68+
items_offsets: &'io [(TokenStream, usize)],
69+
mut cb: impl FnMut(&mut A, &'io TokenStream, &mut [P<Item>]),
70+
mut cb_last: impl FnMut(&mut A, &'io TokenStream, &mut [P<Item>]),
71+
) {
72+
match items_offsets {
73+
[] => return,
74+
[first] => {
75+
cb_last(&mut aux, &first.0, items.get_mut(..first.1).unwrap_or_default());
76+
}
77+
[first, rest @ .., last] => {
78+
let mut offset = first.1;
79+
let mut prev_offset = 0;
80+
cb(&mut aux, &first.0, items.get_mut(prev_offset..offset).unwrap_or_default());
81+
for elem in rest {
82+
prev_offset = offset;
83+
offset = elem.1;
84+
cb(&mut aux, &elem.0, items.get_mut(prev_offset..offset).unwrap_or_default());
85+
}
86+
prev_offset = offset;
87+
offset = last.1;
88+
cb_last(&mut aux, &last.0, items.get_mut(prev_offset..offset).unwrap_or_default());
89+
}
90+
}
91+
}
92+
93+
// #[cfg(all(** YES **, not(any(** NO **, ** NO **, ..))))]
94+
fn mk_cfg(
95+
cx: &mut ExtCtxt<'_>,
96+
no: &[&TokenStream],
97+
sp: Span,
98+
yes: Option<&TokenStream>,
99+
) -> Attribute {
100+
let mut any_tokens = TokenStream::new(Vec::with_capacity(4));
101+
if let &[first, ref rest @ ..] = no {
102+
any_tokens.push_stream(first.clone());
103+
for elem in rest.iter().copied() {
104+
any_tokens.push_tree(TokenTree::token_alone(token::Comma, sp));
105+
any_tokens.push_stream(elem.clone());
106+
}
107+
}
108+
109+
let mut not_tokens = TokenStream::new(Vec::with_capacity(2));
110+
not_tokens.push_tree(TokenTree::token_alone(token::Ident(sym::any, false), sp));
111+
not_tokens.push_tree(TokenTree::Delimited(
112+
DelimSpan::from_single(sp),
113+
token::Delimiter::Parenthesis,
114+
any_tokens,
115+
));
116+
117+
let mut all_tokens = TokenStream::new(Vec::with_capacity(4));
118+
if let Some(elem) = yes {
119+
all_tokens.push_stream(elem.clone());
120+
all_tokens.push_tree(TokenTree::token_alone(token::Comma, sp));
121+
}
122+
all_tokens.push_tree(TokenTree::token_alone(token::Ident(sym::not, false), sp));
123+
all_tokens.push_tree(TokenTree::Delimited(
124+
DelimSpan::from_single(sp),
125+
token::Delimiter::Parenthesis,
126+
not_tokens,
127+
));
128+
129+
let mut tokens = TokenStream::new(Vec::with_capacity(2));
130+
tokens.push_tree(TokenTree::token_alone(token::Ident(sym::all, false), sp));
131+
tokens.push_tree(TokenTree::Delimited(
132+
DelimSpan::from_single(sp),
133+
token::Delimiter::Parenthesis,
134+
all_tokens,
135+
));
136+
137+
mk_attr(
138+
&cx.sess.parse_sess.attr_id_generator,
139+
AttrStyle::Outer,
140+
Path::from_ident(Ident::new(sym::cfg, sp)),
141+
AttrArgs::Delimited(DelimArgs {
142+
dspan: DelimSpan::from_single(sp),
143+
delim: token::Delimiter::Parenthesis,
144+
tokens,
145+
}),
146+
sp,
147+
)
148+
}
149+
150+
fn parse<'a>(
151+
cx: &mut ExtCtxt<'a>,
152+
tts: TokenStream,
153+
) -> PResult<'a, (bool, Vec<P<Item>>, Vec<(TokenStream, usize)>)> {
154+
let mut parser = cx.new_parser_from_tts(tts);
155+
if parser.token == token::Eof {
156+
return parser.unexpected();
157+
}
158+
let mut does_not_have_wildcard = true;
159+
let mut items = Vec::with_capacity(4);
160+
let mut items_offsets = Vec::with_capacity(4);
161+
loop {
162+
match parse_cfg_arm(&mut items, &mut parser)? {
163+
None => break,
164+
Some(attr) => {
165+
items_offsets.push((attr, items.len()));
166+
}
167+
}
168+
}
169+
if parser.token != token::Eof {
170+
parse_wildcard_arm(&mut items, &mut parser)?;
171+
does_not_have_wildcard = false;
172+
items_offsets.push((TokenStream::new(vec![]), items.len()));
173+
}
174+
if parser.token != token::Eof {
175+
return parser.unexpected();
176+
}
177+
Ok((does_not_have_wildcard, items, items_offsets))
178+
}
179+
180+
fn parse_arbitrary_arm_block<'a>(
181+
items: &mut Vec<P<Item>>,
182+
parser: &mut Parser<'a>,
183+
) -> PResult<'a, ()> {
184+
if parser.eat(&token::OpenDelim(token::Delimiter::Brace)) {
185+
loop {
186+
let item = match parser.parse_item(ForceCollect::No) {
187+
Ok(Some(elem)) => elem,
188+
_ => break,
189+
};
190+
items.push(item);
191+
}
192+
parser.expect(&token::CloseDelim(token::Delimiter::Brace))?;
193+
} else {
194+
let Ok(Some(item)) = parser.parse_item(ForceCollect::No) else {
195+
return parser.unexpected();
196+
};
197+
if !parser.eat(&token::Comma) {
198+
return Err(parser
199+
.sess
200+
.create_err(errors::CfgMatchMissingComma { span: parser.token.span }));
201+
}
202+
items.push(item);
203+
}
204+
Ok(())
205+
}
206+
207+
fn parse_cfg_arm<'a>(
208+
items: &mut Vec<P<Item>>,
209+
parser: &mut Parser<'a>,
210+
) -> PResult<'a, Option<TokenStream>> {
211+
if !parser.eat_keyword(sym::cfg) {
212+
return Ok(None);
213+
}
214+
let TokenTree::Delimited(_, delim, tokens) = parser.parse_token_tree() else {
215+
return parser.unexpected();
216+
};
217+
if delim != token::Delimiter::Parenthesis || !parser.eat(&token::FatArrow) {
218+
return Err(parser
219+
.sess
220+
.create_err(errors::CfgMatchBadArm { span: parser.token.span }));
221+
}
222+
parse_arbitrary_arm_block(items, parser)?;
223+
Ok(Some(tokens))
224+
}
225+
226+
fn parse_wildcard_arm<'a>(items: &mut Vec<P<Item>>, parser: &mut Parser<'a>) -> PResult<'a, ()> {
227+
if !parser.eat_keyword(kw::Underscore) || !parser.eat(&token::FatArrow) {
228+
return Err(parser
229+
.sess
230+
.create_err(errors::CfgMatchBadWildcard { span: parser.token.span }));
231+
}
232+
parse_arbitrary_arm_block(items, parser)?;
233+
Ok(())
234+
}
235+
236+
struct CfgMatchOutput(Vec<P<Item>>);
237+
238+
impl MacResult for CfgMatchOutput {
239+
fn make_impl_items(self: Box<Self>) -> Option<SmallVec<[P<AssocItem>; 1]>> {
240+
let mut rslt = SmallVec::with_capacity(self.0.len());
241+
rslt.extend(self.0.into_iter().filter_map(|item| {
242+
let Item { attrs, id, span, vis, ident, kind, tokens } = item.into_inner();
243+
let ItemKind::Fn(fun) = kind else {
244+
return None;
245+
};
246+
Some(P(Item { attrs, id, ident, kind: AssocItemKind::Fn(fun), span, tokens, vis }))
247+
}));
248+
Some(rslt)
249+
}
250+
251+
fn make_items(self: Box<Self>) -> Option<SmallVec<[P<Item>; 1]>> {
252+
Some(<_>::from(self.0))
253+
}
254+
255+
fn make_stmts(self: Box<Self>) -> Option<SmallVec<[Stmt; 1]>> {
256+
let mut rslt = SmallVec::with_capacity(self.0.len());
257+
rslt.extend(self.0.into_iter().map(|item| {
258+
let id = item.id;
259+
let span = item.span;
260+
Stmt { id, kind: StmtKind::Item(item), span }
261+
}));
262+
Some(rslt)
263+
}
264+
}

compiler/rustc_builtin_macros/src/errors.rs

+21
Original file line numberDiff line numberDiff line change
@@ -831,3 +831,24 @@ pub(crate) struct ExpectedRegisterClassOrExplicitRegister {
831831
#[primary_span]
832832
pub(crate) span: Span,
833833
}
834+
835+
#[derive(Diagnostic)]
836+
#[diag(builtin_macros_cfg_match_bad_arm)]
837+
pub(crate) struct CfgMatchBadArm {
838+
#[primary_span]
839+
pub(crate) span: Span,
840+
}
841+
842+
#[derive(Diagnostic)]
843+
#[diag(builtin_macros_cfg_match_bad_wildcard)]
844+
pub(crate) struct CfgMatchBadWildcard {
845+
#[primary_span]
846+
pub(crate) span: Span,
847+
}
848+
849+
#[derive(Diagnostic)]
850+
#[diag(builtin_macros_cfg_match_missing_comma)]
851+
pub(crate) struct CfgMatchMissingComma {
852+
#[primary_span]
853+
pub(crate) span: Span,
854+
}

0 commit comments

Comments
 (0)