Skip to content

Commit aea2e44

Browse files
committed
Auto merge of #86735 - jhpratt:rfc-3107, r=petrochenkov
Implement RFC 3107: `#[derive(Default)]` on enums with a `#[default]` attribute This PR implements RFC 3107, which permits `#[derive(Default)]` on enums where a unit variant has a `#[default]` attribute. See comments for current status.
2 parents 8b50cc9 + 72465b0 commit aea2e44

File tree

14 files changed

+506
-71
lines changed

14 files changed

+506
-71
lines changed

compiler/rustc_builtin_macros/src/deriving/default.rs

+230-27
Original file line numberDiff line numberDiff line change
@@ -2,11 +2,16 @@ use crate::deriving::generic::ty::*;
22
use crate::deriving::generic::*;
33

44
use rustc_ast::ptr::P;
5+
use rustc_ast::walk_list;
6+
use rustc_ast::EnumDef;
7+
use rustc_ast::VariantData;
58
use rustc_ast::{Expr, MetaItem};
6-
use rustc_errors::struct_span_err;
9+
use rustc_errors::Applicability;
710
use rustc_expand::base::{Annotatable, DummyResult, ExtCtxt};
11+
use rustc_span::symbol::Ident;
812
use rustc_span::symbol::{kw, sym};
913
use rustc_span::Span;
14+
use smallvec::SmallVec;
1015

1116
pub fn expand_deriving_default(
1217
cx: &mut ExtCtxt<'_>,
@@ -15,6 +20,8 @@ pub fn expand_deriving_default(
1520
item: &Annotatable,
1621
push: &mut dyn FnMut(Annotatable),
1722
) {
23+
item.visit_with(&mut DetectNonVariantDefaultAttr { cx });
24+
1825
let inline = cx.meta_word(span, sym::inline);
1926
let attrs = vec![cx.attribute(inline)];
2027
let trait_def = TraitDef {
@@ -34,53 +41,249 @@ pub fn expand_deriving_default(
3441
attributes: attrs,
3542
is_unsafe: false,
3643
unify_fieldless_variants: false,
37-
combine_substructure: combine_substructure(Box::new(|a, b, c| {
38-
default_substructure(a, b, c)
44+
combine_substructure: combine_substructure(Box::new(|cx, trait_span, substr| {
45+
match substr.fields {
46+
StaticStruct(_, fields) => {
47+
default_struct_substructure(cx, trait_span, substr, fields)
48+
}
49+
StaticEnum(enum_def, _) => {
50+
if !cx.sess.features_untracked().derive_default_enum {
51+
rustc_session::parse::feature_err(
52+
cx.parse_sess(),
53+
sym::derive_default_enum,
54+
span,
55+
"deriving `Default` on enums is experimental",
56+
)
57+
.emit();
58+
}
59+
default_enum_substructure(cx, trait_span, enum_def)
60+
}
61+
_ => cx.span_bug(trait_span, "method in `derive(Default)`"),
62+
}
3963
})),
4064
}],
4165
associated_types: Vec::new(),
4266
};
4367
trait_def.expand(cx, mitem, item, push)
4468
}
4569

46-
fn default_substructure(
70+
fn default_struct_substructure(
4771
cx: &mut ExtCtxt<'_>,
4872
trait_span: Span,
4973
substr: &Substructure<'_>,
74+
summary: &StaticFields,
5075
) -> P<Expr> {
5176
// Note that `kw::Default` is "default" and `sym::Default` is "Default"!
5277
let default_ident = cx.std_path(&[kw::Default, sym::Default, kw::Default]);
5378
let default_call = |span| cx.expr_call_global(span, default_ident.clone(), Vec::new());
5479

55-
match *substr.fields {
56-
StaticStruct(_, ref summary) => match *summary {
57-
Unnamed(ref fields, is_tuple) => {
58-
if !is_tuple {
59-
cx.expr_ident(trait_span, substr.type_ident)
60-
} else {
61-
let exprs = fields.iter().map(|sp| default_call(*sp)).collect();
62-
cx.expr_call_ident(trait_span, substr.type_ident, exprs)
63-
}
80+
match summary {
81+
Unnamed(ref fields, is_tuple) => {
82+
if !is_tuple {
83+
cx.expr_ident(trait_span, substr.type_ident)
84+
} else {
85+
let exprs = fields.iter().map(|sp| default_call(*sp)).collect();
86+
cx.expr_call_ident(trait_span, substr.type_ident, exprs)
87+
}
88+
}
89+
Named(ref fields) => {
90+
let default_fields = fields
91+
.iter()
92+
.map(|&(ident, span)| cx.field_imm(span, ident, default_call(span)))
93+
.collect();
94+
cx.expr_struct_ident(trait_span, substr.type_ident, default_fields)
95+
}
96+
}
97+
}
98+
99+
fn default_enum_substructure(
100+
cx: &mut ExtCtxt<'_>,
101+
trait_span: Span,
102+
enum_def: &EnumDef,
103+
) -> P<Expr> {
104+
let default_variant = match extract_default_variant(cx, enum_def, trait_span) {
105+
Ok(value) => value,
106+
Err(()) => return DummyResult::raw_expr(trait_span, true),
107+
};
108+
109+
// At this point, we know that there is exactly one variant with a `#[default]` attribute. The
110+
// attribute hasn't yet been validated.
111+
112+
if let Err(()) = validate_default_attribute(cx, default_variant) {
113+
return DummyResult::raw_expr(trait_span, true);
114+
}
115+
116+
// We now know there is exactly one unit variant with exactly one `#[default]` attribute.
117+
118+
cx.expr_path(cx.path(
119+
default_variant.span,
120+
vec![Ident::new(kw::SelfUpper, default_variant.span), default_variant.ident],
121+
))
122+
}
123+
124+
fn extract_default_variant<'a>(
125+
cx: &mut ExtCtxt<'_>,
126+
enum_def: &'a EnumDef,
127+
trait_span: Span,
128+
) -> Result<&'a rustc_ast::Variant, ()> {
129+
let default_variants: SmallVec<[_; 1]> = enum_def
130+
.variants
131+
.iter()
132+
.filter(|variant| cx.sess.contains_name(&variant.attrs, kw::Default))
133+
.collect();
134+
135+
let variant = match default_variants.as_slice() {
136+
[variant] => variant,
137+
[] => {
138+
let possible_defaults = enum_def
139+
.variants
140+
.iter()
141+
.filter(|variant| matches!(variant.data, VariantData::Unit(..)))
142+
.filter(|variant| !cx.sess.contains_name(&variant.attrs, sym::non_exhaustive));
143+
144+
let mut diag = cx.struct_span_err(trait_span, "no default declared");
145+
diag.help("make a unit variant default by placing `#[default]` above it");
146+
for variant in possible_defaults {
147+
// Suggest making each unit variant default.
148+
diag.tool_only_span_suggestion(
149+
variant.span,
150+
&format!("make `{}` default", variant.ident),
151+
format!("#[default] {}", variant.ident),
152+
Applicability::MaybeIncorrect,
153+
);
64154
}
65-
Named(ref fields) => {
66-
let default_fields = fields
155+
diag.emit();
156+
157+
return Err(());
158+
}
159+
[first, rest @ ..] => {
160+
let mut diag = cx.struct_span_err(trait_span, "multiple declared defaults");
161+
diag.span_label(first.span, "first default");
162+
diag.span_labels(rest.iter().map(|variant| variant.span), "additional default");
163+
diag.note("only one variant can be default");
164+
for variant in &default_variants {
165+
// Suggest making each variant already tagged default.
166+
let suggestion = default_variants
67167
.iter()
68-
.map(|&(ident, span)| cx.field_imm(span, ident, default_call(span)))
168+
.filter_map(|v| {
169+
if v.ident == variant.ident {
170+
None
171+
} else {
172+
Some((cx.sess.find_by_name(&v.attrs, kw::Default)?.span, String::new()))
173+
}
174+
})
69175
.collect();
70-
cx.expr_struct_ident(trait_span, substr.type_ident, default_fields)
176+
177+
diag.tool_only_multipart_suggestion(
178+
&format!("make `{}` default", variant.ident),
179+
suggestion,
180+
Applicability::MaybeIncorrect,
181+
);
71182
}
72-
},
73-
StaticEnum(..) => {
74-
struct_span_err!(
75-
&cx.sess.parse_sess.span_diagnostic,
76-
trait_span,
77-
E0665,
78-
"`Default` cannot be derived for enums, only structs"
183+
diag.emit();
184+
185+
return Err(());
186+
}
187+
};
188+
189+
if !matches!(variant.data, VariantData::Unit(..)) {
190+
cx.struct_span_err(
191+
variant.ident.span,
192+
"the `#[default]` attribute may only be used on unit enum variants",
193+
)
194+
.help("consider a manual implementation of `Default`")
195+
.emit();
196+
197+
return Err(());
198+
}
199+
200+
if let Some(non_exhaustive_attr) = cx.sess.find_by_name(&variant.attrs, sym::non_exhaustive) {
201+
cx.struct_span_err(variant.ident.span, "default variant must be exhaustive")
202+
.span_label(non_exhaustive_attr.span, "declared `#[non_exhaustive]` here")
203+
.help("consider a manual implementation of `Default`")
204+
.emit();
205+
206+
return Err(());
207+
}
208+
209+
Ok(variant)
210+
}
211+
212+
fn validate_default_attribute(
213+
cx: &mut ExtCtxt<'_>,
214+
default_variant: &rustc_ast::Variant,
215+
) -> Result<(), ()> {
216+
let attrs: SmallVec<[_; 1]> =
217+
cx.sess.filter_by_name(&default_variant.attrs, kw::Default).collect();
218+
219+
let attr = match attrs.as_slice() {
220+
[attr] => attr,
221+
[] => cx.bug(
222+
"this method must only be called with a variant that has a `#[default]` attribute",
223+
),
224+
[first, rest @ ..] => {
225+
// FIXME(jhpratt) Do we want to perform this check? It doesn't exist
226+
// for `#[inline]`, `#[non_exhaustive]`, and presumably others.
227+
228+
let suggestion_text =
229+
if rest.len() == 1 { "try removing this" } else { "try removing these" };
230+
231+
cx.struct_span_err(default_variant.ident.span, "multiple `#[default]` attributes")
232+
.note("only one `#[default]` attribute is needed")
233+
.span_label(first.span, "`#[default]` used here")
234+
.span_label(rest[0].span, "`#[default]` used again here")
235+
.span_help(rest.iter().map(|attr| attr.span).collect::<Vec<_>>(), suggestion_text)
236+
// This would otherwise display the empty replacement, hence the otherwise
237+
// repetitive `.span_help` call above.
238+
.tool_only_multipart_suggestion(
239+
suggestion_text,
240+
rest.iter().map(|attr| (attr.span, String::new())).collect(),
241+
Applicability::MachineApplicable,
242+
)
243+
.emit();
244+
245+
return Err(());
246+
}
247+
};
248+
if !attr.is_word() {
249+
cx.struct_span_err(attr.span, "`#[default]` attribute does not accept a value")
250+
.span_suggestion_hidden(
251+
attr.span,
252+
"try using `#[default]`",
253+
"#[default]".into(),
254+
Applicability::MaybeIncorrect,
79255
)
80256
.emit();
81-
// let compilation continue
82-
DummyResult::raw_expr(trait_span, true)
257+
258+
return Err(());
259+
}
260+
Ok(())
261+
}
262+
263+
struct DetectNonVariantDefaultAttr<'a, 'b> {
264+
cx: &'a ExtCtxt<'b>,
265+
}
266+
267+
impl<'a, 'b> rustc_ast::visit::Visitor<'a> for DetectNonVariantDefaultAttr<'a, 'b> {
268+
fn visit_attribute(&mut self, attr: &'a rustc_ast::Attribute) {
269+
if attr.has_name(kw::Default) {
270+
self.cx
271+
.struct_span_err(
272+
attr.span,
273+
"the `#[default]` attribute may only be used on unit enum variants",
274+
)
275+
.emit();
276+
}
277+
278+
rustc_ast::visit::walk_attribute(self, attr);
279+
}
280+
fn visit_variant(&mut self, v: &'a rustc_ast::Variant) {
281+
self.visit_ident(v.ident);
282+
self.visit_vis(&v.vis);
283+
self.visit_variant_data(&v.data);
284+
walk_list!(self, visit_anon_const, &v.disr_expr);
285+
for attr in &v.attrs {
286+
rustc_ast::visit::walk_attribute(self, attr);
83287
}
84-
_ => cx.span_bug(trait_span, "method in `derive(Default)`"),
85288
}
86289
}

compiler/rustc_error_codes/src/error_codes/E0665.md

+3-1
Original file line numberDiff line numberDiff line change
@@ -1,8 +1,10 @@
1+
#### Note: this error code is no longer emitted by the compiler.
2+
13
The `Default` trait was derived on an enum.
24

35
Erroneous code example:
46

5-
```compile_fail,E0665
7+
```compile_fail
68
#[derive(Default)]
79
enum Food {
810
Sweet,

compiler/rustc_feature/src/active.rs

+3
Original file line numberDiff line numberDiff line change
@@ -677,6 +677,9 @@ declare_features! (
677677
/// Infer generic args for both consts and types.
678678
(active, generic_arg_infer, "1.55.0", Some(85077), None),
679679

680+
/// Allows `#[derive(Default)]` and `#[default]` on enums.
681+
(active, derive_default_enum, "1.56.0", Some(86985), None),
682+
680683
// -------------------------------------------------------------------------
681684
// feature-group-end: actual feature gates
682685
// -------------------------------------------------------------------------

compiler/rustc_span/src/symbol.rs

+1
Original file line numberDiff line numberDiff line change
@@ -489,6 +489,7 @@ symbols! {
489489
deref_mut,
490490
deref_target,
491491
derive,
492+
derive_default_enum,
492493
destructuring_assignment,
493494
diagnostic,
494495
direct,

library/core/src/default.rs

+2-1
Original file line numberDiff line numberDiff line change
@@ -161,7 +161,8 @@ pub fn default<T: Default>() -> T {
161161
}
162162

163163
/// Derive macro generating an impl of the trait `Default`.
164-
#[rustc_builtin_macro]
164+
#[cfg_attr(not(bootstrap), rustc_builtin_macro(Default, attributes(default)))]
165+
#[cfg_attr(bootstrap, rustc_builtin_macro)]
165166
#[stable(feature = "builtin_macro_prelude", since = "1.38.0")]
166167
#[allow_internal_unstable(core_intrinsics)]
167168
pub macro Default($item:item) {
Original file line numberDiff line numberDiff line change
@@ -0,0 +1,19 @@
1+
// run-pass
2+
3+
#![feature(derive_default_enum)]
4+
5+
// nb: does not impl Default
6+
#[derive(Debug, PartialEq)]
7+
struct NotDefault;
8+
9+
#[derive(Debug, Default, PartialEq)]
10+
enum Foo {
11+
#[default]
12+
Alpha,
13+
#[allow(dead_code)]
14+
Beta(NotDefault),
15+
}
16+
17+
fn main() {
18+
assert_eq!(Foo::default(), Foo::Alpha);
19+
}

src/test/ui/deriving/deriving-with-helper.rs

+3-2
Original file line numberDiff line numberDiff line change
@@ -5,6 +5,7 @@
55
#![feature(lang_items)]
66
#![feature(no_core)]
77
#![feature(rustc_attrs)]
8+
#![feature(derive_default_enum)]
89

910
#![no_core]
1011

@@ -30,7 +31,7 @@ mod default {
3031
trait Sized {}
3132

3233
#[derive(Default)]
33-
struct S {
34+
enum S {
3435
#[default] // OK
35-
field: u8,
36+
Foo,
3637
}

src/test/ui/error-codes/E0665.rs

-8
This file was deleted.

0 commit comments

Comments
 (0)