Unnamed repository; edit this file 'description' to name the repository.
Diffstat (limited to 'crates/hir-ty/src/display.rs')
-rw-r--r--crates/hir-ty/src/display.rs801
1 files changed, 522 insertions, 279 deletions
diff --git a/crates/hir-ty/src/display.rs b/crates/hir-ty/src/display.rs
index 8f35a3c214..519e4b5923 100644
--- a/crates/hir-ty/src/display.rs
+++ b/crates/hir-ty/src/display.rs
@@ -11,7 +11,7 @@ use base_db::Crate;
use chalk_ir::{BoundVar, Safety, TyKind};
use either::Either;
use hir_def::{
- GenericDefId, HasModule, ImportPathConfig, ItemContainerId, LocalFieldId, Lookup, ModuleDefId,
+ FindPathConfig, GeneralConstId, GenericDefId, HasModule, LocalFieldId, Lookup, ModuleDefId,
ModuleId, TraitId,
db::DefDatabase,
expr_store::{ExpressionStore, path::Path},
@@ -37,26 +37,36 @@ use rustc_apfloat::{
ieee::{Half as f16, Quad as f128},
};
use rustc_hash::FxHashSet;
+use rustc_type_ir::{
+ AliasTyKind, CoroutineArgsParts, RegionKind,
+ inherent::{AdtDef, GenericArgs as _, IntoKind, SliceLike},
+};
use smallvec::SmallVec;
use span::Edition;
use stdx::never;
use triomphe::Arc;
+use crate::next_solver::infer::DbInternerInferExt;
+use crate::next_solver::infer::traits::ObligationCause;
use crate::{
- AdtId, AliasEq, AliasTy, Binders, CallableDefId, CallableSig, ConcreteConst, Const,
- ConstScalar, ConstValue, DomainGoal, FnAbi, GenericArg, ImplTraitId, Interner, Lifetime,
- LifetimeData, LifetimeOutlives, MemoryMap, Mutability, OpaqueTy, ProjectionTy, ProjectionTyExt,
- QuantifiedWhereClause, Scalar, Substitution, TraitEnvironment, TraitRef, TraitRefExt, Ty,
- TyExt, WhereClause,
- consteval::try_const_usize,
+ AliasEq, AliasTy, Binders, CallableDefId, CallableSig, ConcreteConst, Const, ConstScalar,
+ ConstValue, DomainGoal, FnAbi, GenericArg, ImplTraitId, Interner, Lifetime, LifetimeData,
+ LifetimeOutlives, MemoryMap, OpaqueTy, ProjectionTy, ProjectionTyExt, QuantifiedWhereClause,
+ TraitEnvironment, TraitRef, TraitRefExt, Ty, TyExt, WhereClause, consteval_nextsolver,
db::{HirDatabase, InternedClosure},
- from_assoc_type_id, from_foreign_def_id, from_placeholder_idx,
+ from_assoc_type_id, from_placeholder_idx,
generics::generics,
infer::normalize,
layout::Layout,
lt_from_placeholder_idx,
- mapping::from_chalk,
mir::pad16,
+ next_solver::{
+ BoundExistentialPredicate, DbInterner, GenericArgs, SolverDefId,
+ mapping::{
+ ChalkToNextSolver, convert_args_for_result, convert_const_for_result,
+ convert_region_for_result, convert_ty_for_result,
+ },
+ },
primitive, to_assoc_type_id,
utils::{self, ClosureSubst, detect_variant_from_bytes},
};
@@ -185,6 +195,29 @@ impl HirFormatter<'_> {
DisplayLifetime::Never => false,
}
}
+
+ fn render_region(&self, lifetime: crate::next_solver::Region<'_>) -> bool {
+ match self.display_lifetimes {
+ DisplayLifetime::Always => true,
+ DisplayLifetime::OnlyStatic => {
+ matches!(lifetime.kind(), rustc_type_ir::RegionKind::ReStatic)
+ }
+ DisplayLifetime::OnlyNamed => {
+ matches!(
+ lifetime.kind(),
+ rustc_type_ir::RegionKind::RePlaceholder(_)
+ | rustc_type_ir::RegionKind::ReEarlyParam(_)
+ )
+ }
+ DisplayLifetime::OnlyNamedOrStatic => matches!(
+ lifetime.kind(),
+ rustc_type_ir::RegionKind::ReStatic
+ | rustc_type_ir::RegionKind::RePlaceholder(_)
+ | rustc_type_ir::RegionKind::ReEarlyParam(_)
+ ),
+ DisplayLifetime::Never => false,
+ }
+ }
}
pub trait HirDisplay {
@@ -476,10 +509,6 @@ impl DisplayKind {
matches!(self, Self::SourceCode { .. })
}
- fn is_test(self) -> bool {
- matches!(self, Self::Test)
- }
-
fn allows_opaque(self) -> bool {
match self {
Self::SourceCode { allow_opaque, .. } => allow_opaque,
@@ -613,7 +642,7 @@ impl HirDisplay for ProjectionTy {
&& !f.bounds_formatting_ctx.contains(self)
{
let db = f.db;
- let id = from_placeholder_idx(db, *idx);
+ let id = from_placeholder_idx(db, *idx).0;
let generics = generics(db, id.parent);
let substs = generics.placeholder_subst(db);
@@ -688,28 +717,55 @@ impl HirDisplay for GenericArg {
}
}
+impl<'db> HirDisplay for crate::next_solver::GenericArg<'db> {
+ fn hir_fmt(&self, f: &mut HirFormatter<'_>) -> Result<(), HirDisplayError> {
+ match self.kind() {
+ rustc_type_ir::GenericArgKind::Type(ty) => ty.hir_fmt(f),
+ rustc_type_ir::GenericArgKind::Lifetime(lt) => lt.hir_fmt(f),
+ rustc_type_ir::GenericArgKind::Const(c) => c.hir_fmt(f),
+ }
+ }
+}
+
impl HirDisplay for Const {
fn hir_fmt(&self, f: &mut HirFormatter<'_>) -> Result<(), HirDisplayError> {
- let data = self.interned();
- match &data.value {
- ConstValue::BoundVar(idx) => idx.hir_fmt(f),
- ConstValue::InferenceVar(..) => write!(f, "#c#"),
- ConstValue::Placeholder(idx) => {
- let id = from_placeholder_idx(f.db, *idx);
- let generics = generics(f.db, id.parent);
- let param_data = &generics[id.local_id];
+ let c = self.to_nextsolver(DbInterner::new_with(f.db, None, None));
+ c.hir_fmt(f)
+ }
+}
+
+impl<'db> HirDisplay for crate::next_solver::Const<'db> {
+ fn hir_fmt(&self, f: &mut HirFormatter<'_>) -> Result<(), HirDisplayError> {
+ match self.kind() {
+ rustc_type_ir::ConstKind::Placeholder(_) => write!(f, "<placeholder>"),
+ rustc_type_ir::ConstKind::Bound(db, bound_const) => {
+ write!(f, "?{}.{}", db.as_u32(), bound_const.var.as_u32())
+ }
+ rustc_type_ir::ConstKind::Infer(..) => write!(f, "#c#"),
+ rustc_type_ir::ConstKind::Param(param) => {
+ let generics = generics(f.db, param.id.parent());
+ let param_data = &generics[param.id.local_id()];
write!(f, "{}", param_data.name().unwrap().display(f.db, f.edition()))?;
Ok(())
}
- ConstValue::Concrete(c) => match &c.interned {
- ConstScalar::Bytes(b, m) => render_const_scalar(f, b, m, &data.ty),
- ConstScalar::UnevaluatedConst(c, parameters) => {
- write!(f, "{}", c.name(f.db))?;
- hir_fmt_generics(f, parameters.as_slice(Interner), c.generic_def(f.db), None)?;
- Ok(())
- }
- ConstScalar::Unknown => f.write_char('_'),
- },
+ rustc_type_ir::ConstKind::Value(const_bytes) => render_const_scalar_ns(
+ f,
+ &const_bytes.value.inner().0,
+ &const_bytes.value.inner().1,
+ const_bytes.ty,
+ ),
+ rustc_type_ir::ConstKind::Unevaluated(unev) => {
+ let c = match unev.def {
+ SolverDefId::ConstId(id) => GeneralConstId::ConstId(id),
+ SolverDefId::StaticId(id) => GeneralConstId::StaticId(id),
+ _ => unreachable!(),
+ };
+ write!(f, "{}", c.name(f.db))?;
+ hir_fmt_generics_ns(f, unev.args.as_slice(), c.generic_def(f.db), None)?;
+ Ok(())
+ }
+ rustc_type_ir::ConstKind::Error(..) => f.write_char('_'),
+ rustc_type_ir::ConstKind::Expr(..) => write!(f, "<const-expr>"),
}
}
}
@@ -717,63 +773,90 @@ impl HirDisplay for Const {
fn render_const_scalar(
f: &mut HirFormatter<'_>,
b: &[u8],
- memory_map: &MemoryMap,
+ memory_map: &MemoryMap<'_>,
ty: &Ty,
) -> Result<(), HirDisplayError> {
let trait_env = TraitEnvironment::empty(f.krate());
+ let interner = DbInterner::new_with(f.db, Some(trait_env.krate), trait_env.block);
let ty = normalize(f.db, trait_env.clone(), ty.clone());
- match ty.kind(Interner) {
- TyKind::Scalar(s) => match s {
- Scalar::Bool => write!(f, "{}", b[0] != 0),
- Scalar::Char => {
- let it = u128::from_le_bytes(pad16(b, false)) as u32;
- let Ok(c) = char::try_from(it) else {
- return f.write_str("<unicode-error>");
- };
- write!(f, "{c:?}")
- }
- Scalar::Int(_) => {
- let it = i128::from_le_bytes(pad16(b, true));
- write!(f, "{it}")
- }
- Scalar::Uint(_) => {
- let it = u128::from_le_bytes(pad16(b, false));
- write!(f, "{it}")
- }
- Scalar::Float(fl) => match fl {
- chalk_ir::FloatTy::F16 => {
- // FIXME(#17451): Replace with builtins once they are stabilised.
- let it = f16::from_bits(u16::from_le_bytes(b.try_into().unwrap()).into());
- let s = it.to_string();
- if s.strip_prefix('-').unwrap_or(&s).chars().all(|c| c.is_ascii_digit()) {
- // Match Rust debug formatting
- write!(f, "{s}.0")
- } else {
- write!(f, "{s}")
- }
- }
- chalk_ir::FloatTy::F32 => {
- let it = f32::from_le_bytes(b.try_into().unwrap());
- write!(f, "{it:?}")
- }
- chalk_ir::FloatTy::F64 => {
- let it = f64::from_le_bytes(b.try_into().unwrap());
- write!(f, "{it:?}")
+ let ty = ty.to_nextsolver(interner);
+ render_const_scalar_inner(f, b, memory_map, ty, trait_env)
+}
+
+fn render_const_scalar_ns(
+ f: &mut HirFormatter<'_>,
+ b: &[u8],
+ memory_map: &MemoryMap<'_>,
+ ty: crate::next_solver::Ty<'_>,
+) -> Result<(), HirDisplayError> {
+ let trait_env = TraitEnvironment::empty(f.krate());
+ let interner = DbInterner::new_with(f.db, Some(trait_env.krate), trait_env.block);
+ let infcx = interner.infer_ctxt().build(rustc_type_ir::TypingMode::PostAnalysis);
+ let ty = infcx
+ .at(&ObligationCause::new(), trait_env.env.to_nextsolver(interner))
+ .deeply_normalize(ty)
+ .unwrap_or(ty);
+ render_const_scalar_inner(f, b, memory_map, ty, trait_env)
+}
+
+fn render_const_scalar_inner(
+ f: &mut HirFormatter<'_>,
+ b: &[u8],
+ memory_map: &MemoryMap<'_>,
+ ty: crate::next_solver::Ty<'_>,
+ trait_env: Arc<TraitEnvironment>,
+) -> Result<(), HirDisplayError> {
+ use rustc_type_ir::TyKind;
+ match ty.kind() {
+ TyKind::Bool => write!(f, "{}", b[0] != 0),
+ TyKind::Char => {
+ let it = u128::from_le_bytes(pad16(b, false)) as u32;
+ let Ok(c) = char::try_from(it) else {
+ return f.write_str("<unicode-error>");
+ };
+ write!(f, "{c:?}")
+ }
+ TyKind::Int(_) => {
+ let it = i128::from_le_bytes(pad16(b, true));
+ write!(f, "{it}")
+ }
+ TyKind::Uint(_) => {
+ let it = u128::from_le_bytes(pad16(b, false));
+ write!(f, "{it}")
+ }
+ TyKind::Float(fl) => match fl {
+ rustc_type_ir::FloatTy::F16 => {
+ // FIXME(#17451): Replace with builtins once they are stabilised.
+ let it = f16::from_bits(u16::from_le_bytes(b.try_into().unwrap()).into());
+ let s = it.to_string();
+ if s.strip_prefix('-').unwrap_or(&s).chars().all(|c| c.is_ascii_digit()) {
+ // Match Rust debug formatting
+ write!(f, "{s}.0")
+ } else {
+ write!(f, "{s}")
}
- chalk_ir::FloatTy::F128 => {
- // FIXME(#17451): Replace with builtins once they are stabilised.
- let it = f128::from_bits(u128::from_le_bytes(b.try_into().unwrap()));
- let s = it.to_string();
- if s.strip_prefix('-').unwrap_or(&s).chars().all(|c| c.is_ascii_digit()) {
- // Match Rust debug formatting
- write!(f, "{s}.0")
- } else {
- write!(f, "{s}")
- }
+ }
+ rustc_type_ir::FloatTy::F32 => {
+ let it = f32::from_le_bytes(b.try_into().unwrap());
+ write!(f, "{it:?}")
+ }
+ rustc_type_ir::FloatTy::F64 => {
+ let it = f64::from_le_bytes(b.try_into().unwrap());
+ write!(f, "{it:?}")
+ }
+ rustc_type_ir::FloatTy::F128 => {
+ // FIXME(#17451): Replace with builtins once they are stabilised.
+ let it = f128::from_bits(u128::from_le_bytes(b.try_into().unwrap()));
+ let s = it.to_string();
+ if s.strip_prefix('-').unwrap_or(&s).chars().all(|c| c.is_ascii_digit()) {
+ // Match Rust debug formatting
+ write!(f, "{s}.0")
+ } else {
+ write!(f, "{s}")
}
- },
+ }
},
- TyKind::Ref(_, _, t) => match t.kind(Interner) {
+ TyKind::Ref(_, t, _) => match t.kind() {
TyKind::Str => {
let addr = usize::from_le_bytes(b[0..b.len() / 2].try_into().unwrap());
let size = usize::from_le_bytes(b[b.len() / 2..].try_into().unwrap());
@@ -786,7 +869,7 @@ fn render_const_scalar(
TyKind::Slice(ty) => {
let addr = usize::from_le_bytes(b[0..b.len() / 2].try_into().unwrap());
let count = usize::from_le_bytes(b[b.len() / 2..].try_into().unwrap());
- let Ok(layout) = f.db.layout_of_ty(ty.clone(), trait_env) else {
+ let Ok(layout) = f.db.layout_of_ty(ty, trait_env) else {
return f.write_str("<layout-error>");
};
let size_one = layout.size.bytes_usize();
@@ -810,17 +893,17 @@ fn render_const_scalar(
f.write_str(", ")?;
}
let offset = size_one * i;
- render_const_scalar(f, &bytes[offset..offset + size_one], memory_map, ty)?;
+ render_const_scalar_ns(f, &bytes[offset..offset + size_one], memory_map, ty)?;
}
f.write_str("]")
}
- TyKind::Dyn(_) => {
+ TyKind::Dynamic(_, _) => {
let addr = usize::from_le_bytes(b[0..b.len() / 2].try_into().unwrap());
let ty_id = usize::from_le_bytes(b[b.len() / 2..].try_into().unwrap());
let Ok(t) = memory_map.vtable_ty(ty_id) else {
return f.write_str("<ty-missing-in-vtable-map>");
};
- let Ok(layout) = f.db.layout_of_ty(t.clone(), trait_env) else {
+ let Ok(layout) = f.db.layout_of_ty(t, trait_env) else {
return f.write_str("<layout-error>");
};
let size = layout.size.bytes_usize();
@@ -828,9 +911,9 @@ fn render_const_scalar(
return f.write_str("<ref-data-not-available>");
};
f.write_str("&")?;
- render_const_scalar(f, bytes, memory_map, t)
+ render_const_scalar_ns(f, bytes, memory_map, t)
}
- TyKind::Adt(adt, _) if b.len() == 2 * size_of::<usize>() => match adt.0 {
+ TyKind::Adt(adt, _) if b.len() == 2 * size_of::<usize>() => match adt.def_id().0 {
hir_def::AdtId::StructId(s) => {
let data = f.db.struct_signature(s);
write!(f, "&{}", data.name.display(f.db, f.edition()))?;
@@ -850,7 +933,7 @@ fn render_const_scalar(
return f.write_str("<layout-error>");
}
});
- let Ok(layout) = f.db.layout_of_ty(t.clone(), trait_env) else {
+ let Ok(layout) = f.db.layout_of_ty(t, trait_env) else {
return f.write_str("<layout-error>");
};
let size = layout.size.bytes_usize();
@@ -858,37 +941,37 @@ fn render_const_scalar(
return f.write_str("<ref-data-not-available>");
};
f.write_str("&")?;
- render_const_scalar(f, bytes, memory_map, t)
+ render_const_scalar_ns(f, bytes, memory_map, t)
}
},
- TyKind::Tuple(_, subst) => {
- let Ok(layout) = f.db.layout_of_ty(ty.clone(), trait_env.clone()) else {
+ TyKind::Tuple(tys) => {
+ let Ok(layout) = f.db.layout_of_ty(ty, trait_env.clone()) else {
return f.write_str("<layout-error>");
};
f.write_str("(")?;
let mut first = true;
- for (id, ty) in subst.iter(Interner).enumerate() {
+ for (id, ty) in tys.iter().enumerate() {
if first {
first = false;
} else {
f.write_str(", ")?;
}
- let ty = ty.assert_ty_ref(Interner); // Tuple only has type argument
let offset = layout.fields.offset(id).bytes_usize();
- let Ok(layout) = f.db.layout_of_ty(ty.clone(), trait_env.clone()) else {
+ let Ok(layout) = f.db.layout_of_ty(ty, trait_env.clone()) else {
f.write_str("<layout-error>")?;
continue;
};
let size = layout.size.bytes_usize();
- render_const_scalar(f, &b[offset..offset + size], memory_map, ty)?;
+ render_const_scalar_ns(f, &b[offset..offset + size], memory_map, ty)?;
}
f.write_str(")")
}
- TyKind::Adt(adt, subst) => {
- let Ok(layout) = f.db.layout_of_adt(adt.0, subst.clone(), trait_env.clone()) else {
+ TyKind::Adt(def, args) => {
+ let def = def.def_id().0;
+ let Ok(layout) = f.db.layout_of_adt(def, args, trait_env.clone()) else {
return f.write_str("<layout-error>");
};
- match adt.0 {
+ match def {
hir_def::AdtId::StructId(s) => {
let data = f.db.struct_signature(s);
write!(f, "{}", data.name.display(f.db, f.edition()))?;
@@ -897,9 +980,9 @@ fn render_const_scalar(
s.fields(f.db),
f,
&field_types,
- f.db.trait_environment(adt.0.into()),
+ f.db.trait_environment(def.into()),
&layout,
- subst,
+ args,
b,
memory_map,
)
@@ -929,9 +1012,9 @@ fn render_const_scalar(
var_id.fields(f.db),
f,
&field_types,
- f.db.trait_environment(adt.0.into()),
+ f.db.trait_environment(def.into()),
var_layout,
- subst,
+ args,
b,
memory_map,
)
@@ -939,16 +1022,16 @@ fn render_const_scalar(
}
}
TyKind::FnDef(..) => ty.hir_fmt(f),
- TyKind::Function(_) | TyKind::Raw(_, _) => {
+ TyKind::FnPtr(_, _) | TyKind::RawPtr(_, _) => {
let it = u128::from_le_bytes(pad16(b, false));
write!(f, "{it:#X} as ")?;
ty.hir_fmt(f)
}
TyKind::Array(ty, len) => {
- let Some(len) = try_const_usize(f.db, len) else {
+ let Some(len) = consteval_nextsolver::try_const_usize(f.db, len) else {
return f.write_str("<unknown-array-len>");
};
- let Ok(layout) = f.db.layout_of_ty(ty.clone(), trait_env) else {
+ let Ok(layout) = f.db.layout_of_ty(ty, trait_env) else {
return f.write_str("<layout-error>");
};
let size_one = layout.size.bytes_usize();
@@ -961,7 +1044,7 @@ fn render_const_scalar(
f.write_str(", ")?;
}
let offset = size_one * i;
- render_const_scalar(f, &b[offset..offset + size_one], memory_map, ty)?;
+ render_const_scalar_ns(f, &b[offset..offset + size_one], memory_map, ty)?;
}
f.write_str("]")
}
@@ -969,17 +1052,19 @@ fn render_const_scalar(
TyKind::Closure(_, _) => f.write_str("<closure>"),
TyKind::Coroutine(_, _) => f.write_str("<coroutine>"),
TyKind::CoroutineWitness(_, _) => f.write_str("<coroutine-witness>"),
+ TyKind::CoroutineClosure(_, _) => f.write_str("<coroutine-closure>"),
+ TyKind::UnsafeBinder(_) => f.write_str("<unsafe-binder>"),
// The below arms are unreachable, since const eval will bail out before here.
TyKind::Foreign(_) => f.write_str("<extern-type>"),
- TyKind::Error
+ TyKind::Pat(_, _) => f.write_str("<pat>"),
+ TyKind::Error(..)
| TyKind::Placeholder(_)
- | TyKind::Alias(_)
- | TyKind::AssociatedType(_, _)
- | TyKind::OpaqueType(_, _)
- | TyKind::BoundVar(_)
- | TyKind::InferenceVar(_, _) => f.write_str("<placeholder-or-unknown-type>"),
+ | TyKind::Alias(_, _)
+ | TyKind::Param(_)
+ | TyKind::Bound(_, _)
+ | TyKind::Infer(_) => f.write_str("<placeholder-or-unknown-type>"),
// The below arms are unreachable, since we handled them in ref case.
- TyKind::Slice(_) | TyKind::Str | TyKind::Dyn(_) => f.write_str("<unsized-value>"),
+ TyKind::Slice(_) | TyKind::Str | TyKind::Dynamic(_, _) => f.write_str("<unsized-value>"),
}
}
@@ -989,16 +1074,20 @@ fn render_variant_after_name(
field_types: &ArenaMap<LocalFieldId, Binders<Ty>>,
trait_env: Arc<TraitEnvironment>,
layout: &Layout,
- subst: &Substitution,
+ args: GenericArgs<'_>,
b: &[u8],
- memory_map: &MemoryMap,
+ memory_map: &MemoryMap<'_>,
) -> Result<(), HirDisplayError> {
+ let interner = DbInterner::new_with(f.db, Some(trait_env.krate), trait_env.block);
match data.shape {
FieldsShape::Record | FieldsShape::Tuple => {
let render_field = |f: &mut HirFormatter<'_>, id: LocalFieldId| {
let offset = layout.fields.offset(u32::from(id.into_raw()) as usize).bytes_usize();
- let ty = field_types[id].clone().substitute(Interner, subst);
- let Ok(layout) = f.db.layout_of_ty(ty.clone(), trait_env.clone()) else {
+ let ty = field_types[id]
+ .clone()
+ .substitute(Interner, &convert_args_for_result(interner, args.as_slice()));
+ let Ok(layout) = f.db.layout_of_ty(ty.to_nextsolver(interner), trait_env.clone())
+ else {
return f.write_str("<layout-error>");
};
let size = layout.size.bytes_usize();
@@ -1045,18 +1134,30 @@ impl HirDisplay for Ty {
&self,
f @ &mut HirFormatter { db, .. }: &mut HirFormatter<'_>,
) -> Result<(), HirDisplayError> {
+ let ty = self.to_nextsolver(DbInterner::new_with(db, None, None));
+ ty.hir_fmt(f)
+ }
+}
+
+impl<'db> HirDisplay for crate::next_solver::Ty<'db> {
+ fn hir_fmt(
+ &self,
+ f @ &mut HirFormatter { db, .. }: &mut HirFormatter<'_>,
+ ) -> Result<(), HirDisplayError> {
+ let interner = DbInterner::new_with(db, None, None);
if f.should_truncate() {
return write!(f, "{TYPE_HINT_TRUNCATION}");
}
- match self.kind(Interner) {
+ use rustc_type_ir::TyKind;
+ match self.kind() {
TyKind::Never => write!(f, "!")?,
TyKind::Str => write!(f, "str")?,
- TyKind::Scalar(Scalar::Bool) => write!(f, "bool")?,
- TyKind::Scalar(Scalar::Char) => write!(f, "char")?,
- &TyKind::Scalar(Scalar::Float(t)) => write!(f, "{}", primitive::float_ty_to_string(t))?,
- &TyKind::Scalar(Scalar::Int(t)) => write!(f, "{}", primitive::int_ty_to_string(t))?,
- &TyKind::Scalar(Scalar::Uint(t)) => write!(f, "{}", primitive::uint_ty_to_string(t))?,
+ TyKind::Bool => write!(f, "bool")?,
+ TyKind::Char => write!(f, "char")?,
+ TyKind::Float(t) => write!(f, "{}", primitive::float_ty_to_string_ns(t))?,
+ TyKind::Int(t) => write!(f, "{}", primitive::int_ty_to_string_ns(t))?,
+ TyKind::Uint(t) => write!(f, "{}", primitive::uint_ty_to_string_ns(t))?,
TyKind::Slice(t) => {
write!(f, "[")?;
t.hir_fmt(f)?;
@@ -1066,27 +1167,27 @@ impl HirDisplay for Ty {
write!(f, "[")?;
t.hir_fmt(f)?;
write!(f, "; ")?;
- c.hir_fmt(f)?;
+ convert_const_for_result(interner, c).hir_fmt(f)?;
write!(f, "]")?;
}
- kind @ (TyKind::Raw(m, t) | TyKind::Ref(m, _, t)) => {
- if let TyKind::Ref(_, l, _) = kind {
+ kind @ (TyKind::RawPtr(t, m) | TyKind::Ref(_, t, m)) => {
+ if let TyKind::Ref(l, _, _) = kind {
f.write_char('&')?;
- if f.render_lifetime(l) {
- l.hir_fmt(f)?;
+ if f.render_region(l) {
+ convert_region_for_result(interner, l).hir_fmt(f)?;
f.write_char(' ')?;
}
match m {
- Mutability::Not => (),
- Mutability::Mut => f.write_str("mut ")?,
+ rustc_ast_ir::Mutability::Not => (),
+ rustc_ast_ir::Mutability::Mut => f.write_str("mut ")?,
}
} else {
write!(
f,
"*{}",
match m {
- Mutability::Not => "const ",
- Mutability::Mut => "mut ",
+ rustc_ast_ir::Mutability::Not => "const ",
+ rustc_ast_ir::Mutability::Mut => "mut ",
}
)?;
}
@@ -1102,25 +1203,39 @@ impl HirDisplay for Ty {
}
})
};
- let (preds_to_print, has_impl_fn_pred) = match t.kind(Interner) {
- TyKind::Dyn(dyn_ty) => {
- let bounds = dyn_ty.bounds.skip_binders().interned();
- let render_lifetime = f.render_lifetime(&dyn_ty.lifetime);
- (bounds.len() + render_lifetime as usize, contains_impl_fn(bounds))
+ let contains_impl_fn_ns = |bounds: &[BoundExistentialPredicate<'_>]| {
+ bounds.iter().any(|bound| match bound.skip_binder() {
+ rustc_type_ir::ExistentialPredicate::Trait(trait_ref) => {
+ let trait_ = trait_ref.def_id.0;
+ fn_traits(db, trait_).any(|it| it == trait_)
+ }
+ _ => false,
+ })
+ };
+ let (preds_to_print, has_impl_fn_pred) = match t.kind() {
+ TyKind::Dynamic(bounds, region) => {
+ let render_lifetime = f.render_region(region);
+ (
+ bounds.len() + render_lifetime as usize,
+ contains_impl_fn_ns(bounds.as_slice()),
+ )
}
- TyKind::Alias(AliasTy::Opaque(OpaqueTy {
- opaque_ty_id,
- substitution: parameters,
- }))
- | TyKind::OpaqueType(opaque_ty_id, parameters) => {
- let impl_trait_id = db.lookup_intern_impl_trait_id((*opaque_ty_id).into());
+ TyKind::Alias(AliasTyKind::Opaque, ty) => {
+ let opaque_ty_id = match ty.def_id {
+ SolverDefId::InternedOpaqueTyId(id) => id,
+ _ => unreachable!(),
+ };
+ let impl_trait_id = db.lookup_intern_impl_trait_id(opaque_ty_id);
if let ImplTraitId::ReturnTypeImplTrait(func, idx) = impl_trait_id {
let datas = db
.return_type_impl_traits(func)
.expect("impl trait id without data");
let data =
(*datas).as_ref().map(|rpit| rpit.impl_traits[idx].bounds.clone());
- let bounds = data.substitute(Interner, parameters);
+ let bounds = data.substitute(
+ Interner,
+ &convert_args_for_result(interner, ty.args.as_slice()),
+ );
let mut len = bounds.skip_binders().len();
// Don't count Sized but count when it absent
@@ -1167,24 +1282,26 @@ impl HirDisplay for Ty {
t.hir_fmt(f)?;
}
}
- TyKind::Tuple(_, substs) => {
- if substs.len(Interner) == 1 {
+ TyKind::Tuple(tys) => {
+ if tys.len() == 1 {
write!(f, "(")?;
- substs.at(Interner, 0).hir_fmt(f)?;
+ tys.as_slice()[0].hir_fmt(f)?;
write!(f, ",)")?;
} else {
write!(f, "(")?;
- f.write_joined(substs.as_slice(Interner), ", ")?;
+ f.write_joined(tys.as_slice(), ", ")?;
write!(f, ")")?;
}
}
- TyKind::Function(fn_ptr) => {
- let sig = CallableSig::from_fn_ptr(fn_ptr);
+ TyKind::FnPtr(sig, header) => {
+ let sig = CallableSig::from_fn_sig_and_header(interner, sig, header);
sig.hir_fmt(f)?;
}
- TyKind::FnDef(def, parameters) => {
- let def = from_chalk(db, *def);
- let sig = db.callable_item_signature(def).substitute(Interner, parameters);
+ TyKind::FnDef(def, args) => {
+ let def = def.0;
+ let sig = db
+ .callable_item_signature(def)
+ .substitute(Interner, &convert_args_for_result(interner, args.as_slice()));
if f.display_kind.is_source_code() {
// `FnDef` is anonymous and there's no surface syntax for it. Show it as a
@@ -1222,6 +1339,7 @@ impl HirDisplay for Ty {
};
f.end_location_link();
+ let parameters = convert_args_for_result(interner, args.as_slice());
if parameters.len(Interner) > 0 {
let generic_def_id = GenericDefId::from_callable(db, def);
let generics = generics(db, generic_def_id);
@@ -1280,11 +1398,12 @@ impl HirDisplay for Ty {
ret.hir_fmt(f)?;
}
}
- TyKind::Adt(AdtId(def_id), parameters) => {
- f.start_location_link((*def_id).into());
+ TyKind::Adt(def, parameters) => {
+ let def_id = def.def_id().0;
+ f.start_location_link(def_id.into());
match f.display_kind {
DisplayKind::Diagnostics | DisplayKind::Test => {
- let name = match *def_id {
+ let name = match def_id {
hir_def::AdtId::StructId(it) => db.struct_signature(it).name.clone(),
hir_def::AdtId::UnionId(it) => db.union_signature(it).name.clone(),
hir_def::AdtId::EnumId(it) => db.enum_signature(it).name.clone(),
@@ -1294,12 +1413,12 @@ impl HirDisplay for Ty {
DisplayKind::SourceCode { target_module_id: module_id, allow_opaque: _ } => {
if let Some(path) = find_path::find_path(
db,
- ItemInNs::Types((*def_id).into()),
+ ItemInNs::Types(def_id.into()),
module_id,
PrefixKind::Plain,
false,
// FIXME: no_std Cfg?
- ImportPathConfig {
+ FindPathConfig {
prefer_no_std: false,
prefer_prelude: true,
prefer_absolute: false,
@@ -1316,55 +1435,45 @@ impl HirDisplay for Ty {
}
f.end_location_link();
- let generic_def = self.as_generic_def(db);
-
- hir_fmt_generics(f, parameters.as_slice(Interner), generic_def, None)?;
+ hir_fmt_generics(
+ f,
+ convert_args_for_result(interner, parameters.as_slice()).as_slice(Interner),
+ Some(def.def_id().0.into()),
+ None,
+ )?;
}
- TyKind::AssociatedType(assoc_type_id, parameters) => {
- let type_alias = from_assoc_type_id(*assoc_type_id);
- let trait_ = match type_alias.lookup(db).container {
- ItemContainerId::TraitId(it) => it,
- _ => panic!("not an associated type"),
+ TyKind::Alias(AliasTyKind::Projection, alias_ty) => {
+ let type_alias = match alias_ty.def_id {
+ SolverDefId::TypeAliasId(id) => id,
+ _ => unreachable!(),
};
- let trait_data = db.trait_signature(trait_);
- let type_alias_data = db.type_alias_signature(type_alias);
-
- // Use placeholder associated types when the target is test (https://rust-lang.github.io/chalk/book/clauses/type_equality.html#placeholder-associated-types)
- if f.display_kind.is_test() {
- f.start_location_link(trait_.into());
- write!(f, "{}", trait_data.name.display(f.db, f.edition()))?;
- f.end_location_link();
- write!(f, "::")?;
+ let parameters = convert_args_for_result(interner, alias_ty.args.as_slice());
- f.start_location_link(type_alias.into());
- write!(f, "{}", type_alias_data.name.display(f.db, f.edition()))?;
- f.end_location_link();
- // Note that the generic args for the associated type come before those for the
- // trait (including the self type).
- hir_fmt_generics(f, parameters.as_slice(Interner), None, None)
- } else {
- let projection_ty = ProjectionTy {
- associated_ty_id: to_assoc_type_id(type_alias),
- substitution: parameters.clone(),
- };
+ let projection_ty = ProjectionTy {
+ associated_ty_id: to_assoc_type_id(type_alias),
+ substitution: parameters.clone(),
+ };
- projection_ty.hir_fmt(f)
- }?;
+ projection_ty.hir_fmt(f)?;
}
- TyKind::Foreign(type_alias) => {
- let alias = from_foreign_def_id(*type_alias);
- let type_alias = db.type_alias_signature(alias);
- f.start_location_link(alias.into());
+ TyKind::Foreign(alias) => {
+ let type_alias = db.type_alias_signature(alias.0);
+ f.start_location_link(alias.0.into());
write!(f, "{}", type_alias.name.display(f.db, f.edition()))?;
f.end_location_link();
}
- TyKind::OpaqueType(opaque_ty_id, parameters) => {
+ TyKind::Alias(AliasTyKind::Opaque, alias_ty) => {
+ let opaque_ty_id = match alias_ty.def_id {
+ SolverDefId::InternedOpaqueTyId(id) => id,
+ _ => unreachable!(),
+ };
+ let parameters = convert_args_for_result(interner, alias_ty.args.as_slice());
if !f.display_kind.allows_opaque() {
return Err(HirDisplayError::DisplaySourceCodeError(
DisplaySourceCodeError::OpaqueType,
));
}
- let impl_trait_id = db.lookup_intern_impl_trait_id((*opaque_ty_id).into());
+ let impl_trait_id = db.lookup_intern_impl_trait_id(opaque_ty_id);
match impl_trait_id {
ImplTraitId::ReturnTypeImplTrait(func, idx) => {
let datas =
@@ -1376,7 +1485,7 @@ impl HirDisplay for Ty {
write_bounds_like_dyn_trait_with_prefix(
f,
"impl",
- Either::Left(self),
+ Either::Left(&convert_ty_for_result(interner, *self)),
bounds.skip_binders(),
SizedByDefault::Sized { anchor: krate },
)?;
@@ -1391,7 +1500,7 @@ impl HirDisplay for Ty {
write_bounds_like_dyn_trait_with_prefix(
f,
"impl",
- Either::Left(self),
+ Either::Left(&convert_ty_for_result(interner, *self)),
bounds.skip_binders(),
SizedByDefault::Sized { anchor: krate },
)?;
@@ -1426,6 +1535,8 @@ impl HirDisplay for Ty {
}
}
TyKind::Closure(id, substs) => {
+ let id = id.0;
+ let substs = convert_args_for_result(interner, substs.as_slice());
if f.display_kind.is_source_code() {
if !f.display_kind.allows_opaque() {
return Err(HirDisplayError::DisplaySourceCodeError(
@@ -1435,22 +1546,23 @@ impl HirDisplay for Ty {
never!("Only `impl Fn` is valid for displaying closures in source code");
}
}
+ let chalk_id: chalk_ir::ClosureId<_> = id.into();
match f.closure_style {
ClosureStyle::Hide => return write!(f, "{TYPE_HINT_TRUNCATION}"),
ClosureStyle::ClosureWithId => {
- return write!(f, "{{closure#{:?}}}", id.0.index());
+ return write!(f, "{{closure#{:?}}}", chalk_id.0.index());
}
ClosureStyle::ClosureWithSubst => {
- write!(f, "{{closure#{:?}}}", id.0.index())?;
+ write!(f, "{{closure#{:?}}}", chalk_id.0.index())?;
return hir_fmt_generics(f, substs.as_slice(Interner), None, None);
}
_ => (),
}
- let sig = ClosureSubst(substs).sig_ty().callable_sig(db);
+ let sig = ClosureSubst(&substs).sig_ty(db).callable_sig(db);
if let Some(sig) = sig {
- let InternedClosure(def, _) = db.lookup_intern_closure((*id).into());
+ let InternedClosure(def, _) = db.lookup_intern_closure(id);
let infer = db.infer(def);
- let (_, kind) = infer.closure_info(id);
+ let (_, kind) = infer.closure_info(&chalk_id);
match f.closure_style {
ClosureStyle::ImplFn => write!(f, "impl {kind:?}(")?,
ClosureStyle::RANotation => write!(f, "|")?,
@@ -1477,10 +1589,10 @@ impl HirDisplay for Ty {
write!(f, "{{closure}}")?;
}
}
- TyKind::Placeholder(idx) => {
- let id = from_placeholder_idx(db, *idx);
- let generics = generics(db, id.parent);
- let param_data = &generics[id.local_id];
+ TyKind::Placeholder(_) => write!(f, "{{placeholder}}")?,
+ TyKind::Param(param) => {
+ let generics = generics(db, param.id.parent());
+ let param_data = &generics[param.id.local_id()];
match param_data {
TypeOrConstParamData::TypeParamData(p) => match p.provenance {
TypeParamProvenance::TypeParamList | TypeParamProvenance::TraitSelf => {
@@ -1496,27 +1608,33 @@ impl HirDisplay for Ty {
TypeParamProvenance::ArgumentImplTrait => {
let substs = generics.placeholder_subst(db);
let bounds = db
- .generic_predicates(id.parent)
+ .generic_predicates(param.id.parent())
.iter()
.map(|pred| pred.clone().substitute(Interner, &substs))
.filter(|wc| match wc.skip_binders() {
WhereClause::Implemented(tr) => {
- tr.self_type_parameter(Interner) == *self
+ tr.self_type_parameter(Interner)
+ == convert_ty_for_result(interner, *self)
}
WhereClause::AliasEq(AliasEq {
alias: AliasTy::Projection(proj),
ty: _,
- }) => proj.self_type_parameter(db) == *self,
+ }) => {
+ proj.self_type_parameter(db)
+ == convert_ty_for_result(interner, *self)
+ }
WhereClause::AliasEq(_) => false,
- WhereClause::TypeOutlives(to) => to.ty == *self,
+ WhereClause::TypeOutlives(to) => {
+ to.ty == convert_ty_for_result(interner, *self)
+ }
WhereClause::LifetimeOutlives(_) => false,
})
.collect::<Vec<_>>();
- let krate = id.parent.module(db).krate();
+ let krate = param.id.parent().module(db).krate();
write_bounds_like_dyn_trait_with_prefix(
f,
"impl",
- Either::Left(self),
+ Either::Left(&convert_ty_for_result(interner, *self)),
&bounds,
SizedByDefault::Sized { anchor: krate },
)?;
@@ -1527,8 +1645,16 @@ impl HirDisplay for Ty {
}
}
}
- TyKind::BoundVar(idx) => idx.hir_fmt(f)?,
- TyKind::Dyn(dyn_ty) => {
+ TyKind::Bound(debruijn_index, ty) => {
+ let idx = chalk_ir::BoundVar {
+ debruijn: chalk_ir::DebruijnIndex::new(debruijn_index.as_u32()),
+ index: ty.var.as_usize(),
+ };
+ idx.hir_fmt(f)?
+ }
+ TyKind::Dynamic(..) => {
+ let ty = convert_ty_for_result(interner, *self);
+ let chalk_ir::TyKind::Dyn(dyn_ty) = ty.kind(Interner) else { unreachable!() };
// Reorder bounds to satisfy `write_bounds_like_dyn_trait()`'s expectation.
// FIXME: `Iterator::partition_in_place()` or `Vec::extract_if()` may make it
// more efficient when either of them hits stable.
@@ -1544,7 +1670,7 @@ impl HirDisplay for Ty {
bounds.push(Binders::empty(
Interner,
chalk_ir::WhereClause::TypeOutlives(chalk_ir::TypeOutlives {
- ty: self.clone(),
+ ty: ty.clone(),
lifetime: dyn_ty.lifetime.clone(),
}),
));
@@ -1553,90 +1679,42 @@ impl HirDisplay for Ty {
write_bounds_like_dyn_trait_with_prefix(
f,
"dyn",
- Either::Left(self),
+ Either::Left(&ty),
&bounds,
SizedByDefault::NotSized,
)?;
}
- TyKind::Alias(AliasTy::Projection(p_ty)) => p_ty.hir_fmt(f)?,
- TyKind::Alias(AliasTy::Opaque(opaque_ty)) => {
- if !f.display_kind.allows_opaque() {
- return Err(HirDisplayError::DisplaySourceCodeError(
- DisplaySourceCodeError::OpaqueType,
- ));
- }
- let impl_trait_id = db.lookup_intern_impl_trait_id(opaque_ty.opaque_ty_id.into());
- match impl_trait_id {
- ImplTraitId::ReturnTypeImplTrait(func, idx) => {
- let datas =
- db.return_type_impl_traits(func).expect("impl trait id without data");
- let data =
- (*datas).as_ref().map(|rpit| rpit.impl_traits[idx].bounds.clone());
- let bounds = data.substitute(Interner, &opaque_ty.substitution);
- let krate = func.krate(db);
- write_bounds_like_dyn_trait_with_prefix(
- f,
- "impl",
- Either::Left(self),
- bounds.skip_binders(),
- SizedByDefault::Sized { anchor: krate },
- )?;
- }
- ImplTraitId::TypeAliasImplTrait(alias, idx) => {
- let datas =
- db.type_alias_impl_traits(alias).expect("impl trait id without data");
- let data =
- (*datas).as_ref().map(|rpit| rpit.impl_traits[idx].bounds.clone());
- let bounds = data.substitute(Interner, &opaque_ty.substitution);
- let krate = alias.krate(db);
- write_bounds_like_dyn_trait_with_prefix(
- f,
- "impl",
- Either::Left(self),
- bounds.skip_binders(),
- SizedByDefault::Sized { anchor: krate },
- )?;
- }
- ImplTraitId::AsyncBlockTypeImplTrait(..) => {
- write!(f, "{{async block}}")?;
- }
- };
- }
- TyKind::Error => {
+ TyKind::Error(_) => {
if f.display_kind.is_source_code() {
f.write_char('_')?;
} else {
write!(f, "{{unknown}}")?;
}
}
- TyKind::InferenceVar(..) => write!(f, "_")?,
+ TyKind::Infer(..) => write!(f, "_")?,
TyKind::Coroutine(_, subst) => {
if f.display_kind.is_source_code() {
return Err(HirDisplayError::DisplaySourceCodeError(
DisplaySourceCodeError::Coroutine,
));
}
- let subst = subst.as_slice(Interner);
- let a: Option<SmallVec<[&Ty; 3]>> = subst
- .get(subst.len() - 3..)
- .and_then(|args| args.iter().map(|arg| arg.ty(Interner)).collect());
+ let CoroutineArgsParts { resume_ty, yield_ty, return_ty, .. } =
+ subst.split_coroutine_args();
+ write!(f, "|")?;
+ resume_ty.hir_fmt(f)?;
+ write!(f, "|")?;
- if let Some([resume_ty, yield_ty, ret_ty]) = a.as_deref() {
- write!(f, "|")?;
- resume_ty.hir_fmt(f)?;
- write!(f, "|")?;
+ write!(f, " yields ")?;
+ yield_ty.hir_fmt(f)?;
- write!(f, " yields ")?;
- yield_ty.hir_fmt(f)?;
-
- write!(f, " -> ")?;
- ret_ty.hir_fmt(f)?;
- } else {
- // This *should* be unreachable, but fallback just in case.
- write!(f, "{{coroutine}}")?;
- }
+ write!(f, " -> ")?;
+ return_ty.hir_fmt(f)?;
}
TyKind::CoroutineWitness(..) => write!(f, "{{coroutine witness}}")?,
+ TyKind::Pat(_, _) => write!(f, "{{pat}}")?,
+ TyKind::UnsafeBinder(_) => write!(f, "{{unsafe binder}}")?,
+ TyKind::CoroutineClosure(_, _) => write!(f, "{{coroutine closure}}")?,
+ TyKind::Alias(_, _) => write!(f, "{{alias}}")?,
}
Ok(())
}
@@ -1663,6 +1741,27 @@ fn hir_fmt_generics(
Ok(())
}
+fn hir_fmt_generics_ns<'db>(
+ f: &mut HirFormatter<'_>,
+ parameters: &[crate::next_solver::GenericArg<'db>],
+ generic_def: Option<hir_def::GenericDefId>,
+ self_: Option<crate::next_solver::Ty<'db>>,
+) -> Result<(), HirDisplayError> {
+ if parameters.is_empty() {
+ return Ok(());
+ }
+
+ let parameters_to_write = generic_args_sans_defaults_ns(f, generic_def, parameters);
+
+ if !parameters_to_write.is_empty() {
+ write!(f, "<")?;
+ hir_fmt_generic_arguments_ns(f, parameters_to_write, self_)?;
+ write!(f, ">")?;
+ }
+
+ Ok(())
+}
+
fn generic_args_sans_defaults<'ga>(
f: &mut HirFormatter<'_>,
generic_def: Option<hir_def::GenericDefId>,
@@ -1718,6 +1817,87 @@ fn generic_args_sans_defaults<'ga>(
}
}
+fn hir_fmt_generic_args<'db>(
+ f: &mut HirFormatter<'_>,
+ parameters: &[crate::next_solver::GenericArg<'db>],
+ generic_def: Option<hir_def::GenericDefId>,
+ self_: Option<crate::next_solver::Ty<'db>>,
+) -> Result<(), HirDisplayError> {
+ if parameters.is_empty() {
+ return Ok(());
+ }
+
+ let parameters_to_write = generic_args_sans_defaults_ns(f, generic_def, parameters);
+
+ if !parameters_to_write.is_empty() {
+ write!(f, "<")?;
+ hir_fmt_generic_arguments_ns(f, parameters_to_write, self_)?;
+ write!(f, ">")?;
+ }
+
+ Ok(())
+}
+
+fn generic_args_sans_defaults_ns<'ga, 'db>(
+ f: &mut HirFormatter<'_>,
+ generic_def: Option<hir_def::GenericDefId>,
+ parameters: &'ga [crate::next_solver::GenericArg<'db>],
+) -> &'ga [crate::next_solver::GenericArg<'db>] {
+ let interner = DbInterner::new_with(f.db, Some(f.krate()), None);
+ if f.display_kind.is_source_code() || f.omit_verbose_types() {
+ match generic_def
+ .map(|generic_def_id| f.db.generic_defaults(generic_def_id))
+ .filter(|it| !it.is_empty())
+ {
+ None => parameters,
+ Some(default_parameters) => {
+ let should_show = |arg: &crate::next_solver::GenericArg<'db>, i: usize| {
+ let is_err = |arg: &crate::next_solver::GenericArg<'db>| match arg.kind() {
+ rustc_type_ir::GenericArgKind::Lifetime(it) => {
+ matches!(it.kind(), RegionKind::ReError(..))
+ }
+ rustc_type_ir::GenericArgKind::Type(it) => {
+ matches!(it.kind(), rustc_type_ir::TyKind::Error(..))
+ }
+ rustc_type_ir::GenericArgKind::Const(it) => {
+ matches!(it.kind(), rustc_type_ir::ConstKind::Error(..),)
+ }
+ };
+ // if the arg is error like, render it to inform the user
+ if is_err(arg) {
+ return true;
+ }
+ // otherwise, if the arg is equal to the param default, hide it (unless the
+ // default is an error which can happen for the trait Self type)
+ match default_parameters.get(i) {
+ None => true,
+ Some(default_parameter) => {
+ // !is_err(default_parameter.skip_binders())
+ // &&
+ arg != &default_parameter
+ .clone()
+ .substitute(
+ Interner,
+ &convert_args_for_result(interner, &parameters[..i]),
+ )
+ .to_nextsolver(interner)
+ }
+ }
+ };
+ let mut default_from = 0;
+ for (i, parameter) in parameters.iter().enumerate() {
+ if should_show(parameter, i) {
+ default_from = i + 1;
+ }
+ }
+ &parameters[0..default_from]
+ }
+ }
+ } else {
+ parameters
+ }
+}
+
fn hir_fmt_generic_arguments(
f: &mut HirFormatter<'_>,
parameters: &[GenericArg],
@@ -1742,6 +1922,30 @@ fn hir_fmt_generic_arguments(
Ok(())
}
+fn hir_fmt_generic_arguments_ns<'db>(
+ f: &mut HirFormatter<'_>,
+ parameters: &[crate::next_solver::GenericArg<'db>],
+ self_: Option<crate::next_solver::Ty<'db>>,
+) -> Result<(), HirDisplayError> {
+ let mut first = true;
+ let lifetime_offset = parameters.iter().position(|arg| arg.region().is_some());
+
+ let (ty_or_const, lifetimes) = match lifetime_offset {
+ Some(offset) => parameters.split_at(offset),
+ None => (parameters, &[][..]),
+ };
+ for generic_arg in lifetimes.iter().chain(ty_or_const) {
+ if !mem::take(&mut first) {
+ write!(f, ", ")?;
+ }
+ match self_ {
+ self_ @ Some(_) if generic_arg.ty() == self_ => write!(f, "Self")?,
+ _ => generic_arg.hir_fmt(f)?,
+ }
+ }
+ Ok(())
+}
+
impl HirDisplay for CallableSig {
fn hir_fmt(&self, f: &mut HirFormatter<'_>) -> Result<(), HirDisplayError> {
let CallableSig { params_and_return: _, is_varargs, safety, abi: _ } = *self;
@@ -1982,6 +2186,17 @@ impl HirDisplay for TraitRef {
}
}
+impl<'db> HirDisplay for crate::next_solver::TraitRef<'db> {
+ fn hir_fmt(&self, f: &mut HirFormatter<'_>) -> Result<(), HirDisplayError> {
+ let trait_ = self.def_id.0;
+ f.start_location_link(trait_.into());
+ write!(f, "{}", f.db.trait_signature(trait_).name.display(f.db, f.edition()))?;
+ f.end_location_link();
+ let substs = self.args.as_slice();
+ hir_fmt_generic_args(f, &substs[1..], None, substs[0].ty())
+ }
+}
+
impl HirDisplay for WhereClause {
fn hir_fmt(&self, f: &mut HirFormatter<'_>) -> Result<(), HirDisplayError> {
if f.should_truncate() {
@@ -2040,7 +2255,7 @@ impl HirDisplay for LifetimeData {
fn hir_fmt(&self, f: &mut HirFormatter<'_>) -> Result<(), HirDisplayError> {
match self {
LifetimeData::Placeholder(idx) => {
- let id = lt_from_placeholder_idx(f.db, *idx);
+ let id = lt_from_placeholder_idx(f.db, *idx).0;
let generics = generics(f.db, id.parent);
let param_data = &generics[id.local_id];
write!(f, "{}", param_data.name.display(f.db, f.edition()))?;
@@ -2062,6 +2277,34 @@ impl HirDisplay for LifetimeData {
}
}
+impl<'db> HirDisplay for crate::next_solver::Region<'db> {
+ fn hir_fmt(&self, f: &mut HirFormatter<'_>) -> Result<(), HirDisplayError> {
+ match self.kind() {
+ rustc_type_ir::RegionKind::ReEarlyParam(param) => {
+ let generics = generics(f.db, param.id.parent);
+ let param_data = &generics[param.id.local_id];
+ write!(f, "{}", param_data.name.display(f.db, f.edition()))?;
+ Ok(())
+ }
+ rustc_type_ir::RegionKind::ReBound(db, idx) => {
+ write!(f, "?{}.{}", db.as_u32(), idx.var.as_u32())
+ }
+ rustc_type_ir::RegionKind::ReVar(_) => write!(f, "_"),
+ rustc_type_ir::RegionKind::ReStatic => write!(f, "'static"),
+ rustc_type_ir::RegionKind::ReError(..) => {
+ if cfg!(test) {
+ write!(f, "'?")
+ } else {
+ write!(f, "'_")
+ }
+ }
+ rustc_type_ir::RegionKind::ReErased => write!(f, "'<erased>"),
+ rustc_type_ir::RegionKind::RePlaceholder(_) => write!(f, "<placeholder>"),
+ rustc_type_ir::RegionKind::ReLateParam(_) => write!(f, "<late-param>"),
+ }
+ }
+}
+
impl HirDisplay for DomainGoal {
fn hir_fmt(&self, f: &mut HirFormatter<'_>) -> Result<(), HirDisplayError> {
match self {