1
Fork 0

Auto merge of #124356 - fmease:fewer-magic-numbers-in-names, r=lcnr

Cleanup: Replace item names referencing GitHub issues or error codes with something more meaningful

**lcnr** in https://github.com/rust-lang/rust/pull/117164#pullrequestreview-1969935387:

> […] while I know that there's precendent to name things `Issue69420`, I really dislike this as it requires looking up the issue to figure out the purpose of such a variant. Actually referring to the underlying issue, e.g. `AliasMayNormToUncovered` or whatever and then linking to the issue in a doc comment feels a lot more desirable to me. We should ideally rename all the functions and enums which currently use issue numbers.

I've grepped through `compiler/` like crazy and think that I've found all instances of this pattern.
However, I haven't renamed `compute_2229_migrations_*`. Should I?

The first commit introduces an abhorrent and super long name for an item because naming is hard but also scary looking / unwelcoming names are good for things related to temporary-ish backcompat hacks. I'll let you discover it by yourself.

Contains a bit of drive-by cleanup and a diag migration bc that was the simplest option.

r? lcnr or compiler
This commit is contained in:
bors 2024-05-01 00:04:36 +00:00
commit f5355b93ba
27 changed files with 112 additions and 106 deletions

View file

@ -632,20 +632,19 @@ impl<'a> AstValidator<'a> {
} }
} }
fn emit_e0568(&self, span: Span, ident: Span) {
self.dcx().emit_err(errors::AutoTraitBounds { span, ident });
}
fn deny_super_traits(&self, bounds: &GenericBounds, ident_span: Span) { fn deny_super_traits(&self, bounds: &GenericBounds, ident_span: Span) {
if let [.., last] = &bounds[..] { if let [.., last] = &bounds[..] {
let span = ident_span.shrink_to_hi().to(last.span()); let span = ident_span.shrink_to_hi().to(last.span());
self.emit_e0568(span, ident_span); self.dcx().emit_err(errors::AutoTraitBounds { span, ident: ident_span });
} }
} }
fn deny_where_clause(&self, where_clause: &WhereClause, ident_span: Span) { fn deny_where_clause(&self, where_clause: &WhereClause, ident_span: Span) {
if !where_clause.predicates.is_empty() { if !where_clause.predicates.is_empty() {
self.emit_e0568(where_clause.span, ident_span); // FIXME: The current diagnostic is misleading since it only talks about
// super trait and lifetime bounds while we should just say “bounds”.
self.dcx()
.emit_err(errors::AutoTraitBounds { span: where_clause.span, ident: ident_span });
} }
} }

View file

@ -144,9 +144,9 @@ pub fn make_display(f: impl Fn(&mut fmt::Formatter<'_>) -> fmt::Result) -> impl
Printer { f } Printer { f }
} }
// See comments in compiler/rustc_middle/src/tests.rs // See comment in compiler/rustc_middle/src/tests.rs and issue #27438.
#[doc(hidden)] #[doc(hidden)]
pub fn __noop_fix_for_27438() {} pub fn __noop_fix_for_windows_dllimport_issue() {}
#[macro_export] #[macro_export]
macro_rules! external_bitflags_debug { macro_rules! external_bitflags_debug {

View file

@ -201,6 +201,12 @@ hir_analysis_inherent_ty_outside_relevant = cannot define inherent `impl` for a
.help = consider moving this inherent impl into the crate defining the type if possible .help = consider moving this inherent impl into the crate defining the type if possible
.span_help = alternatively add `#[rustc_allow_incoherent_impl]` to the relevant impl items .span_help = alternatively add `#[rustc_allow_incoherent_impl]` to the relevant impl items
hir_analysis_invalid_receiver_ty = invalid `self` parameter type: `{$receiver_ty}`
.note = type of `self` must be `Self` or a type that dereferences to it
hir_analysis_invalid_receiver_ty_help =
consider changing to `self`, `&self`, `&mut self`, `self: Box<Self>`, `self: Rc<Self>`, `self: Arc<Self>`, or `self: Pin<P>` (where P is one of the previous types except `Self`)
hir_analysis_invalid_union_field = hir_analysis_invalid_union_field =
field must implement `Copy` or be wrapped in `ManuallyDrop<...>` to be used in a union field must implement `Copy` or be wrapped in `ManuallyDrop<...>` to be used in a union
.note = union fields must not have drop side-effects, which is currently enforced via either `Copy` or `ManuallyDrop<...>` .note = union fields must not have drop side-effects, which is currently enforced via either `Copy` or `ManuallyDrop<...>`

View file

@ -2,6 +2,7 @@ use crate::autoderef::Autoderef;
use crate::collect::CollectItemTypesVisitor; use crate::collect::CollectItemTypesVisitor;
use crate::constrained_generic_params::{identify_constrained_generic_params, Parameter}; use crate::constrained_generic_params::{identify_constrained_generic_params, Parameter};
use crate::errors; use crate::errors;
use crate::fluent_generated as fluent;
use hir::intravisit::Visitor; use hir::intravisit::Visitor;
use rustc_ast as ast; use rustc_ast as ast;
@ -1636,10 +1637,6 @@ fn check_fn_or_method<'tcx>(
} }
} }
const HELP_FOR_SELF_TYPE: &str = "consider changing to `self`, `&self`, `&mut self`, `self: Box<Self>`, \
`self: Rc<Self>`, `self: Arc<Self>`, or `self: Pin<P>` (where P is one \
of the previous types except `Self`)";
#[instrument(level = "debug", skip(wfcx))] #[instrument(level = "debug", skip(wfcx))]
fn check_method_receiver<'tcx>( fn check_method_receiver<'tcx>(
wfcx: &WfCheckingCtxt<'_, 'tcx>, wfcx: &WfCheckingCtxt<'_, 'tcx>,
@ -1675,7 +1672,7 @@ fn check_method_receiver<'tcx>(
if tcx.features().arbitrary_self_types { if tcx.features().arbitrary_self_types {
if !receiver_is_valid(wfcx, span, receiver_ty, self_ty, true) { if !receiver_is_valid(wfcx, span, receiver_ty, self_ty, true) {
// Report error; `arbitrary_self_types` was enabled. // Report error; `arbitrary_self_types` was enabled.
return Err(e0307(tcx, span, receiver_ty)); return Err(tcx.dcx().emit_err(errors::InvalidReceiverTy { span, receiver_ty }));
} }
} else { } else {
if !receiver_is_valid(wfcx, span, receiver_ty, self_ty, false) { if !receiver_is_valid(wfcx, span, receiver_ty, self_ty, false) {
@ -1690,24 +1687,17 @@ fn check_method_receiver<'tcx>(
the `arbitrary_self_types` feature", the `arbitrary_self_types` feature",
), ),
) )
.with_help(HELP_FOR_SELF_TYPE) .with_help(fluent::hir_analysis_invalid_receiver_ty_help)
.emit() .emit()
} else { } else {
// Report error; would not have worked with `arbitrary_self_types`. // Report error; would not have worked with `arbitrary_self_types`.
e0307(tcx, span, receiver_ty) tcx.dcx().emit_err(errors::InvalidReceiverTy { span, receiver_ty })
}); });
} }
} }
Ok(()) Ok(())
} }
fn e0307(tcx: TyCtxt<'_>, span: Span, receiver_ty: Ty<'_>) -> ErrorGuaranteed {
struct_span_code_err!(tcx.dcx(), span, E0307, "invalid `self` parameter type: {receiver_ty}")
.with_note("type of `self` must be `Self` or a type that dereferences to it")
.with_help(HELP_FOR_SELF_TYPE)
.emit()
}
/// Returns whether `receiver_ty` would be considered a valid receiver type for `self_ty`. If /// Returns whether `receiver_ty` would be considered a valid receiver type for `self_ty`. If
/// `arbitrary_self_types` is enabled, `receiver_ty` must transitively deref to `self_ty`, possibly /// `arbitrary_self_types` is enabled, `receiver_ty` must transitively deref to `self_ty`, possibly
/// through a `*const/mut T` raw pointer. If the feature is not enabled, the requirements are more /// through a `*const/mut T` raw pointer. If the feature is not enabled, the requirements are more

View file

@ -1666,3 +1666,13 @@ pub struct NonConstRange {
#[primary_span] #[primary_span]
pub span: Span, pub span: Span,
} }
#[derive(Diagnostic)]
#[diag(hir_analysis_invalid_receiver_ty, code = E0307)]
#[note]
#[help(hir_analysis_invalid_receiver_ty_help)]
pub struct InvalidReceiverTy<'tcx> {
#[primary_span]
pub span: Span,
pub receiver_ty: Ty<'tcx>,
}

View file

@ -1228,16 +1228,22 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
); );
} }
} else { } else {
// Pattern has wrong number of fields. let e = self.emit_err_pat_wrong_number_of_fields(
let e = pat.span,
self.e0023(pat.span, res, qpath, subpats, &variant.fields.raw, expected, had_err); res,
qpath,
subpats,
&variant.fields.raw,
expected,
had_err,
);
on_error(e); on_error(e);
return Ty::new_error(tcx, e); return Ty::new_error(tcx, e);
} }
pat_ty pat_ty
} }
fn e0023( fn emit_err_pat_wrong_number_of_fields(
&self, &self,
pat_span: Span, pat_span: Span,
res: Res, res: Res,

View file

@ -847,8 +847,10 @@ rustc_queries! {
separate_provide_extern separate_provide_extern
} }
query issue33140_self_ty(key: DefId) -> Option<ty::EarlyBinder<ty::Ty<'tcx>>> { query self_ty_of_trait_impl_enabling_order_dep_trait_object_hack(
desc { |tcx| "computing Self type wrt issue #33140 `{}`", tcx.def_path_str(key) } key: DefId
) -> Option<ty::EarlyBinder<ty::Ty<'tcx>>> {
desc { |tcx| "computing self type wrt issue #33140 `{}`", tcx.def_path_str(key) }
} }
/// Maps a `DefId` of a type to a list of its inherent impls. /// Maps a `DefId` of a type to a list of its inherent impls.

View file

@ -1,11 +1,9 @@
// FIXME(#27438): right now the unit tests of rustc_middle don't refer to any actual // FIXME(#27438): Right now, the unit tests of `rustc_middle` don't refer to any actual functions
// functions generated in rustc_data_structures (all // generated in `rustc_data_structures` (all references are through generic functions),
// references are through generic functions), but statics are // but statics are referenced from time to time. Due to this Windows `dllimport` bug
// referenced from time to time. Due to this bug we won't // we won't actually correctly link in the statics unless we also reference a function,
// actually correctly link in the statics unless we also // so be sure to reference a dummy function.
// reference a function, so be sure to reference a dummy
// function.
#[test] #[test]
fn noop() { fn noop() {
rustc_data_structures::__noop_fix_for_27438(); rustc_data_structures::__noop_fix_for_windows_dllimport_issue();
} }

View file

@ -1503,14 +1503,14 @@ pub enum ImplOverlapKind {
/// Whether or not the impl is permitted due to the trait being a `#[marker]` trait /// Whether or not the impl is permitted due to the trait being a `#[marker]` trait
marker: bool, marker: bool,
}, },
/// These impls are allowed to overlap, but that raises /// These impls are allowed to overlap, but that raises an
/// an issue #33140 future-compatibility warning. /// issue #33140 future-compatibility warning (tracked in #56484).
/// ///
/// Some background: in Rust 1.0, the trait-object types `Send + Sync` (today's /// Some background: in Rust 1.0, the trait-object types `Send + Sync` (today's
/// `dyn Send + Sync`) and `Sync + Send` (now `dyn Sync + Send`) were different. /// `dyn Send + Sync`) and `Sync + Send` (now `dyn Sync + Send`) were different.
/// ///
/// The widely-used version 0.1.0 of the crate `traitobject` had accidentally relied /// The widely-used version 0.1.0 of the crate `traitobject` had accidentally relied on
/// that difference, making what reduces to the following set of impls: /// that difference, doing what reduces to the following set of impls:
/// ///
/// ```compile_fail,(E0119) /// ```compile_fail,(E0119)
/// trait Trait {} /// trait Trait {}
@ -1535,7 +1535,7 @@ pub enum ImplOverlapKind {
/// 4. Neither of the impls can have any where-clauses. /// 4. Neither of the impls can have any where-clauses.
/// ///
/// Once `traitobject` 0.1.0 is no longer an active concern, this hack can be removed. /// Once `traitobject` 0.1.0 is no longer an active concern, this hack can be removed.
Issue33140, FutureCompatOrderDepTraitObjects,
} }
/// Useful source information about where a desugared associated type for an /// Useful source information about where a desugared associated type for an
@ -1730,27 +1730,26 @@ impl<'tcx> TyCtxt<'tcx> {
| (ImplPolarity::Negative, ImplPolarity::Negative) => {} | (ImplPolarity::Negative, ImplPolarity::Negative) => {}
}; };
let is_marker_overlap = { let is_marker_impl = |trait_ref: TraitRef<'_>| self.trait_def(trait_ref.def_id).is_marker;
let is_marker_impl = let is_marker_overlap = is_marker_impl(trait_ref1) && is_marker_impl(trait_ref2);
|trait_ref: TraitRef<'_>| -> bool { self.trait_def(trait_ref.def_id).is_marker };
is_marker_impl(trait_ref1) && is_marker_impl(trait_ref2)
};
if is_marker_overlap { if is_marker_overlap {
Some(ImplOverlapKind::Permitted { marker: true }) return Some(ImplOverlapKind::Permitted { marker: true });
} else {
if let Some(self_ty1) = self.issue33140_self_ty(def_id1) {
if let Some(self_ty2) = self.issue33140_self_ty(def_id2) {
if self_ty1 == self_ty2 {
return Some(ImplOverlapKind::Issue33140);
} else {
debug!("found {self_ty1:?} != {self_ty2:?}");
}
}
}
None
} }
if let Some(self_ty1) =
self.self_ty_of_trait_impl_enabling_order_dep_trait_object_hack(def_id1)
&& let Some(self_ty2) =
self.self_ty_of_trait_impl_enabling_order_dep_trait_object_hack(def_id2)
{
if self_ty1 == self_ty2 {
return Some(ImplOverlapKind::FutureCompatOrderDepTraitObjects);
} else {
debug!("found {self_ty1:?} != {self_ty2:?}");
}
}
None
} }
/// Returns `ty::VariantDef` if `res` refers to a struct, /// Returns `ty::VariantDef` if `res` refers to a struct,

View file

@ -10,9 +10,7 @@ use rustc_arena::{DroplessArena, TypedArena};
use rustc_ast::Mutability; use rustc_ast::Mutability;
use rustc_data_structures::fx::FxIndexSet; use rustc_data_structures::fx::FxIndexSet;
use rustc_data_structures::stack::ensure_sufficient_stack; use rustc_data_structures::stack::ensure_sufficient_stack;
use rustc_errors::{ use rustc_errors::{codes::*, struct_span_code_err, Applicability, ErrorGuaranteed, MultiSpan};
codes::*, struct_span_code_err, Applicability, Diag, ErrorGuaranteed, MultiSpan,
};
use rustc_hir::def::*; use rustc_hir::def::*;
use rustc_hir::def_id::LocalDefId; use rustc_hir::def_id::LocalDefId;
use rustc_hir::{self as hir, BindingMode, ByRef, HirId}; use rustc_hir::{self as hir, BindingMode, ByRef, HirId};
@ -24,7 +22,6 @@ use rustc_middle::ty::{self, AdtDef, Ty, TyCtxt};
use rustc_session::lint::builtin::{ use rustc_session::lint::builtin::{
BINDINGS_WITH_VARIANT_NAME, IRREFUTABLE_LET_PATTERNS, UNREACHABLE_PATTERNS, BINDINGS_WITH_VARIANT_NAME, IRREFUTABLE_LET_PATTERNS, UNREACHABLE_PATTERNS,
}; };
use rustc_session::Session;
use rustc_span::hygiene::DesugaringKind; use rustc_span::hygiene::DesugaringKind;
use rustc_span::{sym, Span}; use rustc_span::{sym, Span};
@ -64,10 +61,6 @@ pub(crate) fn check_match(tcx: TyCtxt<'_>, def_id: LocalDefId) -> Result<(), Err
visitor.error visitor.error
} }
fn create_e0004(sess: &Session, sp: Span, error_message: String) -> Diag<'_> {
struct_span_code_err!(sess.dcx(), sp, E0004, "{}", &error_message)
}
#[derive(Debug, Copy, Clone, PartialEq)] #[derive(Debug, Copy, Clone, PartialEq)]
enum RefutableFlag { enum RefutableFlag {
Irrefutable, Irrefutable,
@ -975,10 +968,11 @@ fn report_non_exhaustive_match<'p, 'tcx>(
// FIXME: migration of this diagnostic will require list support // FIXME: migration of this diagnostic will require list support
let joined_patterns = joined_uncovered_patterns(cx, &witnesses); let joined_patterns = joined_uncovered_patterns(cx, &witnesses);
let mut err = create_e0004( let mut err = struct_span_code_err!(
cx.tcx.sess, cx.tcx.dcx(),
sp, sp,
format!("non-exhaustive patterns: {joined_patterns} not covered"), E0004,
"non-exhaustive patterns: {joined_patterns} not covered"
); );
err.span_label( err.span_label(
sp, sp,

View file

@ -2001,7 +2001,7 @@ impl<'tcx> SelectionContext<'_, 'tcx> {
// any associated items and there are no where-clauses. // any associated items and there are no where-clauses.
// //
// We can just arbitrarily drop one of the impls. // We can just arbitrarily drop one of the impls.
Some(ty::ImplOverlapKind::Issue33140) => { Some(ty::ImplOverlapKind::FutureCompatOrderDepTraitObjects) => {
assert_eq!(other.evaluation, victim.evaluation); assert_eq!(other.evaluation, victim.evaluation);
DropVictim::Yes DropVictim::Yes
} }

View file

@ -453,7 +453,7 @@ fn report_conflicting_impls<'tcx>(
overlap.trait_ref.print_trait_sugared(), overlap.trait_ref.print_trait_sugared(),
overlap.self_ty.map_or_else(String::new, |ty| format!(" for type `{ty}`")), overlap.self_ty.map_or_else(String::new, |ty| format!(" for type `{ty}`")),
match used_to_be_allowed { match used_to_be_allowed {
Some(FutureCompatOverlapErrorKind::Issue33140) => ": (E0119)", Some(FutureCompatOverlapErrorKind::OrderDepTraitObjects) => ": (E0119)",
_ => "", _ => "",
} }
) )
@ -480,7 +480,7 @@ fn report_conflicting_impls<'tcx>(
} }
Some(kind) => { Some(kind) => {
let lint = match kind { let lint = match kind {
FutureCompatOverlapErrorKind::Issue33140 => ORDER_DEPENDENT_TRAIT_OBJECTS, FutureCompatOverlapErrorKind::OrderDepTraitObjects => ORDER_DEPENDENT_TRAIT_OBJECTS,
FutureCompatOverlapErrorKind::LeakCheck => COHERENCE_LEAK_CHECK, FutureCompatOverlapErrorKind::LeakCheck => COHERENCE_LEAK_CHECK,
}; };
tcx.node_span_lint( tcx.node_span_lint(

View file

@ -11,7 +11,7 @@ pub use rustc_middle::traits::specialization_graph::*;
#[derive(Copy, Clone, Debug)] #[derive(Copy, Clone, Debug)]
pub enum FutureCompatOverlapErrorKind { pub enum FutureCompatOverlapErrorKind {
Issue33140, OrderDepTraitObjects,
LeakCheck, LeakCheck,
} }
@ -150,10 +150,10 @@ impl<'tcx> Children {
{ {
match overlap_kind { match overlap_kind {
ty::ImplOverlapKind::Permitted { marker: _ } => {} ty::ImplOverlapKind::Permitted { marker: _ } => {}
ty::ImplOverlapKind::Issue33140 => { ty::ImplOverlapKind::FutureCompatOrderDepTraitObjects => {
*last_lint_mut = Some(FutureCompatOverlapError { *last_lint_mut = Some(FutureCompatOverlapError {
error: create_overlap_error(overlap), error: create_overlap_error(overlap),
kind: FutureCompatOverlapErrorKind::Issue33140, kind: FutureCompatOverlapErrorKind::OrderDepTraitObjects,
}); });
} }
} }

View file

@ -243,37 +243,39 @@ fn param_env_reveal_all_normalized(tcx: TyCtxt<'_>, def_id: DefId) -> ty::ParamE
tcx.param_env(def_id).with_reveal_all_normalized(tcx) tcx.param_env(def_id).with_reveal_all_normalized(tcx)
} }
/// If `def_id` is an issue 33140 hack impl, returns its self type; otherwise, returns `None`. /// If the given trait impl enables exploiting the former order dependence of trait objects,
/// returns its self type; otherwise, returns `None`.
/// ///
/// See [`ty::ImplOverlapKind::Issue33140`] for more details. /// See [`ty::ImplOverlapKind::FutureCompatOrderDepTraitObjects`] for more details.
fn issue33140_self_ty(tcx: TyCtxt<'_>, def_id: DefId) -> Option<EarlyBinder<Ty<'_>>> { #[instrument(level = "debug", skip(tcx))]
debug!("issue33140_self_ty({:?})", def_id); fn self_ty_of_trait_impl_enabling_order_dep_trait_object_hack(
tcx: TyCtxt<'_>,
let impl_ = tcx def_id: DefId,
.impl_trait_header(def_id) ) -> Option<EarlyBinder<Ty<'_>>> {
.unwrap_or_else(|| bug!("issue33140_self_ty called on inherent impl {:?}", def_id)); let impl_ =
tcx.impl_trait_header(def_id).unwrap_or_else(|| bug!("called on inherent impl {def_id:?}"));
let trait_ref = impl_.trait_ref.skip_binder(); let trait_ref = impl_.trait_ref.skip_binder();
debug!("issue33140_self_ty({:?}), trait-ref={:?}", def_id, trait_ref); debug!(?trait_ref);
let is_marker_like = impl_.polarity == ty::ImplPolarity::Positive let is_marker_like = impl_.polarity == ty::ImplPolarity::Positive
&& tcx.associated_item_def_ids(trait_ref.def_id).is_empty(); && tcx.associated_item_def_ids(trait_ref.def_id).is_empty();
// Check whether these impls would be ok for a marker trait. // Check whether these impls would be ok for a marker trait.
if !is_marker_like { if !is_marker_like {
debug!("issue33140_self_ty - not marker-like!"); debug!("not marker-like!");
return None; return None;
} }
// impl must be `impl Trait for dyn Marker1 + Marker2 + ...` // impl must be `impl Trait for dyn Marker1 + Marker2 + ...`
if trait_ref.args.len() != 1 { if trait_ref.args.len() != 1 {
debug!("issue33140_self_ty - impl has args!"); debug!("impl has args!");
return None; return None;
} }
let predicates = tcx.predicates_of(def_id); let predicates = tcx.predicates_of(def_id);
if predicates.parent.is_some() || !predicates.predicates.is_empty() { if predicates.parent.is_some() || !predicates.predicates.is_empty() {
debug!("issue33140_self_ty - impl has predicates {:?}!", predicates); debug!(?predicates, "impl has predicates!");
return None; return None;
} }
@ -284,10 +286,10 @@ fn issue33140_self_ty(tcx: TyCtxt<'_>, def_id: DefId) -> Option<EarlyBinder<Ty<'
}; };
if self_ty_matches { if self_ty_matches {
debug!("issue33140_self_ty - MATCHES!"); debug!("MATCHES!");
Some(EarlyBinder::bind(self_ty)) Some(EarlyBinder::bind(self_ty))
} else { } else {
debug!("issue33140_self_ty - non-matching self type"); debug!("non-matching self type");
None None
} }
} }
@ -351,7 +353,7 @@ pub(crate) fn provide(providers: &mut Providers) {
adt_sized_constraint, adt_sized_constraint,
param_env, param_env,
param_env_reveal_all_normalized, param_env_reveal_all_normalized,
issue33140_self_ty, self_ty_of_trait_impl_enabling_order_dep_trait_object_hack,
defaultness, defaultness,
unsizing_params_for_adt, unsizing_params_for_adt,
..*providers ..*providers

View file

@ -4,7 +4,7 @@
trait Foo { trait Foo {
async fn foo(self: &dyn Foo) { async fn foo(self: &dyn Foo) {
//~^ ERROR: `Foo` cannot be made into an object //~^ ERROR: `Foo` cannot be made into an object
//~| ERROR invalid `self` parameter type: &dyn Foo //~| ERROR invalid `self` parameter type: `&dyn Foo`
todo!() todo!()
} }
} }

View file

@ -13,7 +13,7 @@ LL | async fn foo(self: &dyn Foo) {
| ^^^ ...because method `foo` is `async` | ^^^ ...because method `foo` is `async`
= help: consider moving `foo` to another trait = help: consider moving `foo` to another trait
error[E0307]: invalid `self` parameter type: &dyn Foo error[E0307]: invalid `self` parameter type: `&dyn Foo`
--> $DIR/inference_var_self_argument.rs:5:24 --> $DIR/inference_var_self_argument.rs:5:24
| |
LL | async fn foo(self: &dyn Foo) { LL | async fn foo(self: &dyn Foo) {

View file

@ -4,7 +4,7 @@ error[E0308]: mismatched types
LL | if x.is_some() { LL | if x.is_some() {
| ^^^^^^^^^^^ expected `bool`, found `()` | ^^^^^^^^^^^ expected `bool`, found `()`
error[E0307]: invalid `self` parameter type: T error[E0307]: invalid `self` parameter type: `T`
--> $DIR/issue-66312.rs:4:22 --> $DIR/issue-66312.rs:4:22
| |
LL | fn is_some(self: T); LL | fn is_some(self: T);

View file

@ -3,7 +3,7 @@
use std::cell::Cell; use std::cell::Cell;
trait Trait{ trait Trait{
fn cell(self: Cell<&Self>); //~ ERROR invalid `self` parameter type: Cell<&Self> fn cell(self: Cell<&Self>); //~ ERROR invalid `self` parameter type: `Cell<&Self>`
} }
fn main() {} fn main() {}

View file

@ -1,4 +1,4 @@
error[E0307]: invalid `self` parameter type: Cell<&Self> error[E0307]: invalid `self` parameter type: `Cell<&Self>`
--> $DIR/feature-gate-dispatch-from-dyn-cell.rs:6:19 --> $DIR/feature-gate-dispatch-from-dyn-cell.rs:6:19
| |
LL | fn cell(self: Cell<&Self>); LL | fn cell(self: Cell<&Self>);

View file

@ -1,4 +1,4 @@
error[E0307]: invalid `self` parameter type: Box<(dyn Trait + 'static)> error[E0307]: invalid `self` parameter type: `Box<(dyn Trait + 'static)>`
--> $DIR/issue-56806.rs:2:34 --> $DIR/issue-56806.rs:2:34
| |
LL | fn dyn_instead_of_self(self: Box<dyn Trait>); LL | fn dyn_instead_of_self(self: Box<dyn Trait>);

View file

@ -6,7 +6,7 @@ type Bar = impl Sized;
impl Foo { impl Foo {
fn foo(self: Bar) {} fn foo(self: Bar) {}
//~^ ERROR: invalid `self` parameter type: Bar //~^ ERROR: invalid `self` parameter type: `Bar`
} }
fn main() {} fn main() {}

View file

@ -6,7 +6,7 @@ LL | type Bar = impl Sized;
| |
= note: `Bar` must be used in combination with a concrete type within the same module = note: `Bar` must be used in combination with a concrete type within the same module
error[E0307]: invalid `self` parameter type: Bar error[E0307]: invalid `self` parameter type: `Bar`
--> $DIR/arbitrary-self-opaque.rs:8:18 --> $DIR/arbitrary-self-opaque.rs:8:18
| |
LL | fn foo(self: Bar) {} LL | fn foo(self: Bar) {}

View file

@ -1,4 +1,4 @@
error[E0307]: invalid `self` parameter type: &SomeType error[E0307]: invalid `self` parameter type: `&SomeType`
--> $DIR/issue-27522.rs:6:22 --> $DIR/issue-27522.rs:6:22
| |
LL | fn handler(self: &SomeType); LL | fn handler(self: &SomeType);

View file

@ -26,7 +26,7 @@ help: consider changing method `bar`'s `self` parameter to be `&self`
LL | fn bar(self: &Self) {} LL | fn bar(self: &Self) {}
| ~~~~~ | ~~~~~
error[E0307]: invalid `self` parameter type: () error[E0307]: invalid `self` parameter type: `()`
--> $DIR/object-unsafe-trait-should-use-where-sized.rs:6:18 --> $DIR/object-unsafe-trait-should-use-where-sized.rs:6:18
| |
LL | fn bar(self: ()) {} LL | fn bar(self: ()) {}

View file

@ -6,7 +6,7 @@ impl<T> DispatchFromDyn<Smaht<U, MISC>> for T {} //~ ERROR cannot find type `U`
//~| ERROR the trait `DispatchFromDyn` may only be implemented for a coercion between structures //~| ERROR the trait `DispatchFromDyn` may only be implemented for a coercion between structures
trait Foo: X<u32> {} trait Foo: X<u32> {}
trait X<T> { trait X<T> {
fn foo(self: Smaht<Self, T>); //~ ERROR: invalid `self` fn foo(self: Smaht<Self, T>); //~ ERROR: invalid `self` parameter type
} }
trait Marker {} trait Marker {}
impl Marker for dyn Foo {} impl Marker for dyn Foo {}

View file

@ -79,7 +79,7 @@ LL | trait X<T> {
LL | fn foo(self: Smaht<Self, T>); LL | fn foo(self: Smaht<Self, T>);
| ^^^^^^^^^^^^^^ ...because method `foo`'s `self` parameter cannot be dispatched on | ^^^^^^^^^^^^^^ ...because method `foo`'s `self` parameter cannot be dispatched on
error[E0307]: invalid `self` parameter type: Smaht<Self, T> error[E0307]: invalid `self` parameter type: `Smaht<Self, T>`
--> $DIR/issue-78372.rs:9:18 --> $DIR/issue-78372.rs:9:18
| |
LL | fn foo(self: Smaht<Self, T>); LL | fn foo(self: Smaht<Self, T>);

View file

@ -15,7 +15,7 @@ LL | fn dummy2(&self);
= note: expected signature `fn(&&'a Bar<_>)` = note: expected signature `fn(&&'a Bar<_>)`
found signature `fn(&Bar<_>)` found signature `fn(&Bar<_>)`
error[E0307]: invalid `self` parameter type: isize error[E0307]: invalid `self` parameter type: `isize`
--> $DIR/ufcs-explicit-self-bad.rs:8:18 --> $DIR/ufcs-explicit-self-bad.rs:8:18
| |
LL | fn foo(self: isize, x: isize) -> isize { LL | fn foo(self: isize, x: isize) -> isize {
@ -24,7 +24,7 @@ LL | fn foo(self: isize, x: isize) -> isize {
= note: type of `self` must be `Self` or a type that dereferences to it = note: type of `self` must be `Self` or a type that dereferences to it
= help: consider changing to `self`, `&self`, `&mut self`, `self: Box<Self>`, `self: Rc<Self>`, `self: Arc<Self>`, or `self: Pin<P>` (where P is one of the previous types except `Self`) = help: consider changing to `self`, `&self`, `&mut self`, `self: Box<Self>`, `self: Rc<Self>`, `self: Arc<Self>`, or `self: Pin<P>` (where P is one of the previous types except `Self`)
error[E0307]: invalid `self` parameter type: Bar<isize> error[E0307]: invalid `self` parameter type: `Bar<isize>`
--> $DIR/ufcs-explicit-self-bad.rs:19:18 --> $DIR/ufcs-explicit-self-bad.rs:19:18
| |
LL | fn foo(self: Bar<isize>, x: isize) -> isize { LL | fn foo(self: Bar<isize>, x: isize) -> isize {
@ -33,7 +33,7 @@ LL | fn foo(self: Bar<isize>, x: isize) -> isize {
= note: type of `self` must be `Self` or a type that dereferences to it = note: type of `self` must be `Self` or a type that dereferences to it
= help: consider changing to `self`, `&self`, `&mut self`, `self: Box<Self>`, `self: Rc<Self>`, `self: Arc<Self>`, or `self: Pin<P>` (where P is one of the previous types except `Self`) = help: consider changing to `self`, `&self`, `&mut self`, `self: Box<Self>`, `self: Rc<Self>`, `self: Arc<Self>`, or `self: Pin<P>` (where P is one of the previous types except `Self`)
error[E0307]: invalid `self` parameter type: &Bar<usize> error[E0307]: invalid `self` parameter type: `&Bar<usize>`
--> $DIR/ufcs-explicit-self-bad.rs:23:18 --> $DIR/ufcs-explicit-self-bad.rs:23:18
| |
LL | fn bar(self: &Bar<usize>, x: isize) -> isize { LL | fn bar(self: &Bar<usize>, x: isize) -> isize {