Skip to content

Commit d6e4776

Browse files
committed
Implement #[defines] attribute for consts and functions.
statics still need work
1 parent ff0a065 commit d6e4776

File tree

583 files changed

+2048
-1915
lines changed

Some content is hidden

Large Commits have some content hidden by default. Use the searchbox below for content that may be hidden.

583 files changed

+2048
-1915
lines changed

compiler/rustc_ast/src/attr/mod.rs

+11
Original file line numberDiff line numberDiff line change
@@ -19,6 +19,7 @@ use crate::token::{self, CommentKind, Delimiter, Token};
1919
use crate::tokenstream::{DelimSpan, LazyAttrTokenStream, Spacing, TokenStream, TokenTree};
2020
use crate::util::comments;
2121
use crate::util::literal::escape_string_symbol;
22+
use crate::NodeId;
2223

2324
pub struct MarkedAttrs(GrowableBitSet<AttrId>);
2425

@@ -458,6 +459,16 @@ impl MetaItemKind {
458459
AttrArgs::Eq(_, AttrArgsEq::Hir(lit)) => Some(MetaItemKind::NameValue(lit.clone())),
459460
}
460461
}
462+
463+
pub fn defines(&self) -> Vec<NodeId> {
464+
match self {
465+
MetaItemKind::Word => vec![],
466+
MetaItemKind::List(things) => {
467+
things.iter().filter_map(|i| Some(i.meta_item()?.path.segments[0].id)).collect()
468+
}
469+
MetaItemKind::NameValue(_) => vec![],
470+
}
471+
}
461472
}
462473

463474
impl NestedMetaItem {

compiler/rustc_ast_lowering/src/lib.rs

+19-2
Original file line numberDiff line numberDiff line change
@@ -100,6 +100,8 @@ struct LoweringContext<'a, 'hir> {
100100

101101
/// Bodies inside the owner being lowered.
102102
bodies: Vec<(hir::ItemLocalId, &'hir hir::Body<'hir>)>,
103+
/// Bodies inside the owner being lowered.
104+
defines: SortedMap<hir::ItemLocalId, &'hir [LocalDefId]>,
103105
/// Attributes inside the owner being lowered.
104106
attrs: SortedMap<hir::ItemLocalId, &'hir [Attribute]>,
105107
/// Collect items that were created by lowering the current owner.
@@ -173,6 +175,7 @@ impl<'a, 'hir> LoweringContext<'a, 'hir> {
173175

174176
// HirId handling.
175177
bodies: Vec::new(),
178+
defines: SortedMap::default(),
176179
attrs: SortedMap::default(),
177180
children: Vec::default(),
178181
current_hir_id_owner: hir::CRATE_OWNER_ID,
@@ -590,6 +593,7 @@ impl<'a, 'hir> LoweringContext<'a, 'hir> {
590593

591594
let current_attrs = std::mem::take(&mut self.attrs);
592595
let current_bodies = std::mem::take(&mut self.bodies);
596+
let current_defines = std::mem::take(&mut self.defines);
593597
let current_node_ids = std::mem::take(&mut self.node_id_to_local_id);
594598
let current_trait_map = std::mem::take(&mut self.trait_map);
595599
let current_owner =
@@ -615,6 +619,7 @@ impl<'a, 'hir> LoweringContext<'a, 'hir> {
615619
let info = self.make_owner_info(item);
616620

617621
self.attrs = current_attrs;
622+
self.defines = current_defines;
618623
self.bodies = current_bodies;
619624
self.node_id_to_local_id = current_node_ids;
620625
self.trait_map = current_trait_map;
@@ -656,6 +661,7 @@ impl<'a, 'hir> LoweringContext<'a, 'hir> {
656661
}
657662

658663
fn make_owner_info(&mut self, node: hir::OwnerNode<'hir>) -> &'hir hir::OwnerInfo<'hir> {
664+
let defines = std::mem::take(&mut self.defines);
659665
let attrs = std::mem::take(&mut self.attrs);
660666
let mut bodies = std::mem::take(&mut self.bodies);
661667
let trait_map = std::mem::take(&mut self.trait_map);
@@ -673,11 +679,11 @@ impl<'a, 'hir> LoweringContext<'a, 'hir> {
673679

674680
// Don't hash unless necessary, because it's expensive.
675681
let (opt_hash_including_bodies, attrs_hash) =
676-
self.tcx.hash_owner_nodes(node, &bodies, &attrs);
682+
self.tcx.hash_owner_nodes(node, &bodies, &attrs, &defines);
677683
let num_nodes = self.item_local_id_counter.as_usize();
678684
let (nodes, parenting) = index::index_hir(self.tcx, node, &bodies, num_nodes);
679685
let nodes = hir::OwnerNodes { opt_hash_including_bodies, nodes, bodies };
680-
let attrs = hir::AttributeMap { map: attrs, opt_hash: attrs_hash };
686+
let attrs = hir::AttributeMap { map: attrs, defines, opt_hash: attrs_hash };
681687

682688
self.arena.alloc(hir::OwnerInfo { nodes, parenting, attrs, trait_map })
683689
}
@@ -922,6 +928,17 @@ impl<'a, 'hir> LoweringContext<'a, 'hir> {
922928
debug_assert_eq!(id.owner, self.current_hir_id_owner);
923929
let ret = self.arena.alloc_from_iter(attrs.iter().map(|a| self.lower_attr(a)));
924930
debug_assert!(!ret.is_empty());
931+
932+
let defines = &*self.arena.alloc_from_iter(
933+
ret.iter()
934+
.filter(|attr| attr.has_name(sym::defines))
935+
.filter_map(|attr| self.resolver.defines.get(&attr.id))
936+
// TODO: error reporting for non-local items being mentioned and tests that go through these code paths
937+
.flat_map(|defines| defines.into_iter().map(|did| did.expect_local())),
938+
);
939+
trace!(?id, ?ret, ?defines, "lower_attrs");
940+
941+
self.defines.insert(id.local_id, defines);
925942
self.attrs.insert(id.local_id, ret);
926943
ret
927944
}

compiler/rustc_hir/src/hir.rs

+7-2
Original file line numberDiff line numberDiff line change
@@ -934,13 +934,18 @@ pub struct ParentedNode<'tcx> {
934934
#[derive(Debug)]
935935
pub struct AttributeMap<'tcx> {
936936
pub map: SortedMap<ItemLocalId, &'tcx [Attribute]>,
937+
/// Preprocessed `#[defines]` attribute.
938+
pub defines: SortedMap<ItemLocalId, &'tcx [LocalDefId]>,
937939
// Only present when the crate hash is needed.
938940
pub opt_hash: Option<Fingerprint>,
939941
}
940942

941943
impl<'tcx> AttributeMap<'tcx> {
942-
pub const EMPTY: &'static AttributeMap<'static> =
943-
&AttributeMap { map: SortedMap::new(), opt_hash: Some(Fingerprint::ZERO) };
944+
pub const EMPTY: &'static AttributeMap<'static> = &AttributeMap {
945+
map: SortedMap::new(),
946+
defines: SortedMap::new(),
947+
opt_hash: Some(Fingerprint::ZERO),
948+
};
944949

945950
#[inline]
946951
pub fn get(&self, id: ItemLocalId) -> &'tcx [Attribute] {

compiler/rustc_hir/src/stable_hash_impls.rs

+2-2
Original file line numberDiff line numberDiff line change
@@ -100,9 +100,9 @@ impl<'tcx, HirCtx: crate::HashStableContext> HashStable<HirCtx> for OwnerNodes<'
100100

101101
impl<'tcx, HirCtx: crate::HashStableContext> HashStable<HirCtx> for AttributeMap<'tcx> {
102102
fn hash_stable(&self, hcx: &mut HirCtx, hasher: &mut StableHasher) {
103-
// We ignore the `map` since it refers to information included in `opt_hash` which is
103+
// We ignore the `map` and `defines` since they refer to information included in `opt_hash` which is
104104
// hashed in the collector and used for the crate hash.
105-
let AttributeMap { opt_hash, map: _ } = *self;
105+
let AttributeMap { opt_hash, map: _, defines: _ } = *self;
106106
opt_hash.unwrap().hash_stable(hcx, hasher);
107107
}
108108
}

compiler/rustc_hir_analysis/src/collect/type_of/opaque.rs

+29-60
Original file line numberDiff line numberDiff line change
@@ -1,14 +1,13 @@
11
use rustc_errors::StashKey;
22
use rustc_hir::def::DefKind;
33
use rustc_hir::def_id::LocalDefId;
4-
use rustc_hir::intravisit::{self, Visitor};
5-
use rustc_hir::{self as hir, def, Expr, ImplItem, Item, Node, TraitItem};
6-
use rustc_middle::bug;
4+
use rustc_hir::{self as hir, def, intravisit, Expr, ImplItem, Item, Node, TraitItem};
75
use rustc_middle::hir::nested_filter;
86
use rustc_middle::ty::{self, Ty, TyCtxt, TypeVisitableExt};
7+
use rustc_middle::{bug, span_bug};
98
use rustc_span::DUMMY_SP;
109

11-
use crate::errors::{TaitForwardCompat, TaitForwardCompat2, UnconstrainedOpaqueType};
10+
use crate::errors::{TaitForwardCompat2, UnconstrainedOpaqueType};
1211

1312
/// Checks "defining uses" of opaque `impl Trait` in associated types.
1413
/// These can only be defined by associated items of the same trait.
@@ -82,38 +81,9 @@ pub(super) fn find_opaque_ty_constraints_for_impl_trait_in_assoc_type(
8281
/// ```
8382
#[instrument(skip(tcx), level = "debug")]
8483
pub(super) fn find_opaque_ty_constraints_for_tait(tcx: TyCtxt<'_>, def_id: LocalDefId) -> Ty<'_> {
85-
let hir_id = tcx.local_def_id_to_hir_id(def_id);
86-
let scope = tcx.hir().get_defining_scope(hir_id);
8784
let mut locator = TaitConstraintLocator { def_id, tcx, found: None, typeck_types: vec![] };
8885

89-
debug!(?scope);
90-
91-
if scope == hir::CRATE_HIR_ID {
92-
tcx.hir().walk_toplevel_module(&mut locator);
93-
} else {
94-
trace!("scope={:#?}", tcx.hir_node(scope));
95-
match tcx.hir_node(scope) {
96-
// We explicitly call `visit_*` methods, instead of using `intravisit::walk_*` methods
97-
// This allows our visitor to process the defining item itself, causing
98-
// it to pick up any 'sibling' defining uses.
99-
//
100-
// For example, this code:
101-
// ```
102-
// fn foo() {
103-
// type Blah = impl Debug;
104-
// let my_closure = || -> Blah { true };
105-
// }
106-
// ```
107-
//
108-
// requires us to explicitly process `foo()` in order
109-
// to notice the defining usage of `Blah`.
110-
Node::Item(it) => locator.visit_item(it),
111-
Node::ImplItem(it) => locator.visit_impl_item(it),
112-
Node::TraitItem(it) => locator.visit_trait_item(it),
113-
Node::ForeignItem(it) => locator.visit_foreign_item(it),
114-
other => bug!("{:?} is not a valid scope for an opaque type item", other),
115-
}
116-
}
86+
tcx.hir().walk_toplevel_module(&mut locator);
11787

11888
if let Some(hidden) = locator.found {
11989
// Only check against typeck if we didn't already error
@@ -137,12 +107,7 @@ pub(super) fn find_opaque_ty_constraints_for_tait(tcx: TyCtxt<'_>, def_id: Local
137107
let reported = tcx.dcx().emit_err(UnconstrainedOpaqueType {
138108
span: tcx.def_span(def_id),
139109
name: tcx.item_name(parent_def_id.to_def_id()),
140-
what: match tcx.hir_node(scope) {
141-
_ if scope == hir::CRATE_HIR_ID => "module",
142-
Node::Item(hir::Item { kind: hir::ItemKind::Mod(_), .. }) => "module",
143-
Node::Item(hir::Item { kind: hir::ItemKind::Impl(_), .. }) => "impl",
144-
_ => "item",
145-
},
110+
what: "crate",
146111
});
147112
Ty::new_error(tcx, reported)
148113
}
@@ -176,6 +141,13 @@ impl TaitConstraintLocator<'_> {
176141
return;
177142
}
178143

144+
let opaque_types_defined_by = self.tcx.opaque_types_defined_by(item_def_id);
145+
// Don't try to check items that cannot possibly constrain the type.
146+
if opaque_types_defined_by.is_empty() {
147+
debug!("no constraint: no opaque types defined");
148+
return;
149+
}
150+
179151
// Function items with `_` in their return type already emit an error, skip any
180152
// "non-defining use" errors for them.
181153
// Note that we use `Node::fn_sig` instead of `Node::fn_decl` here, because the former
@@ -215,8 +187,6 @@ impl TaitConstraintLocator<'_> {
215187
return;
216188
}
217189

218-
let opaque_types_defined_by = self.tcx.opaque_types_defined_by(item_def_id);
219-
220190
let mut constrained = false;
221191
for (&opaque_type_key, &hidden_type) in &tables.concrete_opaque_types {
222192
if opaque_type_key.def_id != self.def_id {
@@ -225,13 +195,12 @@ impl TaitConstraintLocator<'_> {
225195
constrained = true;
226196

227197
if !opaque_types_defined_by.contains(&self.def_id) {
228-
self.tcx.dcx().emit_err(TaitForwardCompat {
229-
span: hidden_type.span,
230-
item_span: self
231-
.tcx
232-
.def_ident_span(item_def_id)
233-
.unwrap_or_else(|| self.tcx.def_span(item_def_id)),
234-
});
198+
span_bug!(
199+
hidden_type.span,
200+
"item registered hidden type {} for {:?}, even though it does not define it",
201+
hidden_type.ty,
202+
opaque_type_key
203+
);
235204
}
236205
let concrete_type =
237206
self.tcx.erase_regions(hidden_type.remap_generic_params_to_declaration_params(
@@ -247,14 +216,20 @@ impl TaitConstraintLocator<'_> {
247216
if !constrained {
248217
debug!("no constraints in typeck results");
249218
if opaque_types_defined_by.contains(&self.def_id) {
250-
self.tcx.dcx().emit_err(TaitForwardCompat2 {
219+
let guar = self.tcx.dcx().emit_err(TaitForwardCompat2 {
251220
span: self
252221
.tcx
253222
.def_ident_span(item_def_id)
254223
.unwrap_or_else(|| self.tcx.def_span(item_def_id)),
255224
opaque_type_span: self.tcx.def_span(self.def_id),
256225
opaque_type: self.tcx.def_path_str(self.def_id),
257226
});
227+
// TODO: land this change as a separate PR on master, it works on its own.
228+
// Avoid "opaque type not constrained" errors on the opaque itself.
229+
self.found = Some(ty::OpaqueHiddenType {
230+
span: DUMMY_SP,
231+
ty: Ty::new_error(self.tcx, guar),
232+
});
258233
}
259234
return;
260235
};
@@ -300,19 +275,13 @@ impl<'tcx> intravisit::Visitor<'tcx> for TaitConstraintLocator<'tcx> {
300275
}
301276
fn visit_item(&mut self, it: &'tcx Item<'tcx>) {
302277
trace!(?it.owner_id);
303-
// The opaque type itself or its children are not within its reveal scope.
304-
if it.owner_id.def_id != self.def_id {
305-
self.check(it.owner_id.def_id);
306-
intravisit::walk_item(self, it);
307-
}
278+
self.check(it.owner_id.def_id);
279+
intravisit::walk_item(self, it);
308280
}
309281
fn visit_impl_item(&mut self, it: &'tcx ImplItem<'tcx>) {
310282
trace!(?it.owner_id);
311-
// The opaque type itself or its children are not within its reveal scope.
312-
if it.owner_id.def_id != self.def_id {
313-
self.check(it.owner_id.def_id);
314-
intravisit::walk_impl_item(self, it);
315-
}
283+
self.check(it.owner_id.def_id);
284+
intravisit::walk_impl_item(self, it);
316285
}
317286
fn visit_trait_item(&mut self, it: &'tcx TraitItem<'tcx>) {
318287
trace!(?it.owner_id);

compiler/rustc_metadata/src/rmeta/table.rs

-3
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,5 @@
11
use rustc_hir::def::CtorOf;
22
use rustc_index::Idx;
3-
use tracing::trace;
43

54
use crate::rmeta::*;
65

@@ -522,8 +521,6 @@ where
522521
{
523522
/// Given the metadata, extract out the value at a particular index (if any).
524523
pub(super) fn get<'a, 'tcx, M: Metadata<'a, 'tcx>>(&self, metadata: M, i: I) -> T::Value<'tcx> {
525-
trace!("LazyTable::lookup: index={:?} len={:?}", i, self.len);
526-
527524
// Access past the end of the table returns a Default
528525
if i.index() >= self.len {
529526
return Default::default();

compiler/rustc_middle/src/hir/map/mod.rs

-11
Original file line numberDiff line numberDiff line change
@@ -664,17 +664,6 @@ impl<'hir> Map<'hir> {
664664
None
665665
}
666666

667-
/// Returns the defining scope for an opaque type definition.
668-
pub fn get_defining_scope(self, id: HirId) -> HirId {
669-
let mut scope = id;
670-
loop {
671-
scope = self.get_enclosing_scope(scope).unwrap_or(CRATE_HIR_ID);
672-
if scope == CRATE_HIR_ID || !matches!(self.tcx.hir_node(scope), Node::Block(_)) {
673-
return scope;
674-
}
675-
}
676-
}
677-
678667
pub fn get_foreign_abi(self, hir_id: HirId) -> Abi {
679668
let parent = self.get_parent_item(hir_id);
680669
if let OwnerNode::Item(Item { kind: ItemKind::ForeignMod { abi, .. }, .. }) =

compiler/rustc_middle/src/hir/mod.rs

+2
Original file line numberDiff line numberDiff line change
@@ -140,6 +140,7 @@ impl<'tcx> TyCtxt<'tcx> {
140140
node: OwnerNode<'_>,
141141
bodies: &SortedMap<ItemLocalId, &Body<'_>>,
142142
attrs: &SortedMap<ItemLocalId, &[rustc_ast::Attribute]>,
143+
defines: &SortedMap<ItemLocalId, &[LocalDefId]>,
143144
) -> (Option<Fingerprint>, Option<Fingerprint>) {
144145
if self.needs_crate_hash() {
145146
self.with_stable_hashing_context(|mut hcx| {
@@ -151,6 +152,7 @@ impl<'tcx> TyCtxt<'tcx> {
151152

152153
let mut stable_hasher = StableHasher::new();
153154
attrs.hash_stable(&mut hcx, &mut stable_hasher);
155+
defines.hash_stable(&mut hcx, &mut stable_hasher);
154156
let h2 = stable_hasher.finish();
155157
(Some(h1), Some(h2))
156158
})

compiler/rustc_middle/src/ty/context.rs

+2-1
Original file line numberDiff line numberDiff line change
@@ -1185,7 +1185,8 @@ impl<'tcx> TyCtxtFeed<'tcx, LocalDefId> {
11851185
let bodies = Default::default();
11861186
let attrs = hir::AttributeMap::EMPTY;
11871187

1188-
let (opt_hash_including_bodies, _) = self.tcx.hash_owner_nodes(node, &bodies, &attrs.map);
1188+
let (opt_hash_including_bodies, _) =
1189+
self.tcx.hash_owner_nodes(node, &bodies, &attrs.map, &attrs.defines);
11891190
let node = node.into();
11901191
self.opt_hir_owner_nodes(Some(self.tcx.arena.alloc(hir::OwnerNodes {
11911192
opt_hash_including_bodies,

compiler/rustc_middle/src/ty/mod.rs

+3
Original file line numberDiff line numberDiff line change
@@ -222,6 +222,9 @@ pub struct ResolverAstLowering {
222222

223223
/// Information about functions signatures for delegation items expansion
224224
pub delegation_fn_sigs: LocalDefIdMap<DelegationFnSig>,
225+
226+
/// List of resolved `#[defines]` attribute arguments.
227+
pub defines: FxHashMap<ast::AttrId, Vec<DefId>>,
225228
}
226229

227230
#[derive(Debug)]

compiler/rustc_passes/messages.ftl

+4
Original file line numberDiff line numberDiff line change
@@ -125,6 +125,10 @@ passes_debug_visualizer_placement =
125125
passes_debug_visualizer_unreadable =
126126
couldn't read {$file}: {$error}
127127
128+
passes_defines_not_fn_or_const =
129+
attribute should be applied to a function definition, a closure, a static, or a const
130+
.label = cannot define hidden types
131+
128132
passes_deprecated =
129133
attribute is ignored here
130134

0 commit comments

Comments
 (0)