Skip to content

Commit a1ecced

Browse files
authored
Rollup merge of #120318 - Nadrieril:share-debug-impl, r=compiler-errors
pattern_analysis: Reuse most of the `DeconstructedPat` `Debug` impl The `DeconstructedPat: Debug` is best-effort because we'd need `tcx` to get things like field names etc. Since rust-analyzer has a similar constraint, this PR moves most the impl to be shared between the two. While I was at it I also fixed a nit in the `IntRange: Debug` impl. r? `@compiler-errors`
2 parents b677c77 + 354b45f commit a1ecced

File tree

4 files changed

+97
-107
lines changed

4 files changed

+97
-107
lines changed

compiler/rustc_pattern_analysis/src/constructor.rs

+11-5
Original file line numberDiff line numberDiff line change
@@ -391,12 +391,18 @@ impl IntRange {
391391
/// first.
392392
impl fmt::Debug for IntRange {
393393
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
394-
if let Finite(lo) = self.lo {
394+
if self.is_singleton() {
395+
// Only finite ranges can be singletons.
396+
let Finite(lo) = self.lo else { unreachable!() };
395397
write!(f, "{lo}")?;
396-
}
397-
write!(f, "{}", RangeEnd::Excluded)?;
398-
if let Finite(hi) = self.hi {
399-
write!(f, "{hi}")?;
398+
} else {
399+
if let Finite(lo) = self.lo {
400+
write!(f, "{lo}")?;
401+
}
402+
write!(f, "{}", RangeEnd::Excluded)?;
403+
if let Finite(hi) = self.hi {
404+
write!(f, "{hi}")?;
405+
}
400406
}
401407
Ok(())
402408
}

compiler/rustc_pattern_analysis/src/lib.rs

+6-2
Original file line numberDiff line numberDiff line change
@@ -112,8 +112,12 @@ pub trait TypeCx: Sized + fmt::Debug {
112112
/// This must follow the invariants of `ConstructorSet`
113113
fn ctors_for_ty(&self, ty: &Self::Ty) -> Result<ConstructorSet<Self>, Self::Error>;
114114

115-
/// Best-effort `Debug` implementation.
116-
fn debug_pat(f: &mut fmt::Formatter<'_>, pat: &DeconstructedPat<'_, Self>) -> fmt::Result;
115+
/// Write the name of the variant represented by `pat`. Used for the best-effort `Debug` impl of
116+
/// `DeconstructedPat`. Only invoqued when `pat.ctor()` is `Struct | Variant(_) | UnionField`.
117+
fn write_variant_name(
118+
f: &mut fmt::Formatter<'_>,
119+
pat: &crate::pat::DeconstructedPat<'_, Self>,
120+
) -> fmt::Result;
117121

118122
/// Raise a bug.
119123
fn bug(&self, fmt: fmt::Arguments<'_>) -> !;

compiler/rustc_pattern_analysis/src/pat.rs

+69-1
Original file line numberDiff line numberDiff line change
@@ -142,7 +142,75 @@ impl<'p, Cx: TypeCx> DeconstructedPat<'p, Cx> {
142142
/// This is best effort and not good enough for a `Display` impl.
143143
impl<'p, Cx: TypeCx> fmt::Debug for DeconstructedPat<'p, Cx> {
144144
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
145-
Cx::debug_pat(f, self)
145+
let pat = self;
146+
let mut first = true;
147+
let mut start_or_continue = |s| {
148+
if first {
149+
first = false;
150+
""
151+
} else {
152+
s
153+
}
154+
};
155+
let mut start_or_comma = || start_or_continue(", ");
156+
157+
match pat.ctor() {
158+
Struct | Variant(_) | UnionField => {
159+
Cx::write_variant_name(f, pat)?;
160+
// Without `cx`, we can't know which field corresponds to which, so we can't
161+
// get the names of the fields. Instead we just display everything as a tuple
162+
// struct, which should be good enough.
163+
write!(f, "(")?;
164+
for p in pat.iter_fields() {
165+
write!(f, "{}", start_or_comma())?;
166+
write!(f, "{p:?}")?;
167+
}
168+
write!(f, ")")
169+
}
170+
// Note: given the expansion of `&str` patterns done in `expand_pattern`, we should
171+
// be careful to detect strings here. However a string literal pattern will never
172+
// be reported as a non-exhaustiveness witness, so we can ignore this issue.
173+
Ref => {
174+
let subpattern = pat.iter_fields().next().unwrap();
175+
write!(f, "&{:?}", subpattern)
176+
}
177+
Slice(slice) => {
178+
let mut subpatterns = pat.iter_fields();
179+
write!(f, "[")?;
180+
match slice.kind {
181+
SliceKind::FixedLen(_) => {
182+
for p in subpatterns {
183+
write!(f, "{}{:?}", start_or_comma(), p)?;
184+
}
185+
}
186+
SliceKind::VarLen(prefix_len, _) => {
187+
for p in subpatterns.by_ref().take(prefix_len) {
188+
write!(f, "{}{:?}", start_or_comma(), p)?;
189+
}
190+
write!(f, "{}", start_or_comma())?;
191+
write!(f, "..")?;
192+
for p in subpatterns {
193+
write!(f, "{}{:?}", start_or_comma(), p)?;
194+
}
195+
}
196+
}
197+
write!(f, "]")
198+
}
199+
Bool(b) => write!(f, "{b}"),
200+
// Best-effort, will render signed ranges incorrectly
201+
IntRange(range) => write!(f, "{range:?}"),
202+
F32Range(lo, hi, end) => write!(f, "{lo}{end}{hi}"),
203+
F64Range(lo, hi, end) => write!(f, "{lo}{end}{hi}"),
204+
Str(value) => write!(f, "{value:?}"),
205+
Opaque(..) => write!(f, "<constant pattern>"),
206+
Or => {
207+
for pat in pat.iter_fields() {
208+
write!(f, "{}{:?}", start_or_continue(" | "), pat)?;
209+
}
210+
Ok(())
211+
}
212+
Wildcard | Missing { .. } | NonExhaustive | Hidden => write!(f, "_ : {:?}", pat.ty()),
213+
}
146214
}
147215
}
148216

compiler/rustc_pattern_analysis/src/rustc.rs

+11-99
Original file line numberDiff line numberDiff line change
@@ -850,103 +850,6 @@ impl<'p, 'tcx> RustcMatchCheckCtxt<'p, 'tcx> {
850850

851851
Pat { ty: pat.ty().inner(), span: DUMMY_SP, kind }
852852
}
853-
854-
/// Best-effort `Debug` implementation.
855-
pub(crate) fn debug_pat(
856-
f: &mut fmt::Formatter<'_>,
857-
pat: &crate::pat::DeconstructedPat<'_, Self>,
858-
) -> fmt::Result {
859-
let mut first = true;
860-
let mut start_or_continue = |s| {
861-
if first {
862-
first = false;
863-
""
864-
} else {
865-
s
866-
}
867-
};
868-
let mut start_or_comma = || start_or_continue(", ");
869-
870-
match pat.ctor() {
871-
Struct | Variant(_) | UnionField => match pat.ty().kind() {
872-
ty::Adt(def, _) if def.is_box() => {
873-
// Without `box_patterns`, the only legal pattern of type `Box` is `_` (outside
874-
// of `std`). So this branch is only reachable when the feature is enabled and
875-
// the pattern is a box pattern.
876-
let subpattern = pat.iter_fields().next().unwrap();
877-
write!(f, "box {subpattern:?}")
878-
}
879-
ty::Adt(..) | ty::Tuple(..) => {
880-
let variant =
881-
match pat.ty().kind() {
882-
ty::Adt(adt, _) => Some(adt.variant(
883-
RustcMatchCheckCtxt::variant_index_for_adt(pat.ctor(), *adt),
884-
)),
885-
ty::Tuple(_) => None,
886-
_ => unreachable!(),
887-
};
888-
889-
if let Some(variant) = variant {
890-
write!(f, "{}", variant.name)?;
891-
}
892-
893-
// Without `cx`, we can't know which field corresponds to which, so we can't
894-
// get the names of the fields. Instead we just display everything as a tuple
895-
// struct, which should be good enough.
896-
write!(f, "(")?;
897-
for p in pat.iter_fields() {
898-
write!(f, "{}", start_or_comma())?;
899-
write!(f, "{p:?}")?;
900-
}
901-
write!(f, ")")
902-
}
903-
_ => write!(f, "_"),
904-
},
905-
// Note: given the expansion of `&str` patterns done in `expand_pattern`, we should
906-
// be careful to detect strings here. However a string literal pattern will never
907-
// be reported as a non-exhaustiveness witness, so we can ignore this issue.
908-
Ref => {
909-
let subpattern = pat.iter_fields().next().unwrap();
910-
write!(f, "&{:?}", subpattern)
911-
}
912-
Slice(slice) => {
913-
let mut subpatterns = pat.iter_fields();
914-
write!(f, "[")?;
915-
match slice.kind {
916-
SliceKind::FixedLen(_) => {
917-
for p in subpatterns {
918-
write!(f, "{}{:?}", start_or_comma(), p)?;
919-
}
920-
}
921-
SliceKind::VarLen(prefix_len, _) => {
922-
for p in subpatterns.by_ref().take(prefix_len) {
923-
write!(f, "{}{:?}", start_or_comma(), p)?;
924-
}
925-
write!(f, "{}", start_or_comma())?;
926-
write!(f, "..")?;
927-
for p in subpatterns {
928-
write!(f, "{}{:?}", start_or_comma(), p)?;
929-
}
930-
}
931-
}
932-
write!(f, "]")
933-
}
934-
Bool(b) => write!(f, "{b}"),
935-
// Best-effort, will render signed ranges incorrectly
936-
IntRange(range) => write!(f, "{range:?}"),
937-
F32Range(lo, hi, end) => write!(f, "{lo}{end}{hi}"),
938-
F64Range(lo, hi, end) => write!(f, "{lo}{end}{hi}"),
939-
Str(value) => write!(f, "{value}"),
940-
Opaque(..) => write!(f, "<constant pattern>"),
941-
Or => {
942-
for pat in pat.iter_fields() {
943-
write!(f, "{}{:?}", start_or_continue(" | "), pat)?;
944-
}
945-
Ok(())
946-
}
947-
Wildcard | Missing { .. } | NonExhaustive | Hidden => write!(f, "_ : {:?}", pat.ty()),
948-
}
949-
}
950853
}
951854

952855
impl<'p, 'tcx> TypeCx for RustcMatchCheckCtxt<'p, 'tcx> {
@@ -978,12 +881,21 @@ impl<'p, 'tcx> TypeCx for RustcMatchCheckCtxt<'p, 'tcx> {
978881
self.ctors_for_ty(*ty)
979882
}
980883

981-
fn debug_pat(
884+
fn write_variant_name(
982885
f: &mut fmt::Formatter<'_>,
983886
pat: &crate::pat::DeconstructedPat<'_, Self>,
984887
) -> fmt::Result {
985-
Self::debug_pat(f, pat)
888+
if let ty::Adt(adt, _) = pat.ty().kind() {
889+
if adt.is_box() {
890+
write!(f, "Box")?
891+
} else {
892+
let variant = adt.variant(Self::variant_index_for_adt(pat.ctor(), *adt));
893+
write!(f, "{}", variant.name)?;
894+
}
895+
}
896+
Ok(())
986897
}
898+
987899
fn bug(&self, fmt: fmt::Arguments<'_>) -> ! {
988900
span_bug!(self.scrut_span, "{}", fmt)
989901
}

0 commit comments

Comments
 (0)