Skip to content

Commit 20f9e97

Browse files
authored
Rollup merge of #136577 - dianne:simple-pat-migration-simplification, r=Nadrieril
Pattern Migration 2024: try to suggest eliding redundant binding modifiers This is based on #136475. Only the last commit is new. This is a simpler, more restrictive alternative to #136496, meant to partially address #136047. If a pattern can be migrated to Rust 2024 solely by removing redundant binding modifiers, this will make that suggestion; otherwise, it uses the old suggestion of making the pattern fully explicit. Relevant tracking issue: #131414 ``@rustbot`` label A-diagnostics A-patterns A-edition-2024 r? ``@Nadrieril``
2 parents 26b2887 + f1e4d94 commit 20f9e97

15 files changed

+1043
-262
lines changed

compiler/rustc_hir_typeck/src/pat.rs

+55-23
Original file line numberDiff line numberDiff line change
@@ -812,7 +812,7 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
812812

813813
// Determine the binding mode...
814814
let bm = match user_bind_annot {
815-
BindingMode(ByRef::No, Mutability::Mut) if matches!(def_br, ByRef::Yes(_)) => {
815+
BindingMode(ByRef::No, Mutability::Mut) if let ByRef::Yes(def_br_mutbl) = def_br => {
816816
// Only mention the experimental `mut_ref` feature if if we're in edition 2024 and
817817
// using other experimental matching features compatible with it.
818818
if pat.span.at_least_rust_2024()
@@ -834,22 +834,22 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
834834
// `mut` resets the binding mode on edition <= 2021
835835
self.add_rust_2024_migration_desugared_pat(
836836
pat_info.top_info.hir_id,
837-
pat.span,
837+
pat,
838838
ident.span,
839-
"requires binding by-value, but the implicit default is by-reference",
839+
def_br_mutbl,
840840
);
841841
BindingMode(ByRef::No, Mutability::Mut)
842842
}
843843
}
844844
BindingMode(ByRef::No, mutbl) => BindingMode(def_br, mutbl),
845845
BindingMode(ByRef::Yes(_), _) => {
846-
if matches!(def_br, ByRef::Yes(_)) {
846+
if let ByRef::Yes(def_br_mutbl) = def_br {
847847
// `ref`/`ref mut` overrides the binding mode on edition <= 2021
848848
self.add_rust_2024_migration_desugared_pat(
849849
pat_info.top_info.hir_id,
850-
pat.span,
850+
pat,
851851
ident.span,
852-
"cannot override to bind by-reference when that is the implicit default",
852+
def_br_mutbl,
853853
);
854854
}
855855
user_bind_annot
@@ -2386,9 +2386,9 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
23862386
pat_info.binding_mode = ByRef::No;
23872387
self.add_rust_2024_migration_desugared_pat(
23882388
pat_info.top_info.hir_id,
2389-
pat.span,
2389+
pat,
23902390
inner.span,
2391-
"cannot implicitly match against multiple layers of reference",
2391+
inh_mut,
23922392
)
23932393
}
23942394
}
@@ -2778,33 +2778,65 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
27782778
fn add_rust_2024_migration_desugared_pat(
27792779
&self,
27802780
pat_id: HirId,
2781-
subpat_span: Span,
2781+
subpat: &'tcx Pat<'tcx>,
27822782
cutoff_span: Span,
2783-
detailed_label: &str,
2783+
def_br_mutbl: Mutability,
27842784
) {
27852785
// Try to trim the span we're labeling to just the `&` or binding mode that's an issue.
27862786
// If the subpattern's span is is from an expansion, the emitted label will not be trimmed.
27872787
let source_map = self.tcx.sess.source_map();
27882788
let cutoff_span = source_map
2789-
.span_extend_prev_while(cutoff_span, char::is_whitespace)
2789+
.span_extend_prev_while(cutoff_span, |c| c.is_whitespace() || c == '(')
27902790
.unwrap_or(cutoff_span);
2791-
// Ensure we use the syntax context and thus edition of `subpat_span`; this will be a hard
2791+
// Ensure we use the syntax context and thus edition of `subpat.span`; this will be a hard
27922792
// error if the subpattern is of edition >= 2024.
2793-
let trimmed_span = subpat_span.until(cutoff_span).with_ctxt(subpat_span.ctxt());
2793+
let trimmed_span = subpat.span.until(cutoff_span).with_ctxt(subpat.span.ctxt());
2794+
2795+
let mut typeck_results = self.typeck_results.borrow_mut();
2796+
let mut table = typeck_results.rust_2024_migration_desugared_pats_mut();
2797+
// FIXME(ref_pat_eat_one_layer_2024): The migration diagnostic doesn't know how to track the
2798+
// default binding mode in the presence of Rule 3 or Rule 5. As a consequence, the labels it
2799+
// gives for default binding modes are wrong, as well as suggestions based on the default
2800+
// binding mode. This keeps it from making those suggestions, as doing so could panic.
2801+
let info = table.entry(pat_id).or_insert_with(|| ty::Rust2024IncompatiblePatInfo {
2802+
primary_labels: Vec::new(),
2803+
bad_modifiers: false,
2804+
bad_ref_pats: false,
2805+
suggest_eliding_modes: !self.tcx.features().ref_pat_eat_one_layer_2024()
2806+
&& !self.tcx.features().ref_pat_eat_one_layer_2024_structural(),
2807+
});
27942808

27952809
// Only provide a detailed label if the problematic subpattern isn't from an expansion.
27962810
// In the case that it's from a macro, we'll add a more detailed note in the emitter.
2797-
let desc = if subpat_span.from_expansion() {
2798-
"default binding mode is reset within expansion"
2811+
let from_expansion = subpat.span.from_expansion();
2812+
let primary_label = if from_expansion {
2813+
// NB: This wording assumes the only expansions that can produce problematic reference
2814+
// patterns and bindings are macros. If a desugaring or AST pass is added that can do
2815+
// so, we may want to inspect the span's source callee or macro backtrace.
2816+
"occurs within macro expansion".to_owned()
27992817
} else {
2800-
detailed_label
2818+
let pat_kind = if let PatKind::Binding(user_bind_annot, _, _, _) = subpat.kind {
2819+
info.bad_modifiers |= true;
2820+
// If the user-provided binding modifier doesn't match the default binding mode, we'll
2821+
// need to suggest reference patterns, which can affect other bindings.
2822+
// For simplicity, we opt to suggest making the pattern fully explicit.
2823+
info.suggest_eliding_modes &=
2824+
user_bind_annot == BindingMode(ByRef::Yes(def_br_mutbl), Mutability::Not);
2825+
"binding modifier"
2826+
} else {
2827+
info.bad_ref_pats |= true;
2828+
// For simplicity, we don't try to suggest eliding reference patterns. Thus, we'll
2829+
// suggest adding them instead, which can affect the types assigned to bindings.
2830+
// As such, we opt to suggest making the pattern fully explicit.
2831+
info.suggest_eliding_modes = false;
2832+
"reference pattern"
2833+
};
2834+
let dbm_str = match def_br_mutbl {
2835+
Mutability::Not => "ref",
2836+
Mutability::Mut => "ref mut",
2837+
};
2838+
format!("{pat_kind} not allowed under `{dbm_str}` default binding mode")
28012839
};
2802-
2803-
self.typeck_results
2804-
.borrow_mut()
2805-
.rust_2024_migration_desugared_pats_mut()
2806-
.entry(pat_id)
2807-
.or_default()
2808-
.push((trimmed_span, desc.to_owned()));
2840+
info.primary_labels.push((trimmed_span, primary_label));
28092841
}
28102842
}

compiler/rustc_middle/src/ty/mod.rs

+1-1
Original file line numberDiff line numberDiff line change
@@ -94,7 +94,7 @@ pub use self::sty::{
9494
pub use self::trait_def::TraitDef;
9595
pub use self::typeck_results::{
9696
CanonicalUserType, CanonicalUserTypeAnnotation, CanonicalUserTypeAnnotations, IsIdentity,
97-
TypeckResults, UserType, UserTypeAnnotationIndex, UserTypeKind,
97+
Rust2024IncompatiblePatInfo, TypeckResults, UserType, UserTypeAnnotationIndex, UserTypeKind,
9898
};
9999
pub use self::visit::{TypeSuperVisitable, TypeVisitable, TypeVisitableExt, TypeVisitor};
100100
use crate::error::{OpaqueHiddenTypeMismatch, TypeMismatchReason};

compiler/rustc_middle/src/ty/typeck_results.rs

+19-5
Original file line numberDiff line numberDiff line change
@@ -73,9 +73,9 @@ pub struct TypeckResults<'tcx> {
7373
/// Stores the actual binding mode for all instances of [`BindingMode`].
7474
pat_binding_modes: ItemLocalMap<BindingMode>,
7575

76-
/// Top-level patterns whose match ergonomics need to be desugared by the Rust 2021 -> 2024
77-
/// migration lint. Problematic subpatterns are stored in the `Vec` for the lint to highlight.
78-
rust_2024_migration_desugared_pats: ItemLocalMap<Vec<(Span, String)>>,
76+
/// Top-level patterns incompatible with Rust 2024's match ergonomics. These will be translated
77+
/// to a form valid in all Editions, either as a lint diagnostic or hard error.
78+
rust_2024_migration_desugared_pats: ItemLocalMap<Rust2024IncompatiblePatInfo>,
7979

8080
/// Stores the types which were implicitly dereferenced in pattern binding modes
8181
/// for later usage in THIR lowering. For example,
@@ -420,7 +420,7 @@ impl<'tcx> TypeckResults<'tcx> {
420420

421421
pub fn rust_2024_migration_desugared_pats(
422422
&self,
423-
) -> LocalTableInContext<'_, Vec<(Span, String)>> {
423+
) -> LocalTableInContext<'_, Rust2024IncompatiblePatInfo> {
424424
LocalTableInContext {
425425
hir_owner: self.hir_owner,
426426
data: &self.rust_2024_migration_desugared_pats,
@@ -429,7 +429,7 @@ impl<'tcx> TypeckResults<'tcx> {
429429

430430
pub fn rust_2024_migration_desugared_pats_mut(
431431
&mut self,
432-
) -> LocalTableInContextMut<'_, Vec<(Span, String)>> {
432+
) -> LocalTableInContextMut<'_, Rust2024IncompatiblePatInfo> {
433433
LocalTableInContextMut {
434434
hir_owner: self.hir_owner,
435435
data: &mut self.rust_2024_migration_desugared_pats,
@@ -811,3 +811,17 @@ impl<'tcx> std::fmt::Display for UserTypeKind<'tcx> {
811811
}
812812
}
813813
}
814+
815+
/// Information on a pattern incompatible with Rust 2024, for use by the error/migration diagnostic
816+
/// emitted during THIR construction.
817+
#[derive(TyEncodable, TyDecodable, Debug, HashStable)]
818+
pub struct Rust2024IncompatiblePatInfo {
819+
/// Labeled spans for `&`s, `&mut`s, and binding modifiers incompatible with Rust 2024.
820+
pub primary_labels: Vec<(Span, String)>,
821+
/// Whether any binding modifiers occur under a non-`move` default binding mode.
822+
pub bad_modifiers: bool,
823+
/// Whether any `&` or `&mut` patterns occur under a non-`move` default binding mode.
824+
pub bad_ref_pats: bool,
825+
/// If `true`, we can give a simpler suggestion solely by eliding explicit binding modifiers.
826+
pub suggest_eliding_modes: bool,
827+
}

compiler/rustc_mir_build/messages.ftl

+10-1
Original file line numberDiff line numberDiff line change
@@ -285,7 +285,16 @@ mir_build_pointer_pattern = function pointers and raw pointers not derived from
285285
286286
mir_build_privately_uninhabited = pattern `{$witness_1}` is currently uninhabited, but this variant contains private fields which may become inhabited in the future
287287
288-
mir_build_rust_2024_incompatible_pat = this pattern relies on behavior which may change in edition 2024
288+
mir_build_rust_2024_incompatible_pat = {$bad_modifiers ->
289+
*[true] binding modifiers{$bad_ref_pats ->
290+
*[true] {" "}and reference patterns
291+
[false] {""}
292+
}
293+
[false] reference patterns
294+
} may only be written when the default binding mode is `move`{$is_hard_error ->
295+
*[true] {""}
296+
[false] {" "}in Rust 2024
297+
}
289298
290299
mir_build_static_in_pattern = statics cannot be referenced in patterns
291300
.label = can't be used in patterns

compiler/rustc_mir_build/src/errors.rs

+45-15
Original file line numberDiff line numberDiff line change
@@ -1,3 +1,4 @@
1+
use rustc_data_structures::fx::FxIndexMap;
12
use rustc_errors::codes::*;
23
use rustc_errors::{
34
Applicability, Diag, DiagArgValue, DiagCtxtHandle, Diagnostic, EmissionGuarantee, Level,
@@ -1097,41 +1098,70 @@ pub(crate) enum MiscPatternSuggestion {
10971098

10981099
#[derive(LintDiagnostic)]
10991100
#[diag(mir_build_rust_2024_incompatible_pat)]
1100-
pub(crate) struct Rust2024IncompatiblePat<'a> {
1101+
pub(crate) struct Rust2024IncompatiblePat {
11011102
#[subdiagnostic]
1102-
pub(crate) sugg: Rust2024IncompatiblePatSugg<'a>,
1103+
pub(crate) sugg: Rust2024IncompatiblePatSugg,
1104+
pub(crate) bad_modifiers: bool,
1105+
pub(crate) bad_ref_pats: bool,
1106+
pub(crate) is_hard_error: bool,
11031107
}
11041108

1105-
pub(crate) struct Rust2024IncompatiblePatSugg<'a> {
1109+
pub(crate) struct Rust2024IncompatiblePatSugg {
1110+
/// If true, our suggestion is to elide explicit binding modifiers.
1111+
/// If false, our suggestion is to make the pattern fully explicit.
1112+
pub(crate) suggest_eliding_modes: bool,
11061113
pub(crate) suggestion: Vec<(Span, String)>,
11071114
pub(crate) ref_pattern_count: usize,
11081115
pub(crate) binding_mode_count: usize,
1109-
/// Labeled spans for subpatterns invalid in Rust 2024.
1110-
pub(crate) labels: &'a [(Span, String)],
1116+
/// Internal state: the ref-mutability of the default binding mode at the subpattern being
1117+
/// lowered, with the span where it was introduced. `None` for a by-value default mode.
1118+
pub(crate) default_mode_span: Option<(Span, ty::Mutability)>,
1119+
/// Labels for where incompatibility-causing by-ref default binding modes were introduced.
1120+
pub(crate) default_mode_labels: FxIndexMap<Span, ty::Mutability>,
11111121
}
11121122

1113-
impl<'a> Subdiagnostic for Rust2024IncompatiblePatSugg<'a> {
1123+
impl Subdiagnostic for Rust2024IncompatiblePatSugg {
11141124
fn add_to_diag_with<G: EmissionGuarantee, F: SubdiagMessageOp<G>>(
11151125
self,
11161126
diag: &mut Diag<'_, G>,
11171127
_f: &F,
11181128
) {
1129+
// Format and emit explanatory notes about default binding modes. Reversing the spans' order
1130+
// means if we have nested spans, the innermost ones will be visited first.
1131+
for (span, def_br_mutbl) in self.default_mode_labels.into_iter().rev() {
1132+
// Don't point to a macro call site.
1133+
if !span.from_expansion() {
1134+
let note_msg = "matching on a reference type with a non-reference pattern changes the default binding mode";
1135+
let label_msg =
1136+
format!("this matches on type `{}_`", def_br_mutbl.ref_prefix_str());
1137+
let mut label = MultiSpan::from(span);
1138+
label.push_span_label(span, label_msg);
1139+
diag.span_note(label, note_msg);
1140+
}
1141+
}
1142+
1143+
// Format and emit the suggestion.
11191144
let applicability =
11201145
if self.suggestion.iter().all(|(span, _)| span.can_be_used_for_suggestions()) {
11211146
Applicability::MachineApplicable
11221147
} else {
11231148
Applicability::MaybeIncorrect
11241149
};
1125-
let plural_derefs = pluralize!(self.ref_pattern_count);
1126-
let and_modes = if self.binding_mode_count > 0 {
1127-
format!(" and variable binding mode{}", pluralize!(self.binding_mode_count))
1150+
let msg = if self.suggest_eliding_modes {
1151+
let plural_modes = pluralize!(self.binding_mode_count);
1152+
format!("remove the unnecessary binding modifier{plural_modes}")
11281153
} else {
1129-
String::new()
1154+
let plural_derefs = pluralize!(self.ref_pattern_count);
1155+
let and_modes = if self.binding_mode_count > 0 {
1156+
format!(" and variable binding mode{}", pluralize!(self.binding_mode_count))
1157+
} else {
1158+
String::new()
1159+
};
1160+
format!("make the implied reference pattern{plural_derefs}{and_modes} explicit")
11301161
};
1131-
diag.multipart_suggestion_verbose(
1132-
format!("make the implied reference pattern{plural_derefs}{and_modes} explicit"),
1133-
self.suggestion,
1134-
applicability,
1135-
);
1162+
// FIXME(dianne): for peace of mind, don't risk emitting a 0-part suggestion (that panics!)
1163+
if !self.suggestion.is_empty() {
1164+
diag.multipart_suggestion_verbose(msg, self.suggestion, applicability);
1165+
}
11361166
}
11371167
}

0 commit comments

Comments
 (0)