Skip to content
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.

Commit 9423daa

Browse files
committedOct 2, 2023
Turn cfg_match into a builtin
1 parent b0889cb commit 9423daa

File tree

18 files changed

+675
-162
lines changed

18 files changed

+675
-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

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

‎compiler/rustc_builtin_macros/src/errors.rs

+35
Original file line numberDiff line numberDiff line change
@@ -831,3 +831,38 @@ 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_single_arm)]
844+
pub(crate) struct CfgMatchBadSingleArm {
845+
#[primary_span]
846+
pub(crate) span: Span,
847+
}
848+
849+
#[derive(Diagnostic)]
850+
#[diag(builtin_macros_cfg_match_bad_wildcard)]
851+
pub(crate) struct CfgMatchBadWildcard {
852+
#[primary_span]
853+
pub(crate) span: Span,
854+
}
855+
856+
#[derive(Diagnostic)]
857+
#[diag(builtin_macros_cfg_match_meaningless_arms)]
858+
pub(crate) struct CfgMatchMeaninglessArms {
859+
#[primary_span]
860+
pub(crate) span: Span,
861+
}
862+
863+
#[derive(Diagnostic)]
864+
#[diag(builtin_macros_cfg_match_missing_comma)]
865+
pub(crate) struct CfgMatchMissingComma {
866+
#[primary_span]
867+
pub(crate) span: Span,
868+
}

‎compiler/rustc_builtin_macros/src/lib.rs

+11-7
Original file line numberDiff line numberDiff line change
@@ -31,6 +31,7 @@ mod assert;
3131
mod cfg;
3232
mod cfg_accessible;
3333
mod cfg_eval;
34+
mod cfg_match;
3435
mod compile_error;
3536
mod concat;
3637
mod concat_bytes;
@@ -71,33 +72,36 @@ pub fn register_builtin_macros(resolver: &mut dyn ResolverExpand) {
7172
}
7273

7374
register_bang! {
75+
// tidy-alphabetical-start
7476
asm: asm::expand_asm,
7577
assert: assert::expand_assert,
7678
cfg: cfg::expand_cfg,
79+
cfg_match: cfg_match::expand_cfg_match,
7780
column: source_util::expand_column,
7881
compile_error: compile_error::expand_compile_error,
82+
concat: concat::expand_concat,
7983
concat_bytes: concat_bytes::expand_concat_bytes,
8084
concat_idents: concat_idents::expand_concat_idents,
81-
concat: concat::expand_concat,
85+
const_format_args: format::expand_format_args,
86+
core_panic: edition_panic::expand_panic,
8287
env: env::expand_env,
8388
file: source_util::expand_file,
84-
format_args_nl: format::expand_format_args_nl,
8589
format_args: format::expand_format_args,
86-
const_format_args: format::expand_format_args,
90+
format_args_nl: format::expand_format_args_nl,
8791
global_asm: asm::expand_global_asm,
92+
include: source_util::expand_include,
8893
include_bytes: source_util::expand_include_bytes,
8994
include_str: source_util::expand_include_str,
90-
include: source_util::expand_include,
9195
line: source_util::expand_line,
9296
log_syntax: log_syntax::expand_log_syntax,
9397
module_path: source_util::expand_mod,
9498
option_env: env::expand_option_env,
95-
core_panic: edition_panic::expand_panic,
9699
std_panic: edition_panic::expand_panic,
97-
unreachable: edition_panic::expand_unreachable,
98100
stringify: source_util::expand_stringify,
99101
trace_macros: trace_macros::expand_trace_macros,
100102
type_ascribe: type_ascribe::expand_type_ascribe,
103+
unreachable: edition_panic::expand_unreachable,
104+
// tidy-alphabetical-end
101105
}
102106

103107
register_attr! {
@@ -114,8 +118,8 @@ pub fn register_builtin_macros(resolver: &mut dyn ResolverExpand) {
114118

115119
register_derive! {
116120
Clone: clone::expand_deriving_clone,
117-
Copy: bounds::expand_deriving_copy,
118121
ConstParamTy: bounds::expand_deriving_const_param_ty,
122+
Copy: bounds::expand_deriving_copy,
119123
Debug: debug::expand_deriving_debug,
120124
Default: default::expand_deriving_default,
121125
Eq: eq::expand_deriving_eq,

‎compiler/rustc_expand/src/base.rs

+1
Original file line numberDiff line numberDiff line change
@@ -478,6 +478,7 @@ make_MacEager! {
478478
trait_items: SmallVec<[P<ast::AssocItem>; 1]>,
479479
foreign_items: SmallVec<[P<ast::ForeignItem>; 1]>,
480480
stmts: SmallVec<[ast::Stmt; 1]>,
481+
token_stream: P<TokenStream>,
481482
ty: P<ast::Ty>,
482483
}
483484

‎compiler/rustc_span/src/symbol.rs

+1
Original file line numberDiff line numberDiff line change
@@ -472,6 +472,7 @@ symbols! {
472472
cfg_doctest,
473473
cfg_eval,
474474
cfg_hide,
475+
cfg_match,
475476
cfg_overflow_checks,
476477
cfg_panic,
477478
cfg_relocation_model,

‎library/core/src/macros/mod.rs

+35
Original file line numberDiff line numberDiff line change
@@ -349,6 +349,7 @@ pub macro debug_assert_matches($($arg:tt)*) {
349349
/// }
350350
/// }
351351
/// ```
352+
#[cfg(bootstrap)]
352353
#[macro_export]
353354
#[unstable(feature = "cfg_match", issue = "115585")]
354355
#[rustc_diagnostic_item = "cfg_match"]
@@ -870,6 +871,40 @@ macro_rules! todo {
870871
/// with exception of expansion functions transforming macro inputs into outputs,
871872
/// those functions are provided by the compiler.
872873
pub(crate) mod builtin {
874+
/// A macro for defining `#[cfg]` match-like statements.
875+
///
876+
/// It is similar to the `if/elif` C preprocessor macro by allowing definition of a cascade of
877+
/// `#[cfg]` cases, emitting the implementation which matches first.
878+
///
879+
/// This allows you to conveniently provide a long list `#[cfg]`'d blocks of code
880+
/// without having to rewrite each clause multiple times.
881+
///
882+
/// Trailing `_` wildcard match arms are **optional** and they indicate a fallback branch when
883+
/// all previous declarations do not evaluate to true.
884+
///
885+
/// # Example
886+
///
887+
/// ```
888+
/// #![feature(cfg_match)]
889+
///
890+
/// cfg_match! {
891+
/// cfg(unix) => {
892+
/// fn foo() { /* unix specific functionality */ }
893+
/// }
894+
/// cfg(target_pointer_width = "32") => {
895+
/// fn foo() { /* non-unix, 32-bit functionality */ }
896+
/// }
897+
/// _ => {
898+
/// fn foo() { /* fallback implementation */ }
899+
/// }
900+
/// }
901+
/// ```
902+
#[cfg(not(bootstrap))]
903+
#[rustc_builtin_macro]
904+
#[unstable(feature = "cfg_match", issue = "115585")]
905+
pub macro cfg_match($($tt:tt)*) {
906+
/* compiler built-in */
907+
}
873908

874909
/// Causes compilation to fail with the given error message when encountered.
875910
///

‎library/core/src/prelude/v1.rs

+4
Original file line numberDiff line numberDiff line change
@@ -103,3 +103,7 @@ pub use crate::macros::builtin::cfg_eval;
103103
reason = "placeholder syntax for type ascription"
104104
)]
105105
pub use crate::macros::builtin::type_ascribe;
106+
107+
#[unstable(feature = "cfg_match", issue = "115585")]
108+
#[cfg(not(bootstrap))]
109+
pub use crate::macros::builtin::cfg_match;

‎library/core/tests/macros.rs

-154
Original file line numberDiff line numberDiff line change
@@ -1,25 +1,3 @@
1-
trait Trait {
2-
fn blah(&self);
3-
}
4-
5-
#[allow(dead_code)]
6-
struct Struct;
7-
8-
impl Trait for Struct {
9-
cfg_match! {
10-
cfg(feature = "blah") => {
11-
fn blah(&self) {
12-
unimplemented!();
13-
}
14-
}
15-
_ => {
16-
fn blah(&self) {
17-
unimplemented!();
18-
}
19-
}
20-
}
21-
}
22-
231
#[test]
242
fn assert_eq_trailing_comma() {
253
assert_eq!(1, 1,);
@@ -40,135 +18,3 @@ fn assert_ne_trailing_comma() {
4018
fn matches_leading_pipe() {
4119
matches!(1, | 1 | 2 | 3);
4220
}
43-
44-
#[test]
45-
fn cfg_match_basic() {
46-
cfg_match! {
47-
cfg(target_pointer_width = "64") => { fn f0_() -> bool { true }}
48-
}
49-
50-
cfg_match! {
51-
cfg(unix) => { fn f1_() -> bool { true }}
52-
cfg(any(target_os = "macos", target_os = "linux")) => { fn f1_() -> bool { false }}
53-
}
54-
55-
cfg_match! {
56-
cfg(target_pointer_width = "32") => { fn f2_() -> bool { false }}
57-
cfg(target_pointer_width = "64") => { fn f2_() -> bool { true }}
58-
}
59-
60-
cfg_match! {
61-
cfg(target_pointer_width = "16") => { fn f3_() -> i32 { 1 }}
62-
_ => { fn f3_() -> i32 { 2 }}
63-
}
64-
65-
#[cfg(target_pointer_width = "64")]
66-
assert!(f0_());
67-
68-
#[cfg(unix)]
69-
assert!(f1_());
70-
71-
#[cfg(target_pointer_width = "32")]
72-
assert!(!f2_());
73-
#[cfg(target_pointer_width = "64")]
74-
assert!(f2_());
75-
76-
#[cfg(not(target_pointer_width = "16"))]
77-
assert_eq!(f3_(), 2);
78-
}
79-
80-
#[test]
81-
fn cfg_match_debug_assertions() {
82-
cfg_match! {
83-
cfg(debug_assertions) => {
84-
assert!(cfg!(debug_assertions));
85-
assert_eq!(4, 2+2);
86-
}
87-
_ => {
88-
assert!(cfg!(not(debug_assertions)));
89-
assert_eq!(10, 5+5);
90-
}
91-
}
92-
}
93-
94-
#[cfg(target_pointer_width = "64")]
95-
#[test]
96-
fn cfg_match_no_duplication_on_64() {
97-
cfg_match! {
98-
cfg(windows) => {
99-
fn foo() {}
100-
}
101-
cfg(unix) => {
102-
fn foo() {}
103-
}
104-
cfg(target_pointer_width = "64") => {
105-
fn foo() {}
106-
}
107-
}
108-
foo();
109-
}
110-
111-
#[test]
112-
fn cfg_match_options() {
113-
cfg_match! {
114-
cfg(test) => {
115-
use core::option::Option as Option2;
116-
fn works1() -> Option2<u32> { Some(1) }
117-
}
118-
_ => { fn works1() -> Option<u32> { None } }
119-
}
120-
121-
cfg_match! {
122-
cfg(feature = "foo") => { fn works2() -> bool { false } }
123-
cfg(test) => { fn works2() -> bool { true } }
124-
_ => { fn works2() -> bool { false } }
125-
}
126-
127-
cfg_match! {
128-
cfg(feature = "foo") => { fn works3() -> bool { false } }
129-
_ => { fn works3() -> bool { true } }
130-
}
131-
132-
cfg_match! {
133-
cfg(test) => {
134-
use core::option::Option as Option3;
135-
fn works4() -> Option3<u32> { Some(1) }
136-
}
137-
}
138-
139-
cfg_match! {
140-
cfg(feature = "foo") => { fn works5() -> bool { false } }
141-
cfg(test) => { fn works5() -> bool { true } }
142-
}
143-
144-
assert!(works1().is_some());
145-
assert!(works2());
146-
assert!(works3());
147-
assert!(works4().is_some());
148-
assert!(works5());
149-
}
150-
151-
#[test]
152-
fn cfg_match_two_functions() {
153-
cfg_match! {
154-
cfg(target_pointer_width = "64") => {
155-
fn foo1() {}
156-
fn bar1() {}
157-
}
158-
_ => {
159-
fn foo2() {}
160-
fn bar2() {}
161-
}
162-
}
163-
164-
#[cfg(target_pointer_width = "64")]
165-
{
166-
foo1();
167-
bar1();
168-
}
169-
#[cfg(not(target_pointer_width = "64"))]
170-
{
171-
foo2();
172-
bar2();
173-
}
174-
}

‎library/std/src/lib.rs

+1
Original file line numberDiff line numberDiff line change
@@ -665,6 +665,7 @@ pub use core::{
665665
)]
666666
pub use core::concat_bytes;
667667

668+
#[cfg(bootstrap)]
668669
#[unstable(feature = "cfg_match", issue = "115585")]
669670
pub use core::cfg_match;
670671

‎library/std/src/prelude/v1.rs

+4
Original file line numberDiff line numberDiff line change
@@ -91,6 +91,10 @@ pub use core::prelude::v1::cfg_eval;
9191
)]
9292
pub use core::prelude::v1::type_ascribe;
9393

94+
#[unstable(feature = "cfg_match", issue = "115585")]
95+
#[cfg(not(bootstrap))]
96+
pub use core::prelude::v1::cfg_match;
97+
9498
// The file so far is equivalent to core/src/prelude/v1.rs. It is duplicated
9599
// rather than glob imported because we want docs to show these re-exports as
96100
// pointing to within `std`.

‎src/tools/tidy/src/ui_tests.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -11,7 +11,7 @@ use std::path::{Path, PathBuf};
1111
const ENTRY_LIMIT: usize = 900;
1212
// FIXME: The following limits should be reduced eventually.
1313
const ISSUES_ENTRY_LIMIT: usize = 1854;
14-
const ROOT_ENTRY_LIMIT: usize = 865;
14+
const ROOT_ENTRY_LIMIT: usize = 866;
1515

1616
const EXPECTED_TEST_FILE_EXTENSIONS: &[&str] = &[
1717
"rs", // test source files

‎tests/ui/cfg-match/input.rs

+29
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,29 @@
1+
// check-pass
2+
// compile-flags: -Z unpretty=expanded
3+
4+
#![feature(cfg_match)]
5+
6+
trait Trait {
7+
fn impl_fn(&self);
8+
}
9+
struct Struct;
10+
impl Trait for Struct {
11+
cfg_match! {
12+
cfg(feature = "blah") => { fn impl_fn(&self) {} }
13+
_ => { fn impl_fn(&self) {} }
14+
}
15+
}
16+
17+
cfg_match! {
18+
cfg(unix) => { fn item() {} }
19+
_ => { fn item() {} }
20+
}
21+
22+
fn statement() {
23+
cfg_match! {
24+
cfg(unix) => { fn statement() {} }
25+
_ => { fn statement() {} }
26+
}
27+
}
28+
29+
pub fn main() {}

‎tests/ui/cfg-match/input.stdout

+29
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,29 @@
1+
#![feature(prelude_import)]
2+
#![no_std]
3+
// check-pass
4+
// compile-flags: -Z unpretty=expanded
5+
6+
#![feature(cfg_match)]
7+
#[prelude_import]
8+
use ::std::prelude::rust_2015::*;
9+
#[macro_use]
10+
extern crate std;
11+
12+
trait Trait {
13+
fn impl_fn(&self);
14+
}
15+
struct Struct;
16+
impl Trait for Struct {
17+
#[cfg(all(not(any(feature = "blah"))))]
18+
fn impl_fn(&self) {}
19+
}
20+
21+
#[cfg(all(unix, not(any())))]
22+
fn item() {}
23+
24+
fn statement() {
25+
#[cfg(all(unix, not(any())))]
26+
fn statement() {}
27+
}
28+
29+
pub fn main() {}

‎tests/ui/cfg-match/runtime.rs

+126
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,126 @@
1+
// run-pass
2+
3+
#![feature(cfg_match)]
4+
5+
fn basic() {
6+
cfg_match! {
7+
cfg(unix) => { fn f1() -> bool { true }}
8+
cfg(any(target_os = "macos", target_os = "linux")) => { fn f1() -> bool { false }}
9+
}
10+
11+
cfg_match! {
12+
cfg(target_pointer_width = "32") => { fn f2() -> bool { false }}
13+
cfg(target_pointer_width = "64") => { fn f2() -> bool { true }}
14+
}
15+
16+
cfg_match! {
17+
cfg(target_pointer_width = "16") => { fn f3() -> i32 { 1 }}
18+
_ => { fn f3() -> i32 { 2 }}
19+
}
20+
21+
cfg_match! {
22+
cfg(test) => {
23+
use core::option::Option as Option2;
24+
fn works1() -> Option2<u32> { Some(1) }
25+
}
26+
_ => { fn works1() -> Option<u32> { None } }
27+
}
28+
29+
cfg_match! {
30+
cfg(feature = "foo") => { fn works2() -> bool { false } }
31+
cfg(test) => { fn works2() -> bool { false } }
32+
_ => { fn works2() -> bool { true } }
33+
}
34+
35+
cfg_match! {
36+
cfg(feature = "foo") => { fn works3() -> bool { false } }
37+
_ => { fn works3() -> bool { true } }
38+
}
39+
40+
#[cfg(unix)]
41+
assert!(f1());
42+
43+
#[cfg(target_pointer_width = "32")]
44+
assert!(!f2());
45+
#[cfg(target_pointer_width = "64")]
46+
assert!(f2());
47+
48+
#[cfg(not(target_pointer_width = "16"))]
49+
assert_eq!(f3(), 2);
50+
51+
assert!(works1().is_none());
52+
53+
assert!(works2());
54+
55+
assert!(works3());
56+
}
57+
58+
fn debug_assertions() {
59+
cfg_match! {
60+
cfg(debug_assertions) => {
61+
assert!(cfg!(debug_assertions));
62+
assert_eq!(4, 2+2);
63+
}
64+
_ => {
65+
assert!(cfg!(not(debug_assertions)));
66+
assert_eq!(10, 5+5);
67+
}
68+
}
69+
}
70+
71+
fn no_bracket() {
72+
cfg_match! {
73+
cfg(unix) => fn f0() -> bool { true },
74+
_ => fn f0() -> bool { true },
75+
}
76+
assert!(f0())
77+
}
78+
79+
fn no_duplication_on_64() {
80+
#[cfg(target_pointer_width = "64")]
81+
cfg_match! {
82+
cfg(windows) => {
83+
fn foo() {}
84+
}
85+
cfg(unix) => {
86+
fn foo() {}
87+
}
88+
cfg(target_pointer_width = "64") => {
89+
fn foo() {}
90+
}
91+
}
92+
#[cfg(target_pointer_width = "64")]
93+
foo();
94+
}
95+
96+
fn two_functions() {
97+
cfg_match! {
98+
cfg(target_pointer_width = "64") => {
99+
fn foo1() {}
100+
fn bar1() {}
101+
}
102+
_ => {
103+
fn foo2() {}
104+
fn bar2() {}
105+
}
106+
}
107+
108+
#[cfg(target_pointer_width = "64")]
109+
{
110+
foo1();
111+
bar1();
112+
}
113+
#[cfg(not(target_pointer_width = "64"))]
114+
{
115+
foo2();
116+
bar2();
117+
}
118+
}
119+
120+
pub fn main() {
121+
basic();
122+
debug_assertions();
123+
no_bracket();
124+
no_duplication_on_64();
125+
two_functions();
126+
}

‎tests/ui/cfg-match/syntax.rs

+38
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,38 @@
1+
#![feature(cfg_match)]
2+
3+
cfg_match! {
4+
cfg(unix) => const BAD_SINGLE_ELEMENT: () = ();,
5+
//~^ ERROR arms without brackets are only allowed for function
6+
_ => const BAD_SINGLE_ELEMENT: () = ();,
7+
}
8+
9+
cfg_match! {
10+
cfg(unix) => fn missing_comma() {}
11+
_ => fn missing_comma() {}
12+
//~^ ERROR conditional arms with a single element must end with a com
13+
}
14+
15+
cfg_match! {
16+
cfg(unix) {
17+
//~^ ERROR conditional arm must be declared with a trailing
18+
fn regular_arm() {}
19+
}
20+
_ => { fn regular_arm() {} }
21+
}
22+
23+
cfg_match! {
24+
cfg(unix) => { fn wildcard() {} }
25+
{
26+
//~^ ERROR the last arm is expected to be a wildcard
27+
fn wildcard() {}
28+
}
29+
}
30+
31+
fn meaningless() {
32+
cfg_match! {
33+
//~^ ERROR single arm with a single element has the same effect of a st
34+
cfg(feature = "foo") => fn foo() {},
35+
}
36+
}
37+
38+
pub fn main() {}

‎tests/ui/cfg-match/syntax.stderr

+35
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,35 @@
1+
error: arms without brackets are only allowed for functions at the current time
2+
--> $DIR/syntax.rs:4:52
3+
|
4+
LL | cfg(unix) => const BAD_SINGLE_ELEMENT: () = ();,
5+
| ^
6+
7+
error: conditional arms with a single element must end with a comma
8+
--> $DIR/syntax.rs:11:5
9+
|
10+
LL | _ => fn missing_comma() {}
11+
| ^
12+
13+
error: conditional arm must be declared with a trailing `=>`
14+
--> $DIR/syntax.rs:16:15
15+
|
16+
LL | cfg(unix) {
17+
| ^
18+
19+
error: the last arm is expected to be a wildcard
20+
--> $DIR/syntax.rs:25:5
21+
|
22+
LL | {
23+
| ^
24+
25+
error: single arm with a single element has the same effect of a standalone `cfg`
26+
--> $DIR/syntax.rs:32:5
27+
|
28+
LL | / cfg_match! {
29+
LL | |
30+
LL | | cfg(feature = "foo") => fn foo() {},
31+
LL | | }
32+
| |_____^
33+
34+
error: aborting due to 5 previous errors
35+

0 commit comments

Comments
 (0)
Please sign in to comment.