Auto merge of #108006 - cjgillot:def-impl, r=oli-obk

Avoid accessing HIR when it can be avoided

Experiment to see if it helps some incremental cases.

Will be rebased once https://github.com/rust-lang/rust/pull/107942 gets merged.

r? `@ghost`
This commit is contained in:
bors 2023-02-15 16:14:10 +00:00
commit 2d14db321b
43 changed files with 316 additions and 777 deletions

View File

@ -1182,8 +1182,8 @@ impl<'cx, 'tcx> MirBorrowckCtxt<'cx, 'tcx> {
); );
} }
let parent_did = tcx.parent(method_did); let parent_did = tcx.parent(method_did);
let parent_self_ty = (tcx.def_kind(parent_did) let parent_self_ty =
== rustc_hir::def::DefKind::Impl) matches!(tcx.def_kind(parent_did), rustc_hir::def::DefKind::Impl { .. })
.then_some(parent_did) .then_some(parent_did)
.and_then(|did| match tcx.type_of(did).kind() { .and_then(|did| match tcx.type_of(did).kind() {
ty::Adt(def, ..) => Some(def.did()), ty::Adt(def, ..) => Some(def.did()),

View File

@ -852,9 +852,9 @@ impl<'tcx> MirBorrowckCtxt<'_, 'tcx> {
let tcx = self.infcx.tcx; let tcx = self.infcx.tcx;
let region_parent = tcx.parent(region.def_id); let region_parent = tcx.parent(region.def_id);
if tcx.def_kind(region_parent) != DefKind::Impl { let DefKind::Impl { .. } = tcx.def_kind(region_parent) else {
return None; return None;
} };
let found = tcx let found = tcx
.any_free_region_meets(&tcx.type_of(region_parent), |r| *r == ty::ReEarlyBound(region)); .any_free_region_meets(&tcx.type_of(region_parent), |r| *r == ty::ReEarlyBound(region));

View File

@ -2,9 +2,8 @@ use std::collections::hash_map::Entry::*;
use rustc_ast::expand::allocator::ALLOCATOR_METHODS; use rustc_ast::expand::allocator::ALLOCATOR_METHODS;
use rustc_data_structures::fx::FxHashMap; use rustc_data_structures::fx::FxHashMap;
use rustc_hir as hir; use rustc_hir::def::DefKind;
use rustc_hir::def_id::{CrateNum, DefId, DefIdMap, LocalDefId, LOCAL_CRATE}; use rustc_hir::def_id::{CrateNum, DefId, DefIdMap, LocalDefId, LOCAL_CRATE};
use rustc_hir::Node;
use rustc_middle::middle::codegen_fn_attrs::CodegenFnAttrFlags; use rustc_middle::middle::codegen_fn_attrs::CodegenFnAttrFlags;
use rustc_middle::middle::exported_symbols::{ use rustc_middle::middle::exported_symbols::{
metadata_symbol_name, ExportedSymbol, SymbolExportInfo, SymbolExportKind, SymbolExportLevel, metadata_symbol_name, ExportedSymbol, SymbolExportInfo, SymbolExportKind, SymbolExportLevel,
@ -12,7 +11,7 @@ use rustc_middle::middle::exported_symbols::{
use rustc_middle::ty::query::{ExternProviders, Providers}; use rustc_middle::ty::query::{ExternProviders, Providers};
use rustc_middle::ty::subst::{GenericArgKind, SubstsRef}; use rustc_middle::ty::subst::{GenericArgKind, SubstsRef};
use rustc_middle::ty::Instance; use rustc_middle::ty::Instance;
use rustc_middle::ty::{self, SymbolName, TyCtxt}; use rustc_middle::ty::{self, DefIdTree, SymbolName, TyCtxt};
use rustc_session::config::{CrateType, OomStrategy}; use rustc_session::config::{CrateType, OomStrategy};
use rustc_target::spec::SanitizerSet; use rustc_target::spec::SanitizerSet;
@ -74,33 +73,35 @@ fn reachable_non_generics_provider(tcx: TyCtxt<'_>, cnum: CrateNum) -> DefIdMap<
// //
// As a result, if this id is an FFI item (foreign item) then we only // As a result, if this id is an FFI item (foreign item) then we only
// let it through if it's included statically. // let it through if it's included statically.
match tcx.hir().get_by_def_id(def_id) { if let Some(parent_id) = tcx.opt_local_parent(def_id)
Node::ForeignItem(..) => { && let DefKind::ForeignMod = tcx.def_kind(parent_id)
tcx.native_library(def_id).map_or(false, |library| library.kind.is_statically_included()).then_some(def_id) {
let library = tcx.native_library(def_id)?;
return library.kind.is_statically_included().then_some(def_id);
} }
// Only consider nodes that actually have exported symbols. // Only consider nodes that actually have exported symbols.
Node::Item(&hir::Item { match tcx.def_kind(def_id) {
kind: hir::ItemKind::Static(..) | hir::ItemKind::Fn(..), DefKind::Fn | DefKind::Static(_) => {}
.. DefKind::AssocFn if tcx.impl_of_method(def_id.to_def_id()).is_some() => {}
}) _ => return None,
| Node::ImplItem(&hir::ImplItem { kind: hir::ImplItemKind::Fn(..), .. }) => { };
let generics = tcx.generics_of(def_id); let generics = tcx.generics_of(def_id);
if !generics.requires_monomorphization(tcx) if generics.requires_monomorphization(tcx) {
return None;
}
// Functions marked with #[inline] are codegened with "internal" // Functions marked with #[inline] are codegened with "internal"
// linkage and are not exported unless marked with an extern // linkage and are not exported unless marked with an extern
// indicator // indicator
&& (!Instance::mono(tcx, def_id.to_def_id()).def.generates_cgu_internal_copy(tcx) if !Instance::mono(tcx, def_id.to_def_id()).def.generates_cgu_internal_copy(tcx)
|| tcx.codegen_fn_attrs(def_id.to_def_id()).contains_extern_indicator()) || tcx.codegen_fn_attrs(def_id.to_def_id()).contains_extern_indicator()
{ {
Some(def_id) Some(def_id)
} else { } else {
None None
} }
}
_ => None,
}
}) })
.map(|def_id| { .map(|def_id| {
// We won't link right if this symbol is stripped during LTO. // We won't link right if this symbol is stripped during LTO.
@ -118,7 +119,7 @@ fn reachable_non_generics_provider(tcx: TyCtxt<'_>, cnum: CrateNum) -> DefIdMap<
tcx.symbol_name(Instance::mono(tcx, def_id.to_def_id())), tcx.symbol_name(Instance::mono(tcx, def_id.to_def_id())),
export_level export_level
); );
(def_id.to_def_id(), SymbolExportInfo { let info = SymbolExportInfo {
level: export_level, level: export_level,
kind: if tcx.is_static(def_id.to_def_id()) { kind: if tcx.is_static(def_id.to_def_id()) {
if codegen_attrs.flags.contains(CodegenFnAttrFlags::THREAD_LOCAL) { if codegen_attrs.flags.contains(CodegenFnAttrFlags::THREAD_LOCAL) {
@ -130,8 +131,10 @@ fn reachable_non_generics_provider(tcx: TyCtxt<'_>, cnum: CrateNum) -> DefIdMap<
SymbolExportKind::Text SymbolExportKind::Text
}, },
used: codegen_attrs.flags.contains(CodegenFnAttrFlags::USED) used: codegen_attrs.flags.contains(CodegenFnAttrFlags::USED)
|| codegen_attrs.flags.contains(CodegenFnAttrFlags::USED_LINKER) || used, || codegen_attrs.flags.contains(CodegenFnAttrFlags::USED_LINKER)
}) || used,
};
(def_id.to_def_id(), info)
}) })
.collect(); .collect();
@ -457,9 +460,7 @@ fn symbol_export_level(tcx: TyCtxt<'_>, sym_def_id: DefId) -> SymbolExportLevel
let target = &tcx.sess.target.llvm_target; let target = &tcx.sess.target.llvm_target;
// WebAssembly cannot export data symbols, so reduce their export level // WebAssembly cannot export data symbols, so reduce their export level
if target.contains("emscripten") { if target.contains("emscripten") {
if let Some(Node::Item(&hir::Item { kind: hir::ItemKind::Static(..), .. })) = if let DefKind::Static(_) = tcx.def_kind(sym_def_id) {
tcx.hir().get_if_local(sym_def_id)
{
return SymbolExportLevel::Rust; return SymbolExportLevel::Rust;
} }
} }

View File

@ -3,12 +3,12 @@ use rustc_attr::InstructionSetAttr;
use rustc_data_structures::fx::FxHashMap; use rustc_data_structures::fx::FxHashMap;
use rustc_data_structures::fx::FxHashSet; use rustc_data_structures::fx::FxHashSet;
use rustc_errors::Applicability; use rustc_errors::Applicability;
use rustc_hir as hir; use rustc_hir::def::DefKind;
use rustc_hir::def_id::DefId; use rustc_hir::def_id::DefId;
use rustc_hir::def_id::LocalDefId; use rustc_hir::def_id::LocalDefId;
use rustc_hir::def_id::LOCAL_CRATE; use rustc_hir::def_id::LOCAL_CRATE;
use rustc_middle::ty::query::Providers; use rustc_middle::ty::query::Providers;
use rustc_middle::ty::TyCtxt; use rustc_middle::ty::{DefIdTree, TyCtxt};
use rustc_session::parse::feature_err; use rustc_session::parse::feature_err;
use rustc_session::Session; use rustc_session::Session;
use rustc_span::symbol::sym; use rustc_span::symbol::sym;
@ -440,12 +440,9 @@ fn asm_target_features(tcx: TyCtxt<'_>, did: DefId) -> &FxHashSet<Symbol> {
/// Checks the function annotated with `#[target_feature]` is not a safe /// Checks the function annotated with `#[target_feature]` is not a safe
/// trait method implementation, reporting an error if it is. /// trait method implementation, reporting an error if it is.
pub fn check_target_feature_trait_unsafe(tcx: TyCtxt<'_>, id: LocalDefId, attr_span: Span) { pub fn check_target_feature_trait_unsafe(tcx: TyCtxt<'_>, id: LocalDefId, attr_span: Span) {
let hir_id = tcx.hir().local_def_id_to_hir_id(id); if let DefKind::AssocFn = tcx.def_kind(id) {
let node = tcx.hir().get(hir_id); let parent_id = tcx.local_parent(id);
if let hir::Node::ImplItem(hir::ImplItem { kind: hir::ImplItemKind::Fn(..), .. }) = node { if let DefKind::Impl { of_trait: true } = tcx.def_kind(parent_id) {
let parent_id = tcx.hir().get_parent_item(hir_id);
let parent_item = tcx.hir().expect_item(parent_id.def_id);
if let hir::ItemKind::Impl(hir::Impl { of_trait: Some(_), .. }) = parent_item.kind {
tcx.sess tcx.sess
.struct_span_err( .struct_span_err(
attr_span, attr_span,

View File

@ -17,7 +17,8 @@ pub fn is_unstable_const_fn(tcx: TyCtxt<'_>, def_id: DefId) -> Option<Symbol> {
pub fn is_parent_const_impl_raw(tcx: TyCtxt<'_>, def_id: LocalDefId) -> bool { pub fn is_parent_const_impl_raw(tcx: TyCtxt<'_>, def_id: LocalDefId) -> bool {
let parent_id = tcx.local_parent(def_id); let parent_id = tcx.local_parent(def_id);
tcx.def_kind(parent_id) == DefKind::Impl && tcx.constness(parent_id) == hir::Constness::Const matches!(tcx.def_kind(parent_id), DefKind::Impl { .. })
&& tcx.constness(parent_id) == hir::Constness::Const
} }
/// Checks whether an item is considered to be `const`. If it is a constructor, it is const. If /// Checks whether an item is considered to be `const`. If it is a constructor, it is const. If

View File

@ -116,7 +116,9 @@ pub enum DefKind {
LifetimeParam, LifetimeParam,
/// A use of `global_asm!`. /// A use of `global_asm!`.
GlobalAsm, GlobalAsm,
Impl, Impl {
of_trait: bool,
},
Closure, Closure,
Generator, Generator,
} }
@ -155,7 +157,7 @@ impl DefKind {
DefKind::AnonConst => "constant expression", DefKind::AnonConst => "constant expression",
DefKind::InlineConst => "inline constant", DefKind::InlineConst => "inline constant",
DefKind::Field => "field", DefKind::Field => "field",
DefKind::Impl => "implementation", DefKind::Impl { .. } => "implementation",
DefKind::Closure => "closure", DefKind::Closure => "closure",
DefKind::Generator => "generator", DefKind::Generator => "generator",
DefKind::ExternCrate => "extern crate", DefKind::ExternCrate => "extern crate",
@ -171,7 +173,7 @@ impl DefKind {
| DefKind::AssocFn | DefKind::AssocFn
| DefKind::Enum | DefKind::Enum
| DefKind::OpaqueTy | DefKind::OpaqueTy
| DefKind::Impl | DefKind::Impl { .. }
| DefKind::Use | DefKind::Use
| DefKind::InlineConst | DefKind::InlineConst
| DefKind::ExternCrate => "an", | DefKind::ExternCrate => "an",
@ -216,7 +218,7 @@ impl DefKind {
| DefKind::Use | DefKind::Use
| DefKind::ForeignMod | DefKind::ForeignMod
| DefKind::GlobalAsm | DefKind::GlobalAsm
| DefKind::Impl | DefKind::Impl { .. }
| DefKind::ImplTraitPlaceholder => None, | DefKind::ImplTraitPlaceholder => None,
} }
} }
@ -255,7 +257,7 @@ impl DefKind {
| DefKind::ForeignMod | DefKind::ForeignMod
| DefKind::OpaqueTy | DefKind::OpaqueTy
| DefKind::ImplTraitPlaceholder | DefKind::ImplTraitPlaceholder
| DefKind::Impl | DefKind::Impl { .. }
| DefKind::Field | DefKind::Field
| DefKind::TyParam | DefKind::TyParam
| DefKind::ConstParam | DefKind::ConstParam

View File

@ -116,7 +116,7 @@ impl Target {
DefKind::Union => Target::Union, DefKind::Union => Target::Union,
DefKind::Trait => Target::Trait, DefKind::Trait => Target::Trait,
DefKind::TraitAlias => Target::TraitAlias, DefKind::TraitAlias => Target::TraitAlias,
DefKind::Impl => Target::Impl, DefKind::Impl { .. } => Target::Impl,
_ => panic!("impossible case reached"), _ => panic!("impossible case reached"),
} }
} }

View File

@ -21,7 +21,9 @@ use rustc_middle::middle::stability::EvalResult;
use rustc_middle::ty::layout::{LayoutError, MAX_SIMD_LANES}; use rustc_middle::ty::layout::{LayoutError, MAX_SIMD_LANES};
use rustc_middle::ty::subst::GenericArgKind; use rustc_middle::ty::subst::GenericArgKind;
use rustc_middle::ty::util::{Discr, IntTypeExt}; use rustc_middle::ty::util::{Discr, IntTypeExt};
use rustc_middle::ty::{self, AdtDef, ParamEnv, Ty, TyCtxt, TypeSuperVisitable, TypeVisitable}; use rustc_middle::ty::{
self, AdtDef, DefIdTree, ParamEnv, Ty, TyCtxt, TypeSuperVisitable, TypeVisitable,
};
use rustc_session::lint::builtin::{UNINHABITED_STATIC, UNSUPPORTED_CALLING_CONVENTIONS}; use rustc_session::lint::builtin::{UNINHABITED_STATIC, UNSUPPORTED_CALLING_CONVENTIONS};
use rustc_span::symbol::sym; use rustc_span::symbol::sym;
use rustc_span::{self, Span}; use rustc_span::{self, Span};
@ -174,16 +176,8 @@ fn check_static_inhabited(tcx: TyCtxt<'_>, def_id: LocalDefId) {
Ok(l) => l, Ok(l) => l,
// Foreign statics that overflow their allowed size should emit an error // Foreign statics that overflow their allowed size should emit an error
Err(LayoutError::SizeOverflow(_)) Err(LayoutError::SizeOverflow(_))
if { if matches!(tcx.def_kind(def_id), DefKind::Static(_)
let node = tcx.hir().get_by_def_id(def_id); if tcx.def_kind(tcx.local_parent(def_id)) == DefKind::ForeignMod) =>
matches!(
node,
hir::Node::ForeignItem(hir::ForeignItem {
kind: hir::ForeignItemKind::Static(..),
..
})
)
} =>
{ {
tcx.sess tcx.sess
.struct_span_err(span, "extern static is too large for the current architecture") .struct_span_err(span, "extern static is too large for the current architecture")
@ -215,7 +209,7 @@ fn check_static_inhabited(tcx: TyCtxt<'_>, def_id: LocalDefId) {
fn check_opaque(tcx: TyCtxt<'_>, id: hir::ItemId) { fn check_opaque(tcx: TyCtxt<'_>, id: hir::ItemId) {
let item = tcx.hir().item(id); let item = tcx.hir().item(id);
let hir::ItemKind::OpaqueTy(hir::OpaqueTy { origin, .. }) = item.kind else { let hir::ItemKind::OpaqueTy(hir::OpaqueTy { origin, .. }) = item.kind else {
tcx.sess.delay_span_bug(tcx.hir().span(id.hir_id()), "expected opaque item"); tcx.sess.delay_span_bug(item.span, "expected opaque item");
return; return;
}; };
@ -529,45 +523,34 @@ fn check_item_type(tcx: TyCtxt<'_>, id: hir::ItemId) {
check_enum(tcx, id.owner_id.def_id); check_enum(tcx, id.owner_id.def_id);
} }
DefKind::Fn => {} // entirely within check_item_body DefKind::Fn => {} // entirely within check_item_body
DefKind::Impl => { DefKind::Impl { of_trait } => {
let it = tcx.hir().item(id); if of_trait && let Some(impl_trait_ref) = tcx.impl_trait_ref(id.owner_id) {
let hir::ItemKind::Impl(impl_) = it.kind else { return };
debug!("ItemKind::Impl {} with id {:?}", it.ident, it.owner_id);
if let Some(impl_trait_ref) = tcx.impl_trait_ref(it.owner_id) {
check_impl_items_against_trait( check_impl_items_against_trait(
tcx, tcx,
it.span, id.owner_id.def_id,
it.owner_id.def_id,
impl_trait_ref.subst_identity(), impl_trait_ref.subst_identity(),
&impl_.items,
); );
check_on_unimplemented(tcx, it); check_on_unimplemented(tcx, id);
} }
} }
DefKind::Trait => { DefKind::Trait => {
let it = tcx.hir().item(id); let assoc_items = tcx.associated_items(id.owner_id);
let hir::ItemKind::Trait(_, _, _, _, items) = it.kind else { check_on_unimplemented(tcx, id);
return;
};
check_on_unimplemented(tcx, it);
for item in items.iter() { for assoc_item in assoc_items.in_definition_order() {
let item = tcx.hir().trait_item(item.id); match assoc_item.kind {
match &item.kind { ty::AssocKind::Fn => {
hir::TraitItemKind::Fn(sig, _) => { let abi = tcx.fn_sig(assoc_item.def_id).skip_binder().abi();
let abi = sig.header.abi; fn_maybe_err(tcx, assoc_item.ident(tcx).span, abi);
fn_maybe_err(tcx, item.ident.span, abi);
} }
hir::TraitItemKind::Type(.., Some(default)) => { ty::AssocKind::Type if assoc_item.defaultness(tcx).has_value() => {
let assoc_item = tcx.associated_item(item.owner_id);
let trait_substs = let trait_substs =
InternalSubsts::identity_for_item(tcx, it.owner_id.to_def_id()); InternalSubsts::identity_for_item(tcx, id.owner_id.to_def_id());
let _: Result<_, rustc_errors::ErrorGuaranteed> = check_type_bounds( let _: Result<_, rustc_errors::ErrorGuaranteed> = check_type_bounds(
tcx, tcx,
assoc_item, assoc_item,
assoc_item, assoc_item,
default.span, tcx.mk_trait_ref(id.owner_id.to_def_id(), trait_substs),
tcx.mk_trait_ref(it.owner_id.to_def_id(), trait_substs),
); );
} }
_ => {} _ => {}
@ -679,7 +662,7 @@ fn check_item_type(tcx: TyCtxt<'_>, id: hir::ItemId) {
} }
} }
pub(super) fn check_on_unimplemented(tcx: TyCtxt<'_>, item: &hir::Item<'_>) { pub(super) fn check_on_unimplemented(tcx: TyCtxt<'_>, item: hir::ItemId) {
// an error would be reported if this fails. // an error would be reported if this fails.
let _ = OnUnimplementedDirective::of_item(tcx, item.owner_id.to_def_id()); let _ = OnUnimplementedDirective::of_item(tcx, item.owner_id.to_def_id());
} }
@ -689,7 +672,7 @@ pub(super) fn check_specialization_validity<'tcx>(
trait_def: &ty::TraitDef, trait_def: &ty::TraitDef,
trait_item: &ty::AssocItem, trait_item: &ty::AssocItem,
impl_id: DefId, impl_id: DefId,
impl_item: &hir::ImplItemRef, impl_item: DefId,
) { ) {
let Ok(ancestors) = trait_def.ancestors(tcx, impl_id) else { return }; let Ok(ancestors) = trait_def.ancestors(tcx, impl_id) else { return };
let mut ancestor_impls = ancestors.skip(1).filter_map(|parent| { let mut ancestor_impls = ancestors.skip(1).filter_map(|parent| {
@ -735,10 +718,8 @@ pub(super) fn check_specialization_validity<'tcx>(
fn check_impl_items_against_trait<'tcx>( fn check_impl_items_against_trait<'tcx>(
tcx: TyCtxt<'tcx>, tcx: TyCtxt<'tcx>,
full_impl_span: Span,
impl_id: LocalDefId, impl_id: LocalDefId,
impl_trait_ref: ty::TraitRef<'tcx>, impl_trait_ref: ty::TraitRef<'tcx>,
impl_item_refs: &[hir::ImplItemRef],
) { ) {
// If the trait reference itself is erroneous (so the compilation is going // If the trait reference itself is erroneous (so the compilation is going
// to fail), skip checking the items here -- the `impl_item` table in `tcx` // to fail), skip checking the items here -- the `impl_item` table in `tcx`
@ -747,12 +728,14 @@ fn check_impl_items_against_trait<'tcx>(
return; return;
} }
let impl_item_refs = tcx.associated_item_def_ids(impl_id);
// Negative impls are not expected to have any items // Negative impls are not expected to have any items
match tcx.impl_polarity(impl_id) { match tcx.impl_polarity(impl_id) {
ty::ImplPolarity::Reservation | ty::ImplPolarity::Positive => {} ty::ImplPolarity::Reservation | ty::ImplPolarity::Positive => {}
ty::ImplPolarity::Negative => { ty::ImplPolarity::Negative => {
if let [first_item_ref, ..] = impl_item_refs { if let [first_item_ref, ..] = impl_item_refs {
let first_item_span = tcx.hir().impl_item(first_item_ref.id).span; let first_item_span = tcx.def_span(first_item_ref);
struct_span_err!( struct_span_err!(
tcx.sess, tcx.sess,
first_item_span, first_item_span,
@ -767,43 +750,27 @@ fn check_impl_items_against_trait<'tcx>(
let trait_def = tcx.trait_def(impl_trait_ref.def_id); let trait_def = tcx.trait_def(impl_trait_ref.def_id);
for impl_item in impl_item_refs { for &impl_item in impl_item_refs {
let ty_impl_item = tcx.associated_item(impl_item.id.owner_id); let ty_impl_item = tcx.associated_item(impl_item);
let ty_trait_item = if let Some(trait_item_id) = ty_impl_item.trait_item_def_id { let ty_trait_item = if let Some(trait_item_id) = ty_impl_item.trait_item_def_id {
tcx.associated_item(trait_item_id) tcx.associated_item(trait_item_id)
} else { } else {
// Checked in `associated_item`. // Checked in `associated_item`.
tcx.sess.delay_span_bug(impl_item.span, "missing associated item in trait"); tcx.sess.delay_span_bug(tcx.def_span(impl_item), "missing associated item in trait");
continue; continue;
}; };
let impl_item_full = tcx.hir().impl_item(impl_item.id); match ty_impl_item.kind {
match impl_item_full.kind { ty::AssocKind::Const => {
hir::ImplItemKind::Const(..) => {
let _ = tcx.compare_impl_const(( let _ = tcx.compare_impl_const((
impl_item.id.owner_id.def_id, impl_item.expect_local(),
ty_impl_item.trait_item_def_id.unwrap(), ty_impl_item.trait_item_def_id.unwrap(),
)); ));
} }
hir::ImplItemKind::Fn(..) => { ty::AssocKind::Fn => {
let opt_trait_span = tcx.hir().span_if_local(ty_trait_item.def_id); compare_impl_method(tcx, &ty_impl_item, &ty_trait_item, impl_trait_ref);
compare_impl_method(
tcx,
&ty_impl_item,
&ty_trait_item,
impl_trait_ref,
opt_trait_span,
);
} }
hir::ImplItemKind::Type(impl_ty) => { ty::AssocKind::Type => {
let opt_trait_span = tcx.hir().span_if_local(ty_trait_item.def_id); compare_impl_ty(tcx, &ty_impl_item, &ty_trait_item, impl_trait_ref);
compare_impl_ty(
tcx,
&ty_impl_item,
impl_ty.span,
&ty_trait_item,
impl_trait_ref,
opt_trait_span,
);
} }
} }
@ -838,6 +805,8 @@ fn check_impl_items_against_trait<'tcx>(
.map_or(false, |node_item| !node_item.defining_node.is_from_trait()); .map_or(false, |node_item| !node_item.defining_node.is_from_trait());
if !is_implemented_here { if !is_implemented_here {
let full_impl_span =
tcx.hir().span_with_body(tcx.hir().local_def_id_to_hir_id(impl_id));
match tcx.eval_default_body_stability(trait_item_id, full_impl_span) { match tcx.eval_default_body_stability(trait_item_id, full_impl_span) {
EvalResult::Deny { feature, reason, issue, .. } => default_body_is_unstable( EvalResult::Deny { feature, reason, issue, .. } => default_body_is_unstable(
tcx, tcx,
@ -864,6 +833,8 @@ fn check_impl_items_against_trait<'tcx>(
} }
if !missing_items.is_empty() { if !missing_items.is_empty() {
let full_impl_span =
tcx.hir().span_with_body(tcx.hir().local_def_id_to_hir_id(impl_id));
missing_items_err(tcx, tcx.def_span(impl_id), &missing_items, full_impl_span); missing_items_err(tcx, tcx.def_span(impl_id), &missing_items, full_impl_span);
} }

View File

@ -33,7 +33,6 @@ use std::iter;
/// # Parameters /// # Parameters
/// ///
/// - `impl_m`: type of the method we are checking /// - `impl_m`: type of the method we are checking
/// - `impl_m_span`: span to use for reporting errors
/// - `trait_m`: the method in the trait /// - `trait_m`: the method in the trait
/// - `impl_trait_ref`: the TraitRef corresponding to the trait implementation /// - `impl_trait_ref`: the TraitRef corresponding to the trait implementation
pub(super) fn compare_impl_method<'tcx>( pub(super) fn compare_impl_method<'tcx>(
@ -41,23 +40,19 @@ pub(super) fn compare_impl_method<'tcx>(
impl_m: &ty::AssocItem, impl_m: &ty::AssocItem,
trait_m: &ty::AssocItem, trait_m: &ty::AssocItem,
impl_trait_ref: ty::TraitRef<'tcx>, impl_trait_ref: ty::TraitRef<'tcx>,
trait_item_span: Option<Span>,
) { ) {
debug!("compare_impl_method(impl_trait_ref={:?})", impl_trait_ref); debug!("compare_impl_method(impl_trait_ref={:?})", impl_trait_ref);
let impl_m_span = tcx.def_span(impl_m.def_id);
let _: Result<_, ErrorGuaranteed> = try { let _: Result<_, ErrorGuaranteed> = try {
compare_self_type(tcx, impl_m, impl_m_span, trait_m, impl_trait_ref)?; compare_self_type(tcx, impl_m, trait_m, impl_trait_ref)?;
compare_number_of_generics(tcx, impl_m, trait_m, trait_item_span, false)?; compare_number_of_generics(tcx, impl_m, trait_m, false)?;
compare_generic_param_kinds(tcx, impl_m, trait_m, false)?; compare_generic_param_kinds(tcx, impl_m, trait_m, false)?;
compare_number_of_method_arguments(tcx, impl_m, impl_m_span, trait_m, trait_item_span)?; compare_number_of_method_arguments(tcx, impl_m, trait_m)?;
compare_synthetic_generics(tcx, impl_m, trait_m)?; compare_synthetic_generics(tcx, impl_m, trait_m)?;
compare_asyncness(tcx, impl_m, impl_m_span, trait_m, trait_item_span)?; compare_asyncness(tcx, impl_m, trait_m)?;
compare_method_predicate_entailment( compare_method_predicate_entailment(
tcx, tcx,
impl_m, impl_m,
impl_m_span,
trait_m, trait_m,
impl_trait_ref, impl_trait_ref,
CheckImpliedWfMode::Check, CheckImpliedWfMode::Check,
@ -131,11 +126,10 @@ pub(super) fn compare_impl_method<'tcx>(
/// ///
/// Finally we register each of these predicates as an obligation and check that /// Finally we register each of these predicates as an obligation and check that
/// they hold. /// they hold.
#[instrument(level = "debug", skip(tcx, impl_m_span, impl_trait_ref))] #[instrument(level = "debug", skip(tcx, impl_trait_ref))]
fn compare_method_predicate_entailment<'tcx>( fn compare_method_predicate_entailment<'tcx>(
tcx: TyCtxt<'tcx>, tcx: TyCtxt<'tcx>,
impl_m: &ty::AssocItem, impl_m: &ty::AssocItem,
impl_m_span: Span,
trait_m: &ty::AssocItem, trait_m: &ty::AssocItem,
impl_trait_ref: ty::TraitRef<'tcx>, impl_trait_ref: ty::TraitRef<'tcx>,
check_implied_wf: CheckImpliedWfMode, check_implied_wf: CheckImpliedWfMode,
@ -148,6 +142,7 @@ fn compare_method_predicate_entailment<'tcx>(
// FIXME(@lcnr): remove that after removing `cause.body_id` from // FIXME(@lcnr): remove that after removing `cause.body_id` from
// obligations. // obligations.
let impl_m_def_id = impl_m.def_id.expect_local(); let impl_m_def_id = impl_m.def_id.expect_local();
let impl_m_span = tcx.def_span(impl_m_def_id);
let cause = ObligationCause::new( let cause = ObligationCause::new(
impl_m_span, impl_m_span,
impl_m_def_id, impl_m_def_id,
@ -315,7 +310,6 @@ fn compare_method_predicate_entailment<'tcx>(
return compare_method_predicate_entailment( return compare_method_predicate_entailment(
tcx, tcx,
impl_m, impl_m,
impl_m_span,
trait_m, trait_m,
impl_trait_ref, impl_trait_ref,
CheckImpliedWfMode::Skip, CheckImpliedWfMode::Skip,
@ -353,7 +347,6 @@ fn compare_method_predicate_entailment<'tcx>(
return compare_method_predicate_entailment( return compare_method_predicate_entailment(
tcx, tcx,
impl_m, impl_m,
impl_m_span,
trait_m, trait_m,
impl_trait_ref, impl_trait_ref,
CheckImpliedWfMode::Skip, CheckImpliedWfMode::Skip,
@ -535,9 +528,7 @@ enum CheckImpliedWfMode {
fn compare_asyncness<'tcx>( fn compare_asyncness<'tcx>(
tcx: TyCtxt<'tcx>, tcx: TyCtxt<'tcx>,
impl_m: &ty::AssocItem, impl_m: &ty::AssocItem,
impl_m_span: Span,
trait_m: &ty::AssocItem, trait_m: &ty::AssocItem,
trait_item_span: Option<Span>,
) -> Result<(), ErrorGuaranteed> { ) -> Result<(), ErrorGuaranteed> {
if tcx.asyncness(trait_m.def_id) == hir::IsAsync::Async { if tcx.asyncness(trait_m.def_id) == hir::IsAsync::Async {
match tcx.fn_sig(impl_m.def_id).skip_binder().skip_binder().output().kind() { match tcx.fn_sig(impl_m.def_id).skip_binder().skip_binder().output().kind() {
@ -549,9 +540,9 @@ fn compare_asyncness<'tcx>(
} }
_ => { _ => {
return Err(tcx.sess.emit_err(crate::errors::AsyncTraitImplShouldBeAsync { return Err(tcx.sess.emit_err(crate::errors::AsyncTraitImplShouldBeAsync {
span: impl_m_span, span: tcx.def_span(impl_m.def_id),
method_name: trait_m.name, method_name: trait_m.name,
trait_item_span, trait_item_span: tcx.hir().span_if_local(trait_m.def_id),
})); }));
} }
}; };
@ -606,7 +597,7 @@ pub(super) fn collect_return_position_impl_trait_in_trait_tys<'tcx>(
// First, check a few of the same things as `compare_impl_method`, // First, check a few of the same things as `compare_impl_method`,
// just so we don't ICE during substitution later. // just so we don't ICE during substitution later.
compare_number_of_generics(tcx, impl_m, trait_m, tcx.hir().span_if_local(impl_m.def_id), true)?; compare_number_of_generics(tcx, impl_m, trait_m, true)?;
compare_generic_param_kinds(tcx, impl_m, trait_m, true)?; compare_generic_param_kinds(tcx, impl_m, trait_m, true)?;
check_region_bounds_on_impl_item(tcx, impl_m, trait_m, true)?; check_region_bounds_on_impl_item(tcx, impl_m, trait_m, true)?;
@ -1094,7 +1085,6 @@ fn extract_spans_for_error_reporting<'tcx>(
fn compare_self_type<'tcx>( fn compare_self_type<'tcx>(
tcx: TyCtxt<'tcx>, tcx: TyCtxt<'tcx>,
impl_m: &ty::AssocItem, impl_m: &ty::AssocItem,
impl_m_span: Span,
trait_m: &ty::AssocItem, trait_m: &ty::AssocItem,
impl_trait_ref: ty::TraitRef<'tcx>, impl_trait_ref: ty::TraitRef<'tcx>,
) -> Result<(), ErrorGuaranteed> { ) -> Result<(), ErrorGuaranteed> {
@ -1130,6 +1120,7 @@ fn compare_self_type<'tcx>(
(false, true) => { (false, true) => {
let self_descr = self_string(impl_m); let self_descr = self_string(impl_m);
let impl_m_span = tcx.def_span(impl_m.def_id);
let mut err = struct_span_err!( let mut err = struct_span_err!(
tcx.sess, tcx.sess,
impl_m_span, impl_m_span,
@ -1149,6 +1140,7 @@ fn compare_self_type<'tcx>(
(true, false) => { (true, false) => {
let self_descr = self_string(trait_m); let self_descr = self_string(trait_m);
let impl_m_span = tcx.def_span(impl_m.def_id);
let mut err = struct_span_err!( let mut err = struct_span_err!(
tcx.sess, tcx.sess,
impl_m_span, impl_m_span,
@ -1196,7 +1188,6 @@ fn compare_number_of_generics<'tcx>(
tcx: TyCtxt<'tcx>, tcx: TyCtxt<'tcx>,
impl_: &ty::AssocItem, impl_: &ty::AssocItem,
trait_: &ty::AssocItem, trait_: &ty::AssocItem,
trait_span: Option<Span>,
delay: bool, delay: bool,
) -> Result<(), ErrorGuaranteed> { ) -> Result<(), ErrorGuaranteed> {
let trait_own_counts = tcx.generics_of(trait_.def_id).own_counts(); let trait_own_counts = tcx.generics_of(trait_.def_id).own_counts();
@ -1256,6 +1247,7 @@ fn compare_number_of_generics<'tcx>(
.collect(); .collect();
(Some(arg_spans), impl_trait_spans) (Some(arg_spans), impl_trait_spans)
} else { } else {
let trait_span = tcx.hir().span_if_local(trait_.def_id);
(trait_span.map(|s| vec![s]), vec![]) (trait_span.map(|s| vec![s]), vec![])
}; };
@ -1338,9 +1330,7 @@ fn compare_number_of_generics<'tcx>(
fn compare_number_of_method_arguments<'tcx>( fn compare_number_of_method_arguments<'tcx>(
tcx: TyCtxt<'tcx>, tcx: TyCtxt<'tcx>,
impl_m: &ty::AssocItem, impl_m: &ty::AssocItem,
impl_m_span: Span,
trait_m: &ty::AssocItem, trait_m: &ty::AssocItem,
trait_item_span: Option<Span>,
) -> Result<(), ErrorGuaranteed> { ) -> Result<(), ErrorGuaranteed> {
let impl_m_fty = tcx.fn_sig(impl_m.def_id); let impl_m_fty = tcx.fn_sig(impl_m.def_id);
let trait_m_fty = tcx.fn_sig(trait_m.def_id); let trait_m_fty = tcx.fn_sig(trait_m.def_id);
@ -1362,7 +1352,7 @@ fn compare_number_of_method_arguments<'tcx>(
} }
}) })
}) })
.or(trait_item_span); .or_else(|| tcx.hir().span_if_local(trait_m.def_id));
let (impl_m_sig, _) = &tcx.hir().expect_impl_item(impl_m.def_id.expect_local()).expect_fn(); let (impl_m_sig, _) = &tcx.hir().expect_impl_item(impl_m.def_id.expect_local()).expect_fn();
let pos = impl_number_args.saturating_sub(1); let pos = impl_number_args.saturating_sub(1);
@ -1377,7 +1367,7 @@ fn compare_number_of_method_arguments<'tcx>(
arg.span.with_lo(impl_m_sig.decl.inputs[0].span.lo()) arg.span.with_lo(impl_m_sig.decl.inputs[0].span.lo())
} }
}) })
.unwrap_or(impl_m_span); .unwrap_or_else(|| tcx.def_span(impl_m.def_id));
let mut err = struct_span_err!( let mut err = struct_span_err!(
tcx.sess, tcx.sess,
@ -1747,22 +1737,16 @@ pub(super) fn compare_impl_const_raw(
pub(super) fn compare_impl_ty<'tcx>( pub(super) fn compare_impl_ty<'tcx>(
tcx: TyCtxt<'tcx>, tcx: TyCtxt<'tcx>,
impl_ty: &ty::AssocItem, impl_ty: &ty::AssocItem,
impl_ty_span: Span,
trait_ty: &ty::AssocItem, trait_ty: &ty::AssocItem,
impl_trait_ref: ty::TraitRef<'tcx>, impl_trait_ref: ty::TraitRef<'tcx>,
trait_item_span: Option<Span>,
) { ) {
debug!("compare_impl_type(impl_trait_ref={:?})", impl_trait_ref); debug!("compare_impl_type(impl_trait_ref={:?})", impl_trait_ref);
let _: Result<(), ErrorGuaranteed> = try { let _: Result<(), ErrorGuaranteed> = try {
compare_number_of_generics(tcx, impl_ty, trait_ty, trait_item_span, false)?; compare_number_of_generics(tcx, impl_ty, trait_ty, false)?;
compare_generic_param_kinds(tcx, impl_ty, trait_ty, false)?; compare_generic_param_kinds(tcx, impl_ty, trait_ty, false)?;
compare_type_predicate_entailment(tcx, impl_ty, trait_ty, impl_trait_ref)?;
let sp = tcx.def_span(impl_ty.def_id); check_type_bounds(tcx, trait_ty, impl_ty, impl_trait_ref)?;
compare_type_predicate_entailment(tcx, impl_ty, sp, trait_ty, impl_trait_ref)?;
check_type_bounds(tcx, trait_ty, impl_ty, impl_ty_span, impl_trait_ref)?;
}; };
} }
@ -1771,7 +1755,6 @@ pub(super) fn compare_impl_ty<'tcx>(
fn compare_type_predicate_entailment<'tcx>( fn compare_type_predicate_entailment<'tcx>(
tcx: TyCtxt<'tcx>, tcx: TyCtxt<'tcx>,
impl_ty: &ty::AssocItem, impl_ty: &ty::AssocItem,
impl_ty_span: Span,
trait_ty: &ty::AssocItem, trait_ty: &ty::AssocItem,
impl_trait_ref: ty::TraitRef<'tcx>, impl_trait_ref: ty::TraitRef<'tcx>,
) -> Result<(), ErrorGuaranteed> { ) -> Result<(), ErrorGuaranteed> {
@ -1808,6 +1791,7 @@ fn compare_type_predicate_entailment<'tcx>(
debug!("compare_type_predicate_entailment: bounds={:?}", hybrid_preds); debug!("compare_type_predicate_entailment: bounds={:?}", hybrid_preds);
let impl_ty_span = tcx.def_span(impl_ty_def_id);
let normalize_cause = traits::ObligationCause::misc(impl_ty_span, impl_ty_def_id); let normalize_cause = traits::ObligationCause::misc(impl_ty_span, impl_ty_def_id);
let param_env = ty::ParamEnv::new( let param_env = ty::ParamEnv::new(
tcx.intern_predicates(&hybrid_preds.predicates), tcx.intern_predicates(&hybrid_preds.predicates),
@ -1873,7 +1857,6 @@ pub(super) fn check_type_bounds<'tcx>(
tcx: TyCtxt<'tcx>, tcx: TyCtxt<'tcx>,
trait_ty: &ty::AssocItem, trait_ty: &ty::AssocItem,
impl_ty: &ty::AssocItem, impl_ty: &ty::AssocItem,
impl_ty_span: Span,
impl_trait_ref: ty::TraitRef<'tcx>, impl_trait_ref: ty::TraitRef<'tcx>,
) -> Result<(), ErrorGuaranteed> { ) -> Result<(), ErrorGuaranteed> {
// Given // Given
@ -2009,8 +1992,15 @@ pub(super) fn check_type_bounds<'tcx>(
let infcx = tcx.infer_ctxt().build(); let infcx = tcx.infer_ctxt().build();
let ocx = ObligationCtxt::new(&infcx); let ocx = ObligationCtxt::new(&infcx);
let assumed_wf_types = let impl_ty_span = match tcx.hir().get_by_def_id(impl_ty_def_id) {
ocx.assumed_wf_types(param_env, impl_ty_span, impl_ty.def_id.expect_local()); hir::Node::TraitItem(hir::TraitItem {
kind: hir::TraitItemKind::Type(_, Some(ty)),
..
}) => ty.span,
hir::Node::ImplItem(hir::ImplItem { kind: hir::ImplItemKind::Type(ty), .. }) => ty.span,
_ => bug!(),
};
let assumed_wf_types = ocx.assumed_wf_types(param_env, impl_ty_span, impl_ty_def_id);
let normalize_cause = ObligationCause::new( let normalize_cause = ObligationCause::new(
impl_ty_span, impl_ty_span,

View File

@ -414,7 +414,7 @@ impl<'a, 'tcx> InlineAsmCtxt<'a, 'tcx> {
// Check that sym actually points to a function. Later passes // Check that sym actually points to a function. Later passes
// depend on this. // depend on this.
hir::InlineAsmOperand::SymFn { anon_const } => { hir::InlineAsmOperand::SymFn { anon_const } => {
let ty = self.tcx.typeck_body(anon_const.body).node_type(anon_const.hir_id); let ty = self.tcx.type_of(anon_const.def_id);
match ty.kind() { match ty.kind() {
ty::Never | ty::Error(_) => {} ty::Never | ty::Error(_) => {}
ty::FnDef(..) => {} ty::FnDef(..) => {}
@ -422,7 +422,7 @@ impl<'a, 'tcx> InlineAsmCtxt<'a, 'tcx> {
let mut err = let mut err =
self.tcx.sess.struct_span_err(*op_sp, "invalid `sym` operand"); self.tcx.sess.struct_span_err(*op_sp, "invalid `sym` operand");
err.span_label( err.span_label(
self.tcx.hir().span(anon_const.body.hir_id), self.tcx.def_span(anon_const.def_id),
&format!("is {} `{}`", ty.kind().article(), ty), &format!("is {} `{}`", ty.kind().article(), ty),
); );
err.help("`sym` operands must refer to either a function or a static"); err.help("`sym` operands must refer to either a function or a static");

View File

@ -75,7 +75,6 @@ pub use check::check_abi;
use check::check_mod_item_types; use check::check_mod_item_types;
use rustc_data_structures::fx::{FxHashMap, FxHashSet}; use rustc_data_structures::fx::{FxHashMap, FxHashSet};
use rustc_errors::{pluralize, struct_span_err, Applicability, Diagnostic, DiagnosticBuilder}; use rustc_errors::{pluralize, struct_span_err, Applicability, Diagnostic, DiagnosticBuilder};
use rustc_hir as hir;
use rustc_hir::def_id::{DefId, LocalDefId}; use rustc_hir::def_id::{DefId, LocalDefId};
use rustc_hir::intravisit::Visitor; use rustc_hir::intravisit::Visitor;
use rustc_index::bit_set::BitSet; use rustc_index::bit_set::BitSet;
@ -169,27 +168,24 @@ fn maybe_check_static_with_link_section(tcx: TyCtxt<'_>, id: LocalDefId) {
} }
} }
fn report_forbidden_specialization( fn report_forbidden_specialization(tcx: TyCtxt<'_>, impl_item: DefId, parent_impl: DefId) {
tcx: TyCtxt<'_>, let span = tcx.def_span(impl_item);
impl_item: &hir::ImplItemRef, let ident = tcx.item_name(impl_item);
parent_impl: DefId,
) {
let mut err = struct_span_err!( let mut err = struct_span_err!(
tcx.sess, tcx.sess,
impl_item.span, span,
E0520, E0520,
"`{}` specializes an item from a parent `impl`, but \ "`{}` specializes an item from a parent `impl`, but that item is not marked `default`",
that item is not marked `default`", ident,
impl_item.ident
); );
err.span_label(impl_item.span, format!("cannot specialize default item `{}`", impl_item.ident)); err.span_label(span, format!("cannot specialize default item `{}`", ident));
match tcx.span_of_impl(parent_impl) { match tcx.span_of_impl(parent_impl) {
Ok(span) => { Ok(span) => {
err.span_label(span, "parent `impl` is here"); err.span_label(span, "parent `impl` is here");
err.note(&format!( err.note(&format!(
"to specialize, `{}` in the parent `impl` must be marked `default`", "to specialize, `{}` in the parent `impl` must be marked `default`",
impl_item.ident ident
)); ));
} }
Err(cname) => { Err(cname) => {

View File

@ -202,8 +202,7 @@ fn visit_implementation_of_coerce_unsized(tcx: TyCtxt<'_>, impl_did: LocalDefId)
fn visit_implementation_of_dispatch_from_dyn(tcx: TyCtxt<'_>, impl_did: LocalDefId) { fn visit_implementation_of_dispatch_from_dyn(tcx: TyCtxt<'_>, impl_did: LocalDefId) {
debug!("visit_implementation_of_dispatch_from_dyn: impl_did={:?}", impl_did); debug!("visit_implementation_of_dispatch_from_dyn: impl_did={:?}", impl_did);
let impl_hir_id = tcx.hir().local_def_id_to_hir_id(impl_did); let span = tcx.def_span(impl_did);
let span = tcx.hir().span(impl_hir_id);
let dispatch_from_dyn_trait = tcx.require_lang_item(LangItem::DispatchFromDyn, Some(span)); let dispatch_from_dyn_trait = tcx.require_lang_item(LangItem::DispatchFromDyn, Some(span));

View File

@ -14,7 +14,6 @@ use rustc_hir::def_id::{CrateNum, DefId, LocalDefId};
use rustc_middle::ty::fast_reject::{simplify_type, SimplifiedType, TreatParams}; use rustc_middle::ty::fast_reject::{simplify_type, SimplifiedType, TreatParams};
use rustc_middle::ty::{self, CrateInherentImpls, Ty, TyCtxt}; use rustc_middle::ty::{self, CrateInherentImpls, Ty, TyCtxt};
use rustc_span::symbol::sym; use rustc_span::symbol::sym;
use rustc_span::Span;
/// On-demand query: yields a map containing all types mapped to their inherent impls. /// On-demand query: yields a map containing all types mapped to their inherent impls.
pub fn crate_inherent_impls(tcx: TyCtxt<'_>, (): ()) -> CrateInherentImpls { pub fn crate_inherent_impls(tcx: TyCtxt<'_>, (): ()) -> CrateInherentImpls {
@ -57,86 +56,76 @@ const ADD_ATTR: &str =
"alternatively add `#[rustc_allow_incoherent_impl]` to the relevant impl items"; "alternatively add `#[rustc_allow_incoherent_impl]` to the relevant impl items";
impl<'tcx> InherentCollect<'tcx> { impl<'tcx> InherentCollect<'tcx> {
fn check_def_id(&mut self, item: &hir::Item<'_>, self_ty: Ty<'tcx>, def_id: DefId, span: Span) { fn check_def_id(&mut self, impl_def_id: LocalDefId, self_ty: Ty<'tcx>, ty_def_id: DefId) {
let impl_def_id = item.owner_id; if let Some(ty_def_id) = ty_def_id.as_local() {
if let Some(def_id) = def_id.as_local() {
// Add the implementation to the mapping from implementation to base // Add the implementation to the mapping from implementation to base
// type def ID, if there is a base type for this implementation and // type def ID, if there is a base type for this implementation and
// the implementation does not have any associated traits. // the implementation does not have any associated traits.
let vec = self.impls_map.inherent_impls.entry(def_id).or_default(); let vec = self.impls_map.inherent_impls.entry(ty_def_id).or_default();
vec.push(impl_def_id.to_def_id()); vec.push(impl_def_id.to_def_id());
return; return;
} }
if self.tcx.features().rustc_attrs { if self.tcx.features().rustc_attrs {
let hir::ItemKind::Impl(&hir::Impl { items, .. }) = item.kind else { let items = self.tcx.associated_item_def_ids(impl_def_id);
bug!("expected `impl` item: {:?}", item);
};
if !self.tcx.has_attr(def_id, sym::rustc_has_incoherent_inherent_impls) { if !self.tcx.has_attr(ty_def_id, sym::rustc_has_incoherent_inherent_impls) {
let impl_span = self.tcx.def_span(impl_def_id);
struct_span_err!( struct_span_err!(
self.tcx.sess, self.tcx.sess,
span, impl_span,
E0390, E0390,
"cannot define inherent `impl` for a type outside of the crate where the type is defined", "cannot define inherent `impl` for a type outside of the crate where the type is defined",
) )
.help(INTO_DEFINING_CRATE) .help(INTO_DEFINING_CRATE)
.span_help(span, ADD_ATTR_TO_TY) .span_help(impl_span, ADD_ATTR_TO_TY)
.emit(); .emit();
return; return;
} }
for impl_item in items { for &impl_item in items {
if !self if !self.tcx.has_attr(impl_item, sym::rustc_allow_incoherent_impl) {
.tcx let impl_span = self.tcx.def_span(impl_def_id);
.has_attr(impl_item.id.owner_id.to_def_id(), sym::rustc_allow_incoherent_impl)
{
struct_span_err!( struct_span_err!(
self.tcx.sess, self.tcx.sess,
span, impl_span,
E0390, E0390,
"cannot define inherent `impl` for a type outside of the crate where the type is defined", "cannot define inherent `impl` for a type outside of the crate where the type is defined",
) )
.help(INTO_DEFINING_CRATE) .help(INTO_DEFINING_CRATE)
.span_help(self.tcx.hir().span(impl_item.id.hir_id()), ADD_ATTR) .span_help(self.tcx.def_span(impl_item), ADD_ATTR)
.emit(); .emit();
return; return;
} }
} }
if let Some(simp) = simplify_type(self.tcx, self_ty, TreatParams::AsInfer) { if let Some(simp) = simplify_type(self.tcx, self_ty, TreatParams::AsInfer) {
self.impls_map.incoherent_impls.entry(simp).or_default().push(impl_def_id.def_id); self.impls_map.incoherent_impls.entry(simp).or_default().push(impl_def_id);
} else { } else {
bug!("unexpected self type: {:?}", self_ty); bug!("unexpected self type: {:?}", self_ty);
} }
} else { } else {
let impl_span = self.tcx.def_span(impl_def_id);
struct_span_err!( struct_span_err!(
self.tcx.sess, self.tcx.sess,
span, impl_span,
E0116, E0116,
"cannot define inherent `impl` for a type outside of the crate \ "cannot define inherent `impl` for a type outside of the crate \
where the type is defined" where the type is defined"
) )
.span_label(span, "impl for type defined outside of crate.") .span_label(impl_span, "impl for type defined outside of crate.")
.note("define and implement a trait or new type instead") .note("define and implement a trait or new type instead")
.emit(); .emit();
} }
} }
fn check_primitive_impl( fn check_primitive_impl(&mut self, impl_def_id: LocalDefId, ty: Ty<'tcx>) {
&mut self, let items = self.tcx.associated_item_def_ids(impl_def_id);
impl_def_id: LocalDefId,
ty: Ty<'tcx>,
items: &[hir::ImplItemRef],
span: Span,
) {
if !self.tcx.hir().rustc_coherence_is_core() { if !self.tcx.hir().rustc_coherence_is_core() {
if self.tcx.features().rustc_attrs { if self.tcx.features().rustc_attrs {
for item in items { for &impl_item in items {
if !self if !self.tcx.has_attr(impl_item, sym::rustc_allow_incoherent_impl) {
.tcx let span = self.tcx.def_span(impl_def_id);
.has_attr(item.id.owner_id.to_def_id(), sym::rustc_allow_incoherent_impl)
{
struct_span_err!( struct_span_err!(
self.tcx.sess, self.tcx.sess,
span, span,
@ -144,12 +133,13 @@ impl<'tcx> InherentCollect<'tcx> {
"cannot define inherent `impl` for primitive types outside of `core`", "cannot define inherent `impl` for primitive types outside of `core`",
) )
.help(INTO_CORE) .help(INTO_CORE)
.span_help(item.span, ADD_ATTR) .span_help(self.tcx.def_span(impl_item), ADD_ATTR)
.emit(); .emit();
return; return;
} }
} }
} else { } else {
let span = self.tcx.def_span(impl_def_id);
let mut err = struct_span_err!( let mut err = struct_span_err!(
self.tcx.sess, self.tcx.sess,
span, span,
@ -177,35 +167,27 @@ impl<'tcx> InherentCollect<'tcx> {
} }
fn check_item(&mut self, id: hir::ItemId) { fn check_item(&mut self, id: hir::ItemId) {
if !matches!(self.tcx.def_kind(id.owner_id), DefKind::Impl) { if !matches!(self.tcx.def_kind(id.owner_id), DefKind::Impl { of_trait: false }) {
return; return;
} }
let item = self.tcx.hir().item(id); let id = id.owner_id.def_id;
let impl_span = self.tcx.hir().span(id.hir_id()); let item_span = self.tcx.def_span(id);
let hir::ItemKind::Impl(hir::Impl { of_trait: None, items, .. }) = item.kind else { let self_ty = self.tcx.type_of(id);
return;
};
let self_ty = self.tcx.type_of(item.owner_id);
match *self_ty.kind() { match *self_ty.kind() {
ty::Adt(def, _) => { ty::Adt(def, _) => self.check_def_id(id, self_ty, def.did()),
self.check_def_id(item, self_ty, def.did(), impl_span); ty::Foreign(did) => self.check_def_id(id, self_ty, did),
}
ty::Foreign(did) => {
self.check_def_id(item, self_ty, did, impl_span);
}
ty::Dynamic(data, ..) if data.principal_def_id().is_some() => { ty::Dynamic(data, ..) if data.principal_def_id().is_some() => {
self.check_def_id(item, self_ty, data.principal_def_id().unwrap(), impl_span); self.check_def_id(id, self_ty, data.principal_def_id().unwrap());
} }
ty::Dynamic(..) => { ty::Dynamic(..) => {
struct_span_err!( struct_span_err!(
self.tcx.sess, self.tcx.sess,
impl_span, item_span,
E0785, E0785,
"cannot define inherent `impl` for a dyn auto trait" "cannot define inherent `impl` for a dyn auto trait"
) )
.span_label(impl_span, "impl requires at least one non-auto trait") .span_label(item_span, "impl requires at least one non-auto trait")
.note("define and implement a new trait or type instead") .note("define and implement a new trait or type instead")
.emit(); .emit();
} }
@ -221,18 +203,16 @@ impl<'tcx> InherentCollect<'tcx> {
| ty::Ref(..) | ty::Ref(..)
| ty::Never | ty::Never
| ty::FnPtr(_) | ty::FnPtr(_)
| ty::Tuple(..) => { | ty::Tuple(..) => self.check_primitive_impl(id, self_ty),
self.check_primitive_impl(item.owner_id.def_id, self_ty, items, impl_span)
}
ty::Alias(..) | ty::Param(_) => { ty::Alias(..) | ty::Param(_) => {
let mut err = struct_span_err!( let mut err = struct_span_err!(
self.tcx.sess, self.tcx.sess,
impl_span, item_span,
E0118, E0118,
"no nominal type found for inherent implementation" "no nominal type found for inherent implementation"
); );
err.span_label(impl_span, "impl requires a nominal type") err.span_label(item_span, "impl requires a nominal type")
.note("either implement a trait on it or create a newtype to wrap it instead"); .note("either implement a trait on it or create a newtype to wrap it instead");
err.emit(); err.emit();
@ -245,7 +225,7 @@ impl<'tcx> InherentCollect<'tcx> {
| ty::Bound(..) | ty::Bound(..)
| ty::Placeholder(_) | ty::Placeholder(_)
| ty::Infer(_) => { | ty::Infer(_) => {
bug!("unexpected impl self type of impl: {:?} {:?}", item.owner_id, self_ty); bug!("unexpected impl self type of impl: {:?} {:?}", id, self_ty);
} }
ty::Error(_) => {} ty::Error(_) => {}
} }

View File

@ -39,16 +39,17 @@ fn do_orphan_check_impl<'tcx>(
) -> Result<(), ErrorGuaranteed> { ) -> Result<(), ErrorGuaranteed> {
let trait_def_id = trait_ref.def_id; let trait_def_id = trait_ref.def_id;
match traits::orphan_check(tcx, def_id.to_def_id()) {
Ok(()) => {}
Err(err) => {
let item = tcx.hir().expect_item(def_id); let item = tcx.hir().expect_item(def_id);
let hir::ItemKind::Impl(impl_) = item.kind else { let hir::ItemKind::Impl(impl_) = item.kind else {
bug!("{:?} is not an impl: {:?}", def_id, item); bug!("{:?} is not an impl: {:?}", def_id, item);
}; };
let sp = tcx.def_span(def_id);
let tr = impl_.of_trait.as_ref().unwrap(); let tr = impl_.of_trait.as_ref().unwrap();
let sp = tcx.def_span(def_id);
match traits::orphan_check(tcx, item.owner_id.to_def_id()) { emit_orphan_check_error(
Ok(()) => {}
Err(err) => emit_orphan_check_error(
tcx, tcx,
sp, sp,
item.span, item.span,
@ -57,7 +58,8 @@ fn do_orphan_check_impl<'tcx>(
impl_.self_ty.span, impl_.self_ty.span,
&impl_.generics, &impl_.generics,
err, err,
)?, )?
}
} }
// In addition to the above rules, we restrict impls of auto traits // In addition to the above rules, we restrict impls of auto traits
@ -235,7 +237,10 @@ fn do_orphan_check_impl<'tcx>(
| ty::GeneratorWitnessMIR(..) | ty::GeneratorWitnessMIR(..)
| ty::Bound(..) | ty::Bound(..)
| ty::Placeholder(..) | ty::Placeholder(..)
| ty::Infer(..) => span_bug!(sp, "weird self type for autotrait impl"), | ty::Infer(..) => {
let sp = tcx.def_span(def_id);
span_bug!(sp, "weird self type for autotrait impl")
}
ty::Error(..) => (LocalImpl::Allow, NonlocalImpl::Allow), ty::Error(..) => (LocalImpl::Allow, NonlocalImpl::Allow),
}; };
@ -254,6 +259,7 @@ fn do_orphan_check_impl<'tcx>(
is one of the trait object's trait bounds", is one of the trait object's trait bounds",
trait = tcx.def_path_str(trait_def_id), trait = tcx.def_path_str(trait_def_id),
); );
let sp = tcx.def_span(def_id);
let reported = let reported =
struct_span_err!(tcx.sess, sp, E0321, "{}", msg).note(label).emit(); struct_span_err!(tcx.sess, sp, E0321, "{}", msg).note(label).emit();
return Err(reported); return Err(reported);
@ -282,6 +288,7 @@ fn do_orphan_check_impl<'tcx>(
non-struct/enum type", non-struct/enum type",
)), )),
} { } {
let sp = tcx.def_span(def_id);
let reported = let reported =
struct_span_err!(tcx.sess, sp, E0321, "{}", msg).span_label(sp, label).emit(); struct_span_err!(tcx.sess, sp, E0321, "{}", msg).span_label(sp, label).emit();
return Err(reported); return Err(reported);

View File

@ -1563,7 +1563,7 @@ impl<'a, 'tcx> LifetimeContext<'a, 'tcx> {
// See issue #83753. If someone writes an associated type on a non-trait, just treat it as // See issue #83753. If someone writes an associated type on a non-trait, just treat it as
// there being no supertrait HRTBs. // there being no supertrait HRTBs.
match tcx.def_kind(def_id) { match tcx.def_kind(def_id) {
DefKind::Trait | DefKind::TraitAlias | DefKind::Impl => {} DefKind::Trait | DefKind::TraitAlias | DefKind::Impl { .. } => {}
_ => break None, _ => break None,
} }

View File

@ -55,7 +55,7 @@ fn check_mod_impl_wf(tcx: TyCtxt<'_>, module_def_id: LocalDefId) {
let min_specialization = tcx.features().min_specialization; let min_specialization = tcx.features().min_specialization;
let module = tcx.hir_module_items(module_def_id); let module = tcx.hir_module_items(module_def_id);
for id in module.items() { for id in module.items() {
if matches!(tcx.def_kind(id.owner_id), DefKind::Impl) { if matches!(tcx.def_kind(id.owner_id), DefKind::Impl { .. }) {
enforce_impl_params_are_constrained(tcx, id.owner_id.def_id); enforce_impl_params_are_constrained(tcx, id.owner_id.def_id);
if min_specialization { if min_specialization {
check_min_specialization(tcx, id.owner_id.def_id); check_min_specialization(tcx, id.owner_id.def_id);

View File

@ -1061,7 +1061,7 @@ impl<'a, 'tcx> FindInferSourceVisitor<'a, 'tcx> {
}; };
let parent_def_id = generics.parent.unwrap(); let parent_def_id = generics.parent.unwrap();
if tcx.def_kind(parent_def_id) == DefKind::Impl { if let DefKind::Impl { .. } = tcx.def_kind(parent_def_id) {
let parent_ty = tcx.bound_type_of(parent_def_id).subst(tcx, substs); let parent_ty = tcx.bound_type_of(parent_def_id).subst(tcx, substs);
match (parent_ty.kind(), &ty.kind) { match (parent_ty.kind(), &ty.kind) {
( (

View File

@ -838,7 +838,7 @@ fn should_encode_visibility(def_kind: DefKind) -> bool {
| DefKind::ForeignMod | DefKind::ForeignMod
| DefKind::OpaqueTy | DefKind::OpaqueTy
| DefKind::ImplTraitPlaceholder | DefKind::ImplTraitPlaceholder
| DefKind::Impl | DefKind::Impl { .. }
| DefKind::Field => true, | DefKind::Field => true,
DefKind::TyParam DefKind::TyParam
| DefKind::ConstParam | DefKind::ConstParam
@ -873,7 +873,7 @@ fn should_encode_stability(def_kind: DefKind) -> bool {
| DefKind::ImplTraitPlaceholder | DefKind::ImplTraitPlaceholder
| DefKind::Enum | DefKind::Enum
| DefKind::Union | DefKind::Union
| DefKind::Impl | DefKind::Impl { .. }
| DefKind::Trait | DefKind::Trait
| DefKind::TraitAlias | DefKind::TraitAlias
| DefKind::Macro(..) | DefKind::Macro(..)
@ -951,7 +951,7 @@ fn should_encode_variances(def_kind: DefKind) -> bool {
| DefKind::Const | DefKind::Const
| DefKind::ForeignMod | DefKind::ForeignMod
| DefKind::TyAlias | DefKind::TyAlias
| DefKind::Impl | DefKind::Impl { .. }
| DefKind::Trait | DefKind::Trait
| DefKind::TraitAlias | DefKind::TraitAlias
| DefKind::Macro(..) | DefKind::Macro(..)
@ -988,7 +988,7 @@ fn should_encode_generics(def_kind: DefKind) -> bool {
| DefKind::InlineConst | DefKind::InlineConst
| DefKind::OpaqueTy | DefKind::OpaqueTy
| DefKind::ImplTraitPlaceholder | DefKind::ImplTraitPlaceholder
| DefKind::Impl | DefKind::Impl { .. }
| DefKind::Field | DefKind::Field
| DefKind::TyParam | DefKind::TyParam
| DefKind::Closure | DefKind::Closure
@ -1018,7 +1018,7 @@ fn should_encode_type(tcx: TyCtxt<'_>, def_id: LocalDefId, def_kind: DefKind) ->
| DefKind::TyAlias | DefKind::TyAlias
| DefKind::OpaqueTy | DefKind::OpaqueTy
| DefKind::ForeignTy | DefKind::ForeignTy
| DefKind::Impl | DefKind::Impl { .. }
| DefKind::AssocFn | DefKind::AssocFn
| DefKind::AssocConst | DefKind::AssocConst
| DefKind::Closure | DefKind::Closure
@ -1081,7 +1081,7 @@ fn should_encode_const(def_kind: DefKind) -> bool {
| DefKind::OpaqueTy | DefKind::OpaqueTy
| DefKind::ImplTraitPlaceholder | DefKind::ImplTraitPlaceholder
| DefKind::ForeignTy | DefKind::ForeignTy
| DefKind::Impl | DefKind::Impl { .. }
| DefKind::AssocFn | DefKind::AssocFn
| DefKind::Closure | DefKind::Closure
| DefKind::Generator | DefKind::Generator
@ -1860,7 +1860,7 @@ impl<'a, 'tcx> EncodeContext<'a, 'tcx> {
FxHashMap::default(); FxHashMap::default();
for id in tcx.hir().items() { for id in tcx.hir().items() {
if matches!(tcx.def_kind(id.owner_id), DefKind::Impl) { if matches!(tcx.def_kind(id.owner_id), DefKind::Impl { .. }) {
if let Some(trait_ref) = tcx.impl_trait_ref(id.owner_id) { if let Some(trait_ref) = tcx.impl_trait_ref(id.owner_id) {
let trait_ref = trait_ref.subst_identity(); let trait_ref = trait_ref.subst_identity();
@ -2261,7 +2261,7 @@ pub fn provide(providers: &mut Providers) {
let mut trait_impls = Vec::new(); let mut trait_impls = Vec::new();
for id in tcx.hir().items() { for id in tcx.hir().items() {
if matches!(tcx.def_kind(id.owner_id), DefKind::Impl) if matches!(tcx.def_kind(id.owner_id), DefKind::Impl { .. })
&& tcx.impl_trait_ref(id.owner_id).is_some() && tcx.impl_trait_ref(id.owner_id).is_some()
{ {
trait_impls.push(id.owner_id.to_def_id()) trait_impls.push(id.owner_id.to_def_id())

View File

@ -136,7 +136,8 @@ fixed_size_enum! {
( Field ) ( Field )
( LifetimeParam ) ( LifetimeParam )
( GlobalAsm ) ( GlobalAsm )
( Impl ) ( Impl { of_trait: false } )
( Impl { of_trait: true } )
( Closure ) ( Closure )
( Generator ) ( Generator )
( Static(ast::Mutability::Not) ) ( Static(ast::Mutability::Not) )

View File

@ -203,7 +203,7 @@ impl<'hir> Map<'hir> {
ItemKind::Use(..) => DefKind::Use, ItemKind::Use(..) => DefKind::Use,
ItemKind::ForeignMod { .. } => DefKind::ForeignMod, ItemKind::ForeignMod { .. } => DefKind::ForeignMod,
ItemKind::GlobalAsm(..) => DefKind::GlobalAsm, ItemKind::GlobalAsm(..) => DefKind::GlobalAsm,
ItemKind::Impl { .. } => DefKind::Impl, ItemKind::Impl(impl_) => DefKind::Impl { of_trait: impl_.of_trait.is_some() },
}, },
Node::ForeignItem(item) => match item.kind { Node::ForeignItem(item) => match item.kind {
ForeignItemKind::Fn(..) => DefKind::Fn, ForeignItemKind::Fn(..) => DefKind::Fn,

View File

@ -2429,7 +2429,7 @@ impl<'tcx> TyCtxt<'tcx> {
pub fn impl_of_method(self, def_id: DefId) -> Option<DefId> { pub fn impl_of_method(self, def_id: DefId) -> Option<DefId> {
if let DefKind::AssocConst | DefKind::AssocFn | DefKind::AssocTy = self.def_kind(def_id) { if let DefKind::AssocConst | DefKind::AssocFn | DefKind::AssocTy = self.def_kind(def_id) {
let parent = self.parent(def_id); let parent = self.parent(def_id);
if let DefKind::Impl = self.def_kind(parent) { if let DefKind::Impl { .. } = self.def_kind(parent) {
return Some(parent); return Some(parent);
} }
} }

View File

@ -167,7 +167,7 @@ impl<'tcx> TyCtxt<'tcx> {
| DefKind::Fn | DefKind::Fn
| DefKind::AssocFn | DefKind::AssocFn
| DefKind::AssocConst | DefKind::AssocConst
| DefKind::Impl, | DefKind::Impl { .. },
def_id, def_id,
) => Some(def_id), ) => Some(def_id),
Res::Err => None, Res::Err => None,

View File

@ -1191,30 +1191,16 @@ impl<'v> RootCollector<'_, 'v> {
fn process_item(&mut self, id: hir::ItemId) { fn process_item(&mut self, id: hir::ItemId) {
match self.tcx.def_kind(id.owner_id) { match self.tcx.def_kind(id.owner_id) {
DefKind::Enum | DefKind::Struct | DefKind::Union => { DefKind::Enum | DefKind::Struct | DefKind::Union => {
let item = self.tcx.hir().item(id); if self.mode == MonoItemCollectionMode::Eager
match item.kind { && self.tcx.generics_of(id.owner_id).count() == 0
hir::ItemKind::Enum(_, ref generics) {
| hir::ItemKind::Struct(_, ref generics) debug!("RootCollector: ADT drop-glue for `{id:?}`",);
| hir::ItemKind::Union(_, ref generics) => {
if generics.params.is_empty() {
if self.mode == MonoItemCollectionMode::Eager {
debug!(
"RootCollector: ADT drop-glue for {}",
self.tcx.def_path_str(item.owner_id.to_def_id())
);
let ty = Instance::new( let ty =
item.owner_id.to_def_id(), self.tcx.bound_type_of(id.owner_id.to_def_id()).no_bound_vars().unwrap();
InternalSubsts::empty(),
)
.ty(self.tcx, ty::ParamEnv::reveal_all());
visit_drop_use(self.tcx, ty, true, DUMMY_SP, self.output); visit_drop_use(self.tcx, ty, true, DUMMY_SP, self.output);
} }
} }
}
_ => bug!(),
}
}
DefKind::GlobalAsm => { DefKind::GlobalAsm => {
debug!( debug!(
"RootCollector: ItemKind::GlobalAsm({})", "RootCollector: ItemKind::GlobalAsm({})",
@ -1238,10 +1224,9 @@ impl<'v> RootCollector<'_, 'v> {
collect_const_value(self.tcx, val, &mut self.output); collect_const_value(self.tcx, val, &mut self.output);
} }
} }
DefKind::Impl => { DefKind::Impl { .. } => {
if self.mode == MonoItemCollectionMode::Eager { if self.mode == MonoItemCollectionMode::Eager {
let item = self.tcx.hir().item(id); create_mono_items_for_default_impls(self.tcx, id, self.output);
create_mono_items_for_default_impls(self.tcx, item, self.output);
} }
} }
DefKind::Fn => { DefKind::Fn => {
@ -1326,32 +1311,25 @@ fn item_requires_monomorphization(tcx: TyCtxt<'_>, def_id: LocalDefId) -> bool {
generics.requires_monomorphization(tcx) generics.requires_monomorphization(tcx)
} }
#[instrument(level = "debug", skip(tcx, output))]
fn create_mono_items_for_default_impls<'tcx>( fn create_mono_items_for_default_impls<'tcx>(
tcx: TyCtxt<'tcx>, tcx: TyCtxt<'tcx>,
item: &'tcx hir::Item<'tcx>, item: hir::ItemId,
output: &mut MonoItems<'tcx>, output: &mut MonoItems<'tcx>,
) { ) {
match item.kind { let polarity = tcx.impl_polarity(item.owner_id);
hir::ItemKind::Impl(ref impl_) => { if matches!(polarity, ty::ImplPolarity::Negative) {
if matches!(impl_.polarity, hir::ImplPolarity::Negative(_)) {
return; return;
} }
for param in impl_.generics.params { if tcx.generics_of(item.owner_id).own_requires_monomorphization() {
match param.kind {
hir::GenericParamKind::Lifetime { .. } => {}
hir::GenericParamKind::Type { .. } | hir::GenericParamKind::Const { .. } => {
return; return;
} }
}
}
debug!( let Some(trait_ref) = tcx.impl_trait_ref(item.owner_id) else {
"create_mono_items_for_default_impls(item={})", return;
tcx.def_path_str(item.owner_id.to_def_id()) };
);
if let Some(trait_ref) = tcx.impl_trait_ref(item.owner_id) {
let trait_ref = trait_ref.subst_identity(); let trait_ref = trait_ref.subst_identity();
let param_env = ty::ParamEnv::reveal_all(); let param_env = ty::ParamEnv::reveal_all();
@ -1366,27 +1344,19 @@ fn create_mono_items_for_default_impls<'tcx>(
continue; continue;
} }
let substs = let substs = InternalSubsts::for_item(tcx, method.def_id, |param, _| match param.kind {
InternalSubsts::for_item(tcx, method.def_id, |param, _| match param.kind {
GenericParamDefKind::Lifetime => tcx.lifetimes.re_erased.into(), GenericParamDefKind::Lifetime => tcx.lifetimes.re_erased.into(),
GenericParamDefKind::Type { .. } GenericParamDefKind::Type { .. } | GenericParamDefKind::Const { .. } => {
| GenericParamDefKind::Const { .. } => {
trait_ref.substs[param.index as usize] trait_ref.substs[param.index as usize]
} }
}); });
let instance = let instance = ty::Instance::expect_resolve(tcx, param_env, method.def_id, substs);
ty::Instance::expect_resolve(tcx, param_env, method.def_id, substs);
let mono_item = create_fn_mono_item(tcx, instance, DUMMY_SP); let mono_item = create_fn_mono_item(tcx, instance, DUMMY_SP);
if mono_item.node.is_instantiable(tcx) && should_codegen_locally(tcx, &instance) if mono_item.node.is_instantiable(tcx) && should_codegen_locally(tcx, &instance) {
{
output.push(mono_item); output.push(mono_item);
} }
} }
}
}
_ => bug!(),
}
} }
/// Scans the miri alloc in order to find function calls, closures, and drop-glue. /// Scans the miri alloc in order to find function calls, closures, and drop-glue.

View File

@ -172,7 +172,7 @@ fn mark_used_by_default_parameters<'tcx>(
| DefKind::Field | DefKind::Field
| DefKind::LifetimeParam | DefKind::LifetimeParam
| DefKind::GlobalAsm | DefKind::GlobalAsm
| DefKind::Impl => { | DefKind::Impl { .. } => {
for param in &generics.params { for param in &generics.params {
debug!(?param, "(other)"); debug!(?param, "(other)");
if let ty::GenericParamDefKind::Lifetime = param.kind { if let ty::GenericParamDefKind::Lifetime = param.kind {

View File

@ -526,10 +526,8 @@ fn check_item<'tcx>(
} }
} }
} }
DefKind::Impl => { DefKind::Impl { of_trait } => {
let of_trait = tcx.impl_trait_ref(id.owner_id); if of_trait {
if of_trait.is_some() {
worklist.push(id.owner_id.def_id); worklist.push(id.owner_id.def_id);
} }
@ -541,7 +539,7 @@ fn check_item<'tcx>(
// And we access the Map here to get HirId from LocalDefId // And we access the Map here to get HirId from LocalDefId
for id in local_def_ids { for id in local_def_ids {
if of_trait.is_some() || has_allow_dead_code_or_lang_attr(tcx, id) { if of_trait || has_allow_dead_code_or_lang_attr(tcx, id) {
worklist.push(id); worklist.push(id);
} }
} }

View File

@ -145,7 +145,7 @@ fn check_liveness(tcx: TyCtxt<'_>, def_id: DefId) {
// Don't run unused pass for #[derive()] // Don't run unused pass for #[derive()]
let parent = tcx.local_parent(local_def_id); let parent = tcx.local_parent(local_def_id);
if let DefKind::Impl = tcx.def_kind(parent) if let DefKind::Impl { .. } = tcx.def_kind(parent)
&& tcx.has_attr(parent.to_def_id(), sym::automatically_derived) && tcx.has_attr(parent.to_def_id(), sym::automatically_derived)
{ {
return; return;

View File

@ -320,19 +320,19 @@ fn check_item<'tcx>(
worklist.push(id.owner_id.def_id); worklist.push(id.owner_id.def_id);
} }
if !matches!(tcx.def_kind(id.owner_id), DefKind::Impl) { if !matches!(tcx.def_kind(id.owner_id), DefKind::Impl { of_trait: true }) {
return; return;
} }
// We need only trait impls here, not inherent impls, and only non-exported ones // We need only trait impls here, not inherent impls, and only non-exported ones
let item = tcx.hir().item(id); if effective_visibilities.is_reachable(id.owner_id.def_id) {
if let hir::ItemKind::Impl(hir::Impl { of_trait: Some(ref trait_ref), ref items, .. }) = return;
item.kind }
{
if !effective_visibilities.is_reachable(item.owner_id.def_id) {
worklist.extend(items.iter().map(|ii_ref| ii_ref.id.owner_id.def_id));
let Res::Def(DefKind::Trait, trait_def_id) = trait_ref.path.res else { let items = tcx.associated_item_def_ids(id.owner_id);
worklist.extend(items.iter().map(|ii_ref| ii_ref.expect_local()));
let Some(trait_def_id) = tcx.trait_id_of_impl(id.owner_id.to_def_id()) else {
unreachable!(); unreachable!();
}; };
@ -340,11 +340,8 @@ fn check_item<'tcx>(
return; return;
} }
worklist.extend( worklist
tcx.provided_trait_methods(trait_def_id).map(|assoc| assoc.def_id.expect_local()), .extend(tcx.provided_trait_methods(trait_def_id).map(|assoc| assoc.def_id.expect_local()));
);
}
}
} }
fn has_custom_linkage(tcx: TyCtxt<'_>, def_id: LocalDefId) -> bool { fn has_custom_linkage(tcx: TyCtxt<'_>, def_id: LocalDefId) -> bool {

View File

@ -593,7 +593,7 @@ impl<'tcx> EmbargoVisitor<'tcx> {
| DefKind::InlineConst | DefKind::InlineConst
| DefKind::Field | DefKind::Field
| DefKind::GlobalAsm | DefKind::GlobalAsm
| DefKind::Impl | DefKind::Impl { .. }
| DefKind::Closure | DefKind::Closure
| DefKind::Generator => (), | DefKind::Generator => (),
} }
@ -1997,7 +1997,7 @@ impl<'tcx> PrivateItemsInPublicInterfacesChecker<'tcx> {
// Subitems of inherent impls have their own publicity. // Subitems of inherent impls have their own publicity.
// A trait impl is public when both its type and its trait are public // A trait impl is public when both its type and its trait are public
// Subitems of trait impls have inherited publicity. // Subitems of trait impls have inherited publicity.
DefKind::Impl => { DefKind::Impl { .. } => {
let item = tcx.hir().item(id); let item = tcx.hir().item(id);
if let hir::ItemKind::Impl(ref impl_) = item.kind { if let hir::ItemKind::Impl(ref impl_) = item.kind {
let impl_vis = let impl_vis =

View File

@ -987,7 +987,7 @@ impl<'a, 'b, 'tcx> BuildReducedGraphVisitor<'a, 'b, 'tcx> {
| DefKind::LifetimeParam | DefKind::LifetimeParam
| DefKind::GlobalAsm | DefKind::GlobalAsm
| DefKind::Closure | DefKind::Closure
| DefKind::Impl | DefKind::Impl { .. }
| DefKind::Generator, | DefKind::Generator,
_, _,
) )

View File

@ -733,7 +733,7 @@ impl<'tcx> SaveContext<'tcx> {
| HirDefKind::Use | HirDefKind::Use
| HirDefKind::Field | HirDefKind::Field
| HirDefKind::GlobalAsm | HirDefKind::GlobalAsm
| HirDefKind::Impl | HirDefKind::Impl { .. }
| HirDefKind::Closure | HirDefKind::Closure
| HirDefKind::Generator, | HirDefKind::Generator,
_, _,

View File

@ -21,7 +21,7 @@ fn assumed_wf_types(tcx: TyCtxt<'_>, def_id: DefId) -> &ty::List<Ty<'_>> {
assumed_wf_types.extend(liberated_sig.inputs_and_output); assumed_wf_types.extend(liberated_sig.inputs_and_output);
tcx.intern_type_list(&assumed_wf_types) tcx.intern_type_list(&assumed_wf_types)
} }
DefKind::Impl => { DefKind::Impl { .. } => {
match tcx.impl_trait_ref(def_id) { match tcx.impl_trait_ref(def_id) {
Some(trait_ref) => { Some(trait_ref) => {
let types: Vec<_> = trait_ref.skip_binder().substs.types().collect(); let types: Vec<_> = trait_ref.skip_binder().substs.types().collect();

View File

@ -140,7 +140,7 @@ impl From<DefKind> for ItemType {
| DefKind::Field | DefKind::Field
| DefKind::LifetimeParam | DefKind::LifetimeParam
| DefKind::GlobalAsm | DefKind::GlobalAsm
| DefKind::Impl | DefKind::Impl { .. }
| DefKind::Closure | DefKind::Closure
| DefKind::Generator => Self::ForeignType, | DefKind::Generator => Self::ForeignType,
} }

View File

@ -359,7 +359,7 @@ impl<'a, 'tcx> LinkCollector<'a, 'tcx> {
_ => def_id, _ => def_id,
}) })
.and_then(|self_id| match tcx.def_kind(self_id) { .and_then(|self_id| match tcx.def_kind(self_id) {
DefKind::Impl => self.def_id_to_res(self_id), DefKind::Impl { .. } => self.def_id_to_res(self_id),
DefKind::Use => None, DefKind::Use => None,
def_kind => Some(Res::Def(def_kind, self_id)), def_kind => Some(Res::Def(def_kind, self_id)),
}) })
@ -1761,7 +1761,7 @@ fn resolution_failure(
} }
Trait | TyAlias | ForeignTy | OpaqueTy | ImplTraitPlaceholder Trait | TyAlias | ForeignTy | OpaqueTy | ImplTraitPlaceholder
| TraitAlias | TyParam | Static(_) => "associated item", | TraitAlias | TyParam | Static(_) => "associated item",
Impl | GlobalAsm => unreachable!("not a path"), Impl { .. } | GlobalAsm => unreachable!("not a path"),
} }
} else { } else {
"associated item" "associated item"

View File

@ -52,7 +52,7 @@ impl<'tcx> LateLintPass<'tcx> for SameNameMethod {
let mut map = FxHashMap::<Res, ExistingName>::default(); let mut map = FxHashMap::<Res, ExistingName>::default();
for id in cx.tcx.hir().items() { for id in cx.tcx.hir().items() {
if matches!(cx.tcx.def_kind(id.owner_id), DefKind::Impl) if matches!(cx.tcx.def_kind(id.owner_id), DefKind::Impl { .. })
&& let item = cx.tcx.hir().item(id) && let item = cx.tcx.hir().item(id)
&& let ItemKind::Impl(Impl { && let ItemKind::Impl(Impl {
items, items,

View File

@ -552,7 +552,7 @@ fn non_local_item_children_by_name(tcx: TyCtxt<'_>, def_id: DefId, name: Symbol)
.filter(|item| item.ident.name == name) .filter(|item| item.ident.name == name)
.map(|child| child.res.expect_non_local()) .map(|child| child.res.expect_non_local())
.collect(), .collect(),
DefKind::Impl => tcx DefKind::Impl { .. } => tcx
.associated_item_def_ids(def_id) .associated_item_def_ids(def_id)
.iter() .iter()
.copied() .copied()

View File

@ -3,38 +3,17 @@
use std::ops::Index; use std::ops::Index;
pub fn next<'a, T>(s: &'a mut dyn SVec<Item = T, Output = T>) { pub fn next<'a, T>(s: &'a mut dyn SVec<Item = T, Output = T>) {
//~^ ERROR
//~^^ ERROR
//~^^^ ERROR
let _ = s; let _ = s;
} }
pub trait SVec: Index< pub trait SVec: Index<
<Self as SVec>::Item, <Self as SVec>::Item,
//~^ ERROR
//~^^ ERROR
//~^^^ ERROR
//~^^^^ ERROR
Output = <Index<<Self as SVec>::Item, Output = <Index<<Self as SVec>::Item,
//~^ ERROR
//~^^ ERROR
//~^^^ ERROR
//~^^^^ ERROR
Output = <Self as SVec>::Item> as SVec>::Item, Output = <Self as SVec>::Item> as SVec>::Item,
//~^ ERROR
//~^^ ERROR
//~^^^ ERROR
//~^^^^ ERROR
//~^^^^^ ERROR
//~^^^^^^ ERROR
//~^^^^^^^ ERROR
//~^^^^^^^^ ERROR
> { > {
type Item<'a, T>; type Item<'a, T>;
fn len(&self) -> <Self as SVec>::Item; fn len(&self) -> <Self as SVec>::Item;
//~^ ERROR //~^ ERROR
//~^^ ERROR //~^^ ERROR
//~^^^ ERROR
//~^^^^ ERROR
} }

View File

@ -1,328 +1,11 @@
error[E0107]: missing generics for associated type `SVec::Item` error[E0107]: missing generics for associated type `SVec::Item`
--> $DIR/issue-105742.rs:13:21 --> $DIR/issue-105742.rs:16:38
|
LL | <Self as SVec>::Item,
| ^^^^ expected 1 lifetime argument
|
note: associated type defined here, with 1 lifetime parameter: `'a`
--> $DIR/issue-105742.rs:33:10
|
LL | type Item<'a, T>;
| ^^^^ --
help: add missing lifetime argument
|
LL | <Self as SVec>::Item<'a>,
| ++++
error[E0107]: missing generics for associated type `SVec::Item`
--> $DIR/issue-105742.rs:13:21
|
LL | <Self as SVec>::Item,
| ^^^^ expected 1 generic argument
|
note: associated type defined here, with 1 generic parameter: `T`
--> $DIR/issue-105742.rs:33:10
|
LL | type Item<'a, T>;
| ^^^^ -
help: add missing generic argument
|
LL | <Self as SVec>::Item<T>,
| +++
error[E0107]: missing generics for associated type `SVec::Item`
--> $DIR/issue-105742.rs:18:37
|
LL | Output = <Index<<Self as SVec>::Item,
| ^^^^ expected 1 lifetime argument
|
note: associated type defined here, with 1 lifetime parameter: `'a`
--> $DIR/issue-105742.rs:33:10
|
LL | type Item<'a, T>;
| ^^^^ --
help: add missing lifetime argument
|
LL | Output = <Index<<Self as SVec>::Item<'a>,
| ++++
error[E0107]: missing generics for associated type `SVec::Item`
--> $DIR/issue-105742.rs:18:37
|
LL | Output = <Index<<Self as SVec>::Item,
| ^^^^ expected 1 generic argument
|
note: associated type defined here, with 1 generic parameter: `T`
--> $DIR/issue-105742.rs:33:10
|
LL | type Item<'a, T>;
| ^^^^ -
help: add missing generic argument
|
LL | Output = <Index<<Self as SVec>::Item<T>,
| +++
error[E0107]: missing generics for associated type `SVec::Item`
--> $DIR/issue-105742.rs:23:30
|
LL | Output = <Self as SVec>::Item> as SVec>::Item,
| ^^^^ expected 1 lifetime argument
|
note: associated type defined here, with 1 lifetime parameter: `'a`
--> $DIR/issue-105742.rs:33:10
|
LL | type Item<'a, T>;
| ^^^^ --
help: add missing lifetime argument
|
LL | Output = <Self as SVec>::Item<'a>> as SVec>::Item,
| ++++
error[E0107]: missing generics for associated type `SVec::Item`
--> $DIR/issue-105742.rs:23:30
|
LL | Output = <Self as SVec>::Item> as SVec>::Item,
| ^^^^ expected 1 generic argument
|
note: associated type defined here, with 1 generic parameter: `T`
--> $DIR/issue-105742.rs:33:10
|
LL | type Item<'a, T>;
| ^^^^ -
help: add missing generic argument
|
LL | Output = <Self as SVec>::Item<T>> as SVec>::Item,
| +++
error[E0107]: missing generics for associated type `SVec::Item`
--> $DIR/issue-105742.rs:23:46
|
LL | Output = <Self as SVec>::Item> as SVec>::Item,
| ^^^^ expected 1 lifetime argument
|
note: associated type defined here, with 1 lifetime parameter: `'a`
--> $DIR/issue-105742.rs:33:10
|
LL | type Item<'a, T>;
| ^^^^ --
help: add missing lifetime argument
|
LL | Output = <Self as SVec>::Item> as SVec>::Item<'a>,
| ++++
error[E0107]: missing generics for associated type `SVec::Item`
--> $DIR/issue-105742.rs:23:46
|
LL | Output = <Self as SVec>::Item> as SVec>::Item,
| ^^^^ expected 1 generic argument
|
note: associated type defined here, with 1 generic parameter: `T`
--> $DIR/issue-105742.rs:33:10
|
LL | type Item<'a, T>;
| ^^^^ -
help: add missing generic argument
|
LL | Output = <Self as SVec>::Item> as SVec>::Item<T>,
| +++
error[E0107]: missing generics for associated type `SVec::Item`
--> $DIR/issue-105742.rs:5:40
|
LL | pub fn next<'a, T>(s: &'a mut dyn SVec<Item = T, Output = T>) {
| ^^^^ expected 1 lifetime argument
|
note: associated type defined here, with 1 lifetime parameter: `'a`
--> $DIR/issue-105742.rs:33:10
|
LL | type Item<'a, T>;
| ^^^^ --
help: add missing lifetime argument
|
LL | pub fn next<'a, T>(s: &'a mut dyn SVec<Item<'_> = T, Output = T>) {
| ++++
error[E0107]: missing generics for associated type `SVec::Item`
--> $DIR/issue-105742.rs:5:40
|
LL | pub fn next<'a, T>(s: &'a mut dyn SVec<Item = T, Output = T>) {
| ^^^^ expected 1 generic argument
|
note: associated type defined here, with 1 generic parameter: `T`
--> $DIR/issue-105742.rs:33:10
|
LL | type Item<'a, T>;
| ^^^^ -
help: add missing generic argument
|
LL | pub fn next<'a, T>(s: &'a mut dyn SVec<Item<T> = T, Output = T>) {
| +++
error[E0107]: missing generics for associated type `SVec::Item`
--> $DIR/issue-105742.rs:13:21
|
LL | <Self as SVec>::Item,
| ^^^^ expected 1 lifetime argument
|
note: associated type defined here, with 1 lifetime parameter: `'a`
--> $DIR/issue-105742.rs:33:10
|
LL | type Item<'a, T>;
| ^^^^ --
help: add missing lifetime argument
|
LL | <Self as SVec>::Item<'a>,
| ++++
error[E0107]: missing generics for associated type `SVec::Item`
--> $DIR/issue-105742.rs:13:21
|
LL | <Self as SVec>::Item,
| ^^^^ expected 1 generic argument
|
note: associated type defined here, with 1 generic parameter: `T`
--> $DIR/issue-105742.rs:33:10
|
LL | type Item<'a, T>;
| ^^^^ -
help: add missing generic argument
|
LL | <Self as SVec>::Item<T>,
| +++
error[E0107]: missing generics for associated type `SVec::Item`
--> $DIR/issue-105742.rs:18:37
|
LL | Output = <Index<<Self as SVec>::Item,
| ^^^^ expected 1 lifetime argument
|
note: associated type defined here, with 1 lifetime parameter: `'a`
--> $DIR/issue-105742.rs:33:10
|
LL | type Item<'a, T>;
| ^^^^ --
help: add missing lifetime argument
|
LL | Output = <Index<<Self as SVec>::Item<'a>,
| ++++
error[E0107]: missing generics for associated type `SVec::Item`
--> $DIR/issue-105742.rs:18:37
|
LL | Output = <Index<<Self as SVec>::Item,
| ^^^^ expected 1 generic argument
|
note: associated type defined here, with 1 generic parameter: `T`
--> $DIR/issue-105742.rs:33:10
|
LL | type Item<'a, T>;
| ^^^^ -
help: add missing generic argument
|
LL | Output = <Index<<Self as SVec>::Item<T>,
| +++
error[E0107]: missing generics for associated type `SVec::Item`
--> $DIR/issue-105742.rs:23:30
|
LL | Output = <Self as SVec>::Item> as SVec>::Item,
| ^^^^ expected 1 lifetime argument
|
note: associated type defined here, with 1 lifetime parameter: `'a`
--> $DIR/issue-105742.rs:33:10
|
LL | type Item<'a, T>;
| ^^^^ --
help: add missing lifetime argument
|
LL | Output = <Self as SVec>::Item<'a>> as SVec>::Item,
| ++++
error[E0107]: missing generics for associated type `SVec::Item`
--> $DIR/issue-105742.rs:23:30
|
LL | Output = <Self as SVec>::Item> as SVec>::Item,
| ^^^^ expected 1 generic argument
|
note: associated type defined here, with 1 generic parameter: `T`
--> $DIR/issue-105742.rs:33:10
|
LL | type Item<'a, T>;
| ^^^^ -
help: add missing generic argument
|
LL | Output = <Self as SVec>::Item<T>> as SVec>::Item,
| +++
error[E0107]: missing generics for associated type `SVec::Item`
--> $DIR/issue-105742.rs:23:46
|
LL | Output = <Self as SVec>::Item> as SVec>::Item,
| ^^^^ expected 1 lifetime argument
|
note: associated type defined here, with 1 lifetime parameter: `'a`
--> $DIR/issue-105742.rs:33:10
|
LL | type Item<'a, T>;
| ^^^^ --
help: add missing lifetime argument
|
LL | Output = <Self as SVec>::Item> as SVec>::Item<'a>,
| ++++
error[E0107]: missing generics for associated type `SVec::Item`
--> $DIR/issue-105742.rs:23:46
|
LL | Output = <Self as SVec>::Item> as SVec>::Item,
| ^^^^ expected 1 generic argument
|
note: associated type defined here, with 1 generic parameter: `T`
--> $DIR/issue-105742.rs:33:10
|
LL | type Item<'a, T>;
| ^^^^ -
help: add missing generic argument
|
LL | Output = <Self as SVec>::Item> as SVec>::Item<T>,
| +++
error[E0038]: the trait `SVec` cannot be made into an object
--> $DIR/issue-105742.rs:5:31
|
LL | pub fn next<'a, T>(s: &'a mut dyn SVec<Item = T, Output = T>) {
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ `SVec` cannot be made into an object
|
note: for a trait to be "object safe" it needs to allow building a vtable to allow the call to be resolvable dynamically; for more information visit <https://doc.rust-lang.org/reference/items/traits.html#object-safety>
--> $DIR/issue-105742.rs:12:17
|
LL | pub trait SVec: Index<
| ____________----__^
| | |
| | this trait cannot be made into an object...
LL | | <Self as SVec>::Item,
LL | |
LL | |
... |
LL | |/ Output = <Index<<Self as SVec>::Item,
LL | ||
LL | ||
LL | ||
LL | ||
LL | || Output = <Self as SVec>::Item> as SVec>::Item,
| ||_________________________________________________^ ...because it uses `Self` as a type parameter
... |
LL | |
LL | | > {
| |__^ ...because it uses `Self` as a type parameter
error[E0107]: missing generics for associated type `SVec::Item`
--> $DIR/issue-105742.rs:35:38
| |
LL | fn len(&self) -> <Self as SVec>::Item; LL | fn len(&self) -> <Self as SVec>::Item;
| ^^^^ expected 1 lifetime argument | ^^^^ expected 1 lifetime argument
| |
note: associated type defined here, with 1 lifetime parameter: `'a` note: associated type defined here, with 1 lifetime parameter: `'a`
--> $DIR/issue-105742.rs:33:10 --> $DIR/issue-105742.rs:14:10
| |
LL | type Item<'a, T>; LL | type Item<'a, T>;
| ^^^^ -- | ^^^^ --
@ -332,13 +15,13 @@ LL | fn len(&self) -> <Self as SVec>::Item<'_>;
| ++++ | ++++
error[E0107]: missing generics for associated type `SVec::Item` error[E0107]: missing generics for associated type `SVec::Item`
--> $DIR/issue-105742.rs:35:38 --> $DIR/issue-105742.rs:16:38
| |
LL | fn len(&self) -> <Self as SVec>::Item; LL | fn len(&self) -> <Self as SVec>::Item;
| ^^^^ expected 1 generic argument | ^^^^ expected 1 generic argument
| |
note: associated type defined here, with 1 generic parameter: `T` note: associated type defined here, with 1 generic parameter: `T`
--> $DIR/issue-105742.rs:33:10 --> $DIR/issue-105742.rs:14:10
| |
LL | type Item<'a, T>; LL | type Item<'a, T>;
| ^^^^ - | ^^^^ -
@ -347,39 +30,6 @@ help: add missing generic argument
LL | fn len(&self) -> <Self as SVec>::Item<T>; LL | fn len(&self) -> <Self as SVec>::Item<T>;
| +++ | +++
error[E0107]: missing generics for associated type `SVec::Item` error: aborting due to 2 previous errors
--> $DIR/issue-105742.rs:35:38
|
LL | fn len(&self) -> <Self as SVec>::Item;
| ^^^^ expected 1 lifetime argument
|
note: associated type defined here, with 1 lifetime parameter: `'a`
--> $DIR/issue-105742.rs:33:10
|
LL | type Item<'a, T>;
| ^^^^ --
help: add missing lifetime argument
|
LL | fn len(&self) -> <Self as SVec>::Item<'_>;
| ++++
error[E0107]: missing generics for associated type `SVec::Item` For more information about this error, try `rustc --explain E0107`.
--> $DIR/issue-105742.rs:35:38
|
LL | fn len(&self) -> <Self as SVec>::Item;
| ^^^^ expected 1 generic argument
|
note: associated type defined here, with 1 generic parameter: `T`
--> $DIR/issue-105742.rs:33:10
|
LL | type Item<'a, T>;
| ^^^^ -
help: add missing generic argument
|
LL | fn len(&self) -> <Self as SVec>::Item<T>;
| +++
error: aborting due to 23 previous errors
Some errors have detailed explanations: E0038, E0107.
For more information about an error, try `rustc --explain E0038`.

View File

@ -15,7 +15,7 @@ LL | impl<T: Clone> SpaceLlama for T {
| ------------------------------- parent `impl` is here | ------------------------------- parent `impl` is here
... ...
LL | default fn fly(&self) {} LL | default fn fly(&self) {}
| ^^^^^^^^^^^^^^^^^^^^^^^^ cannot specialize default item `fly` | ^^^^^^^^^^^^^^^^^^^^^ cannot specialize default item `fly`
| |
= note: to specialize, `fly` in the parent `impl` must be marked `default` = note: to specialize, `fly` in the parent `impl` must be marked `default`

View File

@ -15,7 +15,7 @@ LL | impl<T> Foo for T {
| ----------------- parent `impl` is here | ----------------- parent `impl` is here
... ...
LL | fn foo(&self) {} LL | fn foo(&self) {}
| ^^^^^^^^^^^^^^^^ cannot specialize default item `foo` | ^^^^^^^^^^^^^ cannot specialize default item `foo`
| |
= note: to specialize, `foo` in the parent `impl` must be marked `default` = note: to specialize, `foo` in the parent `impl` must be marked `default`
@ -26,7 +26,7 @@ LL | impl<T> Foo for T {
| ----------------- parent `impl` is here | ----------------- parent `impl` is here
... ...
LL | fn bar(&self) {} LL | fn bar(&self) {}
| ^^^^^^^^^^^^^^^^ cannot specialize default item `bar` | ^^^^^^^^^^^^^ cannot specialize default item `bar`
| |
= note: to specialize, `bar` in the parent `impl` must be marked `default` = note: to specialize, `bar` in the parent `impl` must be marked `default`
@ -37,7 +37,7 @@ LL | impl<T> Bar for T {
| ----------------- parent `impl` is here | ----------------- parent `impl` is here
... ...
LL | type T = (); LL | type T = ();
| ^^^^^^^^^^^^ cannot specialize default item `T` | ^^^^^^ cannot specialize default item `T`
| |
= note: to specialize, `T` in the parent `impl` must be marked `default` = note: to specialize, `T` in the parent `impl` must be marked `default`
@ -48,7 +48,7 @@ LL | impl<T: Clone> Baz for T {
| ------------------------ parent `impl` is here | ------------------------ parent `impl` is here
... ...
LL | fn baz(&self) {} LL | fn baz(&self) {}
| ^^^^^^^^^^^^^^^^ cannot specialize default item `baz` | ^^^^^^^^^^^^^ cannot specialize default item `baz`
| |
= note: to specialize, `baz` in the parent `impl` must be marked `default` = note: to specialize, `baz` in the parent `impl` must be marked `default`
@ -59,7 +59,7 @@ LL | impl<T: Clone> Redundant for T {
| ------------------------------ parent `impl` is here | ------------------------------ parent `impl` is here
... ...
LL | fn redundant(&self) {} LL | fn redundant(&self) {}
| ^^^^^^^^^^^^^^^^^^^^^^ cannot specialize default item `redundant` | ^^^^^^^^^^^^^^^^^^^ cannot specialize default item `redundant`
| |
= note: to specialize, `redundant` in the parent `impl` must be marked `default` = note: to specialize, `redundant` in the parent `impl` must be marked `default`

View File

@ -12,7 +12,7 @@ error[E0520]: `foo` specializes an item from a parent `impl`, but that item is n
--> $DIR/issue-50452-fail.rs:10:5 --> $DIR/issue-50452-fail.rs:10:5
| |
LL | fn foo() {} LL | fn foo() {}
| ^^^^^^^^^^^ cannot specialize default item `foo` | ^^^^^^^^ cannot specialize default item `foo`
... ...
LL | impl<T> Foo for T { LL | impl<T> Foo for T {
| ----------------- parent `impl` is here | ----------------- parent `impl` is here

View File

@ -15,7 +15,7 @@ LL | impl<T> Foo for Box<T> {
| ---------------------- parent `impl` is here | ---------------------- parent `impl` is here
... ...
LL | type Ty = Vec<()>; LL | type Ty = Vec<()>;
| ^^^^^^^^^^^^^^^^^^ cannot specialize default item `Ty` | ^^^^^^^ cannot specialize default item `Ty`
| |
= note: to specialize, `Ty` in the parent `impl` must be marked `default` = note: to specialize, `Ty` in the parent `impl` must be marked `default`
@ -26,7 +26,7 @@ LL | impl<T> Foo for Box<T> {
| ---------------------- parent `impl` is here | ---------------------- parent `impl` is here
... ...
LL | const CONST: u8 = 42; LL | const CONST: u8 = 42;
| ^^^^^^^^^^^^^^^^^^^^^ cannot specialize default item `CONST` | ^^^^^^^^^^^^^^^ cannot specialize default item `CONST`
| |
= note: to specialize, `CONST` in the parent `impl` must be marked `default` = note: to specialize, `CONST` in the parent `impl` must be marked `default`
@ -37,7 +37,7 @@ LL | impl<T> Foo for Box<T> {
| ---------------------- parent `impl` is here | ---------------------- parent `impl` is here
... ...
LL | fn foo(&self) -> bool { true } LL | fn foo(&self) -> bool { true }
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ cannot specialize default item `foo` | ^^^^^^^^^^^^^^^^^^^^^ cannot specialize default item `foo`
| |
= note: to specialize, `foo` in the parent `impl` must be marked `default` = note: to specialize, `foo` in the parent `impl` must be marked `default`
@ -48,7 +48,7 @@ LL | impl<T> Foo for Vec<T> {}
| ---------------------- parent `impl` is here | ---------------------- parent `impl` is here
... ...
LL | type Ty = Vec<()>; LL | type Ty = Vec<()>;
| ^^^^^^^^^^^^^^^^^^ cannot specialize default item `Ty` | ^^^^^^^ cannot specialize default item `Ty`
| |
= note: to specialize, `Ty` in the parent `impl` must be marked `default` = note: to specialize, `Ty` in the parent `impl` must be marked `default`
@ -59,7 +59,7 @@ LL | impl<T> Foo for Vec<T> {}
| ---------------------- parent `impl` is here | ---------------------- parent `impl` is here
... ...
LL | const CONST: u8 = 42; LL | const CONST: u8 = 42;
| ^^^^^^^^^^^^^^^^^^^^^ cannot specialize default item `CONST` | ^^^^^^^^^^^^^^^ cannot specialize default item `CONST`
| |
= note: to specialize, `CONST` in the parent `impl` must be marked `default` = note: to specialize, `CONST` in the parent `impl` must be marked `default`
@ -70,7 +70,7 @@ LL | impl<T> Foo for Vec<T> {}
| ---------------------- parent `impl` is here | ---------------------- parent `impl` is here
... ...
LL | fn foo(&self) -> bool { true } LL | fn foo(&self) -> bool { true }
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ cannot specialize default item `foo` | ^^^^^^^^^^^^^^^^^^^^^ cannot specialize default item `foo`
| |
= note: to specialize, `foo` in the parent `impl` must be marked `default` = note: to specialize, `foo` in the parent `impl` must be marked `default`

View File

@ -15,7 +15,7 @@ LL | impl<T> Foo for T {
| ----------------- parent `impl` is here | ----------------- parent `impl` is here
... ...
LL | fn foo(&self) {} LL | fn foo(&self) {}
| ^^^^^^^^^^^^^^^^ cannot specialize default item `foo` | ^^^^^^^^^^^^^ cannot specialize default item `foo`
| |
= note: to specialize, `foo` in the parent `impl` must be marked `default` = note: to specialize, `foo` in the parent `impl` must be marked `default`
@ -26,7 +26,7 @@ LL | impl<T> Foo for T {
| ----------------- parent `impl` is here | ----------------- parent `impl` is here
... ...
LL | fn bar(&self) {} LL | fn bar(&self) {}
| ^^^^^^^^^^^^^^^^ cannot specialize default item `bar` | ^^^^^^^^^^^^^ cannot specialize default item `bar`
| |
= note: to specialize, `bar` in the parent `impl` must be marked `default` = note: to specialize, `bar` in the parent `impl` must be marked `default`
@ -37,7 +37,7 @@ LL | impl<T> Bar for T {
| ----------------- parent `impl` is here | ----------------- parent `impl` is here
... ...
LL | type T = (); LL | type T = ();
| ^^^^^^^^^^^^ cannot specialize default item `T` | ^^^^^^ cannot specialize default item `T`
| |
= note: to specialize, `T` in the parent `impl` must be marked `default` = note: to specialize, `T` in the parent `impl` must be marked `default`
@ -48,7 +48,7 @@ LL | impl<T: Clone> Baz for T {
| ------------------------ parent `impl` is here | ------------------------ parent `impl` is here
... ...
LL | fn baz(&self) {} LL | fn baz(&self) {}
| ^^^^^^^^^^^^^^^^ cannot specialize default item `baz` | ^^^^^^^^^^^^^ cannot specialize default item `baz`
| |
= note: to specialize, `baz` in the parent `impl` must be marked `default` = note: to specialize, `baz` in the parent `impl` must be marked `default`
@ -59,7 +59,7 @@ LL | impl<T: Clone> Redundant for T {
| ------------------------------ parent `impl` is here | ------------------------------ parent `impl` is here
... ...
LL | default fn redundant(&self) {} LL | default fn redundant(&self) {}
| ^^^^^^^^^^^^^^^^^^^^^^^^^^^^^^ cannot specialize default item `redundant` | ^^^^^^^^^^^^^^^^^^^^^^^^^^^ cannot specialize default item `redundant`
| |
= note: to specialize, `redundant` in the parent `impl` must be marked `default` = note: to specialize, `redundant` in the parent `impl` must be marked `default`

View File

@ -2,7 +2,7 @@ error[E0749]: negative impls cannot have any items
--> $DIR/no-items.rs:8:5 --> $DIR/no-items.rs:8:5
| |
LL | type Foo = i32; LL | type Foo = i32;
| ^^^^^^^^^^^^^^^ | ^^^^^^^^
error: aborting due to previous error error: aborting due to previous error