Skip to content

Commit 8b75004

Browse files
committed
Fix anon const def-creation when macros are involved
Ever since rust-lang#125915, some `ast::AnonConst`s turn into `hir::ConstArgKind::Path`s, which don't have associated `DefId`s. To deal with the fact that we don't have resolution information in `DefCollector`, we decided to implement a process where if the anon const *appeared* to be trivial (i.e., `N` or `{ N }`), we would avoid creating a def for it in `DefCollector`. If later, in AST lowering, we realized it turned out to be a unit struct literal, or we were lowering it to something that didn't use `hir::ConstArg`, we'd create its def there. However, let's say we have a macro `m!()` that expands to a reference to a free constant `FOO`. If we use `m!()` in the body of an anon const (e.g., `Foo<{ m!() }>`), then in def collection, it appears to be a nontrivial anon const and we create a def. But the macro expands to something that looks like a trivial const arg, but is not, so in AST lowering we "fix" the mistake we assumed def collection made and create a def for it. This causes a duplicate definition ICE. The ideal long-term fix for this is a bit unclear. One option is to delay def creation for all expression-like nodes until AST lowering (see rust-lang#128844 for an incomplete attempt at this). This would avoid issues like this one that are caused by hacky workarounds. However, this approach has some downsides as well, and the best approach is yet to be determined. In the meantime, this PR fixes the bug by delaying def creation for anon consts whose bodies are macro invocations until after we expand the macro and know what is inside it. This is accomplished by adding information to create the anon const's def to the data in `Resolver.invocation_parents`.
1 parent 394c406 commit 8b75004

File tree

4 files changed

+122
-52
lines changed

4 files changed

+122
-52
lines changed

compiler/rustc_ast/src/ast.rs

+12-8
Original file line numberDiff line numberDiff line change
@@ -1188,14 +1188,7 @@ impl Expr {
11881188
///
11891189
/// Does not ensure that the path resolves to a const param, the caller should check this.
11901190
pub fn is_potential_trivial_const_arg(&self) -> bool {
1191-
let this = if let ExprKind::Block(block, None) = &self.kind
1192-
&& let [stmt] = block.stmts.as_slice()
1193-
&& let StmtKind::Expr(expr) = &stmt.kind
1194-
{
1195-
expr
1196-
} else {
1197-
self
1198-
};
1191+
let this = self.maybe_unwrap_block();
11991192

12001193
if let ExprKind::Path(None, path) = &this.kind
12011194
&& path.is_potential_trivial_const_arg()
@@ -1206,6 +1199,17 @@ impl Expr {
12061199
}
12071200
}
12081201

1202+
pub fn maybe_unwrap_block(&self) -> &Expr {
1203+
if let ExprKind::Block(block, None) = &self.kind
1204+
&& let [stmt] = block.stmts.as_slice()
1205+
&& let StmtKind::Expr(expr) = &stmt.kind
1206+
{
1207+
expr
1208+
} else {
1209+
self
1210+
}
1211+
}
1212+
12091213
pub fn to_bound(&self) -> Option<GenericBound> {
12101214
match &self.kind {
12111215
ExprKind::Path(None, path) => Some(GenericBound::Trait(

compiler/rustc_resolve/src/def_collector.rs

+76-34
Original file line numberDiff line numberDiff line change
@@ -12,22 +12,37 @@ use rustc_span::symbol::{kw, sym, Symbol};
1212
use rustc_span::Span;
1313
use tracing::debug;
1414

15-
use crate::{ImplTraitContext, Resolver};
15+
use crate::{ImplTraitContext, InvocationParent, PendingAnonConstInfo, Resolver};
1616

1717
pub(crate) fn collect_definitions(
1818
resolver: &mut Resolver<'_, '_>,
1919
fragment: &AstFragment,
2020
expansion: LocalExpnId,
2121
) {
22-
let (parent_def, impl_trait_context, in_attr) = resolver.invocation_parents[&expansion];
23-
let mut visitor = DefCollector { resolver, parent_def, expansion, impl_trait_context, in_attr };
22+
let InvocationParent { parent_def, pending_anon_const_info, impl_trait_context, in_attr } =
23+
resolver.invocation_parents[&expansion];
24+
let mut visitor = DefCollector {
25+
resolver,
26+
parent_def,
27+
pending_anon_const_info,
28+
expansion,
29+
impl_trait_context,
30+
in_attr,
31+
};
2432
fragment.visit_with(&mut visitor);
2533
}
2634

2735
/// Creates `DefId`s for nodes in the AST.
2836
struct DefCollector<'a, 'b, 'tcx> {
2937
resolver: &'a mut Resolver<'b, 'tcx>,
3038
parent_def: LocalDefId,
39+
/// If we have an anon const that consists of a macro invocation, e.g. `Foo<{ m!() }>`,
40+
/// we need to wait until we know what the macro expands to before we create the def for
41+
/// the anon const. That's because we lower some anon consts into `hir::ConstArgKind::Path`,
42+
/// which don't have defs.
43+
///
44+
/// See `Self::visit_anon_const()`.
45+
pending_anon_const_info: Option<PendingAnonConstInfo>,
3146
impl_trait_context: ImplTraitContext,
3247
in_attr: bool,
3348
expansion: LocalExpnId,
@@ -111,10 +126,16 @@ impl<'a, 'b, 'tcx> DefCollector<'a, 'b, 'tcx> {
111126

112127
fn visit_macro_invoc(&mut self, id: NodeId) {
113128
let id = id.placeholder_to_expn_id();
114-
let old_parent = self
115-
.resolver
116-
.invocation_parents
117-
.insert(id, (self.parent_def, self.impl_trait_context, self.in_attr));
129+
let pending_anon_const_info = self.pending_anon_const_info.take();
130+
let old_parent = self.resolver.invocation_parents.insert(
131+
id,
132+
InvocationParent {
133+
parent_def: self.parent_def,
134+
pending_anon_const_info,
135+
impl_trait_context: self.impl_trait_context,
136+
in_attr: self.in_attr,
137+
},
138+
);
118139
assert!(old_parent.is_none(), "parent `LocalDefId` is reset for an invocation");
119140
}
120141
}
@@ -326,46 +347,67 @@ impl<'a, 'b, 'tcx> visit::Visitor<'a> for DefCollector<'a, 'b, 'tcx> {
326347
}
327348

328349
fn visit_anon_const(&mut self, constant: &'a AnonConst) {
329-
if self.resolver.tcx.features().const_arg_path
330-
&& constant.value.is_potential_trivial_const_arg()
331-
{
350+
if self.resolver.tcx.features().const_arg_path {
332351
// HACK(min_generic_const_args): don't create defs for anon consts if we think they will
333352
// later be turned into ConstArgKind::Path's. because this is before resolve is done, we
334353
// may accidentally identify a construction of a unit struct as a param and not create a
335354
// def. we'll then create a def later in ast lowering in this case. the parent of nested
336355
// items will be messed up, but that's ok because there can't be any if we're just looking
337356
// for bare idents.
338-
visit::walk_anon_const(self, constant)
339-
} else {
340-
let def =
341-
self.create_def(constant.id, kw::Empty, DefKind::AnonConst, constant.value.span);
342-
self.with_parent(def, |this| visit::walk_anon_const(this, constant));
357+
358+
if matches!(constant.value.maybe_unwrap_block().kind, ExprKind::MacCall(..)) {
359+
// See self.pending_anon_const_info for explanation
360+
self.pending_anon_const_info =
361+
Some(PendingAnonConstInfo { id: constant.id, span: constant.value.span });
362+
return visit::walk_anon_const(self, constant);
363+
} else if constant.value.is_potential_trivial_const_arg() {
364+
return visit::walk_anon_const(self, constant);
365+
}
343366
}
367+
368+
let def = self.create_def(constant.id, kw::Empty, DefKind::AnonConst, constant.value.span);
369+
self.with_parent(def, |this| visit::walk_anon_const(this, constant));
344370
}
345371

346372
fn visit_expr(&mut self, expr: &'a Expr) {
347-
let parent_def = match expr.kind {
348-
ExprKind::MacCall(..) => return self.visit_macro_invoc(expr.id),
349-
ExprKind::Closure(..) | ExprKind::Gen(..) => {
350-
self.create_def(expr.id, kw::Empty, DefKind::Closure, expr.span)
351-
}
352-
ExprKind::ConstBlock(ref constant) => {
353-
for attr in &expr.attrs {
354-
visit::walk_attribute(self, attr);
355-
}
356-
let def = self.create_def(
357-
constant.id,
358-
kw::Empty,
359-
DefKind::InlineConst,
360-
constant.value.span,
361-
);
362-
self.with_parent(def, |this| visit::walk_anon_const(this, constant));
363-
return;
373+
if matches!(expr.kind, ExprKind::MacCall(..)) {
374+
return self.visit_macro_invoc(expr.id);
375+
}
376+
377+
let grandparent_def = if let Some(pending_anon) = self.pending_anon_const_info.take() {
378+
// See self.pending_anon_const_info for explanation
379+
if !expr.is_potential_trivial_const_arg() {
380+
self.create_def(pending_anon.id, kw::Empty, DefKind::AnonConst, pending_anon.span)
381+
} else {
382+
self.parent_def
364383
}
365-
_ => self.parent_def,
384+
} else {
385+
self.parent_def
366386
};
367387

368-
self.with_parent(parent_def, |this| visit::walk_expr(this, expr));
388+
self.with_parent(grandparent_def, |this| {
389+
let parent_def = match expr.kind {
390+
ExprKind::Closure(..) | ExprKind::Gen(..) => {
391+
this.create_def(expr.id, kw::Empty, DefKind::Closure, expr.span)
392+
}
393+
ExprKind::ConstBlock(ref constant) => {
394+
for attr in &expr.attrs {
395+
visit::walk_attribute(this, attr);
396+
}
397+
let def = this.create_def(
398+
constant.id,
399+
kw::Empty,
400+
DefKind::InlineConst,
401+
constant.value.span,
402+
);
403+
this.with_parent(def, |this| visit::walk_anon_const(this, constant));
404+
return;
405+
}
406+
_ => this.parent_def,
407+
};
408+
409+
this.with_parent(parent_def, |this| visit::walk_expr(this, expr))
410+
})
369411
}
370412

371413
fn visit_ty(&mut self, ty: &'a Ty) {

compiler/rustc_resolve/src/lib.rs

+25-3
Original file line numberDiff line numberDiff line change
@@ -171,6 +171,29 @@ impl<'a> ParentScope<'a> {
171171
}
172172
}
173173

174+
#[derive(Copy, Debug, Clone)]
175+
struct InvocationParent {
176+
parent_def: LocalDefId,
177+
pending_anon_const_info: Option<PendingAnonConstInfo>,
178+
impl_trait_context: ImplTraitContext,
179+
in_attr: bool,
180+
}
181+
182+
impl InvocationParent {
183+
const ROOT: Self = Self {
184+
parent_def: CRATE_DEF_ID,
185+
pending_anon_const_info: None,
186+
impl_trait_context: ImplTraitContext::Existential,
187+
in_attr: false,
188+
};
189+
}
190+
191+
#[derive(Copy, Debug, Clone)]
192+
struct PendingAnonConstInfo {
193+
id: NodeId,
194+
span: Span,
195+
}
196+
174197
#[derive(Copy, Debug, Clone)]
175198
enum ImplTraitContext {
176199
Existential,
@@ -1144,7 +1167,7 @@ pub struct Resolver<'a, 'tcx> {
11441167
/// When collecting definitions from an AST fragment produced by a macro invocation `ExpnId`
11451168
/// we know what parent node that fragment should be attached to thanks to this table,
11461169
/// and how the `impl Trait` fragments were introduced.
1147-
invocation_parents: FxHashMap<LocalExpnId, (LocalDefId, ImplTraitContext, bool /*in_attr*/)>,
1170+
invocation_parents: FxHashMap<LocalExpnId, InvocationParent>,
11481171

11491172
/// Some way to know that we are in a *trait* impl in `visit_assoc_item`.
11501173
/// FIXME: Replace with a more general AST map (together with some other fields).
@@ -1381,8 +1404,7 @@ impl<'a, 'tcx> Resolver<'a, 'tcx> {
13811404
node_id_to_def_id.insert(CRATE_NODE_ID, crate_feed);
13821405

13831406
let mut invocation_parents = FxHashMap::default();
1384-
invocation_parents
1385-
.insert(LocalExpnId::ROOT, (CRATE_DEF_ID, ImplTraitContext::Existential, false));
1407+
invocation_parents.insert(LocalExpnId::ROOT, InvocationParent::ROOT);
13861408

13871409
let mut extern_prelude: FxHashMap<Ident, ExternPreludeEntry<'_>> = tcx
13881410
.sess

compiler/rustc_resolve/src/macros.rs

+9-7
Original file line numberDiff line numberDiff line change
@@ -42,9 +42,9 @@ use crate::errors::{
4242
use crate::imports::Import;
4343
use crate::Namespace::*;
4444
use crate::{
45-
BindingKey, BuiltinMacroState, DeriveData, Determinacy, Finalize, MacroData, ModuleKind,
46-
ModuleOrUniformRoot, NameBinding, NameBindingKind, ParentScope, PathResult, ResolutionError,
47-
Resolver, ScopeSet, Segment, ToNameBinding, Used,
45+
BindingKey, BuiltinMacroState, DeriveData, Determinacy, Finalize, InvocationParent, MacroData,
46+
ModuleKind, ModuleOrUniformRoot, NameBinding, NameBindingKind, ParentScope, PathResult,
47+
ResolutionError, Resolver, ScopeSet, Segment, ToNameBinding, Used,
4848
};
4949

5050
type Res = def::Res<NodeId>;
@@ -183,7 +183,7 @@ impl<'a, 'tcx> ResolverExpand for Resolver<'a, 'tcx> {
183183
}
184184

185185
fn invocation_parent(&self, id: LocalExpnId) -> LocalDefId {
186-
self.invocation_parents[&id].0
186+
self.invocation_parents[&id].parent_def
187187
}
188188

189189
fn resolve_dollar_crates(&mut self) {
@@ -303,12 +303,12 @@ impl<'a, 'tcx> ResolverExpand for Resolver<'a, 'tcx> {
303303
.invocation_parents
304304
.get(&invoc_id)
305305
.or_else(|| self.invocation_parents.get(&eager_expansion_root))
306-
.filter(|&&(mod_def_id, _, in_attr)| {
306+
.filter(|&&InvocationParent { parent_def: mod_def_id, in_attr, .. }| {
307307
in_attr
308308
&& invoc.fragment_kind == AstFragmentKind::Expr
309309
&& self.tcx.def_kind(mod_def_id) == DefKind::Mod
310310
})
311-
.map(|&(mod_def_id, ..)| mod_def_id);
311+
.map(|&InvocationParent { parent_def: mod_def_id, .. }| mod_def_id);
312312
let (ext, res) = self.smart_resolve_macro_path(
313313
path,
314314
kind,
@@ -951,7 +951,9 @@ impl<'a, 'tcx> Resolver<'a, 'tcx> {
951951
let node_id = self
952952
.invocation_parents
953953
.get(&parent_scope.expansion)
954-
.map_or(ast::CRATE_NODE_ID, |id| self.def_id_to_node_id[id.0]);
954+
.map_or(ast::CRATE_NODE_ID, |parent| {
955+
self.def_id_to_node_id[parent.parent_def]
956+
});
955957
self.lint_buffer.buffer_lint(
956958
LEGACY_DERIVE_HELPERS,
957959
node_id,

0 commit comments

Comments
 (0)