Auto merge of #72433 - RalfJung:rollup-srft8nx, r=RalfJung
Rollup of 7 pull requests Successful merges: - #72055 (Intern predicates) - #72149 (Don't `type_of` on trait assoc ty without default) - #72347 (Make intra-link resolve links for both trait and impl items) - #72350 (Improve documentation of `slice::from_raw_parts`) - #72382 (Show default values for debug-assertions & debug-assertions-std) - #72421 (Fix anchor display when hovering impl) - #72425 (fix discriminant_value sign extension) Failed merges: r? @ghost
This commit is contained in:
commit
d9417b3851
72 changed files with 942 additions and 683 deletions
|
|
@ -312,11 +312,11 @@
|
|||
|
||||
# Whether or not debug assertions are enabled for the compiler and standard
|
||||
# library.
|
||||
#debug-assertions = false
|
||||
#debug-assertions = debug
|
||||
|
||||
# Whether or not debug assertions are enabled for the standard library.
|
||||
# Overrides the `debug-assertions` option, if defined.
|
||||
#debug-assertions-std = false
|
||||
#debug-assertions-std = debug-assertions
|
||||
|
||||
# Debuginfo level for most of Rust code, corresponds to the `-C debuginfo=N` option of `rustc`.
|
||||
# `0` - no debug info
|
||||
|
|
|
|||
|
|
@ -5740,7 +5740,8 @@ unsafe impl<'a, T> TrustedRandomAccess for RChunksExactMut<'a, T> {
|
|||
/// and it must be properly aligned. This means in particular:
|
||||
///
|
||||
/// * The entire memory range of this slice must be contained within a single allocated object!
|
||||
/// Slices can never span across multiple allocated objects.
|
||||
/// Slices can never span across multiple allocated objects. See [below](#incorrect-usage)
|
||||
/// for an example incorrectly not taking this into account.
|
||||
/// * `data` must be non-null and aligned even for zero-length slices. One
|
||||
/// reason for this is that enum layout optimizations may rely on references
|
||||
/// (including slices of any length) being aligned and non-null to distinguish
|
||||
|
|
@ -5773,6 +5774,34 @@ unsafe impl<'a, T> TrustedRandomAccess for RChunksExactMut<'a, T> {
|
|||
/// assert_eq!(slice[0], 42);
|
||||
/// ```
|
||||
///
|
||||
/// ### Incorrect usage
|
||||
///
|
||||
/// The following `join_slices` function is **unsound** ⚠️
|
||||
///
|
||||
/// ```rust,no_run
|
||||
/// use std::slice;
|
||||
///
|
||||
/// fn join_slices<'a, T>(fst: &'a [T], snd: &'a [T]) -> &'a [T] {
|
||||
/// let fst_end = fst.as_ptr().wrapping_add(fst.len());
|
||||
/// let snd_start = snd.as_ptr();
|
||||
/// assert_eq!(fst_end, snd_start, "Slices must be contiguous!");
|
||||
/// unsafe {
|
||||
/// // The assertion above ensures `fst` and `snd` are contiguous, but they might
|
||||
/// // still be contained within _different allocated objects_, in which case
|
||||
/// // creating this slice is undefined behavior.
|
||||
/// slice::from_raw_parts(fst.as_ptr(), fst.len() + snd.len())
|
||||
/// }
|
||||
/// }
|
||||
///
|
||||
/// fn main() {
|
||||
/// // `a` and `b` are different allocated objects...
|
||||
/// let a = 42;
|
||||
/// let b = 27;
|
||||
/// // ... which may nevertheless be laid out contiguously in memory: | a | b |
|
||||
/// let _ = join_slices(slice::from_ref(&a), slice::from_ref(&b)); // UB
|
||||
/// }
|
||||
/// ```
|
||||
///
|
||||
/// [valid]: ../../std/ptr/index.html#safety
|
||||
/// [`NonNull::dangling()`]: ../../std/ptr/struct.NonNull.html#method.dangling
|
||||
/// [`pointer::offset`]: ../../std/primitive.pointer.html#method.offset
|
||||
|
|
|
|||
|
|
@ -25,7 +25,7 @@ use rustc_middle::arena::ArenaAllocatable;
|
|||
use rustc_middle::ty::fold::TypeFoldable;
|
||||
use rustc_middle::ty::relate::TypeRelation;
|
||||
use rustc_middle::ty::subst::{GenericArg, GenericArgKind};
|
||||
use rustc_middle::ty::{self, BoundVar, Const, Ty, TyCtxt};
|
||||
use rustc_middle::ty::{self, BoundVar, Const, ToPredicate, Ty, TyCtxt};
|
||||
use std::fmt::Debug;
|
||||
|
||||
impl<'cx, 'tcx> InferCtxt<'cx, 'tcx> {
|
||||
|
|
@ -532,12 +532,14 @@ impl<'cx, 'tcx> InferCtxt<'cx, 'tcx> {
|
|||
cause.clone(),
|
||||
param_env,
|
||||
match k1.unpack() {
|
||||
GenericArgKind::Lifetime(r1) => ty::Predicate::RegionOutlives(
|
||||
GenericArgKind::Lifetime(r1) => ty::PredicateKind::RegionOutlives(
|
||||
ty::Binder::bind(ty::OutlivesPredicate(r1, r2)),
|
||||
),
|
||||
GenericArgKind::Type(t1) => {
|
||||
ty::Predicate::TypeOutlives(ty::Binder::bind(ty::OutlivesPredicate(t1, r2)))
|
||||
}
|
||||
)
|
||||
.to_predicate(self.tcx),
|
||||
GenericArgKind::Type(t1) => ty::PredicateKind::TypeOutlives(ty::Binder::bind(
|
||||
ty::OutlivesPredicate(t1, r2),
|
||||
))
|
||||
.to_predicate(self.tcx),
|
||||
GenericArgKind::Const(..) => {
|
||||
// Consts cannot outlive one another, so we don't expect to
|
||||
// ecounter this branch.
|
||||
|
|
@ -664,9 +666,10 @@ impl<'tcx> TypeRelatingDelegate<'tcx> for QueryTypeRelatingDelegate<'_, 'tcx> {
|
|||
self.obligations.push(Obligation {
|
||||
cause: self.cause.clone(),
|
||||
param_env: self.param_env,
|
||||
predicate: ty::Predicate::RegionOutlives(ty::Binder::dummy(ty::OutlivesPredicate(
|
||||
predicate: ty::PredicateKind::RegionOutlives(ty::Binder::dummy(ty::OutlivesPredicate(
|
||||
sup, sub,
|
||||
))),
|
||||
)))
|
||||
.to_predicate(self.infcx.tcx),
|
||||
recursion_depth: 0,
|
||||
});
|
||||
}
|
||||
|
|
|
|||
|
|
@ -39,7 +39,7 @@ use rustc_hir::def_id::DefId;
|
|||
use rustc_middle::ty::error::TypeError;
|
||||
use rustc_middle::ty::relate::{self, Relate, RelateResult, TypeRelation};
|
||||
use rustc_middle::ty::subst::SubstsRef;
|
||||
use rustc_middle::ty::{self, InferConst, Ty, TyCtxt, TypeFoldable};
|
||||
use rustc_middle::ty::{self, InferConst, ToPredicate, Ty, TyCtxt, TypeFoldable};
|
||||
use rustc_middle::ty::{IntType, UintType};
|
||||
use rustc_span::{Span, DUMMY_SP};
|
||||
|
||||
|
|
@ -307,7 +307,7 @@ impl<'infcx, 'tcx> CombineFields<'infcx, 'tcx> {
|
|||
self.obligations.push(Obligation::new(
|
||||
self.trace.cause.clone(),
|
||||
self.param_env,
|
||||
ty::Predicate::WellFormed(b_ty),
|
||||
ty::PredicateKind::WellFormed(b_ty).to_predicate(self.infcx.tcx),
|
||||
));
|
||||
}
|
||||
|
||||
|
|
@ -398,11 +398,15 @@ impl<'infcx, 'tcx> CombineFields<'infcx, 'tcx> {
|
|||
b: &'tcx ty::Const<'tcx>,
|
||||
) {
|
||||
let predicate = if a_is_expected {
|
||||
ty::Predicate::ConstEquate(a, b)
|
||||
ty::PredicateKind::ConstEquate(a, b)
|
||||
} else {
|
||||
ty::Predicate::ConstEquate(b, a)
|
||||
ty::PredicateKind::ConstEquate(b, a)
|
||||
};
|
||||
self.obligations.push(Obligation::new(self.trace.cause.clone(), self.param_env, predicate));
|
||||
self.obligations.push(Obligation::new(
|
||||
self.trace.cause.clone(),
|
||||
self.param_env,
|
||||
predicate.to_predicate(self.tcx()),
|
||||
));
|
||||
}
|
||||
}
|
||||
|
||||
|
|
|
|||
|
|
@ -11,17 +11,17 @@ pub fn explicit_outlives_bounds<'tcx>(
|
|||
param_env: ty::ParamEnv<'tcx>,
|
||||
) -> impl Iterator<Item = OutlivesBound<'tcx>> + 'tcx {
|
||||
debug!("explicit_outlives_bounds()");
|
||||
param_env.caller_bounds.into_iter().filter_map(move |predicate| match predicate {
|
||||
ty::Predicate::Projection(..)
|
||||
| ty::Predicate::Trait(..)
|
||||
| ty::Predicate::Subtype(..)
|
||||
| ty::Predicate::WellFormed(..)
|
||||
| ty::Predicate::ObjectSafe(..)
|
||||
| ty::Predicate::ClosureKind(..)
|
||||
| ty::Predicate::TypeOutlives(..)
|
||||
| ty::Predicate::ConstEvaluatable(..)
|
||||
| ty::Predicate::ConstEquate(..) => None,
|
||||
ty::Predicate::RegionOutlives(ref data) => data
|
||||
param_env.caller_bounds.into_iter().filter_map(move |predicate| match predicate.kind() {
|
||||
ty::PredicateKind::Projection(..)
|
||||
| ty::PredicateKind::Trait(..)
|
||||
| ty::PredicateKind::Subtype(..)
|
||||
| ty::PredicateKind::WellFormed(..)
|
||||
| ty::PredicateKind::ObjectSafe(..)
|
||||
| ty::PredicateKind::ClosureKind(..)
|
||||
| ty::PredicateKind::TypeOutlives(..)
|
||||
| ty::PredicateKind::ConstEvaluatable(..)
|
||||
| ty::PredicateKind::ConstEquate(..) => None,
|
||||
ty::PredicateKind::RegionOutlives(ref data) => data
|
||||
.no_bound_vars()
|
||||
.map(|ty::OutlivesPredicate(r_a, r_b)| OutlivesBound::RegionSubRegion(r_b, r_a)),
|
||||
})
|
||||
|
|
|
|||
|
|
@ -6,7 +6,7 @@ use crate::traits::Obligation;
|
|||
use rustc_middle::ty::fold::TypeFoldable;
|
||||
use rustc_middle::ty::relate::{Cause, Relate, RelateResult, TypeRelation};
|
||||
use rustc_middle::ty::TyVar;
|
||||
use rustc_middle::ty::{self, Ty, TyCtxt};
|
||||
use rustc_middle::ty::{self, ToPredicate, Ty, TyCtxt};
|
||||
use std::mem;
|
||||
|
||||
/// Ensures `a` is made a subtype of `b`. Returns `a` on success.
|
||||
|
|
@ -100,11 +100,12 @@ impl TypeRelation<'tcx> for Sub<'combine, 'infcx, 'tcx> {
|
|||
self.fields.obligations.push(Obligation::new(
|
||||
self.fields.trace.cause.clone(),
|
||||
self.fields.param_env,
|
||||
ty::Predicate::Subtype(ty::Binder::dummy(ty::SubtypePredicate {
|
||||
ty::PredicateKind::Subtype(ty::Binder::dummy(ty::SubtypePredicate {
|
||||
a_is_expected: self.a_is_expected,
|
||||
a,
|
||||
b,
|
||||
})),
|
||||
}))
|
||||
.to_predicate(self.tcx()),
|
||||
));
|
||||
|
||||
Ok(a)
|
||||
|
|
|
|||
|
|
@ -33,7 +33,7 @@ pub trait TraitEngine<'tcx>: 'tcx {
|
|||
cause,
|
||||
recursion_depth: 0,
|
||||
param_env,
|
||||
predicate: trait_ref.without_const().to_predicate(),
|
||||
predicate: trait_ref.without_const().to_predicate(infcx.tcx),
|
||||
},
|
||||
);
|
||||
}
|
||||
|
|
|
|||
|
|
@ -59,7 +59,7 @@ pub type TraitObligation<'tcx> = Obligation<'tcx, ty::PolyTraitPredicate<'tcx>>;
|
|||
|
||||
// `PredicateObligation` is used a lot. Make sure it doesn't unintentionally get bigger.
|
||||
#[cfg(target_arch = "x86_64")]
|
||||
static_assert_size!(PredicateObligation<'_>, 112);
|
||||
static_assert_size!(PredicateObligation<'_>, 88);
|
||||
|
||||
pub type Obligations<'tcx, O> = Vec<Obligation<'tcx, O>>;
|
||||
pub type PredicateObligations<'tcx> = Vec<PredicateObligation<'tcx>>;
|
||||
|
|
|
|||
|
|
@ -10,40 +10,49 @@ pub fn anonymize_predicate<'tcx>(
|
|||
tcx: TyCtxt<'tcx>,
|
||||
pred: &ty::Predicate<'tcx>,
|
||||
) -> ty::Predicate<'tcx> {
|
||||
match *pred {
|
||||
ty::Predicate::Trait(ref data, constness) => {
|
||||
ty::Predicate::Trait(tcx.anonymize_late_bound_regions(data), constness)
|
||||
match pred.kind() {
|
||||
&ty::PredicateKind::Trait(ref data, constness) => {
|
||||
ty::PredicateKind::Trait(tcx.anonymize_late_bound_regions(data), constness)
|
||||
.to_predicate(tcx)
|
||||
}
|
||||
|
||||
ty::Predicate::RegionOutlives(ref data) => {
|
||||
ty::Predicate::RegionOutlives(tcx.anonymize_late_bound_regions(data))
|
||||
ty::PredicateKind::RegionOutlives(data) => {
|
||||
ty::PredicateKind::RegionOutlives(tcx.anonymize_late_bound_regions(data))
|
||||
.to_predicate(tcx)
|
||||
}
|
||||
|
||||
ty::Predicate::TypeOutlives(ref data) => {
|
||||
ty::Predicate::TypeOutlives(tcx.anonymize_late_bound_regions(data))
|
||||
ty::PredicateKind::TypeOutlives(data) => {
|
||||
ty::PredicateKind::TypeOutlives(tcx.anonymize_late_bound_regions(data))
|
||||
.to_predicate(tcx)
|
||||
}
|
||||
|
||||
ty::Predicate::Projection(ref data) => {
|
||||
ty::Predicate::Projection(tcx.anonymize_late_bound_regions(data))
|
||||
ty::PredicateKind::Projection(data) => {
|
||||
ty::PredicateKind::Projection(tcx.anonymize_late_bound_regions(data)).to_predicate(tcx)
|
||||
}
|
||||
|
||||
ty::Predicate::WellFormed(data) => ty::Predicate::WellFormed(data),
|
||||
|
||||
ty::Predicate::ObjectSafe(data) => ty::Predicate::ObjectSafe(data),
|
||||
|
||||
ty::Predicate::ClosureKind(closure_def_id, closure_substs, kind) => {
|
||||
ty::Predicate::ClosureKind(closure_def_id, closure_substs, kind)
|
||||
&ty::PredicateKind::WellFormed(data) => {
|
||||
ty::PredicateKind::WellFormed(data).to_predicate(tcx)
|
||||
}
|
||||
|
||||
ty::Predicate::Subtype(ref data) => {
|
||||
ty::Predicate::Subtype(tcx.anonymize_late_bound_regions(data))
|
||||
&ty::PredicateKind::ObjectSafe(data) => {
|
||||
ty::PredicateKind::ObjectSafe(data).to_predicate(tcx)
|
||||
}
|
||||
|
||||
ty::Predicate::ConstEvaluatable(def_id, substs) => {
|
||||
ty::Predicate::ConstEvaluatable(def_id, substs)
|
||||
&ty::PredicateKind::ClosureKind(closure_def_id, closure_substs, kind) => {
|
||||
ty::PredicateKind::ClosureKind(closure_def_id, closure_substs, kind).to_predicate(tcx)
|
||||
}
|
||||
|
||||
ty::Predicate::ConstEquate(c1, c2) => ty::Predicate::ConstEquate(c1, c2),
|
||||
ty::PredicateKind::Subtype(data) => {
|
||||
ty::PredicateKind::Subtype(tcx.anonymize_late_bound_regions(data)).to_predicate(tcx)
|
||||
}
|
||||
|
||||
&ty::PredicateKind::ConstEvaluatable(def_id, substs) => {
|
||||
ty::PredicateKind::ConstEvaluatable(def_id, substs).to_predicate(tcx)
|
||||
}
|
||||
|
||||
ty::PredicateKind::ConstEquate(c1, c2) => {
|
||||
ty::PredicateKind::ConstEquate(c1, c2).to_predicate(tcx)
|
||||
}
|
||||
}
|
||||
}
|
||||
|
||||
|
|
@ -99,14 +108,14 @@ pub fn elaborate_trait_ref<'tcx>(
|
|||
tcx: TyCtxt<'tcx>,
|
||||
trait_ref: ty::PolyTraitRef<'tcx>,
|
||||
) -> Elaborator<'tcx> {
|
||||
elaborate_predicates(tcx, std::iter::once(trait_ref.without_const().to_predicate()))
|
||||
elaborate_predicates(tcx, std::iter::once(trait_ref.without_const().to_predicate(tcx)))
|
||||
}
|
||||
|
||||
pub fn elaborate_trait_refs<'tcx>(
|
||||
tcx: TyCtxt<'tcx>,
|
||||
trait_refs: impl Iterator<Item = ty::PolyTraitRef<'tcx>>,
|
||||
) -> Elaborator<'tcx> {
|
||||
let predicates = trait_refs.map(|trait_ref| trait_ref.without_const().to_predicate());
|
||||
let predicates = trait_refs.map(|trait_ref| trait_ref.without_const().to_predicate(tcx));
|
||||
elaborate_predicates(tcx, predicates)
|
||||
}
|
||||
|
||||
|
|
@ -145,8 +154,8 @@ impl Elaborator<'tcx> {
|
|||
|
||||
fn elaborate(&mut self, obligation: &PredicateObligation<'tcx>) {
|
||||
let tcx = self.visited.tcx;
|
||||
match obligation.predicate {
|
||||
ty::Predicate::Trait(ref data, _) => {
|
||||
match obligation.predicate.kind() {
|
||||
ty::PredicateKind::Trait(ref data, _) => {
|
||||
// Get predicates declared on the trait.
|
||||
let predicates = tcx.super_predicates_of(data.def_id());
|
||||
|
||||
|
|
@ -167,36 +176,36 @@ impl Elaborator<'tcx> {
|
|||
|
||||
self.stack.extend(obligations);
|
||||
}
|
||||
ty::Predicate::WellFormed(..) => {
|
||||
ty::PredicateKind::WellFormed(..) => {
|
||||
// Currently, we do not elaborate WF predicates,
|
||||
// although we easily could.
|
||||
}
|
||||
ty::Predicate::ObjectSafe(..) => {
|
||||
ty::PredicateKind::ObjectSafe(..) => {
|
||||
// Currently, we do not elaborate object-safe
|
||||
// predicates.
|
||||
}
|
||||
ty::Predicate::Subtype(..) => {
|
||||
ty::PredicateKind::Subtype(..) => {
|
||||
// Currently, we do not "elaborate" predicates like `X <: Y`,
|
||||
// though conceivably we might.
|
||||
}
|
||||
ty::Predicate::Projection(..) => {
|
||||
ty::PredicateKind::Projection(..) => {
|
||||
// Nothing to elaborate in a projection predicate.
|
||||
}
|
||||
ty::Predicate::ClosureKind(..) => {
|
||||
ty::PredicateKind::ClosureKind(..) => {
|
||||
// Nothing to elaborate when waiting for a closure's kind to be inferred.
|
||||
}
|
||||
ty::Predicate::ConstEvaluatable(..) => {
|
||||
ty::PredicateKind::ConstEvaluatable(..) => {
|
||||
// Currently, we do not elaborate const-evaluatable
|
||||
// predicates.
|
||||
}
|
||||
ty::Predicate::ConstEquate(..) => {
|
||||
ty::PredicateKind::ConstEquate(..) => {
|
||||
// Currently, we do not elaborate const-equate
|
||||
// predicates.
|
||||
}
|
||||
ty::Predicate::RegionOutlives(..) => {
|
||||
ty::PredicateKind::RegionOutlives(..) => {
|
||||
// Nothing to elaborate from `'a: 'b`.
|
||||
}
|
||||
ty::Predicate::TypeOutlives(ref data) => {
|
||||
ty::PredicateKind::TypeOutlives(ref data) => {
|
||||
// We know that `T: 'a` for some type `T`. We can
|
||||
// often elaborate this. For example, if we know that
|
||||
// `[U]: 'a`, that implies that `U: 'a`. Similarly, if
|
||||
|
|
@ -228,7 +237,7 @@ impl Elaborator<'tcx> {
|
|||
if r.is_late_bound() {
|
||||
None
|
||||
} else {
|
||||
Some(ty::Predicate::RegionOutlives(ty::Binder::dummy(
|
||||
Some(ty::PredicateKind::RegionOutlives(ty::Binder::dummy(
|
||||
ty::OutlivesPredicate(r, r_min),
|
||||
)))
|
||||
}
|
||||
|
|
@ -236,7 +245,7 @@ impl Elaborator<'tcx> {
|
|||
|
||||
Component::Param(p) => {
|
||||
let ty = tcx.mk_ty_param(p.index, p.name);
|
||||
Some(ty::Predicate::TypeOutlives(ty::Binder::dummy(
|
||||
Some(ty::PredicateKind::TypeOutlives(ty::Binder::dummy(
|
||||
ty::OutlivesPredicate(ty, r_min),
|
||||
)))
|
||||
}
|
||||
|
|
@ -250,8 +259,9 @@ impl Elaborator<'tcx> {
|
|||
None
|
||||
}
|
||||
})
|
||||
.filter(|p| visited.insert(p))
|
||||
.map(|p| predicate_obligation(p, None)),
|
||||
.map(|predicate_kind| predicate_kind.to_predicate(tcx))
|
||||
.filter(|predicate| visited.insert(predicate))
|
||||
.map(|predicate| predicate_obligation(predicate, None)),
|
||||
);
|
||||
}
|
||||
}
|
||||
|
|
@ -317,7 +327,7 @@ impl<'tcx, I: Iterator<Item = PredicateObligation<'tcx>>> Iterator for FilterToT
|
|||
|
||||
fn next(&mut self) -> Option<ty::PolyTraitRef<'tcx>> {
|
||||
while let Some(obligation) = self.base_iterator.next() {
|
||||
if let ty::Predicate::Trait(data, _) = obligation.predicate {
|
||||
if let ty::PredicateKind::Trait(data, _) = obligation.predicate.kind() {
|
||||
return Some(data.to_poly_trait_ref());
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -1202,13 +1202,13 @@ declare_lint_pass!(
|
|||
impl<'a, 'tcx> LateLintPass<'a, 'tcx> for TrivialConstraints {
|
||||
fn check_item(&mut self, cx: &LateContext<'a, 'tcx>, item: &'tcx hir::Item<'tcx>) {
|
||||
use rustc_middle::ty::fold::TypeFoldable;
|
||||
use rustc_middle::ty::Predicate::*;
|
||||
use rustc_middle::ty::PredicateKind::*;
|
||||
|
||||
if cx.tcx.features().trivial_bounds {
|
||||
let def_id = cx.tcx.hir().local_def_id(item.hir_id);
|
||||
let predicates = cx.tcx.predicates_of(def_id);
|
||||
for &(predicate, span) in predicates.predicates {
|
||||
let predicate_kind_name = match predicate {
|
||||
let predicate_kind_name = match predicate.kind() {
|
||||
Trait(..) => "Trait",
|
||||
TypeOutlives(..) |
|
||||
RegionOutlives(..) => "Lifetime",
|
||||
|
|
@ -1497,8 +1497,8 @@ impl ExplicitOutlivesRequirements {
|
|||
) -> Vec<ty::Region<'tcx>> {
|
||||
inferred_outlives
|
||||
.iter()
|
||||
.filter_map(|(pred, _)| match pred {
|
||||
ty::Predicate::RegionOutlives(outlives) => {
|
||||
.filter_map(|(pred, _)| match pred.kind() {
|
||||
ty::PredicateKind::RegionOutlives(outlives) => {
|
||||
let outlives = outlives.skip_binder();
|
||||
match outlives.0 {
|
||||
ty::ReEarlyBound(ebr) if ebr.index == index => Some(outlives.1),
|
||||
|
|
@ -1516,8 +1516,8 @@ impl ExplicitOutlivesRequirements {
|
|||
) -> Vec<ty::Region<'tcx>> {
|
||||
inferred_outlives
|
||||
.iter()
|
||||
.filter_map(|(pred, _)| match pred {
|
||||
ty::Predicate::TypeOutlives(outlives) => {
|
||||
.filter_map(|(pred, _)| match pred.kind() {
|
||||
ty::PredicateKind::TypeOutlives(outlives) => {
|
||||
let outlives = outlives.skip_binder();
|
||||
outlives.0.is_param(index).then_some(outlives.1)
|
||||
}
|
||||
|
|
|
|||
|
|
@ -146,7 +146,9 @@ impl<'a, 'tcx> LateLintPass<'a, 'tcx> for UnusedResults {
|
|||
ty::Opaque(def, _) => {
|
||||
let mut has_emitted = false;
|
||||
for (predicate, _) in cx.tcx.predicates_of(def).predicates {
|
||||
if let ty::Predicate::Trait(ref poly_trait_predicate, _) = predicate {
|
||||
if let ty::PredicateKind::Trait(ref poly_trait_predicate, _) =
|
||||
predicate.kind()
|
||||
{
|
||||
let trait_ref = poly_trait_predicate.skip_binder().trait_ref;
|
||||
let def_id = trait_ref.def_id;
|
||||
let descr_pre =
|
||||
|
|
|
|||
|
|
@ -10,7 +10,7 @@ use crate::arena::ArenaAllocatable;
|
|||
use crate::infer::canonical::{CanonicalVarInfo, CanonicalVarInfos};
|
||||
use crate::mir::{self, interpret::Allocation};
|
||||
use crate::ty::subst::SubstsRef;
|
||||
use crate::ty::{self, List, Ty, TyCtxt};
|
||||
use crate::ty::{self, List, ToPredicate, Ty, TyCtxt};
|
||||
use rustc_data_structures::fx::FxHashMap;
|
||||
use rustc_hir::def_id::{CrateNum, DefId};
|
||||
use rustc_serialize::{opaque, Decodable, Decoder, Encodable, Encoder};
|
||||
|
|
@ -200,15 +200,16 @@ where
|
|||
(0..decoder.read_usize()?)
|
||||
.map(|_| {
|
||||
// Handle shorthands first, if we have an usize > 0x80.
|
||||
let predicate = if decoder.positioned_at_shorthand() {
|
||||
let predicate_kind = if decoder.positioned_at_shorthand() {
|
||||
let pos = decoder.read_usize()?;
|
||||
assert!(pos >= SHORTHAND_OFFSET);
|
||||
let shorthand = pos - SHORTHAND_OFFSET;
|
||||
|
||||
decoder.with_position(shorthand, ty::Predicate::decode)
|
||||
decoder.with_position(shorthand, ty::PredicateKind::decode)
|
||||
} else {
|
||||
ty::Predicate::decode(decoder)
|
||||
ty::PredicateKind::decode(decoder)
|
||||
}?;
|
||||
let predicate = predicate_kind.to_predicate(tcx);
|
||||
Ok((predicate, Decodable::decode(decoder)?))
|
||||
})
|
||||
.collect::<Result<Vec<_>, _>>()?,
|
||||
|
|
|
|||
|
|
@ -29,8 +29,9 @@ use crate::ty::{self, DefIdTree, Ty, TypeAndMut};
|
|||
use crate::ty::{AdtDef, AdtKind, Const, Region};
|
||||
use crate::ty::{BindingMode, BoundVar};
|
||||
use crate::ty::{ConstVid, FloatVar, FloatVid, IntVar, IntVid, TyVar, TyVid};
|
||||
use crate::ty::{ExistentialPredicate, InferTy, ParamTy, PolyFnSig, Predicate, ProjectionTy};
|
||||
use crate::ty::{ExistentialPredicate, Predicate, PredicateKind};
|
||||
use crate::ty::{InferConst, ParamConst};
|
||||
use crate::ty::{InferTy, ParamTy, PolyFnSig, ProjectionTy};
|
||||
use crate::ty::{List, TyKind, TyS};
|
||||
use rustc_ast::ast;
|
||||
use rustc_ast::expand::allocator::AllocatorKind;
|
||||
|
|
@ -89,6 +90,7 @@ pub struct CtxtInterners<'tcx> {
|
|||
canonical_var_infos: InternedSet<'tcx, List<CanonicalVarInfo>>,
|
||||
region: InternedSet<'tcx, RegionKind>,
|
||||
existential_predicates: InternedSet<'tcx, List<ExistentialPredicate<'tcx>>>,
|
||||
predicate_kind: InternedSet<'tcx, PredicateKind<'tcx>>,
|
||||
predicates: InternedSet<'tcx, List<Predicate<'tcx>>>,
|
||||
projs: InternedSet<'tcx, List<ProjectionKind>>,
|
||||
place_elems: InternedSet<'tcx, List<PlaceElem<'tcx>>>,
|
||||
|
|
@ -107,6 +109,7 @@ impl<'tcx> CtxtInterners<'tcx> {
|
|||
region: Default::default(),
|
||||
existential_predicates: Default::default(),
|
||||
canonical_var_infos: Default::default(),
|
||||
predicate_kind: Default::default(),
|
||||
predicates: Default::default(),
|
||||
projs: Default::default(),
|
||||
place_elems: Default::default(),
|
||||
|
|
@ -1574,6 +1577,7 @@ macro_rules! nop_list_lift {
|
|||
nop_lift! {type_; Ty<'a> => Ty<'tcx>}
|
||||
nop_lift! {region; Region<'a> => Region<'tcx>}
|
||||
nop_lift! {const_; &'a Const<'a> => &'tcx Const<'tcx>}
|
||||
nop_lift! {predicate_kind; &'a PredicateKind<'a> => &'tcx PredicateKind<'tcx>}
|
||||
|
||||
nop_list_lift! {type_list; Ty<'a> => Ty<'tcx>}
|
||||
nop_list_lift! {existential_predicates; ExistentialPredicate<'a> => ExistentialPredicate<'tcx>}
|
||||
|
|
@ -2012,8 +2016,14 @@ impl<'tcx> Borrow<[traits::ChalkEnvironmentClause<'tcx>]>
|
|||
}
|
||||
}
|
||||
|
||||
impl<'tcx> Borrow<PredicateKind<'tcx>> for Interned<'tcx, PredicateKind<'tcx>> {
|
||||
fn borrow<'a>(&'a self) -> &'a PredicateKind<'tcx> {
|
||||
&self.0
|
||||
}
|
||||
}
|
||||
|
||||
macro_rules! direct_interners {
|
||||
($($name:ident: $method:ident($ty:ty)),+) => {
|
||||
($($name:ident: $method:ident($ty:ty),)+) => {
|
||||
$(impl<'tcx> PartialEq for Interned<'tcx, $ty> {
|
||||
fn eq(&self, other: &Self) -> bool {
|
||||
self.0 == other.0
|
||||
|
|
@ -2038,7 +2048,11 @@ macro_rules! direct_interners {
|
|||
}
|
||||
}
|
||||
|
||||
direct_interners!(region: mk_region(RegionKind), const_: mk_const(Const<'tcx>));
|
||||
direct_interners!(
|
||||
region: mk_region(RegionKind),
|
||||
const_: mk_const(Const<'tcx>),
|
||||
predicate_kind: intern_predicate_kind(PredicateKind<'tcx>),
|
||||
);
|
||||
|
||||
macro_rules! slice_interners {
|
||||
($($field:ident: $method:ident($ty:ty)),+) => (
|
||||
|
|
@ -2100,6 +2114,12 @@ impl<'tcx> TyCtxt<'tcx> {
|
|||
self.interners.intern_ty(st)
|
||||
}
|
||||
|
||||
#[inline]
|
||||
pub fn mk_predicate(&self, kind: PredicateKind<'tcx>) -> Predicate<'tcx> {
|
||||
let kind = self.intern_predicate_kind(kind);
|
||||
Predicate { kind }
|
||||
}
|
||||
|
||||
pub fn mk_mach_int(self, tm: ast::IntTy) -> Ty<'tcx> {
|
||||
match tm {
|
||||
ast::IntTy::Isize => self.types.isize,
|
||||
|
|
|
|||
|
|
@ -815,19 +815,18 @@ fn foo(&self) -> Self::T { String::new() }
|
|||
for item in &items[..] {
|
||||
match item.kind {
|
||||
hir::AssocItemKind::Type | hir::AssocItemKind::OpaqueTy => {
|
||||
if self.type_of(self.hir().local_def_id(item.id.hir_id)) == found {
|
||||
if let hir::Defaultness::Default { has_value: true } =
|
||||
item.defaultness
|
||||
{
|
||||
// FIXME: account for returning some type in a trait fn impl that has
|
||||
// an assoc type as a return type (#72076).
|
||||
if let hir::Defaultness::Default { has_value: true } = item.defaultness
|
||||
{
|
||||
if self.type_of(self.hir().local_def_id(item.id.hir_id)) == found {
|
||||
db.span_label(
|
||||
item.span,
|
||||
"associated type defaults can't be assumed inside the \
|
||||
trait defining them",
|
||||
);
|
||||
} else {
|
||||
db.span_label(item.span, "expected this associated type");
|
||||
return true;
|
||||
}
|
||||
return true;
|
||||
}
|
||||
}
|
||||
_ => {}
|
||||
|
|
|
|||
|
|
@ -1016,9 +1016,30 @@ impl<'tcx> GenericPredicates<'tcx> {
|
|||
}
|
||||
}
|
||||
|
||||
#[derive(Clone, Copy, Hash, RustcEncodable, RustcDecodable, Lift)]
|
||||
#[derive(HashStable)]
|
||||
pub struct Predicate<'tcx> {
|
||||
kind: &'tcx PredicateKind<'tcx>,
|
||||
}
|
||||
|
||||
impl<'tcx> PartialEq for Predicate<'tcx> {
|
||||
fn eq(&self, other: &Self) -> bool {
|
||||
// `self.kind` is always interned.
|
||||
ptr::eq(self.kind, other.kind)
|
||||
}
|
||||
}
|
||||
|
||||
impl<'tcx> Eq for Predicate<'tcx> {}
|
||||
|
||||
impl<'tcx> Predicate<'tcx> {
|
||||
pub fn kind(self) -> &'tcx PredicateKind<'tcx> {
|
||||
self.kind
|
||||
}
|
||||
}
|
||||
|
||||
#[derive(Clone, Copy, PartialEq, Eq, Hash, RustcEncodable, RustcDecodable)]
|
||||
#[derive(HashStable, TypeFoldable)]
|
||||
pub enum Predicate<'tcx> {
|
||||
pub enum PredicateKind<'tcx> {
|
||||
/// Corresponds to `where Foo: Bar<A, B, C>`. `Foo` here would be
|
||||
/// the `Self` type of the trait reference and `A`, `B`, and `C`
|
||||
/// would be the type parameters.
|
||||
|
|
@ -1086,7 +1107,7 @@ impl<'tcx> Predicate<'tcx> {
|
|||
/// substitution in terms of what happens with bound regions. See
|
||||
/// lengthy comment below for details.
|
||||
pub fn subst_supertrait(
|
||||
&self,
|
||||
self,
|
||||
tcx: TyCtxt<'tcx>,
|
||||
trait_ref: &ty::PolyTraitRef<'tcx>,
|
||||
) -> ty::Predicate<'tcx> {
|
||||
|
|
@ -1151,34 +1172,36 @@ impl<'tcx> Predicate<'tcx> {
|
|||
// this trick achieves that).
|
||||
|
||||
let substs = &trait_ref.skip_binder().substs;
|
||||
match *self {
|
||||
Predicate::Trait(ref binder, constness) => {
|
||||
Predicate::Trait(binder.map_bound(|data| data.subst(tcx, substs)), constness)
|
||||
let predicate = match self.kind() {
|
||||
&PredicateKind::Trait(ref binder, constness) => {
|
||||
PredicateKind::Trait(binder.map_bound(|data| data.subst(tcx, substs)), constness)
|
||||
}
|
||||
Predicate::Subtype(ref binder) => {
|
||||
Predicate::Subtype(binder.map_bound(|data| data.subst(tcx, substs)))
|
||||
PredicateKind::Subtype(binder) => {
|
||||
PredicateKind::Subtype(binder.map_bound(|data| data.subst(tcx, substs)))
|
||||
}
|
||||
Predicate::RegionOutlives(ref binder) => {
|
||||
Predicate::RegionOutlives(binder.map_bound(|data| data.subst(tcx, substs)))
|
||||
PredicateKind::RegionOutlives(binder) => {
|
||||
PredicateKind::RegionOutlives(binder.map_bound(|data| data.subst(tcx, substs)))
|
||||
}
|
||||
Predicate::TypeOutlives(ref binder) => {
|
||||
Predicate::TypeOutlives(binder.map_bound(|data| data.subst(tcx, substs)))
|
||||
PredicateKind::TypeOutlives(binder) => {
|
||||
PredicateKind::TypeOutlives(binder.map_bound(|data| data.subst(tcx, substs)))
|
||||
}
|
||||
Predicate::Projection(ref binder) => {
|
||||
Predicate::Projection(binder.map_bound(|data| data.subst(tcx, substs)))
|
||||
PredicateKind::Projection(binder) => {
|
||||
PredicateKind::Projection(binder.map_bound(|data| data.subst(tcx, substs)))
|
||||
}
|
||||
Predicate::WellFormed(data) => Predicate::WellFormed(data.subst(tcx, substs)),
|
||||
Predicate::ObjectSafe(trait_def_id) => Predicate::ObjectSafe(trait_def_id),
|
||||
Predicate::ClosureKind(closure_def_id, closure_substs, kind) => {
|
||||
Predicate::ClosureKind(closure_def_id, closure_substs.subst(tcx, substs), kind)
|
||||
&PredicateKind::WellFormed(data) => PredicateKind::WellFormed(data.subst(tcx, substs)),
|
||||
&PredicateKind::ObjectSafe(trait_def_id) => PredicateKind::ObjectSafe(trait_def_id),
|
||||
&PredicateKind::ClosureKind(closure_def_id, closure_substs, kind) => {
|
||||
PredicateKind::ClosureKind(closure_def_id, closure_substs.subst(tcx, substs), kind)
|
||||
}
|
||||
Predicate::ConstEvaluatable(def_id, const_substs) => {
|
||||
Predicate::ConstEvaluatable(def_id, const_substs.subst(tcx, substs))
|
||||
&PredicateKind::ConstEvaluatable(def_id, const_substs) => {
|
||||
PredicateKind::ConstEvaluatable(def_id, const_substs.subst(tcx, substs))
|
||||
}
|
||||
Predicate::ConstEquate(c1, c2) => {
|
||||
Predicate::ConstEquate(c1.subst(tcx, substs), c2.subst(tcx, substs))
|
||||
PredicateKind::ConstEquate(c1, c2) => {
|
||||
PredicateKind::ConstEquate(c1.subst(tcx, substs), c2.subst(tcx, substs))
|
||||
}
|
||||
}
|
||||
};
|
||||
|
||||
predicate.to_predicate(tcx)
|
||||
}
|
||||
}
|
||||
|
||||
|
|
@ -1293,85 +1316,95 @@ impl<'tcx> ToPolyTraitRef<'tcx> for PolyTraitPredicate<'tcx> {
|
|||
}
|
||||
|
||||
pub trait ToPredicate<'tcx> {
|
||||
fn to_predicate(&self) -> Predicate<'tcx>;
|
||||
fn to_predicate(&self, tcx: TyCtxt<'tcx>) -> Predicate<'tcx>;
|
||||
}
|
||||
|
||||
impl ToPredicate<'tcx> for PredicateKind<'tcx> {
|
||||
fn to_predicate(&self, tcx: TyCtxt<'tcx>) -> Predicate<'tcx> {
|
||||
tcx.mk_predicate(*self)
|
||||
}
|
||||
}
|
||||
|
||||
impl<'tcx> ToPredicate<'tcx> for ConstnessAnd<TraitRef<'tcx>> {
|
||||
fn to_predicate(&self) -> Predicate<'tcx> {
|
||||
ty::Predicate::Trait(
|
||||
fn to_predicate(&self, tcx: TyCtxt<'tcx>) -> Predicate<'tcx> {
|
||||
ty::PredicateKind::Trait(
|
||||
ty::Binder::dummy(ty::TraitPredicate { trait_ref: self.value }),
|
||||
self.constness,
|
||||
)
|
||||
.to_predicate(tcx)
|
||||
}
|
||||
}
|
||||
|
||||
impl<'tcx> ToPredicate<'tcx> for ConstnessAnd<&TraitRef<'tcx>> {
|
||||
fn to_predicate(&self) -> Predicate<'tcx> {
|
||||
ty::Predicate::Trait(
|
||||
fn to_predicate(&self, tcx: TyCtxt<'tcx>) -> Predicate<'tcx> {
|
||||
ty::PredicateKind::Trait(
|
||||
ty::Binder::dummy(ty::TraitPredicate { trait_ref: *self.value }),
|
||||
self.constness,
|
||||
)
|
||||
.to_predicate(tcx)
|
||||
}
|
||||
}
|
||||
|
||||
impl<'tcx> ToPredicate<'tcx> for ConstnessAnd<PolyTraitRef<'tcx>> {
|
||||
fn to_predicate(&self) -> Predicate<'tcx> {
|
||||
ty::Predicate::Trait(self.value.to_poly_trait_predicate(), self.constness)
|
||||
fn to_predicate(&self, tcx: TyCtxt<'tcx>) -> Predicate<'tcx> {
|
||||
ty::PredicateKind::Trait(self.value.to_poly_trait_predicate(), self.constness)
|
||||
.to_predicate(tcx)
|
||||
}
|
||||
}
|
||||
|
||||
impl<'tcx> ToPredicate<'tcx> for ConstnessAnd<&PolyTraitRef<'tcx>> {
|
||||
fn to_predicate(&self) -> Predicate<'tcx> {
|
||||
ty::Predicate::Trait(self.value.to_poly_trait_predicate(), self.constness)
|
||||
fn to_predicate(&self, tcx: TyCtxt<'tcx>) -> Predicate<'tcx> {
|
||||
ty::PredicateKind::Trait(self.value.to_poly_trait_predicate(), self.constness)
|
||||
.to_predicate(tcx)
|
||||
}
|
||||
}
|
||||
|
||||
impl<'tcx> ToPredicate<'tcx> for PolyRegionOutlivesPredicate<'tcx> {
|
||||
fn to_predicate(&self) -> Predicate<'tcx> {
|
||||
Predicate::RegionOutlives(*self)
|
||||
fn to_predicate(&self, tcx: TyCtxt<'tcx>) -> Predicate<'tcx> {
|
||||
PredicateKind::RegionOutlives(*self).to_predicate(tcx)
|
||||
}
|
||||
}
|
||||
|
||||
impl<'tcx> ToPredicate<'tcx> for PolyTypeOutlivesPredicate<'tcx> {
|
||||
fn to_predicate(&self) -> Predicate<'tcx> {
|
||||
Predicate::TypeOutlives(*self)
|
||||
fn to_predicate(&self, tcx: TyCtxt<'tcx>) -> Predicate<'tcx> {
|
||||
PredicateKind::TypeOutlives(*self).to_predicate(tcx)
|
||||
}
|
||||
}
|
||||
|
||||
impl<'tcx> ToPredicate<'tcx> for PolyProjectionPredicate<'tcx> {
|
||||
fn to_predicate(&self) -> Predicate<'tcx> {
|
||||
Predicate::Projection(*self)
|
||||
fn to_predicate(&self, tcx: TyCtxt<'tcx>) -> Predicate<'tcx> {
|
||||
PredicateKind::Projection(*self).to_predicate(tcx)
|
||||
}
|
||||
}
|
||||
|
||||
impl<'tcx> Predicate<'tcx> {
|
||||
pub fn to_opt_poly_trait_ref(&self) -> Option<PolyTraitRef<'tcx>> {
|
||||
match *self {
|
||||
Predicate::Trait(ref t, _) => Some(t.to_poly_trait_ref()),
|
||||
Predicate::Projection(..)
|
||||
| Predicate::Subtype(..)
|
||||
| Predicate::RegionOutlives(..)
|
||||
| Predicate::WellFormed(..)
|
||||
| Predicate::ObjectSafe(..)
|
||||
| Predicate::ClosureKind(..)
|
||||
| Predicate::TypeOutlives(..)
|
||||
| Predicate::ConstEvaluatable(..)
|
||||
| Predicate::ConstEquate(..) => None,
|
||||
pub fn to_opt_poly_trait_ref(self) -> Option<PolyTraitRef<'tcx>> {
|
||||
match self.kind() {
|
||||
&PredicateKind::Trait(ref t, _) => Some(t.to_poly_trait_ref()),
|
||||
PredicateKind::Projection(..)
|
||||
| PredicateKind::Subtype(..)
|
||||
| PredicateKind::RegionOutlives(..)
|
||||
| PredicateKind::WellFormed(..)
|
||||
| PredicateKind::ObjectSafe(..)
|
||||
| PredicateKind::ClosureKind(..)
|
||||
| PredicateKind::TypeOutlives(..)
|
||||
| PredicateKind::ConstEvaluatable(..)
|
||||
| PredicateKind::ConstEquate(..) => None,
|
||||
}
|
||||
}
|
||||
|
||||
pub fn to_opt_type_outlives(&self) -> Option<PolyTypeOutlivesPredicate<'tcx>> {
|
||||
match *self {
|
||||
Predicate::TypeOutlives(data) => Some(data),
|
||||
Predicate::Trait(..)
|
||||
| Predicate::Projection(..)
|
||||
| Predicate::Subtype(..)
|
||||
| Predicate::RegionOutlives(..)
|
||||
| Predicate::WellFormed(..)
|
||||
| Predicate::ObjectSafe(..)
|
||||
| Predicate::ClosureKind(..)
|
||||
| Predicate::ConstEvaluatable(..)
|
||||
| Predicate::ConstEquate(..) => None,
|
||||
pub fn to_opt_type_outlives(self) -> Option<PolyTypeOutlivesPredicate<'tcx>> {
|
||||
match self.kind() {
|
||||
&PredicateKind::TypeOutlives(data) => Some(data),
|
||||
PredicateKind::Trait(..)
|
||||
| PredicateKind::Projection(..)
|
||||
| PredicateKind::Subtype(..)
|
||||
| PredicateKind::RegionOutlives(..)
|
||||
| PredicateKind::WellFormed(..)
|
||||
| PredicateKind::ObjectSafe(..)
|
||||
| PredicateKind::ClosureKind(..)
|
||||
| PredicateKind::ConstEvaluatable(..)
|
||||
| PredicateKind::ConstEquate(..) => None,
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
@ -1617,7 +1650,7 @@ pub struct ConstnessAnd<T> {
|
|||
pub value: T,
|
||||
}
|
||||
|
||||
// FIXME(ecstaticmorse): Audit all occurrences of `without_const().to_predicate()` to ensure that
|
||||
// FIXME(ecstaticmorse): Audit all occurrences of `without_const().to_predicate(tcx)` to ensure that
|
||||
// the constness of trait bounds is being propagated correctly.
|
||||
pub trait WithConstness: Sized {
|
||||
#[inline]
|
||||
|
|
|
|||
|
|
@ -2031,34 +2031,34 @@ define_print_and_forward_display! {
|
|||
}
|
||||
|
||||
ty::Predicate<'tcx> {
|
||||
match *self {
|
||||
ty::Predicate::Trait(ref data, constness) => {
|
||||
match self.kind() {
|
||||
&ty::PredicateKind::Trait(ref data, constness) => {
|
||||
if let hir::Constness::Const = constness {
|
||||
p!(write("const "));
|
||||
}
|
||||
p!(print(data))
|
||||
}
|
||||
ty::Predicate::Subtype(ref predicate) => p!(print(predicate)),
|
||||
ty::Predicate::RegionOutlives(ref predicate) => p!(print(predicate)),
|
||||
ty::Predicate::TypeOutlives(ref predicate) => p!(print(predicate)),
|
||||
ty::Predicate::Projection(ref predicate) => p!(print(predicate)),
|
||||
ty::Predicate::WellFormed(ty) => p!(print(ty), write(" well-formed")),
|
||||
ty::Predicate::ObjectSafe(trait_def_id) => {
|
||||
ty::PredicateKind::Subtype(predicate) => p!(print(predicate)),
|
||||
ty::PredicateKind::RegionOutlives(predicate) => p!(print(predicate)),
|
||||
ty::PredicateKind::TypeOutlives(predicate) => p!(print(predicate)),
|
||||
ty::PredicateKind::Projection(predicate) => p!(print(predicate)),
|
||||
ty::PredicateKind::WellFormed(ty) => p!(print(ty), write(" well-formed")),
|
||||
&ty::PredicateKind::ObjectSafe(trait_def_id) => {
|
||||
p!(write("the trait `"),
|
||||
print_def_path(trait_def_id, &[]),
|
||||
write("` is object-safe"))
|
||||
}
|
||||
ty::Predicate::ClosureKind(closure_def_id, _closure_substs, kind) => {
|
||||
&ty::PredicateKind::ClosureKind(closure_def_id, _closure_substs, kind) => {
|
||||
p!(write("the closure `"),
|
||||
print_value_path(closure_def_id, &[]),
|
||||
write("` implements the trait `{}`", kind))
|
||||
}
|
||||
ty::Predicate::ConstEvaluatable(def_id, substs) => {
|
||||
&ty::PredicateKind::ConstEvaluatable(def_id, substs) => {
|
||||
p!(write("the constant `"),
|
||||
print_value_path(def_id, substs),
|
||||
write("` can be evaluated"))
|
||||
}
|
||||
ty::Predicate::ConstEquate(c1, c2) => {
|
||||
ty::PredicateKind::ConstEquate(c1, c2) => {
|
||||
p!(write("the constant `"),
|
||||
print(c1),
|
||||
write("` equals `"),
|
||||
|
|
|
|||
|
|
@ -220,27 +220,35 @@ impl fmt::Debug for ty::ProjectionPredicate<'tcx> {
|
|||
}
|
||||
|
||||
impl fmt::Debug for ty::Predicate<'tcx> {
|
||||
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
|
||||
write!(f, "{:?}", self.kind())
|
||||
}
|
||||
}
|
||||
|
||||
impl fmt::Debug for ty::PredicateKind<'tcx> {
|
||||
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
|
||||
match *self {
|
||||
ty::Predicate::Trait(ref a, constness) => {
|
||||
ty::PredicateKind::Trait(ref a, constness) => {
|
||||
if let hir::Constness::Const = constness {
|
||||
write!(f, "const ")?;
|
||||
}
|
||||
a.fmt(f)
|
||||
}
|
||||
ty::Predicate::Subtype(ref pair) => pair.fmt(f),
|
||||
ty::Predicate::RegionOutlives(ref pair) => pair.fmt(f),
|
||||
ty::Predicate::TypeOutlives(ref pair) => pair.fmt(f),
|
||||
ty::Predicate::Projection(ref pair) => pair.fmt(f),
|
||||
ty::Predicate::WellFormed(ty) => write!(f, "WellFormed({:?})", ty),
|
||||
ty::Predicate::ObjectSafe(trait_def_id) => write!(f, "ObjectSafe({:?})", trait_def_id),
|
||||
ty::Predicate::ClosureKind(closure_def_id, closure_substs, kind) => {
|
||||
ty::PredicateKind::Subtype(ref pair) => pair.fmt(f),
|
||||
ty::PredicateKind::RegionOutlives(ref pair) => pair.fmt(f),
|
||||
ty::PredicateKind::TypeOutlives(ref pair) => pair.fmt(f),
|
||||
ty::PredicateKind::Projection(ref pair) => pair.fmt(f),
|
||||
ty::PredicateKind::WellFormed(ty) => write!(f, "WellFormed({:?})", ty),
|
||||
ty::PredicateKind::ObjectSafe(trait_def_id) => {
|
||||
write!(f, "ObjectSafe({:?})", trait_def_id)
|
||||
}
|
||||
ty::PredicateKind::ClosureKind(closure_def_id, closure_substs, kind) => {
|
||||
write!(f, "ClosureKind({:?}, {:?}, {:?})", closure_def_id, closure_substs, kind)
|
||||
}
|
||||
ty::Predicate::ConstEvaluatable(def_id, substs) => {
|
||||
ty::PredicateKind::ConstEvaluatable(def_id, substs) => {
|
||||
write!(f, "ConstEvaluatable({:?}, {:?})", def_id, substs)
|
||||
}
|
||||
ty::Predicate::ConstEquate(c1, c2) => write!(f, "ConstEquate({:?}, {:?})", c1, c2),
|
||||
ty::PredicateKind::ConstEquate(c1, c2) => write!(f, "ConstEquate({:?}, {:?})", c1, c2),
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
@ -467,37 +475,39 @@ impl<'a, 'tcx> Lift<'tcx> for ty::ExistentialProjection<'a> {
|
|||
}
|
||||
}
|
||||
|
||||
impl<'a, 'tcx> Lift<'tcx> for ty::Predicate<'a> {
|
||||
type Lifted = ty::Predicate<'tcx>;
|
||||
impl<'a, 'tcx> Lift<'tcx> for ty::PredicateKind<'a> {
|
||||
type Lifted = ty::PredicateKind<'tcx>;
|
||||
fn lift_to_tcx(&self, tcx: TyCtxt<'tcx>) -> Option<Self::Lifted> {
|
||||
match *self {
|
||||
ty::Predicate::Trait(ref binder, constness) => {
|
||||
tcx.lift(binder).map(|binder| ty::Predicate::Trait(binder, constness))
|
||||
ty::PredicateKind::Trait(ref binder, constness) => {
|
||||
tcx.lift(binder).map(|binder| ty::PredicateKind::Trait(binder, constness))
|
||||
}
|
||||
ty::Predicate::Subtype(ref binder) => tcx.lift(binder).map(ty::Predicate::Subtype),
|
||||
ty::Predicate::RegionOutlives(ref binder) => {
|
||||
tcx.lift(binder).map(ty::Predicate::RegionOutlives)
|
||||
ty::PredicateKind::Subtype(ref binder) => {
|
||||
tcx.lift(binder).map(ty::PredicateKind::Subtype)
|
||||
}
|
||||
ty::Predicate::TypeOutlives(ref binder) => {
|
||||
tcx.lift(binder).map(ty::Predicate::TypeOutlives)
|
||||
ty::PredicateKind::RegionOutlives(ref binder) => {
|
||||
tcx.lift(binder).map(ty::PredicateKind::RegionOutlives)
|
||||
}
|
||||
ty::Predicate::Projection(ref binder) => {
|
||||
tcx.lift(binder).map(ty::Predicate::Projection)
|
||||
ty::PredicateKind::TypeOutlives(ref binder) => {
|
||||
tcx.lift(binder).map(ty::PredicateKind::TypeOutlives)
|
||||
}
|
||||
ty::Predicate::WellFormed(ty) => tcx.lift(&ty).map(ty::Predicate::WellFormed),
|
||||
ty::Predicate::ClosureKind(closure_def_id, closure_substs, kind) => {
|
||||
ty::PredicateKind::Projection(ref binder) => {
|
||||
tcx.lift(binder).map(ty::PredicateKind::Projection)
|
||||
}
|
||||
ty::PredicateKind::WellFormed(ty) => tcx.lift(&ty).map(ty::PredicateKind::WellFormed),
|
||||
ty::PredicateKind::ClosureKind(closure_def_id, closure_substs, kind) => {
|
||||
tcx.lift(&closure_substs).map(|closure_substs| {
|
||||
ty::Predicate::ClosureKind(closure_def_id, closure_substs, kind)
|
||||
ty::PredicateKind::ClosureKind(closure_def_id, closure_substs, kind)
|
||||
})
|
||||
}
|
||||
ty::Predicate::ObjectSafe(trait_def_id) => {
|
||||
Some(ty::Predicate::ObjectSafe(trait_def_id))
|
||||
ty::PredicateKind::ObjectSafe(trait_def_id) => {
|
||||
Some(ty::PredicateKind::ObjectSafe(trait_def_id))
|
||||
}
|
||||
ty::Predicate::ConstEvaluatable(def_id, substs) => {
|
||||
tcx.lift(&substs).map(|substs| ty::Predicate::ConstEvaluatable(def_id, substs))
|
||||
ty::PredicateKind::ConstEvaluatable(def_id, substs) => {
|
||||
tcx.lift(&substs).map(|substs| ty::PredicateKind::ConstEvaluatable(def_id, substs))
|
||||
}
|
||||
ty::Predicate::ConstEquate(c1, c2) => {
|
||||
tcx.lift(&(c1, c2)).map(|(c1, c2)| ty::Predicate::ConstEquate(c1, c2))
|
||||
ty::PredicateKind::ConstEquate(c1, c2) => {
|
||||
tcx.lift(&(c1, c2)).map(|(c1, c2)| ty::PredicateKind::ConstEquate(c1, c2))
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
@ -977,6 +987,16 @@ impl<'tcx> TypeFoldable<'tcx> for ty::Region<'tcx> {
|
|||
}
|
||||
}
|
||||
|
||||
impl<'tcx> TypeFoldable<'tcx> for ty::Predicate<'tcx> {
|
||||
fn super_fold_with<F: TypeFolder<'tcx>>(&self, folder: &mut F) -> Self {
|
||||
folder.tcx().mk_predicate(ty::PredicateKind::super_fold_with(self.kind, folder))
|
||||
}
|
||||
|
||||
fn super_visit_with<V: TypeVisitor<'tcx>>(&self, visitor: &mut V) -> bool {
|
||||
ty::PredicateKind::super_visit_with(self.kind, visitor)
|
||||
}
|
||||
}
|
||||
|
||||
impl<'tcx> TypeFoldable<'tcx> for &'tcx ty::List<ty::Predicate<'tcx>> {
|
||||
fn super_fold_with<F: TypeFolder<'tcx>>(&self, folder: &mut F) -> Self {
|
||||
fold_list(*self, folder, |tcx, v| tcx.intern_predicates(v))
|
||||
|
|
|
|||
|
|
@ -612,15 +612,16 @@ impl<'tcx> Binder<ExistentialPredicate<'tcx>> {
|
|||
use crate::ty::ToPredicate;
|
||||
match *self.skip_binder() {
|
||||
ExistentialPredicate::Trait(tr) => {
|
||||
Binder(tr).with_self_ty(tcx, self_ty).without_const().to_predicate()
|
||||
Binder(tr).with_self_ty(tcx, self_ty).without_const().to_predicate(tcx)
|
||||
}
|
||||
ExistentialPredicate::Projection(p) => {
|
||||
ty::Predicate::Projection(Binder(p.with_self_ty(tcx, self_ty)))
|
||||
ty::PredicateKind::Projection(Binder(p.with_self_ty(tcx, self_ty)))
|
||||
.to_predicate(tcx)
|
||||
}
|
||||
ExistentialPredicate::AutoTrait(did) => {
|
||||
let trait_ref =
|
||||
Binder(ty::TraitRef { def_id: did, substs: tcx.mk_substs_trait(self_ty, &[]) });
|
||||
trait_ref.without_const().to_predicate()
|
||||
trait_ref.without_const().to_predicate(tcx)
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -576,7 +576,7 @@ impl<'a, 'tcx> MirBorrowckCtxt<'a, 'tcx> {
|
|||
|
||||
let mut found = false;
|
||||
for predicate in bounds.predicates {
|
||||
if let ty::Predicate::TypeOutlives(binder) = predicate {
|
||||
if let ty::PredicateKind::TypeOutlives(binder) = predicate.kind() {
|
||||
if let ty::OutlivesPredicate(_, ty::RegionKind::ReStatic) =
|
||||
binder.skip_binder()
|
||||
{
|
||||
|
|
|
|||
|
|
@ -27,8 +27,8 @@ use rustc_middle::ty::cast::CastTy;
|
|||
use rustc_middle::ty::fold::TypeFoldable;
|
||||
use rustc_middle::ty::subst::{GenericArgKind, Subst, SubstsRef, UserSubsts};
|
||||
use rustc_middle::ty::{
|
||||
self, CanonicalUserTypeAnnotation, CanonicalUserTypeAnnotations, RegionVid, ToPolyTraitRef, Ty,
|
||||
TyCtxt, UserType, UserTypeAnnotationIndex,
|
||||
self, CanonicalUserTypeAnnotation, CanonicalUserTypeAnnotations, RegionVid, ToPolyTraitRef,
|
||||
ToPredicate, Ty, TyCtxt, UserType, UserTypeAnnotationIndex,
|
||||
};
|
||||
use rustc_span::{Span, DUMMY_SP};
|
||||
use rustc_target::abi::VariantIdx;
|
||||
|
|
@ -1016,7 +1016,7 @@ impl<'a, 'tcx> TypeChecker<'a, 'tcx> {
|
|||
}
|
||||
|
||||
self.prove_predicate(
|
||||
ty::Predicate::WellFormed(inferred_ty),
|
||||
ty::PredicateKind::WellFormed(inferred_ty).to_predicate(self.tcx()),
|
||||
Locations::All(span),
|
||||
ConstraintCategory::TypeAnnotation,
|
||||
);
|
||||
|
|
@ -1268,7 +1268,7 @@ impl<'a, 'tcx> TypeChecker<'a, 'tcx> {
|
|||
obligations.obligations.push(traits::Obligation::new(
|
||||
ObligationCause::dummy(),
|
||||
param_env,
|
||||
ty::Predicate::WellFormed(revealed_ty),
|
||||
ty::PredicateKind::WellFormed(revealed_ty).to_predicate(infcx.tcx),
|
||||
));
|
||||
obligations.add(
|
||||
infcx
|
||||
|
|
@ -1612,7 +1612,7 @@ impl<'a, 'tcx> TypeChecker<'a, 'tcx> {
|
|||
self.check_call_dest(body, term, &sig, destination, term_location);
|
||||
|
||||
self.prove_predicates(
|
||||
sig.inputs_and_output.iter().map(|ty| ty::Predicate::WellFormed(ty)),
|
||||
sig.inputs_and_output.iter().map(|ty| ty::PredicateKind::WellFormed(ty)),
|
||||
term_location.to_locations(),
|
||||
ConstraintCategory::Boring,
|
||||
);
|
||||
|
|
@ -2017,7 +2017,7 @@ impl<'a, 'tcx> TypeChecker<'a, 'tcx> {
|
|||
traits::ObligationCauseCode::RepeatVec(should_suggest),
|
||||
),
|
||||
self.param_env,
|
||||
ty::Predicate::Trait(
|
||||
ty::PredicateKind::Trait(
|
||||
ty::Binder::bind(ty::TraitPredicate {
|
||||
trait_ref: ty::TraitRef::new(
|
||||
self.tcx().require_lang_item(
|
||||
|
|
@ -2028,7 +2028,8 @@ impl<'a, 'tcx> TypeChecker<'a, 'tcx> {
|
|||
),
|
||||
}),
|
||||
hir::Constness::NotConst,
|
||||
),
|
||||
)
|
||||
.to_predicate(self.tcx()),
|
||||
),
|
||||
&traits::SelectionError::Unimplemented,
|
||||
false,
|
||||
|
|
@ -2686,7 +2687,7 @@ impl<'a, 'tcx> TypeChecker<'a, 'tcx> {
|
|||
category: ConstraintCategory,
|
||||
) {
|
||||
self.prove_predicates(
|
||||
Some(ty::Predicate::Trait(
|
||||
Some(ty::PredicateKind::Trait(
|
||||
trait_ref.to_poly_trait_ref().to_poly_trait_predicate(),
|
||||
hir::Constness::NotConst,
|
||||
)),
|
||||
|
|
@ -2708,11 +2709,12 @@ impl<'a, 'tcx> TypeChecker<'a, 'tcx> {
|
|||
|
||||
fn prove_predicates(
|
||||
&mut self,
|
||||
predicates: impl IntoIterator<Item = ty::Predicate<'tcx>>,
|
||||
predicates: impl IntoIterator<Item = impl ToPredicate<'tcx>>,
|
||||
locations: Locations,
|
||||
category: ConstraintCategory,
|
||||
) {
|
||||
for predicate in predicates {
|
||||
let predicate = predicate.to_predicate(self.tcx());
|
||||
debug!("prove_predicates(predicate={:?}, locations={:?})", predicate, locations,);
|
||||
|
||||
self.prove_predicate(predicate, locations, category);
|
||||
|
|
|
|||
|
|
@ -219,7 +219,10 @@ impl<'mir, 'tcx: 'mir, M: Machine<'mir, 'tcx>> InterpCx<'mir, 'tcx, M> {
|
|||
let place = self.deref_operand(args[0])?;
|
||||
let discr_val = self.read_discriminant(place.into())?.0;
|
||||
let scalar = match dest.layout.ty.kind {
|
||||
ty::Int(_) => Scalar::from_int(discr_val as i128, dest.layout.size),
|
||||
ty::Int(_) => Scalar::from_int(
|
||||
self.sign_extend(discr_val, dest.layout) as i128,
|
||||
dest.layout.size,
|
||||
),
|
||||
ty::Uint(_) => Scalar::from_uint(discr_val, dest.layout.size),
|
||||
_ => bug!("invalid `discriminant_value` return layout: {:?}", dest.layout),
|
||||
};
|
||||
|
|
|
|||
|
|
@ -3,7 +3,7 @@ use rustc_hir as hir;
|
|||
use rustc_hir::def_id::DefId;
|
||||
use rustc_middle::mir::*;
|
||||
use rustc_middle::ty::subst::GenericArgKind;
|
||||
use rustc_middle::ty::{self, adjustment::PointerCast, Predicate, Ty, TyCtxt};
|
||||
use rustc_middle::ty::{self, adjustment::PointerCast, Ty, TyCtxt};
|
||||
use rustc_span::symbol::{sym, Symbol};
|
||||
use rustc_span::Span;
|
||||
use std::borrow::Cow;
|
||||
|
|
@ -23,28 +23,30 @@ pub fn is_min_const_fn(tcx: TyCtxt<'tcx>, def_id: DefId, body: &'a Body<'tcx>) -
|
|||
loop {
|
||||
let predicates = tcx.predicates_of(current);
|
||||
for (predicate, _) in predicates.predicates {
|
||||
match predicate {
|
||||
Predicate::RegionOutlives(_)
|
||||
| Predicate::TypeOutlives(_)
|
||||
| Predicate::WellFormed(_)
|
||||
| Predicate::Projection(_)
|
||||
| Predicate::ConstEvaluatable(..)
|
||||
| Predicate::ConstEquate(..) => continue,
|
||||
Predicate::ObjectSafe(_) => {
|
||||
match predicate.kind() {
|
||||
ty::PredicateKind::RegionOutlives(_)
|
||||
| ty::PredicateKind::TypeOutlives(_)
|
||||
| ty::PredicateKind::WellFormed(_)
|
||||
| ty::PredicateKind::Projection(_)
|
||||
| ty::PredicateKind::ConstEvaluatable(..)
|
||||
| ty::PredicateKind::ConstEquate(..) => continue,
|
||||
ty::PredicateKind::ObjectSafe(_) => {
|
||||
bug!("object safe predicate on function: {:#?}", predicate)
|
||||
}
|
||||
Predicate::ClosureKind(..) => {
|
||||
ty::PredicateKind::ClosureKind(..) => {
|
||||
bug!("closure kind predicate on function: {:#?}", predicate)
|
||||
}
|
||||
Predicate::Subtype(_) => bug!("subtype predicate on function: {:#?}", predicate),
|
||||
Predicate::Trait(pred, constness) => {
|
||||
ty::PredicateKind::Subtype(_) => {
|
||||
bug!("subtype predicate on function: {:#?}", predicate)
|
||||
}
|
||||
&ty::PredicateKind::Trait(pred, constness) => {
|
||||
if Some(pred.def_id()) == tcx.lang_items().sized_trait() {
|
||||
continue;
|
||||
}
|
||||
match pred.skip_binder().self_ty().kind {
|
||||
ty::Param(ref p) => {
|
||||
// Allow `T: ?const Trait`
|
||||
if *constness == hir::Constness::NotConst
|
||||
if constness == hir::Constness::NotConst
|
||||
&& feature_allowed(tcx, def_id, sym::const_trait_bound_opt_out)
|
||||
{
|
||||
continue;
|
||||
|
|
|
|||
|
|
@ -90,14 +90,14 @@ where
|
|||
fn visit_predicates(&mut self, predicates: ty::GenericPredicates<'tcx>) -> bool {
|
||||
let ty::GenericPredicates { parent: _, predicates } = predicates;
|
||||
for (predicate, _span) in predicates {
|
||||
match predicate {
|
||||
ty::Predicate::Trait(poly_predicate, _) => {
|
||||
match predicate.kind() {
|
||||
ty::PredicateKind::Trait(poly_predicate, _) => {
|
||||
let ty::TraitPredicate { trait_ref } = *poly_predicate.skip_binder();
|
||||
if self.visit_trait(trait_ref) {
|
||||
return true;
|
||||
}
|
||||
}
|
||||
ty::Predicate::Projection(poly_predicate) => {
|
||||
ty::PredicateKind::Projection(poly_predicate) => {
|
||||
let ty::ProjectionPredicate { projection_ty, ty } =
|
||||
*poly_predicate.skip_binder();
|
||||
if ty.visit_with(self) {
|
||||
|
|
@ -107,13 +107,13 @@ where
|
|||
return true;
|
||||
}
|
||||
}
|
||||
ty::Predicate::TypeOutlives(poly_predicate) => {
|
||||
ty::PredicateKind::TypeOutlives(poly_predicate) => {
|
||||
let ty::OutlivesPredicate(ty, _region) = *poly_predicate.skip_binder();
|
||||
if ty.visit_with(self) {
|
||||
return true;
|
||||
}
|
||||
}
|
||||
ty::Predicate::RegionOutlives(..) => {}
|
||||
ty::PredicateKind::RegionOutlives(..) => {}
|
||||
_ => bug!("unexpected predicate: {:?}", predicate),
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -1168,7 +1168,7 @@ impl<'a, 'tcx> Instantiator<'a, 'tcx> {
|
|||
debug!("instantiate_opaque_types: ty_var={:?}", ty_var);
|
||||
|
||||
for predicate in &bounds.predicates {
|
||||
if let ty::Predicate::Projection(projection) = &predicate {
|
||||
if let ty::PredicateKind::Projection(projection) = predicate.kind() {
|
||||
if projection.skip_binder().ty.references_error() {
|
||||
// No point on adding these obligations since there's a type error involved.
|
||||
return ty_var;
|
||||
|
|
@ -1269,17 +1269,17 @@ crate fn required_region_bounds(
|
|||
traits::elaborate_predicates(tcx, predicates)
|
||||
.filter_map(|obligation| {
|
||||
debug!("required_region_bounds(obligation={:?})", obligation);
|
||||
match obligation.predicate {
|
||||
ty::Predicate::Projection(..)
|
||||
| ty::Predicate::Trait(..)
|
||||
| ty::Predicate::Subtype(..)
|
||||
| ty::Predicate::WellFormed(..)
|
||||
| ty::Predicate::ObjectSafe(..)
|
||||
| ty::Predicate::ClosureKind(..)
|
||||
| ty::Predicate::RegionOutlives(..)
|
||||
| ty::Predicate::ConstEvaluatable(..)
|
||||
| ty::Predicate::ConstEquate(..) => None,
|
||||
ty::Predicate::TypeOutlives(predicate) => {
|
||||
match obligation.predicate.kind() {
|
||||
ty::PredicateKind::Projection(..)
|
||||
| ty::PredicateKind::Trait(..)
|
||||
| ty::PredicateKind::Subtype(..)
|
||||
| ty::PredicateKind::WellFormed(..)
|
||||
| ty::PredicateKind::ObjectSafe(..)
|
||||
| ty::PredicateKind::ClosureKind(..)
|
||||
| ty::PredicateKind::RegionOutlives(..)
|
||||
| ty::PredicateKind::ConstEvaluatable(..)
|
||||
| ty::PredicateKind::ConstEquate(..) => None,
|
||||
ty::PredicateKind::TypeOutlives(predicate) => {
|
||||
// Search for a bound of the form `erased_self_ty
|
||||
// : 'a`, but be wary of something like `for<'a>
|
||||
// erased_self_ty : 'a` (we interpret a
|
||||
|
|
|
|||
|
|
@ -341,7 +341,8 @@ impl AutoTraitFinder<'tcx> {
|
|||
already_visited.remove(&pred);
|
||||
self.add_user_pred(
|
||||
&mut user_computed_preds,
|
||||
ty::Predicate::Trait(pred, hir::Constness::NotConst),
|
||||
ty::PredicateKind::Trait(pred, hir::Constness::NotConst)
|
||||
.to_predicate(self.tcx),
|
||||
);
|
||||
predicates.push_back(pred);
|
||||
} else {
|
||||
|
|
@ -411,8 +412,10 @@ impl AutoTraitFinder<'tcx> {
|
|||
) {
|
||||
let mut should_add_new = true;
|
||||
user_computed_preds.retain(|&old_pred| {
|
||||
if let (&ty::Predicate::Trait(new_trait, _), ty::Predicate::Trait(old_trait, _)) =
|
||||
(&new_pred, old_pred)
|
||||
if let (
|
||||
ty::PredicateKind::Trait(new_trait, _),
|
||||
ty::PredicateKind::Trait(old_trait, _),
|
||||
) = (new_pred.kind(), old_pred.kind())
|
||||
{
|
||||
if new_trait.def_id() == old_trait.def_id() {
|
||||
let new_substs = new_trait.skip_binder().trait_ref.substs;
|
||||
|
|
@ -630,8 +633,8 @@ impl AutoTraitFinder<'tcx> {
|
|||
//
|
||||
// We check this by calling is_of_param on the relevant types
|
||||
// from the various possible predicates
|
||||
match &predicate {
|
||||
&ty::Predicate::Trait(p, _) => {
|
||||
match predicate.kind() {
|
||||
&ty::PredicateKind::Trait(p, _) => {
|
||||
if self.is_param_no_infer(p.skip_binder().trait_ref.substs)
|
||||
&& !only_projections
|
||||
&& is_new_pred
|
||||
|
|
@ -640,7 +643,7 @@ impl AutoTraitFinder<'tcx> {
|
|||
}
|
||||
predicates.push_back(p);
|
||||
}
|
||||
&ty::Predicate::Projection(p) => {
|
||||
&ty::PredicateKind::Projection(p) => {
|
||||
debug!(
|
||||
"evaluate_nested_obligations: examining projection predicate {:?}",
|
||||
predicate
|
||||
|
|
@ -765,12 +768,12 @@ impl AutoTraitFinder<'tcx> {
|
|||
}
|
||||
}
|
||||
}
|
||||
&ty::Predicate::RegionOutlives(ref binder) => {
|
||||
ty::PredicateKind::RegionOutlives(ref binder) => {
|
||||
if select.infcx().region_outlives_predicate(&dummy_cause, binder).is_err() {
|
||||
return false;
|
||||
}
|
||||
}
|
||||
&ty::Predicate::TypeOutlives(ref binder) => {
|
||||
ty::PredicateKind::TypeOutlives(ref binder) => {
|
||||
match (
|
||||
binder.no_bound_vars(),
|
||||
binder.map_bound_ref(|pred| pred.0).no_bound_vars(),
|
||||
|
|
|
|||
|
|
@ -252,8 +252,8 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
.emit();
|
||||
return;
|
||||
}
|
||||
match obligation.predicate {
|
||||
ty::Predicate::Trait(ref trait_predicate, _) => {
|
||||
match obligation.predicate.kind() {
|
||||
ty::PredicateKind::Trait(ref trait_predicate, _) => {
|
||||
let trait_predicate = self.resolve_vars_if_possible(trait_predicate);
|
||||
|
||||
if self.tcx.sess.has_errors() && trait_predicate.references_error() {
|
||||
|
|
@ -308,7 +308,7 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
"{}",
|
||||
message.unwrap_or_else(|| format!(
|
||||
"the trait bound `{}` is not satisfied{}",
|
||||
trait_ref.without_const().to_predicate(),
|
||||
trait_ref.without_const().to_predicate(tcx),
|
||||
post_message,
|
||||
))
|
||||
);
|
||||
|
|
@ -468,10 +468,11 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
trait_pred
|
||||
});
|
||||
let unit_obligation = Obligation {
|
||||
predicate: ty::Predicate::Trait(
|
||||
predicate: ty::PredicateKind::Trait(
|
||||
predicate,
|
||||
hir::Constness::NotConst,
|
||||
),
|
||||
)
|
||||
.to_predicate(self.tcx),
|
||||
..obligation.clone()
|
||||
};
|
||||
if self.predicate_may_hold(&unit_obligation) {
|
||||
|
|
@ -489,14 +490,14 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
err
|
||||
}
|
||||
|
||||
ty::Predicate::Subtype(ref predicate) => {
|
||||
ty::PredicateKind::Subtype(ref predicate) => {
|
||||
// Errors for Subtype predicates show up as
|
||||
// `FulfillmentErrorCode::CodeSubtypeError`,
|
||||
// not selection error.
|
||||
span_bug!(span, "subtype requirement gave wrong error: `{:?}`", predicate)
|
||||
}
|
||||
|
||||
ty::Predicate::RegionOutlives(ref predicate) => {
|
||||
ty::PredicateKind::RegionOutlives(ref predicate) => {
|
||||
let predicate = self.resolve_vars_if_possible(predicate);
|
||||
let err = self
|
||||
.region_outlives_predicate(&obligation.cause, &predicate)
|
||||
|
|
@ -512,7 +513,7 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
)
|
||||
}
|
||||
|
||||
ty::Predicate::Projection(..) | ty::Predicate::TypeOutlives(..) => {
|
||||
ty::PredicateKind::Projection(..) | ty::PredicateKind::TypeOutlives(..) => {
|
||||
let predicate = self.resolve_vars_if_possible(&obligation.predicate);
|
||||
struct_span_err!(
|
||||
self.tcx.sess,
|
||||
|
|
@ -523,12 +524,12 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
)
|
||||
}
|
||||
|
||||
ty::Predicate::ObjectSafe(trait_def_id) => {
|
||||
&ty::PredicateKind::ObjectSafe(trait_def_id) => {
|
||||
let violations = self.tcx.object_safety_violations(trait_def_id);
|
||||
report_object_safety_error(self.tcx, span, trait_def_id, violations)
|
||||
}
|
||||
|
||||
ty::Predicate::ClosureKind(closure_def_id, closure_substs, kind) => {
|
||||
&ty::PredicateKind::ClosureKind(closure_def_id, closure_substs, kind) => {
|
||||
let found_kind = self.closure_kind(closure_substs).unwrap();
|
||||
let closure_span =
|
||||
self.tcx.sess.source_map().guess_head_span(
|
||||
|
|
@ -587,7 +588,7 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
return;
|
||||
}
|
||||
|
||||
ty::Predicate::WellFormed(ty) => {
|
||||
ty::PredicateKind::WellFormed(ty) => {
|
||||
if !self.tcx.sess.opts.debugging_opts.chalk {
|
||||
// WF predicates cannot themselves make
|
||||
// errors. They can only block due to
|
||||
|
|
@ -605,7 +606,7 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
}
|
||||
}
|
||||
|
||||
ty::Predicate::ConstEvaluatable(..) => {
|
||||
ty::PredicateKind::ConstEvaluatable(..) => {
|
||||
// Errors for `ConstEvaluatable` predicates show up as
|
||||
// `SelectionError::ConstEvalFailure`,
|
||||
// not `Unimplemented`.
|
||||
|
|
@ -616,7 +617,7 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
)
|
||||
}
|
||||
|
||||
ty::Predicate::ConstEquate(..) => {
|
||||
ty::PredicateKind::ConstEquate(..) => {
|
||||
// Errors for `ConstEquate` predicates show up as
|
||||
// `SelectionError::ConstEvalFailure`,
|
||||
// not `Unimplemented`.
|
||||
|
|
@ -1021,13 +1022,13 @@ trait InferCtxtPrivExt<'tcx> {
|
|||
|
||||
fn note_obligation_cause(
|
||||
&self,
|
||||
err: &mut DiagnosticBuilder<'_>,
|
||||
err: &mut DiagnosticBuilder<'tcx>,
|
||||
obligation: &PredicateObligation<'tcx>,
|
||||
);
|
||||
|
||||
fn suggest_unsized_bound_if_applicable(
|
||||
&self,
|
||||
err: &mut DiagnosticBuilder<'_>,
|
||||
err: &mut DiagnosticBuilder<'tcx>,
|
||||
obligation: &PredicateObligation<'tcx>,
|
||||
);
|
||||
|
||||
|
|
@ -1046,8 +1047,8 @@ impl<'a, 'tcx> InferCtxtPrivExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
return true;
|
||||
}
|
||||
|
||||
let (cond, error) = match (cond, error) {
|
||||
(&ty::Predicate::Trait(..), &ty::Predicate::Trait(ref error, _)) => (cond, error),
|
||||
let (cond, error) = match (cond.kind(), error.kind()) {
|
||||
(ty::PredicateKind::Trait(..), ty::PredicateKind::Trait(error, _)) => (cond, error),
|
||||
_ => {
|
||||
// FIXME: make this work in other cases too.
|
||||
return false;
|
||||
|
|
@ -1055,7 +1056,7 @@ impl<'a, 'tcx> InferCtxtPrivExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
};
|
||||
|
||||
for obligation in super::elaborate_predicates(self.tcx, std::iter::once(*cond)) {
|
||||
if let ty::Predicate::Trait(implication, _) = obligation.predicate {
|
||||
if let ty::PredicateKind::Trait(implication, _) = obligation.predicate.kind() {
|
||||
let error = error.to_poly_trait_ref();
|
||||
let implication = implication.to_poly_trait_ref();
|
||||
// FIXME: I'm just not taking associated types at all here.
|
||||
|
|
@ -1135,7 +1136,7 @@ impl<'a, 'tcx> InferCtxtPrivExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
//
|
||||
// this can fail if the problem was higher-ranked, in which
|
||||
// cause I have no idea for a good error message.
|
||||
if let ty::Predicate::Projection(ref data) = predicate {
|
||||
if let ty::PredicateKind::Projection(ref data) = predicate.kind() {
|
||||
let mut selcx = SelectionContext::new(self);
|
||||
let (data, _) = self.replace_bound_vars_with_fresh_vars(
|
||||
obligation.cause.span,
|
||||
|
|
@ -1388,7 +1389,7 @@ impl<'a, 'tcx> InferCtxtPrivExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
) -> PredicateObligation<'tcx> {
|
||||
let new_trait_ref =
|
||||
ty::TraitRef { def_id, substs: self.tcx.mk_substs_trait(output_ty, &[]) };
|
||||
Obligation::new(cause, param_env, new_trait_ref.without_const().to_predicate())
|
||||
Obligation::new(cause, param_env, new_trait_ref.without_const().to_predicate(self.tcx))
|
||||
}
|
||||
|
||||
fn maybe_report_ambiguity(
|
||||
|
|
@ -1415,8 +1416,8 @@ impl<'a, 'tcx> InferCtxtPrivExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
return;
|
||||
}
|
||||
|
||||
let mut err = match predicate {
|
||||
ty::Predicate::Trait(ref data, _) => {
|
||||
let mut err = match predicate.kind() {
|
||||
ty::PredicateKind::Trait(ref data, _) => {
|
||||
let trait_ref = data.to_poly_trait_ref();
|
||||
let self_ty = trait_ref.self_ty();
|
||||
debug!("self_ty {:?} {:?} trait_ref {:?}", self_ty, self_ty.kind, trait_ref);
|
||||
|
|
@ -1515,7 +1516,7 @@ impl<'a, 'tcx> InferCtxtPrivExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
err
|
||||
}
|
||||
|
||||
ty::Predicate::WellFormed(ty) => {
|
||||
ty::PredicateKind::WellFormed(ty) => {
|
||||
// Same hacky approach as above to avoid deluging user
|
||||
// with error messages.
|
||||
if ty.references_error() || self.tcx.sess.has_errors() {
|
||||
|
|
@ -1524,7 +1525,7 @@ impl<'a, 'tcx> InferCtxtPrivExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
self.need_type_info_err(body_id, span, ty, ErrorCode::E0282)
|
||||
}
|
||||
|
||||
ty::Predicate::Subtype(ref data) => {
|
||||
ty::PredicateKind::Subtype(ref data) => {
|
||||
if data.references_error() || self.tcx.sess.has_errors() {
|
||||
// no need to overload user in such cases
|
||||
return;
|
||||
|
|
@ -1534,7 +1535,7 @@ impl<'a, 'tcx> InferCtxtPrivExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
assert!(a.is_ty_var() && b.is_ty_var());
|
||||
self.need_type_info_err(body_id, span, a, ErrorCode::E0282)
|
||||
}
|
||||
ty::Predicate::Projection(ref data) => {
|
||||
ty::PredicateKind::Projection(ref data) => {
|
||||
let trait_ref = data.to_poly_trait_ref(self.tcx);
|
||||
let self_ty = trait_ref.self_ty();
|
||||
let ty = data.skip_binder().ty;
|
||||
|
|
@ -1627,7 +1628,7 @@ impl<'a, 'tcx> InferCtxtPrivExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
let obligation = Obligation::new(
|
||||
ObligationCause::dummy(),
|
||||
param_env,
|
||||
cleaned_pred.without_const().to_predicate(),
|
||||
cleaned_pred.without_const().to_predicate(selcx.tcx()),
|
||||
);
|
||||
|
||||
self.predicate_may_hold(&obligation)
|
||||
|
|
@ -1636,7 +1637,7 @@ impl<'a, 'tcx> InferCtxtPrivExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
|
||||
fn note_obligation_cause(
|
||||
&self,
|
||||
err: &mut DiagnosticBuilder<'_>,
|
||||
err: &mut DiagnosticBuilder<'tcx>,
|
||||
obligation: &PredicateObligation<'tcx>,
|
||||
) {
|
||||
// First, attempt to add note to this error with an async-await-specific
|
||||
|
|
@ -1654,13 +1655,13 @@ impl<'a, 'tcx> InferCtxtPrivExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
|
||||
fn suggest_unsized_bound_if_applicable(
|
||||
&self,
|
||||
err: &mut DiagnosticBuilder<'_>,
|
||||
err: &mut DiagnosticBuilder<'tcx>,
|
||||
obligation: &PredicateObligation<'tcx>,
|
||||
) {
|
||||
if let (
|
||||
ty::Predicate::Trait(pred, _),
|
||||
ty::PredicateKind::Trait(pred, _),
|
||||
ObligationCauseCode::BindingObligation(item_def_id, span),
|
||||
) = (&obligation.predicate, &obligation.cause.code)
|
||||
) = (obligation.predicate.kind(), &obligation.cause.code)
|
||||
{
|
||||
if let (Some(generics), true) = (
|
||||
self.tcx.hir().get_if_local(*item_def_id).as_ref().and_then(|n| n.generics()),
|
||||
|
|
|
|||
|
|
@ -38,14 +38,14 @@ pub trait InferCtxtExt<'tcx> {
|
|||
fn suggest_restricting_param_bound(
|
||||
&self,
|
||||
err: &mut DiagnosticBuilder<'_>,
|
||||
trait_ref: ty::PolyTraitRef<'_>,
|
||||
trait_ref: ty::PolyTraitRef<'tcx>,
|
||||
body_id: hir::HirId,
|
||||
);
|
||||
|
||||
fn suggest_borrow_on_unsized_slice(
|
||||
&self,
|
||||
code: &ObligationCauseCode<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'_>,
|
||||
);
|
||||
|
||||
fn get_closure_name(
|
||||
|
|
@ -66,7 +66,7 @@ pub trait InferCtxtExt<'tcx> {
|
|||
fn suggest_add_reference_to_arg(
|
||||
&self,
|
||||
obligation: &PredicateObligation<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'_>,
|
||||
trait_ref: &ty::Binder<ty::TraitRef<'tcx>>,
|
||||
points_at_arg: bool,
|
||||
has_custom_message: bool,
|
||||
|
|
@ -75,14 +75,14 @@ pub trait InferCtxtExt<'tcx> {
|
|||
fn suggest_remove_reference(
|
||||
&self,
|
||||
obligation: &PredicateObligation<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'_>,
|
||||
trait_ref: &ty::Binder<ty::TraitRef<'tcx>>,
|
||||
);
|
||||
|
||||
fn suggest_change_mut(
|
||||
&self,
|
||||
obligation: &PredicateObligation<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'_>,
|
||||
trait_ref: &ty::Binder<ty::TraitRef<'tcx>>,
|
||||
points_at_arg: bool,
|
||||
);
|
||||
|
|
@ -90,7 +90,7 @@ pub trait InferCtxtExt<'tcx> {
|
|||
fn suggest_semicolon_removal(
|
||||
&self,
|
||||
obligation: &PredicateObligation<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'_>,
|
||||
span: Span,
|
||||
trait_ref: &ty::Binder<ty::TraitRef<'tcx>>,
|
||||
);
|
||||
|
|
@ -99,7 +99,7 @@ pub trait InferCtxtExt<'tcx> {
|
|||
|
||||
fn suggest_impl_trait(
|
||||
&self,
|
||||
err: &mut DiagnosticBuilder<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'_>,
|
||||
span: Span,
|
||||
obligation: &PredicateObligation<'tcx>,
|
||||
trait_ref: &ty::Binder<ty::TraitRef<'tcx>>,
|
||||
|
|
@ -107,7 +107,7 @@ pub trait InferCtxtExt<'tcx> {
|
|||
|
||||
fn point_at_returns_when_relevant(
|
||||
&self,
|
||||
err: &mut DiagnosticBuilder<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'_>,
|
||||
obligation: &PredicateObligation<'tcx>,
|
||||
);
|
||||
|
||||
|
|
@ -138,11 +138,11 @@ pub trait InferCtxtExt<'tcx> {
|
|||
err: &mut DiagnosticBuilder<'_>,
|
||||
interior_or_upvar_span: GeneratorInteriorOrUpvar,
|
||||
interior_extra_info: Option<(Option<Span>, Span, Option<hir::HirId>, Option<Span>)>,
|
||||
inner_generator_body: Option<&hir::Body<'_>>,
|
||||
inner_generator_body: Option<&hir::Body<'tcx>>,
|
||||
outer_generator: Option<DefId>,
|
||||
trait_ref: ty::TraitRef<'_>,
|
||||
trait_ref: ty::TraitRef<'tcx>,
|
||||
target_ty: Ty<'tcx>,
|
||||
tables: &ty::TypeckTables<'_>,
|
||||
tables: &ty::TypeckTables<'tcx>,
|
||||
obligation: &PredicateObligation<'tcx>,
|
||||
next_code: Option<&ObligationCauseCode<'tcx>>,
|
||||
);
|
||||
|
|
@ -183,12 +183,13 @@ fn predicate_constraint(generics: &hir::Generics<'_>, pred: String) -> (Span, St
|
|||
/// it can also be an `impl Trait` param that needs to be decomposed to a type
|
||||
/// param for cleaner code.
|
||||
fn suggest_restriction(
|
||||
generics: &hir::Generics<'_>,
|
||||
tcx: TyCtxt<'tcx>,
|
||||
generics: &hir::Generics<'tcx>,
|
||||
msg: &str,
|
||||
err: &mut DiagnosticBuilder<'_>,
|
||||
fn_sig: Option<&hir::FnSig<'_>>,
|
||||
projection: Option<&ty::ProjectionTy<'_>>,
|
||||
trait_ref: ty::PolyTraitRef<'_>,
|
||||
trait_ref: ty::PolyTraitRef<'tcx>,
|
||||
super_traits: Option<(&Ident, &hir::GenericBounds<'_>)>,
|
||||
) {
|
||||
// When we are dealing with a trait, `super_traits` will be `Some`:
|
||||
|
|
@ -243,7 +244,7 @@ fn suggest_restriction(
|
|||
|
||||
// FIXME: modify the `trait_ref` instead of string shenanigans.
|
||||
// Turn `<impl Trait as Foo>::Bar: Qux` into `<T as Foo>::Bar: Qux`.
|
||||
let pred = trait_ref.without_const().to_predicate().to_string();
|
||||
let pred = trait_ref.without_const().to_predicate(tcx).to_string();
|
||||
let pred = pred.replace(&impl_trait_str, &type_param_name);
|
||||
let mut sugg = vec![
|
||||
match generics
|
||||
|
|
@ -285,9 +286,10 @@ fn suggest_restriction(
|
|||
} else {
|
||||
// Trivial case: `T` needs an extra bound: `T: Bound`.
|
||||
let (sp, suggestion) = match super_traits {
|
||||
None => {
|
||||
predicate_constraint(generics, trait_ref.without_const().to_predicate().to_string())
|
||||
}
|
||||
None => predicate_constraint(
|
||||
generics,
|
||||
trait_ref.without_const().to_predicate(tcx).to_string(),
|
||||
),
|
||||
Some((ident, bounds)) => match bounds {
|
||||
[.., bound] => (
|
||||
bound.span().shrink_to_hi(),
|
||||
|
|
@ -313,7 +315,7 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
fn suggest_restricting_param_bound(
|
||||
&self,
|
||||
mut err: &mut DiagnosticBuilder<'_>,
|
||||
trait_ref: ty::PolyTraitRef<'_>,
|
||||
trait_ref: ty::PolyTraitRef<'tcx>,
|
||||
body_id: hir::HirId,
|
||||
) {
|
||||
let self_ty = trait_ref.self_ty();
|
||||
|
|
@ -336,6 +338,7 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
assert!(param_ty);
|
||||
// Restricting `Self` for a single method.
|
||||
suggest_restriction(
|
||||
self.tcx,
|
||||
&generics,
|
||||
"`Self`",
|
||||
err,
|
||||
|
|
@ -355,7 +358,7 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
assert!(param_ty);
|
||||
// Restricting `Self` for a single method.
|
||||
suggest_restriction(
|
||||
&generics, "`Self`", err, None, projection, trait_ref, None,
|
||||
self.tcx, &generics, "`Self`", err, None, projection, trait_ref, None,
|
||||
);
|
||||
return;
|
||||
}
|
||||
|
|
@ -375,6 +378,7 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
}) if projection.is_some() => {
|
||||
// Missing restriction on associated type of type parameter (unmet projection).
|
||||
suggest_restriction(
|
||||
self.tcx,
|
||||
&generics,
|
||||
"the associated type",
|
||||
err,
|
||||
|
|
@ -393,6 +397,7 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
}) if projection.is_some() => {
|
||||
// Missing restriction on associated type of type parameter (unmet projection).
|
||||
suggest_restriction(
|
||||
self.tcx,
|
||||
&generics,
|
||||
"the associated type",
|
||||
err,
|
||||
|
|
@ -450,7 +455,7 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
fn suggest_borrow_on_unsized_slice(
|
||||
&self,
|
||||
code: &ObligationCauseCode<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'_>,
|
||||
) {
|
||||
if let &ObligationCauseCode::VariableType(hir_id) = code {
|
||||
let parent_node = self.tcx.hir().get_parent_node(hir_id);
|
||||
|
|
@ -601,7 +606,7 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
fn suggest_add_reference_to_arg(
|
||||
&self,
|
||||
obligation: &PredicateObligation<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'_>,
|
||||
trait_ref: &ty::Binder<ty::TraitRef<'tcx>>,
|
||||
points_at_arg: bool,
|
||||
has_custom_message: bool,
|
||||
|
|
@ -624,7 +629,7 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
let new_obligation = Obligation::new(
|
||||
ObligationCause::dummy(),
|
||||
param_env,
|
||||
new_trait_ref.without_const().to_predicate(),
|
||||
new_trait_ref.without_const().to_predicate(self.tcx),
|
||||
);
|
||||
if self.predicate_must_hold_modulo_regions(&new_obligation) {
|
||||
if let Ok(snippet) = self.tcx.sess.source_map().span_to_snippet(span) {
|
||||
|
|
@ -673,7 +678,7 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
fn suggest_remove_reference(
|
||||
&self,
|
||||
obligation: &PredicateObligation<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'_>,
|
||||
trait_ref: &ty::Binder<ty::TraitRef<'tcx>>,
|
||||
) {
|
||||
let trait_ref = trait_ref.skip_binder();
|
||||
|
|
@ -735,7 +740,7 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
fn suggest_change_mut(
|
||||
&self,
|
||||
obligation: &PredicateObligation<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'_>,
|
||||
trait_ref: &ty::Binder<ty::TraitRef<'tcx>>,
|
||||
points_at_arg: bool,
|
||||
) {
|
||||
|
|
@ -806,7 +811,7 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
fn suggest_semicolon_removal(
|
||||
&self,
|
||||
obligation: &PredicateObligation<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'_>,
|
||||
span: Span,
|
||||
trait_ref: &ty::Binder<ty::TraitRef<'tcx>>,
|
||||
) {
|
||||
|
|
@ -852,7 +857,7 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
/// emitted.
|
||||
fn suggest_impl_trait(
|
||||
&self,
|
||||
err: &mut DiagnosticBuilder<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'_>,
|
||||
span: Span,
|
||||
obligation: &PredicateObligation<'tcx>,
|
||||
trait_ref: &ty::Binder<ty::TraitRef<'tcx>>,
|
||||
|
|
@ -1048,7 +1053,7 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
|
||||
fn point_at_returns_when_relevant(
|
||||
&self,
|
||||
err: &mut DiagnosticBuilder<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'_>,
|
||||
obligation: &PredicateObligation<'tcx>,
|
||||
) {
|
||||
match obligation.cause.code.peel_derives() {
|
||||
|
|
@ -1237,8 +1242,8 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
// the type. The last generator (`outer_generator` below) has information about where the
|
||||
// bound was introduced. At least one generator should be present for this diagnostic to be
|
||||
// modified.
|
||||
let (mut trait_ref, mut target_ty) = match obligation.predicate {
|
||||
ty::Predicate::Trait(p, _) => {
|
||||
let (mut trait_ref, mut target_ty) = match obligation.predicate.kind() {
|
||||
ty::PredicateKind::Trait(p, _) => {
|
||||
(Some(p.skip_binder().trait_ref), Some(p.skip_binder().self_ty()))
|
||||
}
|
||||
_ => (None, None),
|
||||
|
|
@ -1430,11 +1435,11 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
err: &mut DiagnosticBuilder<'_>,
|
||||
interior_or_upvar_span: GeneratorInteriorOrUpvar,
|
||||
interior_extra_info: Option<(Option<Span>, Span, Option<hir::HirId>, Option<Span>)>,
|
||||
inner_generator_body: Option<&hir::Body<'_>>,
|
||||
inner_generator_body: Option<&hir::Body<'tcx>>,
|
||||
outer_generator: Option<DefId>,
|
||||
trait_ref: ty::TraitRef<'_>,
|
||||
trait_ref: ty::TraitRef<'tcx>,
|
||||
target_ty: Ty<'tcx>,
|
||||
tables: &ty::TypeckTables<'_>,
|
||||
tables: &ty::TypeckTables<'tcx>,
|
||||
obligation: &PredicateObligation<'tcx>,
|
||||
next_code: Option<&ObligationCauseCode<'tcx>>,
|
||||
) {
|
||||
|
|
@ -1788,7 +1793,7 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
err.note(&format!("required because it appears within the type `{}`", ty));
|
||||
obligated_types.push(ty);
|
||||
|
||||
let parent_predicate = parent_trait_ref.without_const().to_predicate();
|
||||
let parent_predicate = parent_trait_ref.without_const().to_predicate(tcx);
|
||||
if !self.is_recursive_obligation(obligated_types, &data.parent_code) {
|
||||
self.note_obligation_cause_code(
|
||||
err,
|
||||
|
|
@ -1805,7 +1810,7 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
parent_trait_ref.print_only_trait_path(),
|
||||
parent_trait_ref.skip_binder().self_ty()
|
||||
));
|
||||
let parent_predicate = parent_trait_ref.without_const().to_predicate();
|
||||
let parent_predicate = parent_trait_ref.without_const().to_predicate(tcx);
|
||||
self.note_obligation_cause_code(
|
||||
err,
|
||||
&parent_predicate,
|
||||
|
|
@ -1815,7 +1820,7 @@ impl<'a, 'tcx> InferCtxtExt<'tcx> for InferCtxt<'a, 'tcx> {
|
|||
}
|
||||
ObligationCauseCode::DerivedObligation(ref data) => {
|
||||
let parent_trait_ref = self.resolve_vars_if_possible(&data.parent_trait_ref);
|
||||
let parent_predicate = parent_trait_ref.without_const().to_predicate();
|
||||
let parent_predicate = parent_trait_ref.without_const().to_predicate(tcx);
|
||||
self.note_obligation_cause_code(
|
||||
err,
|
||||
&parent_predicate,
|
||||
|
|
@ -2061,7 +2066,7 @@ impl NextTypeParamName for &[hir::GenericParam<'_>] {
|
|||
}
|
||||
|
||||
fn suggest_trait_object_return_type_alternatives(
|
||||
err: &mut DiagnosticBuilder<'tcx>,
|
||||
err: &mut DiagnosticBuilder<'_>,
|
||||
ret_ty: Span,
|
||||
trait_obj: &str,
|
||||
is_object_safe: bool,
|
||||
|
|
|
|||
|
|
@ -83,7 +83,7 @@ pub struct PendingPredicateObligation<'tcx> {
|
|||
|
||||
// `PendingPredicateObligation` is used a lot. Make sure it doesn't unintentionally get bigger.
|
||||
#[cfg(target_arch = "x86_64")]
|
||||
static_assert_size!(PendingPredicateObligation<'_>, 136);
|
||||
static_assert_size!(PendingPredicateObligation<'_>, 112);
|
||||
|
||||
impl<'a, 'tcx> FulfillmentContext<'tcx> {
|
||||
/// Creates a new fulfillment context.
|
||||
|
|
@ -322,8 +322,8 @@ impl<'a, 'b, 'tcx> ObligationProcessor for FulfillProcessor<'a, 'b, 'tcx> {
|
|||
|
||||
let infcx = self.selcx.infcx();
|
||||
|
||||
match obligation.predicate {
|
||||
ty::Predicate::Trait(ref data, _) => {
|
||||
match obligation.predicate.kind() {
|
||||
ty::PredicateKind::Trait(ref data, _) => {
|
||||
let trait_obligation = obligation.with(*data);
|
||||
|
||||
if data.is_global() {
|
||||
|
|
@ -378,14 +378,14 @@ impl<'a, 'b, 'tcx> ObligationProcessor for FulfillProcessor<'a, 'b, 'tcx> {
|
|||
}
|
||||
}
|
||||
|
||||
ty::Predicate::RegionOutlives(ref binder) => {
|
||||
ty::PredicateKind::RegionOutlives(ref binder) => {
|
||||
match infcx.region_outlives_predicate(&obligation.cause, binder) {
|
||||
Ok(()) => ProcessResult::Changed(vec![]),
|
||||
Err(_) => ProcessResult::Error(CodeSelectionError(Unimplemented)),
|
||||
}
|
||||
}
|
||||
|
||||
ty::Predicate::TypeOutlives(ref binder) => {
|
||||
ty::PredicateKind::TypeOutlives(ref binder) => {
|
||||
// Check if there are higher-ranked vars.
|
||||
match binder.no_bound_vars() {
|
||||
// If there are, inspect the underlying type further.
|
||||
|
|
@ -429,7 +429,7 @@ impl<'a, 'b, 'tcx> ObligationProcessor for FulfillProcessor<'a, 'b, 'tcx> {
|
|||
}
|
||||
}
|
||||
|
||||
ty::Predicate::Projection(ref data) => {
|
||||
ty::PredicateKind::Projection(ref data) => {
|
||||
let project_obligation = obligation.with(*data);
|
||||
match project::poly_project_and_unify_type(self.selcx, &project_obligation) {
|
||||
Ok(None) => {
|
||||
|
|
@ -443,7 +443,7 @@ impl<'a, 'b, 'tcx> ObligationProcessor for FulfillProcessor<'a, 'b, 'tcx> {
|
|||
}
|
||||
}
|
||||
|
||||
ty::Predicate::ObjectSafe(trait_def_id) => {
|
||||
&ty::PredicateKind::ObjectSafe(trait_def_id) => {
|
||||
if !self.selcx.tcx().is_object_safe(trait_def_id) {
|
||||
ProcessResult::Error(CodeSelectionError(Unimplemented))
|
||||
} else {
|
||||
|
|
@ -451,7 +451,7 @@ impl<'a, 'b, 'tcx> ObligationProcessor for FulfillProcessor<'a, 'b, 'tcx> {
|
|||
}
|
||||
}
|
||||
|
||||
ty::Predicate::ClosureKind(_, closure_substs, kind) => {
|
||||
&ty::PredicateKind::ClosureKind(_, closure_substs, kind) => {
|
||||
match self.selcx.infcx().closure_kind(closure_substs) {
|
||||
Some(closure_kind) => {
|
||||
if closure_kind.extends(kind) {
|
||||
|
|
@ -464,7 +464,7 @@ impl<'a, 'b, 'tcx> ObligationProcessor for FulfillProcessor<'a, 'b, 'tcx> {
|
|||
}
|
||||
}
|
||||
|
||||
ty::Predicate::WellFormed(ty) => {
|
||||
&ty::PredicateKind::WellFormed(ty) => {
|
||||
match wf::obligations(
|
||||
self.selcx.infcx(),
|
||||
obligation.param_env,
|
||||
|
|
@ -481,7 +481,7 @@ impl<'a, 'b, 'tcx> ObligationProcessor for FulfillProcessor<'a, 'b, 'tcx> {
|
|||
}
|
||||
}
|
||||
|
||||
ty::Predicate::Subtype(ref subtype) => {
|
||||
ty::PredicateKind::Subtype(subtype) => {
|
||||
match self.selcx.infcx().subtype_predicate(
|
||||
&obligation.cause,
|
||||
obligation.param_env,
|
||||
|
|
@ -510,7 +510,7 @@ impl<'a, 'b, 'tcx> ObligationProcessor for FulfillProcessor<'a, 'b, 'tcx> {
|
|||
}
|
||||
}
|
||||
|
||||
ty::Predicate::ConstEvaluatable(def_id, substs) => {
|
||||
&ty::PredicateKind::ConstEvaluatable(def_id, substs) => {
|
||||
match self.selcx.infcx().const_eval_resolve(
|
||||
obligation.param_env,
|
||||
def_id,
|
||||
|
|
@ -523,7 +523,7 @@ impl<'a, 'b, 'tcx> ObligationProcessor for FulfillProcessor<'a, 'b, 'tcx> {
|
|||
}
|
||||
}
|
||||
|
||||
ty::Predicate::ConstEquate(c1, c2) => {
|
||||
ty::PredicateKind::ConstEquate(c1, c2) => {
|
||||
debug!("equating consts: c1={:?} c2={:?}", c1, c2);
|
||||
|
||||
let stalled_on = &mut pending_obligation.stalled_on;
|
||||
|
|
|
|||
|
|
@ -143,7 +143,7 @@ pub fn type_known_to_meet_bound_modulo_regions<'a, 'tcx>(
|
|||
param_env,
|
||||
cause: ObligationCause::misc(span, hir::CRATE_HIR_ID),
|
||||
recursion_depth: 0,
|
||||
predicate: trait_ref.without_const().to_predicate(),
|
||||
predicate: trait_ref.without_const().to_predicate(infcx.tcx),
|
||||
};
|
||||
|
||||
let result = infcx.predicate_must_hold_modulo_regions(&obligation);
|
||||
|
|
@ -333,8 +333,8 @@ pub fn normalize_param_env_or_error<'tcx>(
|
|||
// This works fairly well because trait matching does not actually care about param-env
|
||||
// TypeOutlives predicates - these are normally used by regionck.
|
||||
let outlives_predicates: Vec<_> = predicates
|
||||
.drain_filter(|predicate| match predicate {
|
||||
ty::Predicate::TypeOutlives(..) => true,
|
||||
.drain_filter(|predicate| match predicate.kind() {
|
||||
ty::PredicateKind::TypeOutlives(..) => true,
|
||||
_ => false,
|
||||
})
|
||||
.collect();
|
||||
|
|
@ -557,7 +557,7 @@ fn type_implements_trait<'tcx>(
|
|||
cause: ObligationCause::dummy(),
|
||||
param_env,
|
||||
recursion_depth: 0,
|
||||
predicate: trait_ref.without_const().to_predicate(),
|
||||
predicate: trait_ref.without_const().to_predicate(tcx),
|
||||
};
|
||||
tcx.infer_ctxt().enter(|infcx| infcx.predicate_must_hold_modulo_regions(&obligation))
|
||||
}
|
||||
|
|
|
|||
|
|
@ -245,8 +245,8 @@ fn predicates_reference_self(
|
|||
.iter()
|
||||
.map(|(predicate, sp)| (predicate.subst_supertrait(tcx, &trait_ref), sp))
|
||||
.filter_map(|(predicate, &sp)| {
|
||||
match predicate {
|
||||
ty::Predicate::Trait(ref data, _) => {
|
||||
match predicate.kind() {
|
||||
ty::PredicateKind::Trait(ref data, _) => {
|
||||
// In the case of a trait predicate, we can skip the "self" type.
|
||||
if data.skip_binder().trait_ref.substs[1..].iter().any(has_self_ty) {
|
||||
Some(sp)
|
||||
|
|
@ -254,7 +254,7 @@ fn predicates_reference_self(
|
|||
None
|
||||
}
|
||||
}
|
||||
ty::Predicate::Projection(ref data) => {
|
||||
ty::PredicateKind::Projection(ref data) => {
|
||||
// And similarly for projections. This should be redundant with
|
||||
// the previous check because any projection should have a
|
||||
// matching `Trait` predicate with the same inputs, but we do
|
||||
|
|
@ -276,14 +276,14 @@ fn predicates_reference_self(
|
|||
None
|
||||
}
|
||||
}
|
||||
ty::Predicate::WellFormed(..)
|
||||
| ty::Predicate::ObjectSafe(..)
|
||||
| ty::Predicate::TypeOutlives(..)
|
||||
| ty::Predicate::RegionOutlives(..)
|
||||
| ty::Predicate::ClosureKind(..)
|
||||
| ty::Predicate::Subtype(..)
|
||||
| ty::Predicate::ConstEvaluatable(..)
|
||||
| ty::Predicate::ConstEquate(..) => None,
|
||||
ty::PredicateKind::WellFormed(..)
|
||||
| ty::PredicateKind::ObjectSafe(..)
|
||||
| ty::PredicateKind::TypeOutlives(..)
|
||||
| ty::PredicateKind::RegionOutlives(..)
|
||||
| ty::PredicateKind::ClosureKind(..)
|
||||
| ty::PredicateKind::Subtype(..)
|
||||
| ty::PredicateKind::ConstEvaluatable(..)
|
||||
| ty::PredicateKind::ConstEquate(..) => None,
|
||||
}
|
||||
})
|
||||
.collect()
|
||||
|
|
@ -304,19 +304,22 @@ fn generics_require_sized_self(tcx: TyCtxt<'_>, def_id: DefId) -> bool {
|
|||
// Search for a predicate like `Self : Sized` amongst the trait bounds.
|
||||
let predicates = tcx.predicates_of(def_id);
|
||||
let predicates = predicates.instantiate_identity(tcx).predicates;
|
||||
elaborate_predicates(tcx, predicates.into_iter()).any(|obligation| match obligation.predicate {
|
||||
ty::Predicate::Trait(ref trait_pred, _) => {
|
||||
trait_pred.def_id() == sized_def_id && trait_pred.skip_binder().self_ty().is_param(0)
|
||||
elaborate_predicates(tcx, predicates.into_iter()).any(|obligation| {
|
||||
match obligation.predicate.kind() {
|
||||
ty::PredicateKind::Trait(ref trait_pred, _) => {
|
||||
trait_pred.def_id() == sized_def_id
|
||||
&& trait_pred.skip_binder().self_ty().is_param(0)
|
||||
}
|
||||
ty::PredicateKind::Projection(..)
|
||||
| ty::PredicateKind::Subtype(..)
|
||||
| ty::PredicateKind::RegionOutlives(..)
|
||||
| ty::PredicateKind::WellFormed(..)
|
||||
| ty::PredicateKind::ObjectSafe(..)
|
||||
| ty::PredicateKind::ClosureKind(..)
|
||||
| ty::PredicateKind::TypeOutlives(..)
|
||||
| ty::PredicateKind::ConstEvaluatable(..)
|
||||
| ty::PredicateKind::ConstEquate(..) => false,
|
||||
}
|
||||
ty::Predicate::Projection(..)
|
||||
| ty::Predicate::Subtype(..)
|
||||
| ty::Predicate::RegionOutlives(..)
|
||||
| ty::Predicate::WellFormed(..)
|
||||
| ty::Predicate::ObjectSafe(..)
|
||||
| ty::Predicate::ClosureKind(..)
|
||||
| ty::Predicate::TypeOutlives(..)
|
||||
| ty::Predicate::ConstEvaluatable(..)
|
||||
| ty::Predicate::ConstEquate(..) => false,
|
||||
})
|
||||
}
|
||||
|
||||
|
|
@ -636,7 +639,7 @@ fn receiver_is_dispatchable<'tcx>(
|
|||
substs: tcx.mk_substs_trait(tcx.types.self_param, &[unsized_self_ty.into()]),
|
||||
}
|
||||
.without_const()
|
||||
.to_predicate();
|
||||
.to_predicate(tcx);
|
||||
|
||||
// U: Trait<Arg1, ..., ArgN>
|
||||
let trait_predicate = {
|
||||
|
|
@ -649,7 +652,7 @@ fn receiver_is_dispatchable<'tcx>(
|
|||
}
|
||||
});
|
||||
|
||||
ty::TraitRef { def_id: unsize_did, substs }.without_const().to_predicate()
|
||||
ty::TraitRef { def_id: unsize_did, substs }.without_const().to_predicate(tcx)
|
||||
};
|
||||
|
||||
let caller_bounds: Vec<Predicate<'tcx>> = param_env
|
||||
|
|
@ -672,7 +675,7 @@ fn receiver_is_dispatchable<'tcx>(
|
|||
substs: tcx.mk_substs_trait(receiver_ty, &[unsized_receiver_ty.into()]),
|
||||
}
|
||||
.without_const()
|
||||
.to_predicate();
|
||||
.to_predicate(tcx);
|
||||
|
||||
Obligation::new(ObligationCause::dummy(), param_env, predicate)
|
||||
};
|
||||
|
|
|
|||
|
|
@ -436,7 +436,7 @@ pub fn normalize_projection_type<'a, 'b, 'tcx>(
|
|||
});
|
||||
let projection = ty::Binder::dummy(ty::ProjectionPredicate { projection_ty, ty: ty_var });
|
||||
let obligation =
|
||||
Obligation::with_depth(cause, depth + 1, param_env, projection.to_predicate());
|
||||
Obligation::with_depth(cause, depth + 1, param_env, projection.to_predicate(tcx));
|
||||
obligations.push(obligation);
|
||||
ty_var
|
||||
})
|
||||
|
|
@ -665,7 +665,7 @@ fn prune_cache_value_obligations<'a, 'tcx>(
|
|||
let mut obligations: Vec<_> = result
|
||||
.obligations
|
||||
.iter()
|
||||
.filter(|obligation| match obligation.predicate {
|
||||
.filter(|obligation| match obligation.predicate.kind() {
|
||||
// We found a `T: Foo<X = U>` predicate, let's check
|
||||
// if `U` references any unresolved type
|
||||
// variables. In principle, we only care if this
|
||||
|
|
@ -675,7 +675,9 @@ fn prune_cache_value_obligations<'a, 'tcx>(
|
|||
// indirect obligations (e.g., we project to `?0`,
|
||||
// but we have `T: Foo<X = ?1>` and `?1: Bar<X =
|
||||
// ?0>`).
|
||||
ty::Predicate::Projection(ref data) => infcx.unresolved_type_vars(&data.ty()).is_some(),
|
||||
ty::PredicateKind::Projection(ref data) => {
|
||||
infcx.unresolved_type_vars(&data.ty()).is_some()
|
||||
}
|
||||
|
||||
// We are only interested in `T: Foo<X = U>` predicates, whre
|
||||
// `U` references one of `unresolved_type_vars`. =)
|
||||
|
|
@ -724,7 +726,7 @@ fn get_paranoid_cache_value_obligation<'a, 'tcx>(
|
|||
cause,
|
||||
recursion_depth: depth,
|
||||
param_env,
|
||||
predicate: trait_ref.without_const().to_predicate(),
|
||||
predicate: trait_ref.without_const().to_predicate(infcx.tcx),
|
||||
}
|
||||
}
|
||||
|
||||
|
|
@ -759,7 +761,7 @@ fn normalize_to_error<'a, 'tcx>(
|
|||
cause,
|
||||
recursion_depth: depth,
|
||||
param_env,
|
||||
predicate: trait_ref.without_const().to_predicate(),
|
||||
predicate: trait_ref.without_const().to_predicate(selcx.tcx()),
|
||||
};
|
||||
let tcx = selcx.infcx().tcx;
|
||||
let def_id = projection_ty.item_def_id;
|
||||
|
|
@ -932,7 +934,7 @@ fn assemble_candidates_from_predicates<'cx, 'tcx>(
|
|||
let infcx = selcx.infcx();
|
||||
for predicate in env_predicates {
|
||||
debug!("assemble_candidates_from_predicates: predicate={:?}", predicate);
|
||||
if let ty::Predicate::Projection(data) = predicate {
|
||||
if let &ty::PredicateKind::Projection(data) = predicate.kind() {
|
||||
let same_def_id = data.projection_def_id() == obligation.predicate.item_def_id;
|
||||
|
||||
let is_match = same_def_id
|
||||
|
|
@ -1202,20 +1204,19 @@ fn confirm_object_candidate<'cx, 'tcx>(
|
|||
object_ty
|
||||
),
|
||||
};
|
||||
let env_predicates =
|
||||
data.projection_bounds().map(|p| p.with_self_ty(selcx.tcx(), object_ty).to_predicate());
|
||||
let env_predicates = data
|
||||
.projection_bounds()
|
||||
.map(|p| p.with_self_ty(selcx.tcx(), object_ty).to_predicate(selcx.tcx()));
|
||||
let env_predicate = {
|
||||
let env_predicates = elaborate_predicates(selcx.tcx(), env_predicates);
|
||||
|
||||
// select only those projections that are actually projecting an
|
||||
// item with the correct name
|
||||
let env_predicates = env_predicates.filter_map(|o| match o.predicate {
|
||||
ty::Predicate::Projection(data) => {
|
||||
if data.projection_def_id() == obligation.predicate.item_def_id {
|
||||
Some(data)
|
||||
} else {
|
||||
None
|
||||
}
|
||||
let env_predicates = env_predicates.filter_map(|o| match o.predicate.kind() {
|
||||
&ty::PredicateKind::Projection(data)
|
||||
if data.projection_def_id() == obligation.predicate.item_def_id =>
|
||||
{
|
||||
Some(data)
|
||||
}
|
||||
_ => None,
|
||||
});
|
||||
|
|
|
|||
|
|
@ -1,6 +1,6 @@
|
|||
use crate::infer::canonical::{Canonicalized, CanonicalizedQueryResponse};
|
||||
use crate::traits::query::Fallible;
|
||||
use rustc_middle::ty::{ParamEnvAnd, Predicate, TyCtxt};
|
||||
use rustc_middle::ty::{self, ParamEnvAnd, TyCtxt};
|
||||
|
||||
pub use rustc_middle::traits::query::type_op::ProvePredicate;
|
||||
|
||||
|
|
@ -15,7 +15,7 @@ impl<'tcx> super::QueryTypeOp<'tcx> for ProvePredicate<'tcx> {
|
|||
// `&T`, accounts for about 60% percentage of the predicates
|
||||
// we have to prove. No need to canonicalize and all that for
|
||||
// such cases.
|
||||
if let Predicate::Trait(trait_ref, _) = key.value.predicate {
|
||||
if let ty::PredicateKind::Trait(trait_ref, _) = key.value.predicate.kind() {
|
||||
if let Some(sized_def_id) = tcx.lang_items().sized_trait() {
|
||||
if trait_ref.def_id() == sized_def_id {
|
||||
if trait_ref.skip_binder().self_ty().is_trivially_sized(tcx) {
|
||||
|
|
|
|||
|
|
@ -414,14 +414,14 @@ impl<'cx, 'tcx> SelectionContext<'cx, 'tcx> {
|
|||
None => self.check_recursion_limit(&obligation, &obligation)?,
|
||||
}
|
||||
|
||||
match obligation.predicate {
|
||||
ty::Predicate::Trait(ref t, _) => {
|
||||
match obligation.predicate.kind() {
|
||||
ty::PredicateKind::Trait(t, _) => {
|
||||
debug_assert!(!t.has_escaping_bound_vars());
|
||||
let obligation = obligation.with(*t);
|
||||
self.evaluate_trait_predicate_recursively(previous_stack, obligation)
|
||||
}
|
||||
|
||||
ty::Predicate::Subtype(ref p) => {
|
||||
ty::PredicateKind::Subtype(p) => {
|
||||
// Does this code ever run?
|
||||
match self.infcx.subtype_predicate(&obligation.cause, obligation.param_env, p) {
|
||||
Some(Ok(InferOk { mut obligations, .. })) => {
|
||||
|
|
@ -436,7 +436,7 @@ impl<'cx, 'tcx> SelectionContext<'cx, 'tcx> {
|
|||
}
|
||||
}
|
||||
|
||||
ty::Predicate::WellFormed(ty) => match wf::obligations(
|
||||
&ty::PredicateKind::WellFormed(ty) => match wf::obligations(
|
||||
self.infcx,
|
||||
obligation.param_env,
|
||||
obligation.cause.body_id,
|
||||
|
|
@ -450,12 +450,12 @@ impl<'cx, 'tcx> SelectionContext<'cx, 'tcx> {
|
|||
None => Ok(EvaluatedToAmbig),
|
||||
},
|
||||
|
||||
ty::Predicate::TypeOutlives(..) | ty::Predicate::RegionOutlives(..) => {
|
||||
ty::PredicateKind::TypeOutlives(..) | ty::PredicateKind::RegionOutlives(..) => {
|
||||
// We do not consider region relationships when evaluating trait matches.
|
||||
Ok(EvaluatedToOkModuloRegions)
|
||||
}
|
||||
|
||||
ty::Predicate::ObjectSafe(trait_def_id) => {
|
||||
&ty::PredicateKind::ObjectSafe(trait_def_id) => {
|
||||
if self.tcx().is_object_safe(trait_def_id) {
|
||||
Ok(EvaluatedToOk)
|
||||
} else {
|
||||
|
|
@ -463,7 +463,7 @@ impl<'cx, 'tcx> SelectionContext<'cx, 'tcx> {
|
|||
}
|
||||
}
|
||||
|
||||
ty::Predicate::Projection(ref data) => {
|
||||
ty::PredicateKind::Projection(data) => {
|
||||
let project_obligation = obligation.with(*data);
|
||||
match project::poly_project_and_unify_type(self, &project_obligation) {
|
||||
Ok(Some(mut subobligations)) => {
|
||||
|
|
@ -484,7 +484,7 @@ impl<'cx, 'tcx> SelectionContext<'cx, 'tcx> {
|
|||
}
|
||||
}
|
||||
|
||||
ty::Predicate::ClosureKind(_, closure_substs, kind) => {
|
||||
&ty::PredicateKind::ClosureKind(_, closure_substs, kind) => {
|
||||
match self.infcx.closure_kind(closure_substs) {
|
||||
Some(closure_kind) => {
|
||||
if closure_kind.extends(kind) {
|
||||
|
|
@ -497,7 +497,7 @@ impl<'cx, 'tcx> SelectionContext<'cx, 'tcx> {
|
|||
}
|
||||
}
|
||||
|
||||
ty::Predicate::ConstEvaluatable(def_id, substs) => {
|
||||
&ty::PredicateKind::ConstEvaluatable(def_id, substs) => {
|
||||
match self.tcx().const_eval_resolve(
|
||||
obligation.param_env,
|
||||
def_id,
|
||||
|
|
@ -511,7 +511,7 @@ impl<'cx, 'tcx> SelectionContext<'cx, 'tcx> {
|
|||
}
|
||||
}
|
||||
|
||||
ty::Predicate::ConstEquate(c1, c2) => {
|
||||
ty::PredicateKind::ConstEquate(c1, c2) => {
|
||||
debug!("evaluate_predicate_recursively: equating consts c1={:?} c2={:?}", c1, c2);
|
||||
|
||||
let evaluate = |c: &'tcx ty::Const<'tcx>| {
|
||||
|
|
@ -676,8 +676,10 @@ impl<'cx, 'tcx> SelectionContext<'cx, 'tcx> {
|
|||
// trait refs. This is important because it's only a cycle
|
||||
// if the regions match exactly.
|
||||
let cycle = stack.iter().skip(1).take_while(|s| s.depth >= cycle_depth);
|
||||
let tcx = self.tcx();
|
||||
let cycle = cycle.map(|stack| {
|
||||
ty::Predicate::Trait(stack.obligation.predicate, hir::Constness::NotConst)
|
||||
ty::PredicateKind::Trait(stack.obligation.predicate, hir::Constness::NotConst)
|
||||
.to_predicate(tcx)
|
||||
});
|
||||
if self.coinductive_match(cycle) {
|
||||
debug!("evaluate_stack({:?}) --> recursive, coinductive", stack.fresh_trait_ref);
|
||||
|
|
@ -792,8 +794,8 @@ impl<'cx, 'tcx> SelectionContext<'cx, 'tcx> {
|
|||
}
|
||||
|
||||
fn coinductive_predicate(&self, predicate: ty::Predicate<'tcx>) -> bool {
|
||||
let result = match predicate {
|
||||
ty::Predicate::Trait(ref data, _) => self.tcx().trait_is_auto(data.def_id()),
|
||||
let result = match predicate.kind() {
|
||||
ty::PredicateKind::Trait(ref data, _) => self.tcx().trait_is_auto(data.def_id()),
|
||||
_ => false,
|
||||
};
|
||||
debug!("coinductive_predicate({:?}) = {:?}", predicate, result);
|
||||
|
|
@ -2926,7 +2928,8 @@ impl<'cx, 'tcx> SelectionContext<'cx, 'tcx> {
|
|||
obligations.push(Obligation::new(
|
||||
obligation.cause.clone(),
|
||||
obligation.param_env,
|
||||
ty::Predicate::ClosureKind(closure_def_id, substs, kind),
|
||||
ty::PredicateKind::ClosureKind(closure_def_id, substs, kind)
|
||||
.to_predicate(self.tcx()),
|
||||
));
|
||||
}
|
||||
|
||||
|
|
@ -3036,7 +3039,7 @@ impl<'cx, 'tcx> SelectionContext<'cx, 'tcx> {
|
|||
cause,
|
||||
obligation.recursion_depth + 1,
|
||||
obligation.param_env,
|
||||
ty::Binder::bind(outlives).to_predicate(),
|
||||
ty::Binder::bind(outlives).to_predicate(tcx),
|
||||
));
|
||||
}
|
||||
|
||||
|
|
@ -3079,12 +3082,12 @@ impl<'cx, 'tcx> SelectionContext<'cx, 'tcx> {
|
|||
tcx.require_lang_item(lang_items::SizedTraitLangItem, None),
|
||||
tcx.mk_substs_trait(source, &[]),
|
||||
);
|
||||
nested.push(predicate_to_obligation(tr.without_const().to_predicate()));
|
||||
nested.push(predicate_to_obligation(tr.without_const().to_predicate(tcx)));
|
||||
|
||||
// If the type is `Foo + 'a`, ensure that the type
|
||||
// being cast to `Foo + 'a` outlives `'a`:
|
||||
let outlives = ty::OutlivesPredicate(source, r);
|
||||
nested.push(predicate_to_obligation(ty::Binder::dummy(outlives).to_predicate()));
|
||||
nested.push(predicate_to_obligation(ty::Binder::dummy(outlives).to_predicate(tcx)));
|
||||
}
|
||||
|
||||
// `[T; n]` -> `[T]`
|
||||
|
|
|
|||
|
|
@ -97,7 +97,7 @@ impl<'tcx> TraitAliasExpander<'tcx> {
|
|||
fn expand(&mut self, item: &TraitAliasExpansionInfo<'tcx>) -> bool {
|
||||
let tcx = self.tcx;
|
||||
let trait_ref = item.trait_ref();
|
||||
let pred = trait_ref.without_const().to_predicate();
|
||||
let pred = trait_ref.without_const().to_predicate(tcx);
|
||||
|
||||
debug!("expand_trait_aliases: trait_ref={:?}", trait_ref);
|
||||
|
||||
|
|
@ -110,7 +110,7 @@ impl<'tcx> TraitAliasExpander<'tcx> {
|
|||
// Don't recurse if this trait alias is already on the stack for the DFS search.
|
||||
let anon_pred = anonymize_predicate(tcx, &pred);
|
||||
if item.path.iter().rev().skip(1).any(|(tr, _)| {
|
||||
anonymize_predicate(tcx, &tr.without_const().to_predicate()) == anon_pred
|
||||
anonymize_predicate(tcx, &tr.without_const().to_predicate(tcx)) == anon_pred
|
||||
}) {
|
||||
return false;
|
||||
}
|
||||
|
|
@ -234,6 +234,7 @@ pub fn predicates_for_generics<'tcx>(
|
|||
}
|
||||
|
||||
pub fn predicate_for_trait_ref<'tcx>(
|
||||
tcx: TyCtxt<'tcx>,
|
||||
cause: ObligationCause<'tcx>,
|
||||
param_env: ty::ParamEnv<'tcx>,
|
||||
trait_ref: ty::TraitRef<'tcx>,
|
||||
|
|
@ -243,7 +244,7 @@ pub fn predicate_for_trait_ref<'tcx>(
|
|||
cause,
|
||||
param_env,
|
||||
recursion_depth,
|
||||
predicate: trait_ref.without_const().to_predicate(),
|
||||
predicate: trait_ref.without_const().to_predicate(tcx),
|
||||
}
|
||||
}
|
||||
|
||||
|
|
@ -258,7 +259,7 @@ pub fn predicate_for_trait_def(
|
|||
) -> PredicateObligation<'tcx> {
|
||||
let trait_ref =
|
||||
ty::TraitRef { def_id: trait_def_id, substs: tcx.mk_substs_trait(self_ty, params) };
|
||||
predicate_for_trait_ref(cause, param_env, trait_ref, recursion_depth)
|
||||
predicate_for_trait_ref(tcx, cause, param_env, trait_ref, recursion_depth)
|
||||
}
|
||||
|
||||
/// Casts a trait reference into a reference to one of its super
|
||||
|
|
|
|||
|
|
@ -72,29 +72,29 @@ pub fn predicate_obligations<'a, 'tcx>(
|
|||
let mut wf = WfPredicates { infcx, param_env, body_id, span, out: vec![], item: None };
|
||||
|
||||
// (*) ok to skip binders, because wf code is prepared for it
|
||||
match *predicate {
|
||||
ty::Predicate::Trait(ref t, _) => {
|
||||
match predicate.kind() {
|
||||
ty::PredicateKind::Trait(t, _) => {
|
||||
wf.compute_trait_ref(&t.skip_binder().trait_ref, Elaborate::None); // (*)
|
||||
}
|
||||
ty::Predicate::RegionOutlives(..) => {}
|
||||
ty::Predicate::TypeOutlives(ref t) => {
|
||||
ty::PredicateKind::RegionOutlives(..) => {}
|
||||
ty::PredicateKind::TypeOutlives(t) => {
|
||||
wf.compute(t.skip_binder().0);
|
||||
}
|
||||
ty::Predicate::Projection(ref t) => {
|
||||
ty::PredicateKind::Projection(t) => {
|
||||
let t = t.skip_binder(); // (*)
|
||||
wf.compute_projection(t.projection_ty);
|
||||
wf.compute(t.ty);
|
||||
}
|
||||
ty::Predicate::WellFormed(t) => {
|
||||
&ty::PredicateKind::WellFormed(t) => {
|
||||
wf.compute(t);
|
||||
}
|
||||
ty::Predicate::ObjectSafe(_) => {}
|
||||
ty::Predicate::ClosureKind(..) => {}
|
||||
ty::Predicate::Subtype(ref data) => {
|
||||
ty::PredicateKind::ObjectSafe(_) => {}
|
||||
ty::PredicateKind::ClosureKind(..) => {}
|
||||
ty::PredicateKind::Subtype(data) => {
|
||||
wf.compute(data.skip_binder().a); // (*)
|
||||
wf.compute(data.skip_binder().b); // (*)
|
||||
}
|
||||
ty::Predicate::ConstEvaluatable(def_id, substs) => {
|
||||
&ty::PredicateKind::ConstEvaluatable(def_id, substs) => {
|
||||
let obligations = wf.nominal_obligations(def_id, substs);
|
||||
wf.out.extend(obligations);
|
||||
|
||||
|
|
@ -102,7 +102,7 @@ pub fn predicate_obligations<'a, 'tcx>(
|
|||
wf.compute(ty);
|
||||
}
|
||||
}
|
||||
ty::Predicate::ConstEquate(c1, c2) => {
|
||||
ty::PredicateKind::ConstEquate(c1, c2) => {
|
||||
wf.compute(c1.ty);
|
||||
wf.compute(c2.ty);
|
||||
}
|
||||
|
|
@ -170,8 +170,8 @@ fn extend_cause_with_original_assoc_item_obligation<'tcx>(
|
|||
hir::ImplItemKind::Const(ty, _) | hir::ImplItemKind::TyAlias(ty) => ty.span,
|
||||
_ => impl_item_ref.span,
|
||||
};
|
||||
match pred {
|
||||
ty::Predicate::Projection(proj) => {
|
||||
match pred.kind() {
|
||||
ty::PredicateKind::Projection(proj) => {
|
||||
// The obligation comes not from the current `impl` nor the `trait` being
|
||||
// implemented, but rather from a "second order" obligation, like in
|
||||
// `src/test/ui/associated-types/point-at-type-on-obligation-failure.rs`.
|
||||
|
|
@ -194,7 +194,7 @@ fn extend_cause_with_original_assoc_item_obligation<'tcx>(
|
|||
}
|
||||
}
|
||||
}
|
||||
ty::Predicate::Trait(pred, _) => {
|
||||
ty::PredicateKind::Trait(pred, _) => {
|
||||
// An associated item obligation born out of the `trait` failed to be met. An example
|
||||
// can be seen in `ui/associated-types/point-at-type-on-obligation-failure-2.rs`.
|
||||
debug!("extended_cause_with_original_assoc_item_obligation trait proj {:?}", pred);
|
||||
|
|
@ -216,6 +216,10 @@ fn extend_cause_with_original_assoc_item_obligation<'tcx>(
|
|||
}
|
||||
|
||||
impl<'a, 'tcx> WfPredicates<'a, 'tcx> {
|
||||
fn tcx(&self) -> TyCtxt<'tcx> {
|
||||
self.infcx.tcx
|
||||
}
|
||||
|
||||
fn cause(&mut self, code: traits::ObligationCauseCode<'tcx>) -> traits::ObligationCause<'tcx> {
|
||||
traits::ObligationCause::new(self.span, self.body_id, code)
|
||||
}
|
||||
|
|
@ -275,8 +279,15 @@ impl<'a, 'tcx> WfPredicates<'a, 'tcx> {
|
|||
self.out.extend(obligations);
|
||||
}
|
||||
|
||||
let tcx = self.tcx();
|
||||
self.out.extend(trait_ref.substs.types().filter(|ty| !ty.has_escaping_bound_vars()).map(
|
||||
|ty| traits::Obligation::new(cause.clone(), param_env, ty::Predicate::WellFormed(ty)),
|
||||
|ty| {
|
||||
traits::Obligation::new(
|
||||
cause.clone(),
|
||||
param_env,
|
||||
ty::PredicateKind::WellFormed(ty).to_predicate(tcx),
|
||||
)
|
||||
},
|
||||
));
|
||||
}
|
||||
|
||||
|
|
@ -290,7 +301,7 @@ impl<'a, 'tcx> WfPredicates<'a, 'tcx> {
|
|||
self.compute_trait_ref(&trait_ref, Elaborate::None);
|
||||
|
||||
if !data.has_escaping_bound_vars() {
|
||||
let predicate = trait_ref.without_const().to_predicate();
|
||||
let predicate = trait_ref.without_const().to_predicate(self.infcx.tcx);
|
||||
let cause = self.cause(traits::ProjectionWf(data));
|
||||
self.out.push(traits::Obligation::new(cause, self.param_env, predicate));
|
||||
}
|
||||
|
|
@ -305,7 +316,8 @@ impl<'a, 'tcx> WfPredicates<'a, 'tcx> {
|
|||
let obligations = self.nominal_obligations(def_id, substs);
|
||||
self.out.extend(obligations);
|
||||
|
||||
let predicate = ty::Predicate::ConstEvaluatable(def_id, substs);
|
||||
let predicate =
|
||||
ty::PredicateKind::ConstEvaluatable(def_id, substs).to_predicate(self.tcx());
|
||||
let cause = self.cause(traits::MiscObligation);
|
||||
self.out.push(traits::Obligation::new(cause, self.param_env, predicate));
|
||||
}
|
||||
|
|
@ -321,7 +333,7 @@ impl<'a, 'tcx> WfPredicates<'a, 'tcx> {
|
|||
self.out.push(traits::Obligation::new(
|
||||
cause,
|
||||
self.param_env,
|
||||
trait_ref.without_const().to_predicate(),
|
||||
trait_ref.without_const().to_predicate(self.infcx.tcx),
|
||||
));
|
||||
}
|
||||
}
|
||||
|
|
@ -411,9 +423,10 @@ impl<'a, 'tcx> WfPredicates<'a, 'tcx> {
|
|||
self.out.push(traits::Obligation::new(
|
||||
cause,
|
||||
param_env,
|
||||
ty::Predicate::TypeOutlives(ty::Binder::dummy(ty::OutlivesPredicate(
|
||||
rty, r,
|
||||
))),
|
||||
ty::PredicateKind::TypeOutlives(ty::Binder::dummy(
|
||||
ty::OutlivesPredicate(rty, r),
|
||||
))
|
||||
.to_predicate(self.tcx()),
|
||||
));
|
||||
}
|
||||
}
|
||||
|
|
@ -493,16 +506,17 @@ impl<'a, 'tcx> WfPredicates<'a, 'tcx> {
|
|||
// obligations that don't refer to Self and
|
||||
// checking those
|
||||
|
||||
let defer_to_coercion = self.infcx.tcx.features().object_safe_for_dispatch;
|
||||
let defer_to_coercion = self.tcx().features().object_safe_for_dispatch;
|
||||
|
||||
if !defer_to_coercion {
|
||||
let cause = self.cause(traits::MiscObligation);
|
||||
let component_traits = data.auto_traits().chain(data.principal_def_id());
|
||||
let tcx = self.tcx();
|
||||
self.out.extend(component_traits.map(|did| {
|
||||
traits::Obligation::new(
|
||||
cause.clone(),
|
||||
param_env,
|
||||
ty::Predicate::ObjectSafe(did),
|
||||
ty::PredicateKind::ObjectSafe(did).to_predicate(tcx),
|
||||
)
|
||||
}));
|
||||
}
|
||||
|
|
@ -528,7 +542,7 @@ impl<'a, 'tcx> WfPredicates<'a, 'tcx> {
|
|||
self.out.push(traits::Obligation::new(
|
||||
cause,
|
||||
param_env,
|
||||
ty::Predicate::WellFormed(ty),
|
||||
ty::PredicateKind::WellFormed(ty).to_predicate(self.tcx()),
|
||||
));
|
||||
} else {
|
||||
// Yes, resolved, proceed with the result.
|
||||
|
|
@ -608,7 +622,7 @@ impl<'a, 'tcx> WfPredicates<'a, 'tcx> {
|
|||
self.out.push(traits::Obligation::new(
|
||||
cause,
|
||||
self.param_env,
|
||||
outlives.to_predicate(),
|
||||
outlives.to_predicate(self.infcx.tcx),
|
||||
));
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -38,8 +38,7 @@ use rustc_middle::traits::{
|
|||
use rustc_middle::ty::fold::TypeFolder;
|
||||
use rustc_middle::ty::subst::{GenericArg, SubstsRef};
|
||||
use rustc_middle::ty::{
|
||||
self, Binder, BoundRegion, Predicate, Region, RegionKind, Ty, TyCtxt, TyKind, TypeFoldable,
|
||||
TypeVisitor,
|
||||
self, Binder, BoundRegion, Region, RegionKind, Ty, TyCtxt, TyKind, TypeFoldable, TypeVisitor,
|
||||
};
|
||||
use rustc_span::def_id::DefId;
|
||||
|
||||
|
|
@ -78,8 +77,8 @@ impl<'tcx> LowerInto<'tcx, chalk_ir::InEnvironment<chalk_ir::Goal<RustInterner<'
|
|||
) -> chalk_ir::InEnvironment<chalk_ir::Goal<RustInterner<'tcx>>> {
|
||||
let clauses = self.environment.into_iter().filter_map(|clause| match clause {
|
||||
ChalkEnvironmentClause::Predicate(predicate) => {
|
||||
match predicate {
|
||||
ty::Predicate::Trait(predicate, _) => {
|
||||
match &predicate.kind() {
|
||||
ty::PredicateKind::Trait(predicate, _) => {
|
||||
let (predicate, binders, _named_regions) =
|
||||
collect_bound_vars(interner, interner.tcx, predicate);
|
||||
|
||||
|
|
@ -100,9 +99,9 @@ impl<'tcx> LowerInto<'tcx, chalk_ir::InEnvironment<chalk_ir::Goal<RustInterner<'
|
|||
)
|
||||
}
|
||||
// FIXME(chalk): need to add RegionOutlives/TypeOutlives
|
||||
ty::Predicate::RegionOutlives(_) => None,
|
||||
ty::Predicate::TypeOutlives(_) => None,
|
||||
ty::Predicate::Projection(predicate) => {
|
||||
ty::PredicateKind::RegionOutlives(_) => None,
|
||||
ty::PredicateKind::TypeOutlives(_) => None,
|
||||
ty::PredicateKind::Projection(predicate) => {
|
||||
let (predicate, binders, _named_regions) =
|
||||
collect_bound_vars(interner, interner.tcx, predicate);
|
||||
|
||||
|
|
@ -122,12 +121,14 @@ impl<'tcx> LowerInto<'tcx, chalk_ir::InEnvironment<chalk_ir::Goal<RustInterner<'
|
|||
.intern(interner),
|
||||
)
|
||||
}
|
||||
ty::Predicate::WellFormed(..)
|
||||
| ty::Predicate::ObjectSafe(..)
|
||||
| ty::Predicate::ClosureKind(..)
|
||||
| ty::Predicate::Subtype(..)
|
||||
| ty::Predicate::ConstEvaluatable(..)
|
||||
| ty::Predicate::ConstEquate(..) => bug!("unexpected predicate {}", predicate),
|
||||
ty::PredicateKind::WellFormed(..)
|
||||
| ty::PredicateKind::ObjectSafe(..)
|
||||
| ty::PredicateKind::ClosureKind(..)
|
||||
| ty::PredicateKind::Subtype(..)
|
||||
| ty::PredicateKind::ConstEvaluatable(..)
|
||||
| ty::PredicateKind::ConstEquate(..) => {
|
||||
bug!("unexpected predicate {}", predicate)
|
||||
}
|
||||
}
|
||||
}
|
||||
ChalkEnvironmentClause::TypeFromEnv(ty) => Some(
|
||||
|
|
@ -154,17 +155,17 @@ impl<'tcx> LowerInto<'tcx, chalk_ir::InEnvironment<chalk_ir::Goal<RustInterner<'
|
|||
|
||||
impl<'tcx> LowerInto<'tcx, chalk_ir::GoalData<RustInterner<'tcx>>> for ty::Predicate<'tcx> {
|
||||
fn lower_into(self, interner: &RustInterner<'tcx>) -> chalk_ir::GoalData<RustInterner<'tcx>> {
|
||||
match self {
|
||||
Predicate::Trait(predicate, _) => predicate.lower_into(interner),
|
||||
match self.kind() {
|
||||
ty::PredicateKind::Trait(predicate, _) => predicate.lower_into(interner),
|
||||
// FIXME(chalk): we need to register constraints.
|
||||
Predicate::RegionOutlives(_predicate) => {
|
||||
ty::PredicateKind::RegionOutlives(_predicate) => {
|
||||
chalk_ir::GoalData::All(chalk_ir::Goals::new(interner))
|
||||
}
|
||||
Predicate::TypeOutlives(_predicate) => {
|
||||
ty::PredicateKind::TypeOutlives(_predicate) => {
|
||||
chalk_ir::GoalData::All(chalk_ir::Goals::new(interner))
|
||||
}
|
||||
Predicate::Projection(predicate) => predicate.lower_into(interner),
|
||||
Predicate::WellFormed(ty) => match ty.kind {
|
||||
ty::PredicateKind::Projection(predicate) => predicate.lower_into(interner),
|
||||
ty::PredicateKind::WellFormed(ty) => match ty.kind {
|
||||
// These types are always WF.
|
||||
ty::Str | ty::Placeholder(..) | ty::Error | ty::Never => {
|
||||
chalk_ir::GoalData::All(chalk_ir::Goals::new(interner))
|
||||
|
|
@ -188,11 +189,13 @@ impl<'tcx> LowerInto<'tcx, chalk_ir::GoalData<RustInterner<'tcx>>> for ty::Predi
|
|||
//
|
||||
// We can defer this, but ultimately we'll want to express
|
||||
// some of these in terms of chalk operations.
|
||||
Predicate::ObjectSafe(..)
|
||||
| Predicate::ClosureKind(..)
|
||||
| Predicate::Subtype(..)
|
||||
| Predicate::ConstEvaluatable(..)
|
||||
| Predicate::ConstEquate(..) => chalk_ir::GoalData::All(chalk_ir::Goals::new(interner)),
|
||||
ty::PredicateKind::ObjectSafe(..)
|
||||
| ty::PredicateKind::ClosureKind(..)
|
||||
| ty::PredicateKind::Subtype(..)
|
||||
| ty::PredicateKind::ConstEvaluatable(..)
|
||||
| ty::PredicateKind::ConstEquate(..) => {
|
||||
chalk_ir::GoalData::All(chalk_ir::Goals::new(interner))
|
||||
}
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
@ -439,8 +442,8 @@ impl<'tcx> LowerInto<'tcx, Option<chalk_ir::QuantifiedWhereClause<RustInterner<'
|
|||
self,
|
||||
interner: &RustInterner<'tcx>,
|
||||
) -> Option<chalk_ir::QuantifiedWhereClause<RustInterner<'tcx>>> {
|
||||
match &self {
|
||||
Predicate::Trait(predicate, _) => {
|
||||
match &self.kind() {
|
||||
ty::PredicateKind::Trait(predicate, _) => {
|
||||
let (predicate, binders, _named_regions) =
|
||||
collect_bound_vars(interner, interner.tcx, predicate);
|
||||
|
||||
|
|
@ -449,16 +452,16 @@ impl<'tcx> LowerInto<'tcx, Option<chalk_ir::QuantifiedWhereClause<RustInterner<'
|
|||
chalk_ir::WhereClause::Implemented(predicate.trait_ref.lower_into(interner)),
|
||||
))
|
||||
}
|
||||
Predicate::RegionOutlives(_predicate) => None,
|
||||
Predicate::TypeOutlives(_predicate) => None,
|
||||
Predicate::Projection(_predicate) => None,
|
||||
Predicate::WellFormed(_ty) => None,
|
||||
ty::PredicateKind::RegionOutlives(_predicate) => None,
|
||||
ty::PredicateKind::TypeOutlives(_predicate) => None,
|
||||
ty::PredicateKind::Projection(_predicate) => None,
|
||||
ty::PredicateKind::WellFormed(_ty) => None,
|
||||
|
||||
Predicate::ObjectSafe(..)
|
||||
| Predicate::ClosureKind(..)
|
||||
| Predicate::Subtype(..)
|
||||
| Predicate::ConstEvaluatable(..)
|
||||
| Predicate::ConstEquate(..) => bug!("unexpected predicate {}", &self),
|
||||
ty::PredicateKind::ObjectSafe(..)
|
||||
| ty::PredicateKind::ClosureKind(..)
|
||||
| ty::PredicateKind::Subtype(..)
|
||||
| ty::PredicateKind::ConstEvaluatable(..)
|
||||
| ty::PredicateKind::ConstEquate(..) => bug!("unexpected predicate {}", &self),
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -94,28 +94,28 @@ fn compute_implied_outlives_bounds<'tcx>(
|
|||
// region relationships.
|
||||
implied_bounds.extend(obligations.into_iter().flat_map(|obligation| {
|
||||
assert!(!obligation.has_escaping_bound_vars());
|
||||
match obligation.predicate {
|
||||
ty::Predicate::Trait(..)
|
||||
| ty::Predicate::Subtype(..)
|
||||
| ty::Predicate::Projection(..)
|
||||
| ty::Predicate::ClosureKind(..)
|
||||
| ty::Predicate::ObjectSafe(..)
|
||||
| ty::Predicate::ConstEvaluatable(..)
|
||||
| ty::Predicate::ConstEquate(..) => vec![],
|
||||
match obligation.predicate.kind() {
|
||||
ty::PredicateKind::Trait(..)
|
||||
| ty::PredicateKind::Subtype(..)
|
||||
| ty::PredicateKind::Projection(..)
|
||||
| ty::PredicateKind::ClosureKind(..)
|
||||
| ty::PredicateKind::ObjectSafe(..)
|
||||
| ty::PredicateKind::ConstEvaluatable(..)
|
||||
| ty::PredicateKind::ConstEquate(..) => vec![],
|
||||
|
||||
ty::Predicate::WellFormed(subty) => {
|
||||
ty::PredicateKind::WellFormed(subty) => {
|
||||
wf_types.push(subty);
|
||||
vec![]
|
||||
}
|
||||
|
||||
ty::Predicate::RegionOutlives(ref data) => match data.no_bound_vars() {
|
||||
ty::PredicateKind::RegionOutlives(ref data) => match data.no_bound_vars() {
|
||||
None => vec![],
|
||||
Some(ty::OutlivesPredicate(r_a, r_b)) => {
|
||||
vec![OutlivesBound::RegionSubRegion(r_b, r_a)]
|
||||
}
|
||||
},
|
||||
|
||||
ty::Predicate::TypeOutlives(ref data) => match data.no_bound_vars() {
|
||||
ty::PredicateKind::TypeOutlives(ref data) => match data.no_bound_vars() {
|
||||
None => vec![],
|
||||
Some(ty::OutlivesPredicate(ty_a, r_b)) => {
|
||||
let ty_a = infcx.resolve_vars_if_possible(&ty_a);
|
||||
|
|
|
|||
|
|
@ -40,15 +40,15 @@ fn normalize_generic_arg_after_erasing_regions<'tcx>(
|
|||
}
|
||||
|
||||
fn not_outlives_predicate(p: &ty::Predicate<'_>) -> bool {
|
||||
match p {
|
||||
ty::Predicate::RegionOutlives(..) | ty::Predicate::TypeOutlives(..) => false,
|
||||
ty::Predicate::Trait(..)
|
||||
| ty::Predicate::Projection(..)
|
||||
| ty::Predicate::WellFormed(..)
|
||||
| ty::Predicate::ObjectSafe(..)
|
||||
| ty::Predicate::ClosureKind(..)
|
||||
| ty::Predicate::Subtype(..)
|
||||
| ty::Predicate::ConstEvaluatable(..)
|
||||
| ty::Predicate::ConstEquate(..) => true,
|
||||
match p.kind() {
|
||||
ty::PredicateKind::RegionOutlives(..) | ty::PredicateKind::TypeOutlives(..) => false,
|
||||
ty::PredicateKind::Trait(..)
|
||||
| ty::PredicateKind::Projection(..)
|
||||
| ty::PredicateKind::WellFormed(..)
|
||||
| ty::PredicateKind::ObjectSafe(..)
|
||||
| ty::PredicateKind::ClosureKind(..)
|
||||
| ty::PredicateKind::Subtype(..)
|
||||
| ty::PredicateKind::ConstEvaluatable(..)
|
||||
| ty::PredicateKind::ConstEquate(..) => true,
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -6,9 +6,8 @@ use rustc_infer::infer::{InferCtxt, TyCtxtInferExt};
|
|||
use rustc_infer::traits::TraitEngineExt as _;
|
||||
use rustc_middle::ty::query::Providers;
|
||||
use rustc_middle::ty::subst::{GenericArg, Subst, UserSelfTy, UserSubsts};
|
||||
use rustc_middle::ty::{
|
||||
FnSig, Lift, ParamEnv, ParamEnvAnd, PolyFnSig, Predicate, Ty, TyCtxt, TypeFoldable, Variance,
|
||||
};
|
||||
use rustc_middle::ty::{self, FnSig, Lift, PolyFnSig, Ty, TyCtxt, TypeFoldable, Variance};
|
||||
use rustc_middle::ty::{ParamEnv, ParamEnvAnd, Predicate, ToPredicate};
|
||||
use rustc_span::DUMMY_SP;
|
||||
use rustc_trait_selection::infer::InferCtxtBuilderExt;
|
||||
use rustc_trait_selection::infer::InferCtxtExt;
|
||||
|
|
@ -140,7 +139,9 @@ impl AscribeUserTypeCx<'me, 'tcx> {
|
|||
|
||||
self.relate(self_ty, Variance::Invariant, impl_self_ty)?;
|
||||
|
||||
self.prove_predicate(Predicate::WellFormed(impl_self_ty));
|
||||
self.prove_predicate(
|
||||
ty::PredicateKind::WellFormed(impl_self_ty).to_predicate(self.tcx()),
|
||||
);
|
||||
}
|
||||
|
||||
// In addition to proving the predicates, we have to
|
||||
|
|
@ -154,7 +155,7 @@ impl AscribeUserTypeCx<'me, 'tcx> {
|
|||
// them? This would only be relevant if some input
|
||||
// type were ill-formed but did not appear in `ty`,
|
||||
// which...could happen with normalization...
|
||||
self.prove_predicate(Predicate::WellFormed(ty));
|
||||
self.prove_predicate(ty::PredicateKind::WellFormed(ty).to_predicate(self.tcx()));
|
||||
Ok(())
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -61,7 +61,7 @@ fn sized_constraint_for_ty<'tcx>(
|
|||
substs: tcx.mk_substs_trait(ty, &[]),
|
||||
})
|
||||
.without_const()
|
||||
.to_predicate();
|
||||
.to_predicate(tcx);
|
||||
let predicates = tcx.predicates_of(adtdef.did).predicates;
|
||||
if predicates.iter().any(|(p, _)| *p == sized_predicate) { vec![] } else { vec![ty] }
|
||||
}
|
||||
|
|
|
|||
|
|
@ -1596,8 +1596,8 @@ impl<'o, 'tcx> dyn AstConv<'tcx> + 'o {
|
|||
"conv_object_ty_poly_trait_ref: observing object predicate `{:?}`",
|
||||
obligation.predicate
|
||||
);
|
||||
match obligation.predicate {
|
||||
ty::Predicate::Trait(pred, _) => {
|
||||
match obligation.predicate.kind() {
|
||||
ty::PredicateKind::Trait(pred, _) => {
|
||||
associated_types.entry(span).or_default().extend(
|
||||
tcx.associated_items(pred.def_id())
|
||||
.in_definition_order()
|
||||
|
|
@ -1605,7 +1605,7 @@ impl<'o, 'tcx> dyn AstConv<'tcx> + 'o {
|
|||
.map(|item| item.def_id),
|
||||
);
|
||||
}
|
||||
ty::Predicate::Projection(pred) => {
|
||||
&ty::PredicateKind::Projection(pred) => {
|
||||
// A `Self` within the original bound will be substituted with a
|
||||
// `trait_object_dummy_self`, so check for that.
|
||||
let references_self =
|
||||
|
|
@ -3042,7 +3042,7 @@ impl<'tcx> Bounds<'tcx> {
|
|||
def_id: sized,
|
||||
substs: tcx.mk_substs_trait(param_ty, &[]),
|
||||
});
|
||||
(trait_ref.without_const().to_predicate(), span)
|
||||
(trait_ref.without_const().to_predicate(tcx), span)
|
||||
})
|
||||
});
|
||||
|
||||
|
|
@ -3057,16 +3057,16 @@ impl<'tcx> Bounds<'tcx> {
|
|||
// or it's a generic associated type that deliberately has escaping bound vars.
|
||||
let region_bound = ty::fold::shift_region(tcx, region_bound, 1);
|
||||
let outlives = ty::OutlivesPredicate(param_ty, region_bound);
|
||||
(ty::Binder::bind(outlives).to_predicate(), span)
|
||||
(ty::Binder::bind(outlives).to_predicate(tcx), span)
|
||||
})
|
||||
.chain(self.trait_bounds.iter().map(|&(bound_trait_ref, span, constness)| {
|
||||
let predicate = bound_trait_ref.with_constness(constness).to_predicate();
|
||||
let predicate = bound_trait_ref.with_constness(constness).to_predicate(tcx);
|
||||
(predicate, span)
|
||||
}))
|
||||
.chain(
|
||||
self.projection_bounds
|
||||
.iter()
|
||||
.map(|&(projection, span)| (projection.to_predicate(), span)),
|
||||
.map(|&(projection, span)| (projection.to_predicate(tcx), span)),
|
||||
),
|
||||
)
|
||||
.collect()
|
||||
|
|
|
|||
|
|
@ -125,7 +125,7 @@ impl<'a, 'tcx> Autoderef<'a, 'tcx> {
|
|||
let obligation = traits::Obligation::new(
|
||||
cause.clone(),
|
||||
self.param_env,
|
||||
trait_ref.without_const().to_predicate(),
|
||||
trait_ref.without_const().to_predicate(tcx),
|
||||
);
|
||||
if !self.infcx.predicate_may_hold(&obligation) {
|
||||
debug!("overloaded_deref_ty: cannot match obligation");
|
||||
|
|
|
|||
|
|
@ -12,7 +12,7 @@ use rustc_infer::infer::LateBoundRegionConversionTime;
|
|||
use rustc_infer::infer::{InferOk, InferResult};
|
||||
use rustc_middle::ty::fold::TypeFoldable;
|
||||
use rustc_middle::ty::subst::InternalSubsts;
|
||||
use rustc_middle::ty::{self, GenericParamDefKind, Ty};
|
||||
use rustc_middle::ty::{self, GenericParamDefKind, ToPredicate, Ty};
|
||||
use rustc_span::source_map::Span;
|
||||
use rustc_target::spec::abi::Abi;
|
||||
use rustc_trait_selection::traits::error_reporting::ArgKind;
|
||||
|
|
@ -206,7 +206,9 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
obligation.predicate
|
||||
);
|
||||
|
||||
if let ty::Predicate::Projection(ref proj_predicate) = obligation.predicate {
|
||||
if let ty::PredicateKind::Projection(ref proj_predicate) =
|
||||
obligation.predicate.kind()
|
||||
{
|
||||
// Given a Projection predicate, we can potentially infer
|
||||
// the complete signature.
|
||||
self.deduce_sig_from_projection(Some(obligation.cause.span), proj_predicate)
|
||||
|
|
@ -526,10 +528,11 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
all_obligations.push(Obligation::new(
|
||||
cause,
|
||||
self.param_env,
|
||||
ty::Predicate::TypeOutlives(ty::Binder::dummy(ty::OutlivesPredicate(
|
||||
ty::PredicateKind::TypeOutlives(ty::Binder::dummy(ty::OutlivesPredicate(
|
||||
supplied_ty,
|
||||
closure_body_region,
|
||||
))),
|
||||
)))
|
||||
.to_predicate(self.tcx),
|
||||
));
|
||||
}
|
||||
|
||||
|
|
@ -641,7 +644,7 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
// where R is the return type we are expecting. This type `T`
|
||||
// will be our output.
|
||||
let output_ty = self.obligations_for_self_ty(ret_vid).find_map(|(_, obligation)| {
|
||||
if let ty::Predicate::Projection(ref proj_predicate) = obligation.predicate {
|
||||
if let ty::PredicateKind::Projection(ref proj_predicate) = obligation.predicate.kind() {
|
||||
self.deduce_future_output_from_projection(obligation.cause.span, proj_predicate)
|
||||
} else {
|
||||
None
|
||||
|
|
|
|||
|
|
@ -596,8 +596,10 @@ impl<'f, 'tcx> Coerce<'f, 'tcx> {
|
|||
while !queue.is_empty() {
|
||||
let obligation = queue.remove(0);
|
||||
debug!("coerce_unsized resolve step: {:?}", obligation);
|
||||
let trait_pred = match obligation.predicate {
|
||||
ty::Predicate::Trait(trait_pred, _) if traits.contains(&trait_pred.def_id()) => {
|
||||
let trait_pred = match obligation.predicate.kind() {
|
||||
&ty::PredicateKind::Trait(trait_pred, _)
|
||||
if traits.contains(&trait_pred.def_id()) =>
|
||||
{
|
||||
if unsize_did == trait_pred.def_id() {
|
||||
let unsize_ty = trait_pred.skip_binder().trait_ref.substs[1].expect_ty();
|
||||
if let ty::Tuple(..) = unsize_ty.kind {
|
||||
|
|
|
|||
|
|
@ -10,7 +10,7 @@ use rustc_hir as hir;
|
|||
use rustc_hir::lang_items::{CloneTraitLangItem, DerefTraitLangItem};
|
||||
use rustc_hir::{is_range_literal, Node};
|
||||
use rustc_middle::ty::adjustment::AllowTwoPhase;
|
||||
use rustc_middle::ty::{self, AssocItem, Ty, TypeAndMut};
|
||||
use rustc_middle::ty::{self, AssocItem, ToPredicate, Ty, TypeAndMut};
|
||||
use rustc_span::symbol::sym;
|
||||
use rustc_span::Span;
|
||||
|
||||
|
|
@ -644,7 +644,7 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
.unwrap()
|
||||
.def_id;
|
||||
let predicate =
|
||||
ty::Predicate::Projection(ty::Binder::bind(ty::ProjectionPredicate {
|
||||
ty::PredicateKind::Projection(ty::Binder::bind(ty::ProjectionPredicate {
|
||||
// `<T as Deref>::Output`
|
||||
projection_ty: ty::ProjectionTy {
|
||||
// `T`
|
||||
|
|
@ -654,7 +654,8 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
},
|
||||
// `U`
|
||||
ty: expected,
|
||||
}));
|
||||
}))
|
||||
.to_predicate(self.tcx);
|
||||
let obligation = traits::Obligation::new(self.misc(sp), self.param_env, predicate);
|
||||
let impls_deref = self.infcx.predicate_may_hold(&obligation);
|
||||
|
||||
|
|
|
|||
|
|
@ -230,9 +230,11 @@ fn ensure_drop_predicates_are_implied_by_item_defn<'tcx>(
|
|||
// could be extended easily also to the other `Predicate`.
|
||||
let predicate_matches_closure = |p: &'_ Predicate<'tcx>| {
|
||||
let mut relator: SimpleEqRelation<'tcx> = SimpleEqRelation::new(tcx, self_param_env);
|
||||
match (predicate, p) {
|
||||
(Predicate::Trait(a, _), Predicate::Trait(b, _)) => relator.relate(a, b).is_ok(),
|
||||
(Predicate::Projection(a), Predicate::Projection(b)) => {
|
||||
match (predicate.kind(), p.kind()) {
|
||||
(ty::PredicateKind::Trait(a, _), ty::PredicateKind::Trait(b, _)) => {
|
||||
relator.relate(a, b).is_ok()
|
||||
}
|
||||
(ty::PredicateKind::Projection(a), ty::PredicateKind::Projection(b)) => {
|
||||
relator.relate(a, b).is_ok()
|
||||
}
|
||||
_ => predicate == p,
|
||||
|
|
|
|||
|
|
@ -574,8 +574,8 @@ impl<'a, 'tcx> ConfirmContext<'a, 'tcx> {
|
|||
};
|
||||
|
||||
traits::elaborate_predicates(self.tcx, predicates.predicates.iter().copied())
|
||||
.filter_map(|obligation| match obligation.predicate {
|
||||
ty::Predicate::Trait(trait_pred, _) if trait_pred.def_id() == sized_def_id => {
|
||||
.filter_map(|obligation| match obligation.predicate.kind() {
|
||||
ty::PredicateKind::Trait(trait_pred, _) if trait_pred.def_id() == sized_def_id => {
|
||||
let span = predicates
|
||||
.predicates
|
||||
.iter()
|
||||
|
|
|
|||
|
|
@ -324,7 +324,7 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
span,
|
||||
self.body_id,
|
||||
self.param_env,
|
||||
poly_trait_ref.without_const().to_predicate(),
|
||||
poly_trait_ref.without_const().to_predicate(self.tcx),
|
||||
);
|
||||
|
||||
// Now we want to know if this can be matched
|
||||
|
|
@ -401,7 +401,7 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
obligations.push(traits::Obligation::new(
|
||||
cause,
|
||||
self.param_env,
|
||||
ty::Predicate::WellFormed(method_ty),
|
||||
ty::PredicateKind::WellFormed(method_ty).to_predicate(tcx),
|
||||
));
|
||||
|
||||
let callee = MethodCallee { def_id, substs: trait_ref.substs, sig: fn_sig };
|
||||
|
|
|
|||
|
|
@ -796,23 +796,26 @@ impl<'a, 'tcx> ProbeContext<'a, 'tcx> {
|
|||
fn assemble_inherent_candidates_from_param(&mut self, param_ty: ty::ParamTy) {
|
||||
// FIXME: do we want to commit to this behavior for param bounds?
|
||||
|
||||
let bounds = self.param_env.caller_bounds.iter().filter_map(|predicate| match *predicate {
|
||||
ty::Predicate::Trait(ref trait_predicate, _) => {
|
||||
match trait_predicate.skip_binder().trait_ref.self_ty().kind {
|
||||
ty::Param(ref p) if *p == param_ty => Some(trait_predicate.to_poly_trait_ref()),
|
||||
_ => None,
|
||||
let bounds =
|
||||
self.param_env.caller_bounds.iter().filter_map(|predicate| match predicate.kind() {
|
||||
ty::PredicateKind::Trait(ref trait_predicate, _) => {
|
||||
match trait_predicate.skip_binder().trait_ref.self_ty().kind {
|
||||
ty::Param(ref p) if *p == param_ty => {
|
||||
Some(trait_predicate.to_poly_trait_ref())
|
||||
}
|
||||
_ => None,
|
||||
}
|
||||
}
|
||||
}
|
||||
ty::Predicate::Subtype(..)
|
||||
| ty::Predicate::Projection(..)
|
||||
| ty::Predicate::RegionOutlives(..)
|
||||
| ty::Predicate::WellFormed(..)
|
||||
| ty::Predicate::ObjectSafe(..)
|
||||
| ty::Predicate::ClosureKind(..)
|
||||
| ty::Predicate::TypeOutlives(..)
|
||||
| ty::Predicate::ConstEvaluatable(..)
|
||||
| ty::Predicate::ConstEquate(..) => None,
|
||||
});
|
||||
ty::PredicateKind::Subtype(..)
|
||||
| ty::PredicateKind::Projection(..)
|
||||
| ty::PredicateKind::RegionOutlives(..)
|
||||
| ty::PredicateKind::WellFormed(..)
|
||||
| ty::PredicateKind::ObjectSafe(..)
|
||||
| ty::PredicateKind::ClosureKind(..)
|
||||
| ty::PredicateKind::TypeOutlives(..)
|
||||
| ty::PredicateKind::ConstEvaluatable(..)
|
||||
| ty::PredicateKind::ConstEquate(..) => None,
|
||||
});
|
||||
|
||||
self.elaborate_bounds(bounds, |this, poly_trait_ref, item| {
|
||||
let trait_ref = this.erase_late_bound_regions(&poly_trait_ref);
|
||||
|
|
@ -1374,7 +1377,7 @@ impl<'a, 'tcx> ProbeContext<'a, 'tcx> {
|
|||
}
|
||||
|
||||
TraitCandidate(trait_ref) => {
|
||||
let predicate = trait_ref.without_const().to_predicate();
|
||||
let predicate = trait_ref.without_const().to_predicate(self.tcx);
|
||||
let obligation = traits::Obligation::new(cause, self.param_env, predicate);
|
||||
if !self.predicate_may_hold(&obligation) {
|
||||
result = ProbeResult::NoMatch;
|
||||
|
|
|
|||
|
|
@ -58,7 +58,7 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
span,
|
||||
self.body_id,
|
||||
self.param_env,
|
||||
poly_trait_ref.without_const().to_predicate(),
|
||||
poly_trait_ref.without_const().to_predicate(tcx),
|
||||
);
|
||||
self.predicate_may_hold(&obligation)
|
||||
})
|
||||
|
|
@ -574,8 +574,8 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
let mut bound_spans = vec![];
|
||||
let mut collect_type_param_suggestions =
|
||||
|self_ty: Ty<'_>, parent_pred: &ty::Predicate<'_>, obligation: &str| {
|
||||
if let (ty::Param(_), ty::Predicate::Trait(p, _)) =
|
||||
(&self_ty.kind, parent_pred)
|
||||
if let (ty::Param(_), ty::PredicateKind::Trait(p, _)) =
|
||||
(&self_ty.kind, parent_pred.kind())
|
||||
{
|
||||
if let ty::Adt(def, _) = p.skip_binder().trait_ref.self_ty().kind {
|
||||
let node = def.did.as_local().map(|def_id| {
|
||||
|
|
@ -626,9 +626,9 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
_ => {}
|
||||
}
|
||||
};
|
||||
let mut format_pred = |pred| {
|
||||
match pred {
|
||||
ty::Predicate::Projection(pred) => {
|
||||
let mut format_pred = |pred: ty::Predicate<'tcx>| {
|
||||
match pred.kind() {
|
||||
ty::PredicateKind::Projection(pred) => {
|
||||
// `<Foo as Iterator>::Item = String`.
|
||||
let trait_ref =
|
||||
pred.skip_binder().projection_ty.trait_ref(self.tcx);
|
||||
|
|
@ -646,7 +646,7 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
bound_span_label(trait_ref.self_ty(), &obligation, &quiet);
|
||||
Some((obligation, trait_ref.self_ty()))
|
||||
}
|
||||
ty::Predicate::Trait(poly_trait_ref, _) => {
|
||||
ty::PredicateKind::Trait(poly_trait_ref, _) => {
|
||||
let p = poly_trait_ref.skip_binder().trait_ref;
|
||||
let self_ty = p.self_ty();
|
||||
let path = p.print_only_trait_path();
|
||||
|
|
@ -946,11 +946,11 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
// this isn't perfect (that is, there are cases when
|
||||
// implementing a trait would be legal but is rejected
|
||||
// here).
|
||||
unsatisfied_predicates.iter().all(|(p, _)| match p {
|
||||
unsatisfied_predicates.iter().all(|(p, _)| match p.kind() {
|
||||
// Hide traits if they are present in predicates as they can be fixed without
|
||||
// having to implement them.
|
||||
ty::Predicate::Trait(t, _) => t.def_id() == info.def_id,
|
||||
ty::Predicate::Projection(p) => p.item_def_id() == info.def_id,
|
||||
ty::PredicateKind::Trait(t, _) => t.def_id() == info.def_id,
|
||||
ty::PredicateKind::Projection(p) => p.item_def_id() == info.def_id,
|
||||
_ => false,
|
||||
}) && (type_is_local || info.def_id.is_local())
|
||||
&& self
|
||||
|
|
|
|||
|
|
@ -1458,7 +1458,7 @@ fn check_fn<'a, 'tcx>(
|
|||
inherited.register_predicate(traits::Obligation::new(
|
||||
cause,
|
||||
param_env,
|
||||
trait_ref.without_const().to_predicate(),
|
||||
trait_ref.without_const().to_predicate(tcx),
|
||||
));
|
||||
}
|
||||
}
|
||||
|
|
@ -2223,8 +2223,8 @@ fn bounds_from_generic_predicates(
|
|||
let mut projections = vec![];
|
||||
for (predicate, _) in predicates.predicates {
|
||||
debug!("predicate {:?}", predicate);
|
||||
match predicate {
|
||||
ty::Predicate::Trait(trait_predicate, _) => {
|
||||
match predicate.kind() {
|
||||
ty::PredicateKind::Trait(trait_predicate, _) => {
|
||||
let entry = types.entry(trait_predicate.skip_binder().self_ty()).or_default();
|
||||
let def_id = trait_predicate.skip_binder().def_id();
|
||||
if Some(def_id) != tcx.lang_items().sized_trait() {
|
||||
|
|
@ -2233,7 +2233,7 @@ fn bounds_from_generic_predicates(
|
|||
entry.push(trait_predicate.skip_binder().def_id());
|
||||
}
|
||||
}
|
||||
ty::Predicate::Projection(projection_pred) => {
|
||||
ty::PredicateKind::Projection(projection_pred) => {
|
||||
projections.push(projection_pred);
|
||||
}
|
||||
_ => {}
|
||||
|
|
@ -2769,8 +2769,8 @@ impl<'a, 'tcx> AstConv<'tcx> for FnCtxt<'a, 'tcx> {
|
|||
ty::GenericPredicates {
|
||||
parent: None,
|
||||
predicates: tcx.arena.alloc_from_iter(self.param_env.caller_bounds.iter().filter_map(
|
||||
|&predicate| match predicate {
|
||||
ty::Predicate::Trait(ref data, _)
|
||||
|&predicate| match predicate.kind() {
|
||||
ty::PredicateKind::Trait(ref data, _)
|
||||
if data.skip_binder().self_ty().is_param(index) =>
|
||||
{
|
||||
// HACK(eddyb) should get the original `Span`.
|
||||
|
|
@ -3379,7 +3379,7 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
self.register_predicate(traits::Obligation::new(
|
||||
cause,
|
||||
self.param_env,
|
||||
ty::Predicate::ConstEvaluatable(def_id, substs),
|
||||
ty::PredicateKind::ConstEvaluatable(def_id, substs).to_predicate(self.tcx),
|
||||
));
|
||||
}
|
||||
|
||||
|
|
@ -3428,7 +3428,7 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
self.register_predicate(traits::Obligation::new(
|
||||
cause,
|
||||
self.param_env,
|
||||
ty::Predicate::WellFormed(ty),
|
||||
ty::PredicateKind::WellFormed(ty).to_predicate(self.tcx),
|
||||
));
|
||||
}
|
||||
|
||||
|
|
@ -3857,18 +3857,20 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
.borrow()
|
||||
.pending_obligations()
|
||||
.into_iter()
|
||||
.filter_map(move |obligation| match obligation.predicate {
|
||||
ty::Predicate::Projection(ref data) => {
|
||||
.filter_map(move |obligation| match obligation.predicate.kind() {
|
||||
ty::PredicateKind::Projection(ref data) => {
|
||||
Some((data.to_poly_trait_ref(self.tcx), obligation))
|
||||
}
|
||||
ty::Predicate::Trait(ref data, _) => Some((data.to_poly_trait_ref(), obligation)),
|
||||
ty::Predicate::Subtype(..) => None,
|
||||
ty::Predicate::RegionOutlives(..) => None,
|
||||
ty::Predicate::TypeOutlives(..) => None,
|
||||
ty::Predicate::WellFormed(..) => None,
|
||||
ty::Predicate::ObjectSafe(..) => None,
|
||||
ty::Predicate::ConstEvaluatable(..) => None,
|
||||
ty::Predicate::ConstEquate(..) => None,
|
||||
ty::PredicateKind::Trait(ref data, _) => {
|
||||
Some((data.to_poly_trait_ref(), obligation))
|
||||
}
|
||||
ty::PredicateKind::Subtype(..) => None,
|
||||
ty::PredicateKind::RegionOutlives(..) => None,
|
||||
ty::PredicateKind::TypeOutlives(..) => None,
|
||||
ty::PredicateKind::WellFormed(..) => None,
|
||||
ty::PredicateKind::ObjectSafe(..) => None,
|
||||
ty::PredicateKind::ConstEvaluatable(..) => None,
|
||||
ty::PredicateKind::ConstEquate(..) => None,
|
||||
// N.B., this predicate is created by breaking down a
|
||||
// `ClosureType: FnFoo()` predicate, where
|
||||
// `ClosureType` represents some `Closure`. It can't
|
||||
|
|
@ -3877,7 +3879,7 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
// this closure yet; this is exactly why the other
|
||||
// code is looking for a self type of a unresolved
|
||||
// inference variable.
|
||||
ty::Predicate::ClosureKind(..) => None,
|
||||
ty::PredicateKind::ClosureKind(..) => None,
|
||||
})
|
||||
.filter(move |(tr, _)| self.self_type_matches_expected_vid(*tr, ty_var_root))
|
||||
}
|
||||
|
|
@ -4206,7 +4208,7 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
continue;
|
||||
}
|
||||
|
||||
if let ty::Predicate::Trait(predicate, _) = error.obligation.predicate {
|
||||
if let ty::PredicateKind::Trait(predicate, _) = error.obligation.predicate.kind() {
|
||||
// Collect the argument position for all arguments that could have caused this
|
||||
// `FulfillmentError`.
|
||||
let mut referenced_in = final_arg_types
|
||||
|
|
@ -4253,7 +4255,9 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
if let hir::ExprKind::Path(qpath) = &path.kind {
|
||||
if let hir::QPath::Resolved(_, path) = &qpath {
|
||||
for error in errors {
|
||||
if let ty::Predicate::Trait(predicate, _) = error.obligation.predicate {
|
||||
if let ty::PredicateKind::Trait(predicate, _) =
|
||||
error.obligation.predicate.kind()
|
||||
{
|
||||
// If any of the type arguments in this path segment caused the
|
||||
// `FullfillmentError`, point at its span (#61860).
|
||||
for arg in path
|
||||
|
|
@ -5322,10 +5326,11 @@ impl<'a, 'tcx> FnCtxt<'a, 'tcx> {
|
|||
};
|
||||
|
||||
let predicate =
|
||||
ty::Predicate::Projection(ty::Binder::bind(ty::ProjectionPredicate {
|
||||
ty::PredicateKind::Projection(ty::Binder::bind(ty::ProjectionPredicate {
|
||||
projection_ty,
|
||||
ty: expected,
|
||||
}));
|
||||
}))
|
||||
.to_predicate(self.tcx);
|
||||
let obligation = traits::Obligation::new(self.misc(sp), self.param_env, predicate);
|
||||
|
||||
debug!("suggest_missing_await: trying obligation {:?}", obligation);
|
||||
|
|
|
|||
|
|
@ -425,7 +425,8 @@ fn check_type_defn<'tcx, F>(
|
|||
fcx.register_predicate(traits::Obligation::new(
|
||||
cause,
|
||||
fcx.param_env,
|
||||
ty::Predicate::ConstEvaluatable(discr_def_id.to_def_id(), discr_substs),
|
||||
ty::PredicateKind::ConstEvaluatable(discr_def_id.to_def_id(), discr_substs)
|
||||
.to_predicate(fcx.tcx),
|
||||
));
|
||||
}
|
||||
}
|
||||
|
|
@ -1174,8 +1175,11 @@ fn receiver_is_implemented(
|
|||
substs: fcx.tcx.mk_substs_trait(receiver_ty, &[]),
|
||||
};
|
||||
|
||||
let obligation =
|
||||
traits::Obligation::new(cause, fcx.param_env, trait_ref.without_const().to_predicate());
|
||||
let obligation = traits::Obligation::new(
|
||||
cause,
|
||||
fcx.param_env,
|
||||
trait_ref.without_const().to_predicate(fcx.tcx),
|
||||
);
|
||||
|
||||
if fcx.predicate_must_hold_modulo_regions(&obligation) {
|
||||
true
|
||||
|
|
|
|||
|
|
@ -528,7 +528,7 @@ fn type_param_predicates(
|
|||
if param_id == item_hir_id {
|
||||
let identity_trait_ref = ty::TraitRef::identity(tcx, item_def_id);
|
||||
extend =
|
||||
Some((identity_trait_ref.without_const().to_predicate(), item.span));
|
||||
Some((identity_trait_ref.without_const().to_predicate(tcx), item.span));
|
||||
}
|
||||
generics
|
||||
}
|
||||
|
|
@ -548,8 +548,10 @@ fn type_param_predicates(
|
|||
let extra_predicates = extend.into_iter().chain(
|
||||
icx.type_parameter_bounds_in_generics(ast_generics, param_id, ty, OnlySelfBounds(true))
|
||||
.into_iter()
|
||||
.filter(|(predicate, _)| match predicate {
|
||||
ty::Predicate::Trait(ref data, _) => data.skip_binder().self_ty().is_param(index),
|
||||
.filter(|(predicate, _)| match predicate.kind() {
|
||||
ty::PredicateKind::Trait(ref data, _) => {
|
||||
data.skip_binder().self_ty().is_param(index)
|
||||
}
|
||||
_ => false,
|
||||
}),
|
||||
);
|
||||
|
|
@ -994,7 +996,7 @@ fn super_predicates_of(tcx: TyCtxt<'_>, trait_def_id: DefId) -> ty::GenericPredi
|
|||
// which will, in turn, reach indirect supertraits.
|
||||
for &(pred, span) in superbounds {
|
||||
debug!("superbound: {:?}", pred);
|
||||
if let ty::Predicate::Trait(bound, _) = pred {
|
||||
if let ty::PredicateKind::Trait(bound, _) = pred.kind() {
|
||||
tcx.at(span).super_predicates_of(bound.def_id());
|
||||
}
|
||||
}
|
||||
|
|
@ -1655,7 +1657,7 @@ fn predicates_of(tcx: TyCtxt<'_>, def_id: DefId) -> ty::GenericPredicates<'_> {
|
|||
let span = tcx.sess.source_map().guess_head_span(tcx.def_span(def_id));
|
||||
result.predicates =
|
||||
tcx.arena.alloc_from_iter(result.predicates.iter().copied().chain(std::iter::once((
|
||||
ty::TraitRef::identity(tcx, def_id).without_const().to_predicate(),
|
||||
ty::TraitRef::identity(tcx, def_id).without_const().to_predicate(tcx),
|
||||
span,
|
||||
))));
|
||||
}
|
||||
|
|
@ -1830,7 +1832,7 @@ fn explicit_predicates_of(tcx: TyCtxt<'_>, def_id: DefId) -> ty::GenericPredicat
|
|||
// set of defaults that can be incorporated into another impl.
|
||||
if let Some(trait_ref) = is_default_impl_trait {
|
||||
predicates.push((
|
||||
trait_ref.to_poly_trait_ref().without_const().to_predicate(),
|
||||
trait_ref.to_poly_trait_ref().without_const().to_predicate(tcx),
|
||||
tcx.def_span(def_id),
|
||||
));
|
||||
}
|
||||
|
|
@ -1853,7 +1855,7 @@ fn explicit_predicates_of(tcx: TyCtxt<'_>, def_id: DefId) -> ty::GenericPredicat
|
|||
hir::GenericBound::Outlives(lt) => {
|
||||
let bound = AstConv::ast_region_to_region(&icx, <, None);
|
||||
let outlives = ty::Binder::bind(ty::OutlivesPredicate(region, bound));
|
||||
predicates.push((outlives.to_predicate(), lt.span));
|
||||
predicates.push((outlives.to_predicate(tcx), lt.span));
|
||||
}
|
||||
_ => bug!(),
|
||||
});
|
||||
|
|
@ -1899,7 +1901,8 @@ fn explicit_predicates_of(tcx: TyCtxt<'_>, def_id: DefId) -> ty::GenericPredicat
|
|||
let re_root_empty = tcx.lifetimes.re_root_empty;
|
||||
let predicate = ty::OutlivesPredicate(ty, re_root_empty);
|
||||
predicates.push((
|
||||
ty::Predicate::TypeOutlives(ty::Binder::dummy(predicate)),
|
||||
ty::PredicateKind::TypeOutlives(ty::Binder::dummy(predicate))
|
||||
.to_predicate(tcx),
|
||||
span,
|
||||
));
|
||||
}
|
||||
|
|
@ -1928,7 +1931,10 @@ fn explicit_predicates_of(tcx: TyCtxt<'_>, def_id: DefId) -> ty::GenericPredicat
|
|||
&hir::GenericBound::Outlives(ref lifetime) => {
|
||||
let region = AstConv::ast_region_to_region(&icx, lifetime, None);
|
||||
let pred = ty::Binder::bind(ty::OutlivesPredicate(ty, region));
|
||||
predicates.push((ty::Predicate::TypeOutlives(pred), lifetime.span))
|
||||
predicates.push((
|
||||
ty::PredicateKind::TypeOutlives(pred).to_predicate(tcx),
|
||||
lifetime.span,
|
||||
))
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
@ -1945,7 +1951,7 @@ fn explicit_predicates_of(tcx: TyCtxt<'_>, def_id: DefId) -> ty::GenericPredicat
|
|||
};
|
||||
let pred = ty::Binder::bind(ty::OutlivesPredicate(r1, r2));
|
||||
|
||||
(ty::Predicate::RegionOutlives(pred), span)
|
||||
(ty::PredicateKind::RegionOutlives(pred).to_predicate(icx.tcx), span)
|
||||
}))
|
||||
}
|
||||
|
||||
|
|
@ -2116,7 +2122,7 @@ fn predicates_from_bound<'tcx>(
|
|||
hir::GenericBound::Outlives(ref lifetime) => {
|
||||
let region = astconv.ast_region_to_region(lifetime, None);
|
||||
let pred = ty::Binder::bind(ty::OutlivesPredicate(param_ty, region));
|
||||
vec![(ty::Predicate::TypeOutlives(pred), lifetime.span)]
|
||||
vec![(ty::PredicateKind::TypeOutlives(pred).to_predicate(astconv.tcx()), lifetime.span)]
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -180,7 +180,7 @@ pub fn setup_constraining_predicates<'tcx>(
|
|||
changed = false;
|
||||
|
||||
for j in i..predicates.len() {
|
||||
if let ty::Predicate::Projection(ref poly_projection) = predicates[j].0 {
|
||||
if let ty::PredicateKind::Projection(ref poly_projection) = predicates[j].0.kind() {
|
||||
// Note that we can skip binder here because the impl
|
||||
// trait ref never contains any late-bound regions.
|
||||
let projection = poly_projection.skip_binder();
|
||||
|
|
|
|||
|
|
@ -204,7 +204,7 @@ fn unconstrained_parent_impl_substs<'tcx>(
|
|||
// the functions in `cgp` add the constrained parameters to a list of
|
||||
// unconstrained parameters.
|
||||
for (predicate, _) in impl_generic_predicates.predicates.iter() {
|
||||
if let ty::Predicate::Projection(proj) = predicate {
|
||||
if let ty::PredicateKind::Projection(proj) = predicate.kind() {
|
||||
let projection_ty = proj.skip_binder().projection_ty;
|
||||
let projected_ty = proj.skip_binder().ty;
|
||||
|
||||
|
|
@ -368,13 +368,13 @@ fn check_predicates<'tcx>(
|
|||
|
||||
fn check_specialization_on<'tcx>(tcx: TyCtxt<'tcx>, predicate: &ty::Predicate<'tcx>, span: Span) {
|
||||
debug!("can_specialize_on(predicate = {:?})", predicate);
|
||||
match predicate {
|
||||
match predicate.kind() {
|
||||
// Global predicates are either always true or always false, so we
|
||||
// are fine to specialize on.
|
||||
_ if predicate.is_global() => (),
|
||||
// We allow specializing on explicitly marked traits with no associated
|
||||
// items.
|
||||
ty::Predicate::Trait(pred, hir::Constness::NotConst) => {
|
||||
ty::PredicateKind::Trait(pred, hir::Constness::NotConst) => {
|
||||
if !matches!(
|
||||
trait_predicate_kind(tcx, predicate),
|
||||
Some(TraitSpecializationKind::Marker)
|
||||
|
|
@ -401,19 +401,19 @@ fn trait_predicate_kind<'tcx>(
|
|||
tcx: TyCtxt<'tcx>,
|
||||
predicate: &ty::Predicate<'tcx>,
|
||||
) -> Option<TraitSpecializationKind> {
|
||||
match predicate {
|
||||
ty::Predicate::Trait(pred, hir::Constness::NotConst) => {
|
||||
match predicate.kind() {
|
||||
ty::PredicateKind::Trait(pred, hir::Constness::NotConst) => {
|
||||
Some(tcx.trait_def(pred.def_id()).specialization_kind)
|
||||
}
|
||||
ty::Predicate::Trait(_, hir::Constness::Const)
|
||||
| ty::Predicate::RegionOutlives(_)
|
||||
| ty::Predicate::TypeOutlives(_)
|
||||
| ty::Predicate::Projection(_)
|
||||
| ty::Predicate::WellFormed(_)
|
||||
| ty::Predicate::Subtype(_)
|
||||
| ty::Predicate::ObjectSafe(_)
|
||||
| ty::Predicate::ClosureKind(..)
|
||||
| ty::Predicate::ConstEvaluatable(..)
|
||||
| ty::Predicate::ConstEquate(..) => None,
|
||||
ty::PredicateKind::Trait(_, hir::Constness::Const)
|
||||
| ty::PredicateKind::RegionOutlives(_)
|
||||
| ty::PredicateKind::TypeOutlives(_)
|
||||
| ty::PredicateKind::Projection(_)
|
||||
| ty::PredicateKind::WellFormed(_)
|
||||
| ty::PredicateKind::Subtype(_)
|
||||
| ty::PredicateKind::ObjectSafe(_)
|
||||
| ty::PredicateKind::ClosureKind(..)
|
||||
| ty::PredicateKind::ConstEvaluatable(..)
|
||||
| ty::PredicateKind::ConstEquate(..) => None,
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -29,8 +29,8 @@ impl<'tcx> ExplicitPredicatesMap<'tcx> {
|
|||
|
||||
// process predicates and convert to `RequiredPredicates` entry, see below
|
||||
for &(predicate, span) in predicates.predicates {
|
||||
match predicate {
|
||||
ty::Predicate::TypeOutlives(predicate) => {
|
||||
match predicate.kind() {
|
||||
ty::PredicateKind::TypeOutlives(predicate) => {
|
||||
let OutlivesPredicate(ref ty, ref reg) = predicate.skip_binder();
|
||||
insert_outlives_predicate(
|
||||
tcx,
|
||||
|
|
@ -41,7 +41,7 @@ impl<'tcx> ExplicitPredicatesMap<'tcx> {
|
|||
)
|
||||
}
|
||||
|
||||
ty::Predicate::RegionOutlives(predicate) => {
|
||||
ty::PredicateKind::RegionOutlives(predicate) => {
|
||||
let OutlivesPredicate(ref reg1, ref reg2) = predicate.skip_binder();
|
||||
insert_outlives_predicate(
|
||||
tcx,
|
||||
|
|
@ -52,14 +52,14 @@ impl<'tcx> ExplicitPredicatesMap<'tcx> {
|
|||
)
|
||||
}
|
||||
|
||||
ty::Predicate::Trait(..)
|
||||
| ty::Predicate::Projection(..)
|
||||
| ty::Predicate::WellFormed(..)
|
||||
| ty::Predicate::ObjectSafe(..)
|
||||
| ty::Predicate::ClosureKind(..)
|
||||
| ty::Predicate::Subtype(..)
|
||||
| ty::Predicate::ConstEvaluatable(..)
|
||||
| ty::Predicate::ConstEquate(..) => (),
|
||||
ty::PredicateKind::Trait(..)
|
||||
| ty::PredicateKind::Projection(..)
|
||||
| ty::PredicateKind::WellFormed(..)
|
||||
| ty::PredicateKind::ObjectSafe(..)
|
||||
| ty::PredicateKind::ClosureKind(..)
|
||||
| ty::PredicateKind::Subtype(..)
|
||||
| ty::PredicateKind::ConstEvaluatable(..)
|
||||
| ty::PredicateKind::ConstEquate(..) => (),
|
||||
}
|
||||
}
|
||||
|
||||
|
|
|
|||
|
|
@ -3,7 +3,7 @@ use rustc_hir as hir;
|
|||
use rustc_hir::def_id::{CrateNum, DefId, LOCAL_CRATE};
|
||||
use rustc_middle::ty::query::Providers;
|
||||
use rustc_middle::ty::subst::GenericArgKind;
|
||||
use rustc_middle::ty::{self, CratePredicatesMap, TyCtxt};
|
||||
use rustc_middle::ty::{self, CratePredicatesMap, ToPredicate, TyCtxt};
|
||||
use rustc_span::symbol::sym;
|
||||
use rustc_span::Span;
|
||||
|
||||
|
|
@ -30,9 +30,9 @@ fn inferred_outlives_of(tcx: TyCtxt<'_>, item_def_id: DefId) -> &[(ty::Predicate
|
|||
if tcx.has_attr(item_def_id, sym::rustc_outlives) {
|
||||
let mut pred: Vec<String> = predicates
|
||||
.iter()
|
||||
.map(|(out_pred, _)| match out_pred {
|
||||
ty::Predicate::RegionOutlives(p) => p.to_string(),
|
||||
ty::Predicate::TypeOutlives(p) => p.to_string(),
|
||||
.map(|(out_pred, _)| match out_pred.kind() {
|
||||
ty::PredicateKind::RegionOutlives(p) => p.to_string(),
|
||||
ty::PredicateKind::TypeOutlives(p) => p.to_string(),
|
||||
err => bug!("unexpected predicate {:?}", err),
|
||||
})
|
||||
.collect();
|
||||
|
|
@ -82,22 +82,26 @@ fn inferred_outlives_crate(tcx: TyCtxt<'_>, crate_num: CrateNum) -> CratePredica
|
|||
.iter()
|
||||
.map(|(&def_id, set)| {
|
||||
let predicates = &*tcx.arena.alloc_from_iter(set.iter().filter_map(
|
||||
|(ty::OutlivesPredicate(kind1, region2), &span)| match kind1.unpack() {
|
||||
GenericArgKind::Type(ty1) => Some((
|
||||
ty::Predicate::TypeOutlives(ty::Binder::bind(ty::OutlivesPredicate(
|
||||
ty1, region2,
|
||||
))),
|
||||
span,
|
||||
)),
|
||||
GenericArgKind::Lifetime(region1) => Some((
|
||||
ty::Predicate::RegionOutlives(ty::Binder::bind(ty::OutlivesPredicate(
|
||||
region1, region2,
|
||||
))),
|
||||
span,
|
||||
)),
|
||||
GenericArgKind::Const(_) => {
|
||||
// Generic consts don't impose any constraints.
|
||||
None
|
||||
|(ty::OutlivesPredicate(kind1, region2), &span)| {
|
||||
match kind1.unpack() {
|
||||
GenericArgKind::Type(ty1) => Some((
|
||||
ty::PredicateKind::TypeOutlives(ty::Binder::bind(
|
||||
ty::OutlivesPredicate(ty1, region2),
|
||||
))
|
||||
.to_predicate(tcx),
|
||||
span,
|
||||
)),
|
||||
GenericArgKind::Lifetime(region1) => Some((
|
||||
ty::PredicateKind::RegionOutlives(ty::Binder::bind(
|
||||
ty::OutlivesPredicate(region1, region2),
|
||||
))
|
||||
.to_predicate(tcx),
|
||||
span,
|
||||
)),
|
||||
GenericArgKind::Const(_) => {
|
||||
// Generic consts don't impose any constraints.
|
||||
None
|
||||
}
|
||||
}
|
||||
},
|
||||
));
|
||||
|
|
|
|||
|
|
@ -315,11 +315,11 @@ impl<'a, 'tcx> AutoTraitFinder<'a, 'tcx> {
|
|||
tcx: TyCtxt<'tcx>,
|
||||
pred: ty::Predicate<'tcx>,
|
||||
) -> FxHashSet<GenericParamDef> {
|
||||
let regions = match pred {
|
||||
ty::Predicate::Trait(poly_trait_pred, _) => {
|
||||
let regions = match pred.kind() {
|
||||
ty::PredicateKind::Trait(poly_trait_pred, _) => {
|
||||
tcx.collect_referenced_late_bound_regions(&poly_trait_pred)
|
||||
}
|
||||
ty::Predicate::Projection(poly_proj_pred) => {
|
||||
ty::PredicateKind::Projection(poly_proj_pred) => {
|
||||
tcx.collect_referenced_late_bound_regions(&poly_proj_pred)
|
||||
}
|
||||
_ => return FxHashSet::default(),
|
||||
|
|
@ -465,8 +465,8 @@ impl<'a, 'tcx> AutoTraitFinder<'a, 'tcx> {
|
|||
.iter()
|
||||
.filter(|p| {
|
||||
!orig_bounds.contains(p)
|
||||
|| match p {
|
||||
ty::Predicate::Trait(pred, _) => pred.def_id() == sized_trait,
|
||||
|| match p.kind() {
|
||||
ty::PredicateKind::Trait(pred, _) => pred.def_id() == sized_trait,
|
||||
_ => false,
|
||||
}
|
||||
})
|
||||
|
|
|
|||
|
|
@ -65,7 +65,7 @@ impl<'a, 'tcx> BlanketImplFinder<'a, 'tcx> {
|
|||
match infcx.evaluate_obligation(&traits::Obligation::new(
|
||||
cause,
|
||||
param_env,
|
||||
trait_ref.without_const().to_predicate(),
|
||||
trait_ref.without_const().to_predicate(infcx.tcx),
|
||||
)) {
|
||||
Ok(eval_result) => eval_result.may_apply(),
|
||||
Err(traits::OverflowError) => true, // overflow doesn't mean yes *or* no
|
||||
|
|
|
|||
|
|
@ -481,20 +481,18 @@ impl Clean<WherePredicate> for hir::WherePredicate<'_> {
|
|||
|
||||
impl<'a> Clean<Option<WherePredicate>> for ty::Predicate<'a> {
|
||||
fn clean(&self, cx: &DocContext<'_>) -> Option<WherePredicate> {
|
||||
use rustc_middle::ty::Predicate;
|
||||
match self.kind() {
|
||||
ty::PredicateKind::Trait(ref pred, _) => Some(pred.clean(cx)),
|
||||
ty::PredicateKind::Subtype(ref pred) => Some(pred.clean(cx)),
|
||||
ty::PredicateKind::RegionOutlives(ref pred) => pred.clean(cx),
|
||||
ty::PredicateKind::TypeOutlives(ref pred) => pred.clean(cx),
|
||||
ty::PredicateKind::Projection(ref pred) => Some(pred.clean(cx)),
|
||||
|
||||
match *self {
|
||||
Predicate::Trait(ref pred, _) => Some(pred.clean(cx)),
|
||||
Predicate::Subtype(ref pred) => Some(pred.clean(cx)),
|
||||
Predicate::RegionOutlives(ref pred) => pred.clean(cx),
|
||||
Predicate::TypeOutlives(ref pred) => pred.clean(cx),
|
||||
Predicate::Projection(ref pred) => Some(pred.clean(cx)),
|
||||
|
||||
Predicate::WellFormed(..)
|
||||
| Predicate::ObjectSafe(..)
|
||||
| Predicate::ClosureKind(..)
|
||||
| Predicate::ConstEvaluatable(..)
|
||||
| Predicate::ConstEquate(..) => panic!("not user writable"),
|
||||
ty::PredicateKind::WellFormed(..)
|
||||
| ty::PredicateKind::ObjectSafe(..)
|
||||
| ty::PredicateKind::ClosureKind(..)
|
||||
| ty::PredicateKind::ConstEvaluatable(..)
|
||||
| ty::PredicateKind::ConstEquate(..) => panic!("not user writable"),
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
@ -765,7 +763,7 @@ impl<'a, 'tcx> Clean<Generics> for (&'a ty::Generics, ty::GenericPredicates<'tcx
|
|||
if let ty::Param(param) = outlives.skip_binder().0.kind {
|
||||
return Some(param.index);
|
||||
}
|
||||
} else if let ty::Predicate::Projection(p) = p {
|
||||
} else if let ty::PredicateKind::Projection(p) = p.kind() {
|
||||
if let ty::Param(param) = p.skip_binder().projection_ty.self_ty().kind {
|
||||
projection = Some(p);
|
||||
return Some(param.index);
|
||||
|
|
@ -1663,7 +1661,7 @@ impl<'tcx> Clean<Type> for Ty<'tcx> {
|
|||
.filter_map(|predicate| {
|
||||
let trait_ref = if let Some(tr) = predicate.to_opt_poly_trait_ref() {
|
||||
tr
|
||||
} else if let ty::Predicate::TypeOutlives(pred) = *predicate {
|
||||
} else if let ty::PredicateKind::TypeOutlives(pred) = predicate.kind() {
|
||||
// these should turn up at the end
|
||||
if let Some(r) = pred.skip_binder().1.clean(cx) {
|
||||
regions.push(GenericBound::Outlives(r));
|
||||
|
|
@ -1684,7 +1682,7 @@ impl<'tcx> Clean<Type> for Ty<'tcx> {
|
|||
.predicates
|
||||
.iter()
|
||||
.filter_map(|pred| {
|
||||
if let ty::Predicate::Projection(proj) = *pred {
|
||||
if let ty::PredicateKind::Projection(proj) = pred.kind() {
|
||||
let proj = proj.skip_binder();
|
||||
if proj.projection_ty.trait_ref(cx.tcx)
|
||||
== *trait_ref.skip_binder()
|
||||
|
|
|
|||
|
|
@ -141,7 +141,7 @@ fn trait_is_same_or_supertrait(cx: &DocContext<'_>, child: DefId, trait_: DefId)
|
|||
.predicates
|
||||
.iter()
|
||||
.filter_map(|(pred, _)| {
|
||||
if let ty::Predicate::Trait(ref pred, _) = *pred {
|
||||
if let ty::PredicateKind::Trait(ref pred, _) = pred.kind() {
|
||||
if pred.skip_binder().trait_ref.self_ty() == self_ty {
|
||||
Some(pred.def_id())
|
||||
} else {
|
||||
|
|
|
|||
|
|
@ -625,7 +625,7 @@ a {
|
|||
display: initial;
|
||||
}
|
||||
|
||||
.in-band:hover > .anchor {
|
||||
.in-band:hover > .anchor, .impl:hover > .anchor {
|
||||
display: inline-block;
|
||||
position: absolute;
|
||||
}
|
||||
|
|
|
|||
|
|
@ -232,37 +232,46 @@ impl<'a, 'tcx> LinkCollector<'a, 'tcx> {
|
|||
DefKind::Struct | DefKind::Union | DefKind::Enum | DefKind::TyAlias,
|
||||
did,
|
||||
) => {
|
||||
// We need item's parent to know if it's
|
||||
// trait impl or struct/enum/etc impl
|
||||
let item_parent = item_opt
|
||||
// Checks if item_name belongs to `impl SomeItem`
|
||||
let impl_item = cx
|
||||
.tcx
|
||||
.inherent_impls(did)
|
||||
.iter()
|
||||
.flat_map(|imp| cx.tcx.associated_items(*imp).in_definition_order())
|
||||
.find(|item| item.ident.name == item_name);
|
||||
let trait_item = item_opt
|
||||
.and_then(|item| self.cx.as_local_hir_id(item.def_id))
|
||||
.and_then(|item_hir| {
|
||||
// Checks if item_name belongs to `impl SomeTrait for SomeItem`
|
||||
let parent_hir = self.cx.tcx.hir().get_parent_item(item_hir);
|
||||
self.cx.tcx.hir().find(parent_hir)
|
||||
let item_parent = self.cx.tcx.hir().find(parent_hir);
|
||||
match item_parent {
|
||||
Some(hir::Node::Item(hir::Item {
|
||||
kind: hir::ItemKind::Impl { of_trait: Some(_), self_ty, .. },
|
||||
..
|
||||
})) => cx
|
||||
.tcx
|
||||
.associated_item_def_ids(self_ty.hir_id.owner)
|
||||
.iter()
|
||||
.map(|child| {
|
||||
let associated_item = cx.tcx.associated_item(*child);
|
||||
associated_item
|
||||
})
|
||||
.find(|child| child.ident.name == item_name),
|
||||
_ => None,
|
||||
}
|
||||
});
|
||||
let item = match item_parent {
|
||||
Some(hir::Node::Item(hir::Item {
|
||||
kind: hir::ItemKind::Impl { of_trait: Some(_), self_ty, .. },
|
||||
..
|
||||
})) => {
|
||||
// trait impl
|
||||
cx.tcx
|
||||
.associated_item_def_ids(self_ty.hir_id.owner)
|
||||
.iter()
|
||||
.map(|child| {
|
||||
let associated_item = cx.tcx.associated_item(*child);
|
||||
associated_item
|
||||
})
|
||||
.find(|child| child.ident.name == item_name)
|
||||
}
|
||||
_ => {
|
||||
// struct/enum/etc. impl
|
||||
cx.tcx
|
||||
.inherent_impls(did)
|
||||
.iter()
|
||||
.flat_map(|imp| cx.tcx.associated_items(*imp).in_definition_order())
|
||||
.find(|item| item.ident.name == item_name)
|
||||
let item = match (impl_item, trait_item) {
|
||||
(Some(from_impl), Some(_)) => {
|
||||
// Although it's ambiguous, return impl version for compat. sake.
|
||||
// To handle that properly resolve() would have to support
|
||||
// something like
|
||||
// [`ambi_fn`](<SomeStruct as SomeTrait>::ambi_fn)
|
||||
Some(from_impl)
|
||||
}
|
||||
(None, Some(from_trait)) => Some(from_trait),
|
||||
(Some(from_impl), None) => Some(from_impl),
|
||||
_ => None,
|
||||
};
|
||||
|
||||
if let Some(item) = item {
|
||||
|
|
|
|||
19
src/test/rustdoc/issue-72340.rs
Normal file
19
src/test/rustdoc/issue-72340.rs
Normal file
|
|
@ -0,0 +1,19 @@
|
|||
#![crate_name = "foo"]
|
||||
|
||||
pub struct Body;
|
||||
|
||||
impl Body {
|
||||
pub fn empty() -> Self {
|
||||
Body
|
||||
}
|
||||
|
||||
}
|
||||
|
||||
impl Default for Body {
|
||||
// @has foo/struct.Body.html '//a/@href' '../foo/struct.Body.html#method.empty'
|
||||
|
||||
/// Returns [`Body::empty()`](Body::empty).
|
||||
fn default() -> Body {
|
||||
Body::empty()
|
||||
}
|
||||
}
|
||||
6
src/test/ui/issues/issue-72076.rs
Normal file
6
src/test/ui/issues/issue-72076.rs
Normal file
|
|
@ -0,0 +1,6 @@
|
|||
trait X {
|
||||
type S;
|
||||
fn f() -> Self::S {} //~ ERROR mismatched types
|
||||
}
|
||||
|
||||
fn main() {}
|
||||
14
src/test/ui/issues/issue-72076.stderr
Normal file
14
src/test/ui/issues/issue-72076.stderr
Normal file
|
|
@ -0,0 +1,14 @@
|
|||
error[E0308]: mismatched types
|
||||
--> $DIR/issue-72076.rs:3:23
|
||||
|
|
||||
LL | fn f() -> Self::S {}
|
||||
| ^^ expected associated type, found `()`
|
||||
|
|
||||
= note: expected associated type `<Self as X>::S`
|
||||
found unit type `()`
|
||||
= help: consider constraining the associated type `<Self as X>::S` to `()` or calling a method that returns `<Self as X>::S`
|
||||
= note: for more information, visit https://doc.rust-lang.org/book/ch19-03-advanced-traits.html
|
||||
|
||||
error: aborting due to previous error
|
||||
|
||||
For more information about this error, try `rustc --explain E0308`.
|
||||
|
|
@ -7,6 +7,7 @@ trait Trait<T = Self> {
|
|||
|
||||
fn func(&self) -> Self::A;
|
||||
fn funk(&self, _: Self::A);
|
||||
fn funq(&self) -> Self::A {} //~ ERROR mismatched types
|
||||
}
|
||||
|
||||
fn foo(_: impl Trait, x: impl Trait) {
|
||||
|
|
|
|||
|
|
@ -1,5 +1,19 @@
|
|||
error[E0308]: mismatched types
|
||||
--> $DIR/trait-with-missing-associated-type-restriction.rs:13:9
|
||||
--> $DIR/trait-with-missing-associated-type-restriction.rs:10:31
|
||||
|
|
||||
LL | fn funq(&self) -> Self::A {}
|
||||
| ^^ expected associated type, found `()`
|
||||
|
|
||||
= note: expected associated type `<Self as Trait<T>>::A`
|
||||
found unit type `()`
|
||||
help: a method is available that returns `<Self as Trait<T>>::A`
|
||||
--> $DIR/trait-with-missing-associated-type-restriction.rs:8:5
|
||||
|
|
||||
LL | fn func(&self) -> Self::A;
|
||||
| ^^^^^^^^^^^^^^^^^^^^^^^^^^ consider calling `Trait::func`
|
||||
|
||||
error[E0308]: mismatched types
|
||||
--> $DIR/trait-with-missing-associated-type-restriction.rs:14:9
|
||||
|
|
||||
LL | qux(x.func())
|
||||
| ^^^^^^^^ expected `usize`, found associated type
|
||||
|
|
@ -12,7 +26,7 @@ LL | fn foo(_: impl Trait, x: impl Trait<A = usize>) {
|
|||
| ^^^^^^^^^^^
|
||||
|
||||
error[E0308]: mismatched types
|
||||
--> $DIR/trait-with-missing-associated-type-restriction.rs:17:9
|
||||
--> $DIR/trait-with-missing-associated-type-restriction.rs:18:9
|
||||
|
|
||||
LL | qux(x.func())
|
||||
| ^^^^^^^^ expected `usize`, found associated type
|
||||
|
|
@ -25,7 +39,7 @@ LL | fn bar<T: Trait<A = usize>>(x: T) {
|
|||
| ^^^^^^^^^^^
|
||||
|
||||
error[E0308]: mismatched types
|
||||
--> $DIR/trait-with-missing-associated-type-restriction.rs:21:9
|
||||
--> $DIR/trait-with-missing-associated-type-restriction.rs:22:9
|
||||
|
|
||||
LL | qux(x.func())
|
||||
| ^^^^^^^^ expected `usize`, found associated type
|
||||
|
|
@ -38,25 +52,28 @@ LL | fn foo2(x: impl Trait<i32, A = usize>) {
|
|||
| ^^^^^^^^^^^
|
||||
|
||||
error[E0308]: mismatched types
|
||||
--> $DIR/trait-with-missing-associated-type-restriction.rs:25:12
|
||||
--> $DIR/trait-with-missing-associated-type-restriction.rs:26:12
|
||||
|
|
||||
LL | x.funk(3);
|
||||
| ^ expected associated type, found integer
|
||||
|
|
||||
= note: expected associated type `<T as Trait<i32>>::A`
|
||||
found type `{integer}`
|
||||
help: a method is available that returns `<T as Trait<i32>>::A`
|
||||
help: some methods are available that return `<T as Trait<i32>>::A`
|
||||
--> $DIR/trait-with-missing-associated-type-restriction.rs:8:5
|
||||
|
|
||||
LL | fn func(&self) -> Self::A;
|
||||
| ^^^^^^^^^^^^^^^^^^^^^^^^^^ consider calling `Trait::func`
|
||||
LL | fn funk(&self, _: Self::A);
|
||||
LL | fn funq(&self) -> Self::A {}
|
||||
| ^^^^^^^^^^^^^^^^^^^^^^^^^ consider calling `Trait::funq`
|
||||
help: consider constraining the associated type `<T as Trait<i32>>::A` to `{integer}`
|
||||
|
|
||||
LL | fn bar2<T: Trait<i32, A = {integer}>>(x: T) {
|
||||
| ^^^^^^^^^^^^^^^
|
||||
|
||||
error[E0308]: mismatched types
|
||||
--> $DIR/trait-with-missing-associated-type-restriction.rs:26:9
|
||||
--> $DIR/trait-with-missing-associated-type-restriction.rs:27:9
|
||||
|
|
||||
LL | qux(x.func())
|
||||
| ^^^^^^^^ expected `usize`, found associated type
|
||||
|
|
@ -69,7 +86,7 @@ LL | fn bar2<T: Trait<i32, A = usize>>(x: T) {
|
|||
| ^^^^^^^^^^^
|
||||
|
||||
error[E0308]: mismatched types
|
||||
--> $DIR/trait-with-missing-associated-type-restriction.rs:30:9
|
||||
--> $DIR/trait-with-missing-associated-type-restriction.rs:31:9
|
||||
|
|
||||
LL | fn baz<D: std::fmt::Debug, T: Trait<A = D>>(x: T) {
|
||||
| - this type parameter
|
||||
|
|
@ -80,13 +97,13 @@ LL | qux(x.func())
|
|||
found type parameter `D`
|
||||
|
||||
error[E0308]: mismatched types
|
||||
--> $DIR/trait-with-missing-associated-type-restriction.rs:34:9
|
||||
--> $DIR/trait-with-missing-associated-type-restriction.rs:35:9
|
||||
|
|
||||
LL | qux(x.func())
|
||||
| ^^^^^^^^ expected `usize`, found `()`
|
||||
|
||||
error[E0308]: mismatched types
|
||||
--> $DIR/trait-with-missing-associated-type-restriction.rs:38:9
|
||||
--> $DIR/trait-with-missing-associated-type-restriction.rs:39:9
|
||||
|
|
||||
LL | qux(x.func())
|
||||
| ^^^^^^^^ expected `usize`, found associated type
|
||||
|
|
@ -98,6 +115,6 @@ help: consider constraining the associated type `<T as Trait>::A` to `usize`
|
|||
LL | fn ban<T>(x: T) where T: Trait<A = usize> {
|
||||
| ^^^^^^^^^^^
|
||||
|
||||
error: aborting due to 8 previous errors
|
||||
error: aborting due to 9 previous errors
|
||||
|
||||
For more information about this error, try `rustc --explain E0308`.
|
||||
|
|
|
|||
|
|
@ -3,7 +3,7 @@ use rustc_hir::intravisit::FnKind;
|
|||
use rustc_hir::{Body, FnDecl, HirId};
|
||||
use rustc_infer::infer::TyCtxtInferExt;
|
||||
use rustc_lint::{LateContext, LateLintPass};
|
||||
use rustc_middle::ty::{Opaque, Predicate::Trait, ToPolyTraitRef};
|
||||
use rustc_middle::ty::{Opaque, PredicateKind::Trait, ToPolyTraitRef};
|
||||
use rustc_session::{declare_lint_pass, declare_tool_lint};
|
||||
use rustc_span::{sym, Span};
|
||||
use rustc_trait_selection::traits::error_reporting::suggestions::InferCtxtExt;
|
||||
|
|
@ -91,7 +91,7 @@ impl<'a, 'tcx> LateLintPass<'a, 'tcx> for FutureNotSend {
|
|||
cx.tcx.infer_ctxt().enter(|infcx| {
|
||||
for FulfillmentError { obligation, .. } in send_errors {
|
||||
infcx.maybe_note_obligation_cause_for_async_await(db, &obligation);
|
||||
if let Trait(trait_pred, _) = obligation.predicate {
|
||||
if let Trait(trait_pred, _) = obligation.predicate.kind() {
|
||||
let trait_ref = trait_pred.to_poly_trait_ref();
|
||||
db.note(&*format!(
|
||||
"`{}` doesn't implement `{}`",
|
||||
|
|
|
|||
|
|
@ -18,7 +18,7 @@ use rustc_lint::{LateContext, LateLintPass, Lint, LintContext};
|
|||
use rustc_middle::hir::map::Map;
|
||||
use rustc_middle::lint::in_external_macro;
|
||||
use rustc_middle::ty::subst::GenericArgKind;
|
||||
use rustc_middle::ty::{self, Predicate, Ty};
|
||||
use rustc_middle::ty::{self, Ty};
|
||||
use rustc_session::{declare_lint_pass, declare_tool_lint};
|
||||
use rustc_span::source_map::Span;
|
||||
use rustc_span::symbol::{sym, SymbolStr};
|
||||
|
|
@ -1496,8 +1496,8 @@ impl<'a, 'tcx> LateLintPass<'a, 'tcx> for Methods {
|
|||
if let ty::Opaque(def_id, _) = ret_ty.kind {
|
||||
// one of the associated types must be Self
|
||||
for predicate in cx.tcx.predicates_of(def_id).predicates {
|
||||
match predicate {
|
||||
(Predicate::Projection(poly_projection_predicate), _) => {
|
||||
match predicate.0.kind() {
|
||||
ty::PredicateKind::Projection(poly_projection_predicate) => {
|
||||
let binder = poly_projection_predicate.ty();
|
||||
let associated_type = binder.skip_binder();
|
||||
|
||||
|
|
@ -1506,7 +1506,7 @@ impl<'a, 'tcx> LateLintPass<'a, 'tcx> for Methods {
|
|||
return;
|
||||
}
|
||||
},
|
||||
(_, _) => {},
|
||||
_ => {},
|
||||
}
|
||||
}
|
||||
}
|
||||
|
|
|
|||
|
|
@ -114,7 +114,7 @@ impl<'a, 'tcx> LateLintPass<'a, 'tcx> for NeedlessPassByValue {
|
|||
let preds = traits::elaborate_predicates(cx.tcx, cx.param_env.caller_bounds.iter().copied())
|
||||
.filter(|p| !p.is_global())
|
||||
.filter_map(|obligation| {
|
||||
if let ty::Predicate::Trait(poly_trait_ref, _) = obligation.predicate {
|
||||
if let ty::PredicateKind::Trait(poly_trait_ref, _) = obligation.predicate.kind() {
|
||||
if poly_trait_ref.def_id() == sized_trait || poly_trait_ref.skip_binder().has_escaping_bound_vars()
|
||||
{
|
||||
return None;
|
||||
|
|
|
|||
|
|
@ -1299,7 +1299,7 @@ pub fn is_must_use_ty<'a, 'tcx>(cx: &LateContext<'a, 'tcx>, ty: Ty<'tcx>) -> boo
|
|||
ty::Tuple(ref substs) => substs.types().any(|ty| is_must_use_ty(cx, ty)),
|
||||
ty::Opaque(ref def_id, _) => {
|
||||
for (predicate, _) in cx.tcx.predicates_of(*def_id).predicates {
|
||||
if let ty::Predicate::Trait(ref poly_trait_predicate, _) = predicate {
|
||||
if let ty::PredicateKind::Trait(ref poly_trait_predicate, _) = predicate.kind() {
|
||||
if must_use_attr(&cx.tcx.get_attrs(poly_trait_predicate.skip_binder().trait_ref.def_id)).is_some() {
|
||||
return true;
|
||||
}
|
||||
|
|
|
|||
Loading…
Add table
Add a link
Reference in a new issue