Skip to content

Commit 9200038

Browse files
committed
Parse unnamed fields and anonymous structs or unions
Anonymous structs or unions are parsed as a special type of field, instead of a gerenal kind of `Ty`.
1 parent 47f874f commit 9200038

25 files changed

+573
-186
lines changed

compiler/rustc_ast/src/ast.rs

+147-5
Original file line numberDiff line numberDiff line change
@@ -2092,10 +2092,6 @@ pub enum TyKind {
20922092
Never,
20932093
/// A tuple (`(A, B, C, D,...)`).
20942094
Tup(ThinVec<P<Ty>>),
2095-
/// An anonymous struct type i.e. `struct { foo: Type }`
2096-
AnonStruct(ThinVec<FieldDef>),
2097-
/// An anonymous union type i.e. `union { bar: Type }`
2098-
AnonUnion(ThinVec<FieldDef>),
20992095
/// A path (`module::module::...::Type`), optionally
21002096
/// "qualified", e.g., `<Vec<T> as SomeTrait>::SomeType`.
21012097
///
@@ -2715,6 +2711,93 @@ impl VisibilityKind {
27152711
}
27162712
}
27172713

2714+
#[derive(Clone, Copy, Encodable, Decodable, Debug)]
2715+
pub enum AnonRecordKind {
2716+
Struct,
2717+
Union,
2718+
}
2719+
2720+
impl AnonRecordKind {
2721+
/// Returns the lowercase name.
2722+
pub fn name(self) -> &'static str {
2723+
match self {
2724+
Self::Struct => "struct",
2725+
Self::Union => "union",
2726+
}
2727+
}
2728+
}
2729+
2730+
/// An anonymous struct or union, i.e. `struct { foo: Foo }` or `union { foo: Foo }`.
2731+
#[derive(Clone, Encodable, Decodable, Debug)]
2732+
pub struct AnonRecord {
2733+
pub id: NodeId,
2734+
pub span: Span,
2735+
pub fields: ThinVec<FieldDef>,
2736+
pub kind: AnonRecordKind,
2737+
pub recovered: bool,
2738+
}
2739+
2740+
impl AnonRecord {
2741+
pub fn is_union(&self) -> bool {
2742+
matches!(self.kind, AnonRecordKind::Union)
2743+
}
2744+
pub fn is_struct(&self) -> bool {
2745+
matches!(self.kind, AnonRecordKind::Struct)
2746+
}
2747+
}
2748+
2749+
/// Type of fields in a struct, variant or union.
2750+
#[derive(Clone, Encodable, Decodable, Debug)]
2751+
pub enum FieldTy {
2752+
Ty(P<Ty>),
2753+
/// An anonymous struct or union, i.e. `struct { foo: Foo }` or `union { foo: Foo }`.
2754+
// AnonRecord(P<Item>),
2755+
AnonRecord(P<AnonRecord>),
2756+
}
2757+
2758+
impl From<P<Ty>> for FieldTy {
2759+
fn from(ty: P<Ty>) -> Self {
2760+
Self::Ty(ty)
2761+
}
2762+
}
2763+
2764+
impl From<AnonRecord> for FieldTy {
2765+
fn from(anon_record: AnonRecord) -> Self {
2766+
Self::AnonRecord(P(anon_record))
2767+
}
2768+
}
2769+
2770+
impl FieldTy {
2771+
pub fn id(&self) -> NodeId {
2772+
match self {
2773+
Self::Ty(ty) => ty.id,
2774+
Self::AnonRecord(anon_record) => anon_record.id,
2775+
}
2776+
}
2777+
2778+
pub fn span(&self) -> Span {
2779+
match self {
2780+
Self::Ty(ty) => ty.span,
2781+
Self::AnonRecord(anon_record) => anon_record.span,
2782+
}
2783+
}
2784+
2785+
pub fn as_ty(&self) -> Option<&P<Ty>> {
2786+
match self {
2787+
Self::Ty(ty) => Some(ty),
2788+
_ => None,
2789+
}
2790+
}
2791+
2792+
/// Expects a `Ty`, otherwise panics.
2793+
pub fn expect_ty(&self) -> &P<Ty> {
2794+
let FieldTy::Ty(ty) = &self else {
2795+
panic!("expect a type, found {self:?}");
2796+
};
2797+
ty
2798+
}
2799+
}
2800+
27182801
/// Field definition in a struct, variant or union.
27192802
///
27202803
/// E.g., `bar: usize` as in `struct Foo { bar: usize }`.
@@ -2726,7 +2809,7 @@ pub struct FieldDef {
27262809
pub vis: Visibility,
27272810
pub ident: Option<Ident>,
27282811

2729-
pub ty: P<Ty>,
2812+
pub ty: FieldTy,
27302813
pub is_placeholder: bool,
27312814
}
27322815

@@ -2756,6 +2839,27 @@ impl VariantData {
27562839
}
27572840
}
27582841

2842+
/// Return all fields of this variant, with anonymous structs or unions flattened.
2843+
pub fn all_fields(&self) -> AllFields<'_> {
2844+
AllFields { iters: smallvec::smallvec![self.fields().iter()] }
2845+
}
2846+
2847+
/// Return whether this variant contains inner anonymous unions.
2848+
pub fn find_inner_union(&self) -> Option<Span> {
2849+
// We only check the record-like structs
2850+
let VariantData::Struct(fields, ..) = self else { return None };
2851+
fn find_union(fields: &[FieldDef]) -> Option<Span> {
2852+
fields.iter().find_map(|field| {
2853+
let FieldTy::AnonRecord(anon_record) = &field.ty else { return None };
2854+
anon_record
2855+
.is_union()
2856+
.then(|| anon_record.span)
2857+
.or_else(|| find_union(&anon_record.fields))
2858+
})
2859+
}
2860+
find_union(&fields)
2861+
}
2862+
27592863
/// Return the `NodeId` of this variant's constructor, if it has one.
27602864
pub fn ctor_node_id(&self) -> Option<NodeId> {
27612865
match *self {
@@ -2765,6 +2869,44 @@ impl VariantData {
27652869
}
27662870
}
27672871

2872+
/// Iterator of all fields of a `VariantData`.
2873+
///
2874+
/// It iteartes on the field tree in preorder, where the unnamed fields with anonymous structs or unions
2875+
/// are flattened to their inner fields.
2876+
pub struct AllFields<'a> {
2877+
iters: smallvec::SmallVec<[std::slice::Iter<'a, FieldDef>; 1]>,
2878+
}
2879+
2880+
impl<'a> Iterator for AllFields<'a> {
2881+
type Item = &'a FieldDef;
2882+
2883+
fn next(&mut self) -> Option<Self::Item> {
2884+
let mut top = self.iters.last_mut()?;
2885+
loop {
2886+
if let Some(field) = top.next() {
2887+
if let FieldTy::AnonRecord(anon_record) = &field.ty {
2888+
self.iters.push(anon_record.fields.iter());
2889+
top = self.iters.last_mut().unwrap();
2890+
continue;
2891+
}
2892+
return Some(field);
2893+
}
2894+
self.iters.pop();
2895+
top = self.iters.last_mut()?;
2896+
}
2897+
}
2898+
2899+
fn size_hint(&self) -> (usize, Option<usize>) {
2900+
match &self.iters[..] {
2901+
[] => (0, Some(0)),
2902+
[single] => (single.size_hint().0, None),
2903+
[first, .., last] => (first.size_hint().0 + last.size_hint().0, None),
2904+
}
2905+
}
2906+
}
2907+
2908+
impl std::iter::FusedIterator for AllFields<'_> {}
2909+
27682910
/// An item definition.
27692911
#[derive(Clone, Encodable, Decodable, Debug)]
27702912
pub struct Item<K = ItemKind> {

compiler/rustc_ast/src/mut_visit.rs

+18-5
Original file line numberDiff line numberDiff line change
@@ -250,6 +250,10 @@ pub trait MutVisitor: Sized {
250250
noop_visit_variant_data(vdata, self);
251251
}
252252

253+
fn visit_anon_record(&mut self, anon_record: &mut AnonRecord) {
254+
noop_visit_anon_record(anon_record, self);
255+
}
256+
253257
fn flat_map_generic_param(&mut self, param: GenericParam) -> SmallVec<[GenericParam; 1]> {
254258
noop_flat_map_generic_param(param, self)
255259
}
@@ -509,9 +513,6 @@ pub fn noop_visit_ty<T: MutVisitor>(ty: &mut P<Ty>, vis: &mut T) {
509513
visit_vec(bounds, |bound| vis.visit_param_bound(bound));
510514
}
511515
TyKind::MacCall(mac) => vis.visit_mac_call(mac),
512-
TyKind::AnonStruct(fields) | TyKind::AnonUnion(fields) => {
513-
fields.flat_map_in_place(|field| vis.flat_map_field_def(field));
514-
}
515516
}
516517
vis.visit_span(span);
517518
visit_lazy_tts(tokens, vis);
@@ -977,6 +978,13 @@ pub fn noop_visit_variant_data<T: MutVisitor>(vdata: &mut VariantData, vis: &mut
977978
}
978979
}
979980

981+
pub fn noop_visit_anon_record<T: MutVisitor>(anon_record: &mut AnonRecord, vis: &mut T) {
982+
let AnonRecord { span, id, fields, recovered: _recovered, kind: _kind } = anon_record;
983+
vis.visit_span(span);
984+
vis.visit_id(id);
985+
fields.flat_map_in_place(|field| vis.flat_map_field_def(field));
986+
}
987+
980988
pub fn noop_visit_trait_ref<T: MutVisitor>(TraitRef { path, ref_id }: &mut TraitRef, vis: &mut T) {
981989
vis.visit_path(path);
982990
vis.visit_id(ref_id);
@@ -993,12 +1001,17 @@ pub fn noop_flat_map_field_def<T: MutVisitor>(
9931001
mut fd: FieldDef,
9941002
visitor: &mut T,
9951003
) -> SmallVec<[FieldDef; 1]> {
996-
let FieldDef { span, ident, vis, id, ty, attrs, is_placeholder: _ } = &mut fd;
1004+
let FieldDef { span, ident, vis, ty, id, attrs, is_placeholder: _ } = &mut fd;
9971005
visitor.visit_span(span);
9981006
visit_opt(ident, |ident| visitor.visit_ident(ident));
9991007
visitor.visit_vis(vis);
10001008
visitor.visit_id(id);
1001-
visitor.visit_ty(ty);
1009+
match ty {
1010+
FieldTy::Ty(ty) => {
1011+
visitor.visit_ty(ty);
1012+
}
1013+
FieldTy::AnonRecord(anon_record) => visitor.visit_anon_record(anon_record),
1014+
}
10021015
visit_attrs(attrs, visitor);
10031016
smallvec![fd]
10041017
}

compiler/rustc_ast/src/visit.rs

+8-4
Original file line numberDiff line numberDiff line change
@@ -438,9 +438,6 @@ pub fn walk_ty<'a, V: Visitor<'a>>(visitor: &mut V, typ: &'a Ty) {
438438
TyKind::Infer | TyKind::ImplicitSelf | TyKind::Err => {}
439439
TyKind::MacCall(mac) => visitor.visit_mac_call(mac),
440440
TyKind::Never | TyKind::CVarArgs => {}
441-
TyKind::AnonStruct(ref fields, ..) | TyKind::AnonUnion(ref fields, ..) => {
442-
walk_list!(visitor, visit_field_def, fields)
443-
}
444441
}
445442
}
446443

@@ -713,7 +710,14 @@ pub fn walk_field_def<'a, V: Visitor<'a>>(visitor: &mut V, field: &'a FieldDef)
713710
if let Some(ident) = field.ident {
714711
visitor.visit_ident(ident);
715712
}
716-
visitor.visit_ty(&field.ty);
713+
match &field.ty {
714+
FieldTy::Ty(ty) => {
715+
visitor.visit_ty(ty);
716+
}
717+
FieldTy::AnonRecord(anon_record) => {
718+
walk_list!(visitor, visit_field_def, &anon_record.fields);
719+
}
720+
}
717721
walk_list!(visitor, visit_attribute, &field.attrs);
718722
}
719723

compiler/rustc_ast_lowering/src/item.rs

+25-11
Original file line numberDiff line numberDiff line change
@@ -709,17 +709,31 @@ impl<'hir> LoweringContext<'_, 'hir> {
709709
}
710710

711711
fn lower_field_def(&mut self, (index, f): (usize, &FieldDef)) -> hir::FieldDef<'hir> {
712-
let ty = if let TyKind::Path(qself, path) = &f.ty.kind {
713-
let t = self.lower_path_ty(
714-
&f.ty,
715-
qself,
716-
path,
717-
ParamMode::ExplicitNamed, // no `'_` in declarations (Issue #61124)
718-
&ImplTraitContext::Disallowed(ImplTraitPosition::FieldTy),
719-
);
720-
self.arena.alloc(t)
721-
} else {
722-
self.lower_ty(&f.ty, &ImplTraitContext::Disallowed(ImplTraitPosition::FieldTy))
712+
let ty = match &f.ty {
713+
FieldTy::Ty(ty) if let TyKind::Path(qself, path) = &ty.kind => {
714+
let t = self.lower_path_ty(
715+
ty,
716+
qself,
717+
path,
718+
ParamMode::ExplicitNamed, // no `'_` in declarations (Issue #61124)
719+
&ImplTraitContext::Disallowed(ImplTraitPosition::FieldTy),
720+
);
721+
self.arena.alloc(t)
722+
}
723+
FieldTy::Ty(ty) => {
724+
self.lower_ty(ty, &ImplTraitContext::Disallowed(ImplTraitPosition::FieldTy))
725+
}
726+
FieldTy::AnonRecord(anon_record ) => {
727+
let struct_or_union = anon_record.kind.name();
728+
let hir_id = self.lower_node_id(anon_record.id);
729+
let span = anon_record.span;
730+
// FIXME(unnamed_fields): IMPLEMENTATION IN PROGRESS
731+
#[allow(rustc::untranslatable_diagnostic)]
732+
#[allow(rustc::diagnostic_outside_of_impl)]
733+
let kind = hir::TyKind::Err(self.tcx.sess.span_err(span, format!("anonymous {struct_or_union}s are unimplemented")));
734+
let ty = hir::Ty { hir_id, kind, span };
735+
self.arena.alloc(ty)
736+
}
723737
};
724738
let hir_id = self.lower_node_id(f.id);
725739
self.lower_attrs(hir_id, &f.attrs);

compiler/rustc_ast_lowering/src/lib.rs

+1-12
Original file line numberDiff line numberDiff line change
@@ -32,6 +32,7 @@
3232
3333
#![feature(box_patterns)]
3434
#![feature(let_chains)]
35+
#![feature(if_let_guard)]
3536
#![feature(never_type)]
3637
#![recursion_limit = "256"]
3738
#![deny(rustc::untranslatable_diagnostic)]
@@ -1293,18 +1294,6 @@ impl<'a, 'hir> LoweringContext<'a, 'hir> {
12931294
TyKind::Err => {
12941295
hir::TyKind::Err(self.tcx.sess.delay_span_bug(t.span, "TyKind::Err lowered"))
12951296
}
1296-
// FIXME(unnamed_fields): IMPLEMENTATION IN PROGRESS
1297-
#[allow(rustc::untranslatable_diagnostic)]
1298-
#[allow(rustc::diagnostic_outside_of_impl)]
1299-
TyKind::AnonStruct(ref _fields) => hir::TyKind::Err(
1300-
self.tcx.sess.span_err(t.span, "anonymous structs are unimplemented"),
1301-
),
1302-
// FIXME(unnamed_fields): IMPLEMENTATION IN PROGRESS
1303-
#[allow(rustc::untranslatable_diagnostic)]
1304-
#[allow(rustc::diagnostic_outside_of_impl)]
1305-
TyKind::AnonUnion(ref _fields) => hir::TyKind::Err(
1306-
self.tcx.sess.span_err(t.span, "anonymous unions are unimplemented"),
1307-
),
13081297
TyKind::Slice(ty) => hir::TyKind::Slice(self.lower_ty(ty, itctx)),
13091298
TyKind::Ptr(mt) => hir::TyKind::Ptr(self.lower_mt(mt, itctx)),
13101299
TyKind::Ref(region, mt) => {

0 commit comments

Comments
 (0)