Skip to content

Commit a9e7b30

Browse files
committed
Auto merge of rust-lang#136697 - matthiaskrgr:rollup-eww4vl9, r=matthiaskrgr
Rollup of 7 pull requests Successful merges: - rust-lang#134367 (Stabilize `feature(trait_upcasting)`) - rust-lang#135940 (Update toolstate maintainers) - rust-lang#135945 (Remove some unnecessary parens in `assert!` conditions) - rust-lang#136577 (Pattern Migration 2024: try to suggest eliding redundant binding modifiers) - rust-lang#136598 (Fix suggestion for `dependency_on_unit_never_type_fallback` involving closures + format args expansions) - rust-lang#136653 (Remove dead code from rustc_codegen_llvm and the LLVM wrapper) - rust-lang#136664 (replace one `.map_or(true, ...)` with `.is_none_or(...)`) r? `@ghost` `@rustbot` modify labels: rollup
2 parents 64e06c0 + b4c4913 commit a9e7b30

File tree

149 files changed

+1387
-953
lines changed

Some content is hidden

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

149 files changed

+1387
-953
lines changed

compiler/rustc_codegen_llvm/src/llvm/ffi.rs

-29
Original file line numberDiff line numberDiff line change
@@ -69,19 +69,6 @@ pub enum LLVMRustResult {
6969
Failure,
7070
}
7171

72-
/// Translation of LLVM's MachineTypes enum, defined in llvm\include\llvm\BinaryFormat\COFF.h.
73-
///
74-
/// We include only architectures supported on Windows.
75-
#[derive(Copy, Clone, PartialEq)]
76-
#[repr(C)]
77-
pub enum LLVMMachineType {
78-
AMD64 = 0x8664,
79-
I386 = 0x14c,
80-
ARM64 = 0xaa64,
81-
ARM64EC = 0xa641,
82-
ARM = 0x01c0,
83-
}
84-
8572
/// Must match the layout of `LLVMRustModuleFlagMergeBehavior`.
8673
///
8774
/// When merging modules (e.g. during LTO), their metadata flags are combined. Conflicts are
@@ -645,16 +632,6 @@ pub enum ThreadLocalMode {
645632
LocalExec,
646633
}
647634

648-
/// LLVMRustTailCallKind
649-
#[derive(Copy, Clone)]
650-
#[repr(C)]
651-
pub enum TailCallKind {
652-
None,
653-
Tail,
654-
MustTail,
655-
NoTail,
656-
}
657-
658635
/// LLVMRustChecksumKind
659636
#[derive(Copy, Clone)]
660637
#[repr(C)]
@@ -773,7 +750,6 @@ pub struct Builder<'a>(InvariantOpaque<'a>);
773750
#[repr(C)]
774751
pub struct PassManager<'a>(InvariantOpaque<'a>);
775752
unsafe extern "C" {
776-
pub type Pass;
777753
pub type TargetMachine;
778754
pub type Archive;
779755
}
@@ -799,7 +775,6 @@ unsafe extern "C" {
799775
}
800776

801777
pub type DiagnosticHandlerTy = unsafe extern "C" fn(&DiagnosticInfo, *mut c_void);
802-
pub type InlineAsmDiagHandlerTy = unsafe extern "C" fn(&SMDiagnostic, *const c_void, c_uint);
803778

804779
pub mod debuginfo {
805780
use std::ptr;
@@ -853,7 +828,6 @@ pub mod debuginfo {
853828
pub type DIFile = DIScope;
854829
pub type DILexicalBlock = DIScope;
855830
pub type DISubprogram = DIScope;
856-
pub type DINameSpace = DIScope;
857831
pub type DIType = DIDescriptor;
858832
pub type DIBasicType = DIType;
859833
pub type DIDerivedType = DIType;
@@ -1809,7 +1783,6 @@ unsafe extern "C" {
18091783
Name: *const c_char,
18101784
NameLen: size_t,
18111785
) -> Option<&Value>;
1812-
pub fn LLVMRustSetTailCallKind(CallInst: &Value, TKC: TailCallKind);
18131786

18141787
// Operations on attributes
18151788
pub fn LLVMRustCreateAttrNoValue(C: &Context, attr: AttributeKind) -> &Attribute;
@@ -2586,8 +2559,6 @@ unsafe extern "C" {
25862559

25872560
pub fn LLVMRustGetElementTypeArgIndex(CallSite: &Value) -> i32;
25882561

2589-
pub fn LLVMRustIsBitcode(ptr: *const u8, len: usize) -> bool;
2590-
25912562
pub fn LLVMRustLLVMHasZlibCompressionForDebugSymbols() -> bool;
25922563

25932564
pub fn LLVMRustLLVMHasZstdCompressionForDebugSymbols() -> bool;

compiler/rustc_feature/src/accepted.rs

+3
Original file line numberDiff line numberDiff line change
@@ -400,6 +400,9 @@ declare_features! (
400400
/// Allows `#[track_caller]` to be used which provides
401401
/// accurate caller location reporting during panic (RFC 2091).
402402
(accepted, track_caller, "1.46.0", Some(47809)),
403+
/// Allows dyn upcasting trait objects via supertraits.
404+
/// Dyn upcasting is casting, e.g., `dyn Foo -> dyn Bar` where `Foo: Bar`.
405+
(accepted, trait_upcasting, "CURRENT_RUSTC_VERSION", Some(65991)),
403406
/// Allows #[repr(transparent)] on univariant enums (RFC 2645).
404407
(accepted, transparent_enums, "1.42.0", Some(60405)),
405408
/// Allows indexing tuples.

compiler/rustc_feature/src/unstable.rs

-3
Original file line numberDiff line numberDiff line change
@@ -634,9 +634,6 @@ declare_features! (
634634
(unstable, thread_local, "1.0.0", Some(29594)),
635635
/// Allows defining `trait X = A + B;` alias items.
636636
(unstable, trait_alias, "1.24.0", Some(41517)),
637-
/// Allows dyn upcasting trait objects via supertraits.
638-
/// Dyn upcasting is casting, e.g., `dyn Foo -> dyn Bar` where `Foo: Bar`.
639-
(unstable, trait_upcasting, "1.56.0", Some(65991)),
640637
/// Allows for transmuting between arrays with sizes that contain generic consts.
641638
(unstable, transmute_generic_consts, "1.70.0", Some(109929)),
642639
/// Allows #[repr(transparent)] on unions (RFC 2645).

compiler/rustc_hir_typeck/src/coercion.rs

-23
Original file line numberDiff line numberDiff line change
@@ -605,7 +605,6 @@ impl<'f, 'tcx> Coerce<'f, 'tcx> {
605605
)];
606606

607607
let mut has_unsized_tuple_coercion = false;
608-
let mut has_trait_upcasting_coercion = None;
609608

610609
// Keep resolving `CoerceUnsized` and `Unsize` predicates to avoid
611610
// emitting a coercion in cases like `Foo<$1>` -> `Foo<$2>`, where
@@ -690,13 +689,6 @@ impl<'f, 'tcx> Coerce<'f, 'tcx> {
690689
// these here and emit a feature error if coercion doesn't fail
691690
// due to another reason.
692691
match impl_source {
693-
traits::ImplSource::Builtin(
694-
BuiltinImplSource::TraitUpcasting { .. },
695-
_,
696-
) => {
697-
has_trait_upcasting_coercion =
698-
Some((trait_pred.self_ty(), trait_pred.trait_ref.args.type_at(1)));
699-
}
700692
traits::ImplSource::Builtin(BuiltinImplSource::TupleUnsizing, _) => {
701693
has_unsized_tuple_coercion = true;
702694
}
@@ -707,21 +699,6 @@ impl<'f, 'tcx> Coerce<'f, 'tcx> {
707699
}
708700
}
709701

710-
if let Some((sub, sup)) = has_trait_upcasting_coercion
711-
&& !self.tcx().features().trait_upcasting()
712-
{
713-
// Renders better when we erase regions, since they're not really the point here.
714-
let (sub, sup) = self.tcx.erase_regions((sub, sup));
715-
let mut err = feature_err(
716-
&self.tcx.sess,
717-
sym::trait_upcasting,
718-
self.cause.span,
719-
format!("cannot cast `{sub}` to `{sup}`, trait upcasting coercion is experimental"),
720-
);
721-
err.note(format!("required when coercing `{source}` into `{target}`"));
722-
err.emit();
723-
}
724-
725702
if has_unsized_tuple_coercion && !self.tcx.features().unsized_tuple_coercion() {
726703
feature_err(
727704
&self.tcx.sess,

compiler/rustc_hir_typeck/src/fallback.rs

+16-2
Original file line numberDiff line numberDiff line change
@@ -651,6 +651,7 @@ impl<'tcx> Visitor<'tcx> for AnnotateUnitFallbackVisitor<'_, 'tcx> {
651651
if let Some(ty) = self.fcx.typeck_results.borrow().node_type_opt(inf_id)
652652
&& let Some(vid) = self.fcx.root_vid(ty)
653653
&& self.reachable_vids.contains(&vid)
654+
&& inf_span.can_be_used_for_suggestions()
654655
{
655656
return ControlFlow::Break(errors::SuggestAnnotation::Unit(inf_span));
656657
}
@@ -662,7 +663,7 @@ impl<'tcx> Visitor<'tcx> for AnnotateUnitFallbackVisitor<'_, 'tcx> {
662663
&mut self,
663664
qpath: &'tcx rustc_hir::QPath<'tcx>,
664665
id: HirId,
665-
_span: Span,
666+
span: Span,
666667
) -> Self::Result {
667668
let arg_segment = match qpath {
668669
hir::QPath::Resolved(_, path) => {
@@ -674,13 +675,21 @@ impl<'tcx> Visitor<'tcx> for AnnotateUnitFallbackVisitor<'_, 'tcx> {
674675
}
675676
};
676677
// Alternatively, try to turbofish `::<_, (), _>`.
677-
if let Some(def_id) = self.fcx.typeck_results.borrow().qpath_res(qpath, id).opt_def_id() {
678+
if let Some(def_id) = self.fcx.typeck_results.borrow().qpath_res(qpath, id).opt_def_id()
679+
&& span.can_be_used_for_suggestions()
680+
{
678681
self.suggest_for_segment(arg_segment, def_id, id)?;
679682
}
680683
hir::intravisit::walk_qpath(self, qpath, id)
681684
}
682685

683686
fn visit_expr(&mut self, expr: &'tcx hir::Expr<'tcx>) -> Self::Result {
687+
if let hir::ExprKind::Closure(&hir::Closure { body, .. })
688+
| hir::ExprKind::ConstBlock(hir::ConstBlock { body, .. }) = expr.kind
689+
{
690+
self.visit_body(self.fcx.tcx.hir().body(body))?;
691+
}
692+
684693
// Try to suggest adding an explicit qself `()` to a trait method path.
685694
// i.e. changing `Default::default()` to `<() as Default>::default()`.
686695
if let hir::ExprKind::Path(hir::QPath::Resolved(None, path)) = expr.kind
@@ -691,17 +700,21 @@ impl<'tcx> Visitor<'tcx> for AnnotateUnitFallbackVisitor<'_, 'tcx> {
691700
&& let Some(vid) = self.fcx.root_vid(self_ty)
692701
&& self.reachable_vids.contains(&vid)
693702
&& let [.., trait_segment, _method_segment] = path.segments
703+
&& expr.span.can_be_used_for_suggestions()
694704
{
695705
let span = path.span.shrink_to_lo().to(trait_segment.ident.span);
696706
return ControlFlow::Break(errors::SuggestAnnotation::Path(span));
697707
}
708+
698709
// Or else, try suggesting turbofishing the method args.
699710
if let hir::ExprKind::MethodCall(segment, ..) = expr.kind
700711
&& let Some(def_id) =
701712
self.fcx.typeck_results.borrow().type_dependent_def_id(expr.hir_id)
713+
&& expr.span.can_be_used_for_suggestions()
702714
{
703715
self.suggest_for_segment(segment, def_id, expr.hir_id)?;
704716
}
717+
705718
hir::intravisit::walk_expr(self, expr)
706719
}
707720

@@ -712,6 +725,7 @@ impl<'tcx> Visitor<'tcx> for AnnotateUnitFallbackVisitor<'_, 'tcx> {
712725
&& let Some(ty) = self.fcx.typeck_results.borrow().node_type_opt(local.hir_id)
713726
&& let Some(vid) = self.fcx.root_vid(ty)
714727
&& self.reachable_vids.contains(&vid)
728+
&& local.span.can_be_used_for_suggestions()
715729
{
716730
return ControlFlow::Break(errors::SuggestAnnotation::Local(
717731
local.pat.span.shrink_to_hi(),

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_lint/src/deref_into_dyn_supertrait.rs

+12-13
Original file line numberDiff line numberDiff line change
@@ -1,6 +1,5 @@
11
use rustc_hir::{self as hir, LangItem};
22
use rustc_middle::ty;
3-
use rustc_session::lint::FutureIncompatibilityReason;
43
use rustc_session::{declare_lint, declare_lint_pass};
54
use rustc_span::sym;
65
use rustc_trait_selection::traits::supertraits;
@@ -9,11 +8,12 @@ use crate::lints::{SupertraitAsDerefTarget, SupertraitAsDerefTargetLabel};
98
use crate::{LateContext, LateLintPass, LintContext};
109

1110
declare_lint! {
12-
/// The `deref_into_dyn_supertrait` lint is output whenever there is a use of the
13-
/// `Deref` implementation with a `dyn SuperTrait` type as `Output`.
11+
/// The `deref_into_dyn_supertrait` lint is emitted whenever there is a `Deref` implementation
12+
/// for `dyn SubTrait` with a `dyn SuperTrait` type as the `Output` type.
1413
///
15-
/// These implementations will become shadowed when the `trait_upcasting` feature is stabilized.
16-
/// The `deref` functions will no longer be called implicitly, so there might be behavior change.
14+
/// These implementations are "shadowed" by trait upcasting (stabilized since
15+
/// CURRENT_RUSTC_VERSION). The `deref` functions is no longer called implicitly, which might
16+
/// change behavior compared to previous rustc versions.
1717
///
1818
/// ### Example
1919
///
@@ -43,15 +43,14 @@ declare_lint! {
4343
///
4444
/// ### Explanation
4545
///
46-
/// The dyn upcasting coercion feature adds new coercion rules, taking priority
47-
/// over certain other coercion rules, which will cause some behavior change.
46+
/// The trait upcasting coercion added a new coercion rule, taking priority over certain other
47+
/// coercion rules, which causes some behavior change compared to older `rustc` versions.
48+
///
49+
/// `deref` can be still called explicitly, it just isn't called as part of a deref coercion
50+
/// (since trait upcasting coercion takes priority).
4851
pub DEREF_INTO_DYN_SUPERTRAIT,
49-
Warn,
50-
"`Deref` implementation usage with a supertrait trait object for output might be shadowed in the future",
51-
@future_incompatible = FutureIncompatibleInfo {
52-
reason: FutureIncompatibilityReason::FutureReleaseSemanticsChange,
53-
reference: "issue #89460 <https://github.com/rust-lang/rust/issues/89460>",
54-
};
52+
Allow,
53+
"`Deref` implementation with a supertrait trait object for output is shadowed by trait upcasting",
5554
}
5655

5756
declare_lint_pass!(DerefIntoDynSupertrait => [DEREF_INTO_DYN_SUPERTRAIT]);

0 commit comments

Comments
 (0)