]> git.lizzy.rs Git - rust.git/blob - crates/hir-ty/src/lower.rs
Auto merge of #12963 - DesmondWillowbrook:clippy-matches-sourcegen, r=Veykril
[rust.git] / crates / hir-ty / src / lower.rs
1 //! Methods for lowering the HIR to types. There are two main cases here:
2 //!
3 //!  - Lowering a type reference like `&usize` or `Option<foo::bar::Baz>` to a
4 //!    type: The entry point for this is `TyLoweringContext::lower_ty`.
5 //!  - Building the type for an item: This happens through the `ty` query.
6 //!
7 //! This usually involves resolving names, collecting generic arguments etc.
8 use std::{
9     cell::{Cell, RefCell, RefMut},
10     iter,
11     sync::Arc,
12 };
13
14 use base_db::CrateId;
15 use chalk_ir::{
16     cast::Cast, fold::Shift, fold::TypeFoldable, interner::HasInterner, Mutability, Safety,
17 };
18
19 use hir_def::{
20     adt::StructKind,
21     body::{Expander, LowerCtx},
22     builtin_type::BuiltinType,
23     generics::{
24         TypeOrConstParamData, TypeParamProvenance, WherePredicate, WherePredicateTypeTarget,
25     },
26     intern::Interned,
27     lang_item::lang_attr,
28     path::{GenericArg, ModPath, Path, PathKind, PathSegment, PathSegments},
29     resolver::{HasResolver, Resolver, TypeNs},
30     type_ref::{
31         ConstScalarOrPath, TraitBoundModifier, TraitRef as HirTraitRef, TypeBound, TypeRef,
32     },
33     AdtId, AssocItemId, ConstId, ConstParamId, EnumId, EnumVariantId, FunctionId, GenericDefId,
34     HasModule, ImplId, ItemContainerId, LocalFieldId, Lookup, StaticId, StructId, TraitId,
35     TypeAliasId, TypeOrConstParamId, TypeParamId, UnionId, VariantId,
36 };
37 use hir_expand::{name::Name, ExpandResult};
38 use itertools::Either;
39 use la_arena::ArenaMap;
40 use rustc_hash::FxHashSet;
41 use smallvec::SmallVec;
42 use stdx::{impl_from, never};
43 use syntax::{ast, SmolStr};
44
45 use crate::{
46     all_super_traits,
47     consteval::{intern_const_scalar, path_to_const, unknown_const, unknown_const_as_generic},
48     db::HirDatabase,
49     make_binders,
50     mapping::{from_chalk_trait_id, ToChalk},
51     static_lifetime, to_assoc_type_id, to_chalk_trait_id, to_placeholder_idx,
52     utils::Generics,
53     utils::{all_super_trait_refs, associated_type_by_name_including_super_traits, generics},
54     AliasEq, AliasTy, Binders, BoundVar, CallableSig, Const, DebruijnIndex, DynTy, FnPointer,
55     FnSig, FnSubst, GenericArgData, ImplTraitId, Interner, ParamKind, PolyFnSig, ProjectionTy,
56     QuantifiedWhereClause, QuantifiedWhereClauses, ReturnTypeImplTrait, ReturnTypeImplTraits,
57     Substitution, TraitEnvironment, TraitRef, TraitRefExt, Ty, TyBuilder, TyKind, WhereClause,
58 };
59
60 #[derive(Debug)]
61 pub struct TyLoweringContext<'a> {
62     pub db: &'a dyn HirDatabase,
63     pub resolver: &'a Resolver,
64     in_binders: DebruijnIndex,
65     /// Note: Conceptually, it's thinkable that we could be in a location where
66     /// some type params should be represented as placeholders, and others
67     /// should be converted to variables. I think in practice, this isn't
68     /// possible currently, so this should be fine for now.
69     pub type_param_mode: ParamLoweringMode,
70     pub impl_trait_mode: ImplTraitLoweringMode,
71     impl_trait_counter: Cell<u16>,
72     /// When turning `impl Trait` into opaque types, we have to collect the
73     /// bounds at the same time to get the IDs correct (without becoming too
74     /// complicated). I don't like using interior mutability (as for the
75     /// counter), but I've tried and failed to make the lifetimes work for
76     /// passing around a `&mut TyLoweringContext`. The core problem is that
77     /// we're grouping the mutable data (the counter and this field) together
78     /// with the immutable context (the references to the DB and resolver).
79     /// Splitting this up would be a possible fix.
80     opaque_type_data: RefCell<Vec<ReturnTypeImplTrait>>,
81     expander: RefCell<Option<Expander>>,
82     /// Tracks types with explicit `?Sized` bounds.
83     pub(crate) unsized_types: RefCell<FxHashSet<Ty>>,
84 }
85
86 impl<'a> TyLoweringContext<'a> {
87     pub fn new(db: &'a dyn HirDatabase, resolver: &'a Resolver) -> Self {
88         let impl_trait_counter = Cell::new(0);
89         let impl_trait_mode = ImplTraitLoweringMode::Disallowed;
90         let type_param_mode = ParamLoweringMode::Placeholder;
91         let in_binders = DebruijnIndex::INNERMOST;
92         let opaque_type_data = RefCell::new(Vec::new());
93         Self {
94             db,
95             resolver,
96             in_binders,
97             impl_trait_mode,
98             impl_trait_counter,
99             type_param_mode,
100             opaque_type_data,
101             expander: RefCell::new(None),
102             unsized_types: RefCell::default(),
103         }
104     }
105
106     pub fn with_debruijn<T>(
107         &self,
108         debruijn: DebruijnIndex,
109         f: impl FnOnce(&TyLoweringContext<'_>) -> T,
110     ) -> T {
111         let opaque_ty_data_vec = self.opaque_type_data.take();
112         let expander = self.expander.take();
113         let unsized_types = self.unsized_types.take();
114         let new_ctx = Self {
115             in_binders: debruijn,
116             impl_trait_counter: Cell::new(self.impl_trait_counter.get()),
117             opaque_type_data: RefCell::new(opaque_ty_data_vec),
118             expander: RefCell::new(expander),
119             unsized_types: RefCell::new(unsized_types),
120             ..*self
121         };
122         let result = f(&new_ctx);
123         self.impl_trait_counter.set(new_ctx.impl_trait_counter.get());
124         self.opaque_type_data.replace(new_ctx.opaque_type_data.into_inner());
125         self.expander.replace(new_ctx.expander.into_inner());
126         self.unsized_types.replace(new_ctx.unsized_types.into_inner());
127         result
128     }
129
130     pub fn with_shifted_in<T>(
131         &self,
132         debruijn: DebruijnIndex,
133         f: impl FnOnce(&TyLoweringContext<'_>) -> T,
134     ) -> T {
135         self.with_debruijn(self.in_binders.shifted_in_from(debruijn), f)
136     }
137
138     pub fn with_impl_trait_mode(self, impl_trait_mode: ImplTraitLoweringMode) -> Self {
139         Self { impl_trait_mode, ..self }
140     }
141
142     pub fn with_type_param_mode(self, type_param_mode: ParamLoweringMode) -> Self {
143         Self { type_param_mode, ..self }
144     }
145 }
146
147 #[derive(Copy, Clone, Debug, PartialEq, Eq)]
148 pub enum ImplTraitLoweringMode {
149     /// `impl Trait` gets lowered into an opaque type that doesn't unify with
150     /// anything except itself. This is used in places where values flow 'out',
151     /// i.e. for arguments of the function we're currently checking, and return
152     /// types of functions we're calling.
153     Opaque,
154     /// `impl Trait` gets lowered into a type variable. Used for argument
155     /// position impl Trait when inside the respective function, since it allows
156     /// us to support that without Chalk.
157     Param,
158     /// `impl Trait` gets lowered into a variable that can unify with some
159     /// type. This is used in places where values flow 'in', i.e. for arguments
160     /// of functions we're calling, and the return type of the function we're
161     /// currently checking.
162     Variable,
163     /// `impl Trait` is disallowed and will be an error.
164     Disallowed,
165 }
166
167 #[derive(Copy, Clone, Debug, PartialEq, Eq)]
168 pub enum ParamLoweringMode {
169     Placeholder,
170     Variable,
171 }
172
173 impl<'a> TyLoweringContext<'a> {
174     pub fn lower_ty(&self, type_ref: &TypeRef) -> Ty {
175         self.lower_ty_ext(type_ref).0
176     }
177
178     fn generics(&self) -> Generics {
179         generics(
180             self.db.upcast(),
181             self.resolver
182                 .generic_def()
183                 .expect("there should be generics if there's a generic param"),
184         )
185     }
186
187     pub fn lower_ty_ext(&self, type_ref: &TypeRef) -> (Ty, Option<TypeNs>) {
188         let mut res = None;
189         let ty = match type_ref {
190             TypeRef::Never => TyKind::Never.intern(Interner),
191             TypeRef::Tuple(inner) => {
192                 let inner_tys = inner.iter().map(|tr| self.lower_ty(tr));
193                 TyKind::Tuple(inner_tys.len(), Substitution::from_iter(Interner, inner_tys))
194                     .intern(Interner)
195             }
196             TypeRef::Path(path) => {
197                 let (ty, res_) = self.lower_path(path);
198                 res = res_;
199                 ty
200             }
201             TypeRef::RawPtr(inner, mutability) => {
202                 let inner_ty = self.lower_ty(inner);
203                 TyKind::Raw(lower_to_chalk_mutability(*mutability), inner_ty).intern(Interner)
204             }
205             TypeRef::Array(inner, len) => {
206                 let inner_ty = self.lower_ty(inner);
207                 let const_len = const_or_path_to_chalk(
208                     self.db,
209                     self.resolver,
210                     TyBuilder::usize(),
211                     len,
212                     self.type_param_mode,
213                     || self.generics(),
214                     self.in_binders,
215                 );
216
217                 TyKind::Array(inner_ty, const_len).intern(Interner)
218             }
219             TypeRef::Slice(inner) => {
220                 let inner_ty = self.lower_ty(inner);
221                 TyKind::Slice(inner_ty).intern(Interner)
222             }
223             TypeRef::Reference(inner, _, mutability) => {
224                 let inner_ty = self.lower_ty(inner);
225                 let lifetime = static_lifetime();
226                 TyKind::Ref(lower_to_chalk_mutability(*mutability), lifetime, inner_ty)
227                     .intern(Interner)
228             }
229             TypeRef::Placeholder => TyKind::Error.intern(Interner),
230             TypeRef::Fn(params, is_varargs) => {
231                 let substs = self.with_shifted_in(DebruijnIndex::ONE, |ctx| {
232                     Substitution::from_iter(Interner, params.iter().map(|(_, tr)| ctx.lower_ty(tr)))
233                 });
234                 TyKind::Function(FnPointer {
235                     num_binders: 0, // FIXME lower `for<'a> fn()` correctly
236                     sig: FnSig { abi: (), safety: Safety::Safe, variadic: *is_varargs },
237                     substitution: FnSubst(substs),
238                 })
239                 .intern(Interner)
240             }
241             TypeRef::DynTrait(bounds) => self.lower_dyn_trait(bounds),
242             TypeRef::ImplTrait(bounds) => {
243                 match self.impl_trait_mode {
244                     ImplTraitLoweringMode::Opaque => {
245                         let idx = self.impl_trait_counter.get();
246                         self.impl_trait_counter.set(idx + 1);
247                         let func = match self.resolver.generic_def() {
248                             Some(GenericDefId::FunctionId(f)) => f,
249                             _ => panic!("opaque impl trait lowering in non-function"),
250                         };
251
252                         assert!(idx as usize == self.opaque_type_data.borrow().len());
253                         // this dance is to make sure the data is in the right
254                         // place even if we encounter more opaque types while
255                         // lowering the bounds
256                         self.opaque_type_data.borrow_mut().push(ReturnTypeImplTrait {
257                             bounds: crate::make_single_type_binders(Vec::new()),
258                         });
259                         // We don't want to lower the bounds inside the binders
260                         // we're currently in, because they don't end up inside
261                         // those binders. E.g. when we have `impl Trait<impl
262                         // OtherTrait<T>>`, the `impl OtherTrait<T>` can't refer
263                         // to the self parameter from `impl Trait`, and the
264                         // bounds aren't actually stored nested within each
265                         // other, but separately. So if the `T` refers to a type
266                         // parameter of the outer function, it's just one binder
267                         // away instead of two.
268                         let actual_opaque_type_data = self
269                             .with_debruijn(DebruijnIndex::INNERMOST, |ctx| {
270                                 ctx.lower_impl_trait(bounds, func)
271                             });
272                         self.opaque_type_data.borrow_mut()[idx as usize] = actual_opaque_type_data;
273
274                         let impl_trait_id = ImplTraitId::ReturnTypeImplTrait(func, idx);
275                         let opaque_ty_id = self.db.intern_impl_trait_id(impl_trait_id).into();
276                         let generics = generics(self.db.upcast(), func.into());
277                         let parameters = generics.bound_vars_subst(self.db, self.in_binders);
278                         TyKind::OpaqueType(opaque_ty_id, parameters).intern(Interner)
279                     }
280                     ImplTraitLoweringMode::Param => {
281                         let idx = self.impl_trait_counter.get();
282                         // FIXME we're probably doing something wrong here
283                         self.impl_trait_counter.set(idx + count_impl_traits(type_ref) as u16);
284                         if let Some(def) = self.resolver.generic_def() {
285                             let generics = generics(self.db.upcast(), def);
286                             let param = generics
287                                 .iter()
288                                 .filter(|(_, data)| {
289                                     matches!(
290                                         data,
291                                         TypeOrConstParamData::TypeParamData(data)
292                                         if data.provenance == TypeParamProvenance::ArgumentImplTrait
293                                     )
294                                 })
295                                 .nth(idx as usize)
296                                 .map_or(TyKind::Error, |(id, _)| {
297                                     TyKind::Placeholder(to_placeholder_idx(self.db, id))
298                                 });
299                             param.intern(Interner)
300                         } else {
301                             TyKind::Error.intern(Interner)
302                         }
303                     }
304                     ImplTraitLoweringMode::Variable => {
305                         let idx = self.impl_trait_counter.get();
306                         // FIXME we're probably doing something wrong here
307                         self.impl_trait_counter.set(idx + count_impl_traits(type_ref) as u16);
308                         let (
309                             parent_params,
310                             self_params,
311                             list_params,
312                             const_params,
313                             _impl_trait_params,
314                         ) = if let Some(def) = self.resolver.generic_def() {
315                             let generics = generics(self.db.upcast(), def);
316                             generics.provenance_split()
317                         } else {
318                             (0, 0, 0, 0, 0)
319                         };
320                         TyKind::BoundVar(BoundVar::new(
321                             self.in_binders,
322                             idx as usize + parent_params + self_params + list_params + const_params,
323                         ))
324                         .intern(Interner)
325                     }
326                     ImplTraitLoweringMode::Disallowed => {
327                         // FIXME: report error
328                         TyKind::Error.intern(Interner)
329                     }
330                 }
331             }
332             TypeRef::Macro(macro_call) => {
333                 let (mut expander, recursion_start) = {
334                     match RefMut::filter_map(self.expander.borrow_mut(), Option::as_mut) {
335                         // There already is an expander here, this means we are already recursing
336                         Ok(expander) => (expander, false),
337                         // No expander was created yet, so we are at the start of the expansion recursion
338                         // and therefore have to create an expander.
339                         Err(expander) => (
340                             RefMut::map(expander, |it| {
341                                 it.insert(Expander::new(
342                                     self.db.upcast(),
343                                     macro_call.file_id,
344                                     self.resolver.module(),
345                                 ))
346                             }),
347                             true,
348                         ),
349                     }
350                 };
351                 let ty = {
352                     let macro_call = macro_call.to_node(self.db.upcast());
353                     match expander.enter_expand::<ast::Type>(self.db.upcast(), macro_call) {
354                         Ok(ExpandResult { value: Some((mark, expanded)), .. }) => {
355                             let ctx = LowerCtx::new(self.db.upcast(), expander.current_file_id());
356                             let type_ref = TypeRef::from_ast(&ctx, expanded);
357
358                             drop(expander);
359                             let ty = self.lower_ty(&type_ref);
360
361                             self.expander
362                                 .borrow_mut()
363                                 .as_mut()
364                                 .unwrap()
365                                 .exit(self.db.upcast(), mark);
366                             Some(ty)
367                         }
368                         _ => {
369                             drop(expander);
370                             None
371                         }
372                     }
373                 };
374
375                 // drop the expander, resetting it to pre-recursion state
376                 if recursion_start {
377                     *self.expander.borrow_mut() = None;
378                 }
379                 ty.unwrap_or_else(|| TyKind::Error.intern(Interner))
380             }
381             TypeRef::Error => TyKind::Error.intern(Interner),
382         };
383         (ty, res)
384     }
385
386     /// This is only for `generic_predicates_for_param`, where we can't just
387     /// lower the self types of the predicates since that could lead to cycles.
388     /// So we just check here if the `type_ref` resolves to a generic param, and which.
389     fn lower_ty_only_param(&self, type_ref: &TypeRef) -> Option<TypeOrConstParamId> {
390         let path = match type_ref {
391             TypeRef::Path(path) => path,
392             _ => return None,
393         };
394         if path.type_anchor().is_some() {
395             return None;
396         }
397         if path.segments().len() > 1 {
398             return None;
399         }
400         let resolution =
401             match self.resolver.resolve_path_in_type_ns(self.db.upcast(), path.mod_path()) {
402                 Some((it, None)) => it,
403                 _ => return None,
404             };
405         match resolution {
406             TypeNs::GenericParam(param_id) => Some(param_id.into()),
407             _ => None,
408         }
409     }
410
411     pub(crate) fn lower_ty_relative_path(
412         &self,
413         ty: Ty,
414         // We need the original resolution to lower `Self::AssocTy` correctly
415         res: Option<TypeNs>,
416         remaining_segments: PathSegments<'_>,
417     ) -> (Ty, Option<TypeNs>) {
418         match remaining_segments.len() {
419             0 => (ty, res),
420             1 => {
421                 // resolve unselected assoc types
422                 let segment = remaining_segments.first().unwrap();
423                 (self.select_associated_type(res, segment), None)
424             }
425             _ => {
426                 // FIXME report error (ambiguous associated type)
427                 (TyKind::Error.intern(Interner), None)
428             }
429         }
430     }
431
432     pub(crate) fn lower_partly_resolved_path(
433         &self,
434         resolution: TypeNs,
435         resolved_segment: PathSegment<'_>,
436         remaining_segments: PathSegments<'_>,
437         infer_args: bool,
438     ) -> (Ty, Option<TypeNs>) {
439         let ty = match resolution {
440             TypeNs::TraitId(trait_) => {
441                 let ty = match remaining_segments.len() {
442                     1 => {
443                         let trait_ref =
444                             self.lower_trait_ref_from_resolved_path(trait_, resolved_segment, None);
445                         let segment = remaining_segments.first().unwrap();
446                         let found = self
447                             .db
448                             .trait_data(trait_ref.hir_trait_id())
449                             .associated_type_by_name(segment.name);
450                         match found {
451                             Some(associated_ty) => {
452                                 // FIXME handle type parameters on the segment
453                                 TyKind::Alias(AliasTy::Projection(ProjectionTy {
454                                     associated_ty_id: to_assoc_type_id(associated_ty),
455                                     substitution: trait_ref.substitution,
456                                 }))
457                                 .intern(Interner)
458                             }
459                             None => {
460                                 // FIXME: report error (associated type not found)
461                                 TyKind::Error.intern(Interner)
462                             }
463                         }
464                     }
465                     0 => {
466                         // Trait object type without dyn; this should be handled in upstream. See
467                         // `lower_path()`.
468                         stdx::never!("unexpected fully resolved trait path");
469                         TyKind::Error.intern(Interner)
470                     }
471                     _ => {
472                         // FIXME report error (ambiguous associated type)
473                         TyKind::Error.intern(Interner)
474                     }
475                 };
476                 return (ty, None);
477             }
478             TypeNs::GenericParam(param_id) => {
479                 let generics = generics(
480                     self.db.upcast(),
481                     self.resolver.generic_def().expect("generics in scope"),
482                 );
483                 match self.type_param_mode {
484                     ParamLoweringMode::Placeholder => {
485                         TyKind::Placeholder(to_placeholder_idx(self.db, param_id.into()))
486                     }
487                     ParamLoweringMode::Variable => {
488                         let idx = match generics.param_idx(param_id.into()) {
489                             None => {
490                                 never!("no matching generics");
491                                 return (TyKind::Error.intern(Interner), None);
492                             }
493                             Some(idx) => idx,
494                         };
495
496                         TyKind::BoundVar(BoundVar::new(self.in_binders, idx))
497                     }
498                 }
499                 .intern(Interner)
500             }
501             TypeNs::SelfType(impl_id) => {
502                 let generics = generics(self.db.upcast(), impl_id.into());
503                 let substs = match self.type_param_mode {
504                     ParamLoweringMode::Placeholder => generics.placeholder_subst(self.db),
505                     ParamLoweringMode::Variable => {
506                         generics.bound_vars_subst(self.db, self.in_binders)
507                     }
508                 };
509                 self.db.impl_self_ty(impl_id).substitute(Interner, &substs)
510             }
511             TypeNs::AdtSelfType(adt) => {
512                 let generics = generics(self.db.upcast(), adt.into());
513                 let substs = match self.type_param_mode {
514                     ParamLoweringMode::Placeholder => generics.placeholder_subst(self.db),
515                     ParamLoweringMode::Variable => {
516                         generics.bound_vars_subst(self.db, self.in_binders)
517                     }
518                 };
519                 self.db.ty(adt.into()).substitute(Interner, &substs)
520             }
521
522             TypeNs::AdtId(it) => self.lower_path_inner(resolved_segment, it.into(), infer_args),
523             TypeNs::BuiltinType(it) => {
524                 self.lower_path_inner(resolved_segment, it.into(), infer_args)
525             }
526             TypeNs::TypeAliasId(it) => {
527                 self.lower_path_inner(resolved_segment, it.into(), infer_args)
528             }
529             // FIXME: report error
530             TypeNs::EnumVariantId(_) => return (TyKind::Error.intern(Interner), None),
531         };
532         self.lower_ty_relative_path(ty, Some(resolution), remaining_segments)
533     }
534
535     pub(crate) fn lower_path(&self, path: &Path) -> (Ty, Option<TypeNs>) {
536         // Resolve the path (in type namespace)
537         if let Some(type_ref) = path.type_anchor() {
538             let (ty, res) = self.lower_ty_ext(type_ref);
539             return self.lower_ty_relative_path(ty, res, path.segments());
540         }
541
542         let (resolution, remaining_index) =
543             match self.resolver.resolve_path_in_type_ns(self.db.upcast(), path.mod_path()) {
544                 Some(it) => it,
545                 None => return (TyKind::Error.intern(Interner), None),
546             };
547
548         if matches!(resolution, TypeNs::TraitId(_)) && remaining_index.is_none() {
549             // trait object type without dyn
550             let bound = TypeBound::Path(path.clone(), TraitBoundModifier::None);
551             let ty = self.lower_dyn_trait(&[Interned::new(bound)]);
552             return (ty, None);
553         }
554
555         let (resolved_segment, remaining_segments) = match remaining_index {
556             None => (
557                 path.segments().last().expect("resolved path has at least one element"),
558                 PathSegments::EMPTY,
559             ),
560             Some(i) => (path.segments().get(i - 1).unwrap(), path.segments().skip(i)),
561         };
562         self.lower_partly_resolved_path(resolution, resolved_segment, remaining_segments, false)
563     }
564
565     fn select_associated_type(&self, res: Option<TypeNs>, segment: PathSegment<'_>) -> Ty {
566         let (def, res) = match (self.resolver.generic_def(), res) {
567             (Some(def), Some(res)) => (def, res),
568             _ => return TyKind::Error.intern(Interner),
569         };
570         let ty = named_associated_type_shorthand_candidates(
571             self.db,
572             def,
573             res,
574             Some(segment.name.clone()),
575             move |name, t, associated_ty| {
576                 if name == segment.name {
577                     let substs = match self.type_param_mode {
578                         ParamLoweringMode::Placeholder => {
579                             // if we're lowering to placeholders, we have to put
580                             // them in now
581                             let generics = generics(
582                                 self.db.upcast(),
583                                 self.resolver
584                                     .generic_def()
585                                     .expect("there should be generics if there's a generic param"),
586                             );
587                             let s = generics.placeholder_subst(self.db);
588                             s.apply(t.substitution.clone(), Interner)
589                         }
590                         ParamLoweringMode::Variable => t.substitution.clone(),
591                     };
592                     // We need to shift in the bound vars, since
593                     // associated_type_shorthand_candidates does not do that
594                     let substs = substs.shifted_in_from(Interner, self.in_binders);
595                     // FIXME handle type parameters on the segment
596                     Some(
597                         TyKind::Alias(AliasTy::Projection(ProjectionTy {
598                             associated_ty_id: to_assoc_type_id(associated_ty),
599                             substitution: substs,
600                         }))
601                         .intern(Interner),
602                     )
603                 } else {
604                     None
605                 }
606             },
607         );
608
609         ty.unwrap_or_else(|| TyKind::Error.intern(Interner))
610     }
611
612     fn lower_path_inner(
613         &self,
614         segment: PathSegment<'_>,
615         typeable: TyDefId,
616         infer_args: bool,
617     ) -> Ty {
618         let generic_def = match typeable {
619             TyDefId::BuiltinType(_) => None,
620             TyDefId::AdtId(it) => Some(it.into()),
621             TyDefId::TypeAliasId(it) => Some(it.into()),
622         };
623         let substs = self.substs_from_path_segment(segment, generic_def, infer_args, None);
624         self.db.ty(typeable).substitute(Interner, &substs)
625     }
626
627     /// Collect generic arguments from a path into a `Substs`. See also
628     /// `create_substs_for_ast_path` and `def_to_ty` in rustc.
629     pub(super) fn substs_from_path(
630         &self,
631         path: &Path,
632         // Note that we don't call `db.value_type(resolved)` here,
633         // `ValueTyDefId` is just a convenient way to pass generics and
634         // special-case enum variants
635         resolved: ValueTyDefId,
636         infer_args: bool,
637     ) -> Substitution {
638         let last = path.segments().last().expect("path should have at least one segment");
639         let (segment, generic_def) = match resolved {
640             ValueTyDefId::FunctionId(it) => (last, Some(it.into())),
641             ValueTyDefId::StructId(it) => (last, Some(it.into())),
642             ValueTyDefId::UnionId(it) => (last, Some(it.into())),
643             ValueTyDefId::ConstId(it) => (last, Some(it.into())),
644             ValueTyDefId::StaticId(_) => (last, None),
645             ValueTyDefId::EnumVariantId(var) => {
646                 // the generic args for an enum variant may be either specified
647                 // on the segment referring to the enum, or on the segment
648                 // referring to the variant. So `Option::<T>::None` and
649                 // `Option::None::<T>` are both allowed (though the former is
650                 // preferred). See also `def_ids_for_path_segments` in rustc.
651                 let len = path.segments().len();
652                 let penultimate = len.checked_sub(2).and_then(|idx| path.segments().get(idx));
653                 let segment = match penultimate {
654                     Some(segment) if segment.args_and_bindings.is_some() => segment,
655                     _ => last,
656                 };
657                 (segment, Some(var.parent.into()))
658             }
659         };
660         self.substs_from_path_segment(segment, generic_def, infer_args, None)
661     }
662
663     fn substs_from_path_segment(
664         &self,
665         segment: PathSegment<'_>,
666         def_generic: Option<GenericDefId>,
667         infer_args: bool,
668         explicit_self_ty: Option<Ty>,
669     ) -> Substitution {
670         let mut substs = Vec::new();
671         let def_generics = if let Some(def) = def_generic {
672             generics(self.db.upcast(), def)
673         } else {
674             return Substitution::empty(Interner);
675         };
676         let (parent_params, self_params, type_params, const_params, impl_trait_params) =
677             def_generics.provenance_split();
678         let total_len =
679             parent_params + self_params + type_params + const_params + impl_trait_params;
680
681         let ty_error = GenericArgData::Ty(TyKind::Error.intern(Interner)).intern(Interner);
682
683         let mut def_generic_iter = def_generics.iter_id();
684
685         for _ in 0..parent_params {
686             if let Some(eid) = def_generic_iter.next() {
687                 match eid {
688                     Either::Left(_) => substs.push(ty_error.clone()),
689                     Either::Right(x) => {
690                         substs.push(unknown_const_as_generic(self.db.const_param_ty(x)))
691                     }
692                 }
693             }
694         }
695
696         let fill_self_params = || {
697             for x in explicit_self_ty
698                 .into_iter()
699                 .map(|x| GenericArgData::Ty(x).intern(Interner))
700                 .chain(iter::repeat(ty_error.clone()))
701                 .take(self_params)
702             {
703                 if let Some(id) = def_generic_iter.next() {
704                     assert!(id.is_left());
705                     substs.push(x);
706                 }
707             }
708         };
709         let mut had_explicit_args = false;
710
711         if let Some(generic_args) = &segment.args_and_bindings {
712             if !generic_args.has_self_type {
713                 fill_self_params();
714             }
715             let expected_num = if generic_args.has_self_type {
716                 self_params + type_params + const_params
717             } else {
718                 type_params + const_params
719             };
720             let skip = if generic_args.has_self_type && self_params == 0 { 1 } else { 0 };
721             // if args are provided, it should be all of them, but we can't rely on that
722             for arg in generic_args
723                 .args
724                 .iter()
725                 .filter(|arg| !matches!(arg, GenericArg::Lifetime(_)))
726                 .skip(skip)
727                 .take(expected_num)
728             {
729                 if let Some(id) = def_generic_iter.next() {
730                     if let Some(x) = generic_arg_to_chalk(
731                         self.db,
732                         id,
733                         arg,
734                         &mut (),
735                         |_, type_ref| self.lower_ty(type_ref),
736                         |_, c, ty| {
737                             const_or_path_to_chalk(
738                                 self.db,
739                                 &self.resolver,
740                                 ty,
741                                 c,
742                                 self.type_param_mode,
743                                 || self.generics(),
744                                 self.in_binders,
745                             )
746                         },
747                     ) {
748                         had_explicit_args = true;
749                         substs.push(x);
750                     } else {
751                         // we just filtered them out
752                         never!("Unexpected lifetime argument");
753                     }
754                 }
755             }
756         } else {
757             fill_self_params();
758         }
759
760         // handle defaults. In expression or pattern path segments without
761         // explicitly specified type arguments, missing type arguments are inferred
762         // (i.e. defaults aren't used).
763         if !infer_args || had_explicit_args {
764             if let Some(def_generic) = def_generic {
765                 let defaults = self.db.generic_defaults(def_generic);
766                 assert_eq!(total_len, defaults.len());
767
768                 for default_ty in defaults.iter().skip(substs.len()) {
769                     // each default can depend on the previous parameters
770                     let substs_so_far = Substitution::from_iter(Interner, substs.clone());
771                     if let Some(_id) = def_generic_iter.next() {
772                         substs.push(default_ty.clone().substitute(Interner, &substs_so_far));
773                     }
774                 }
775             }
776         }
777
778         // add placeholders for args that were not provided
779         // FIXME: emit diagnostics in contexts where this is not allowed
780         for eid in def_generic_iter {
781             match eid {
782                 Either::Left(_) => substs.push(ty_error.clone()),
783                 Either::Right(x) => {
784                     substs.push(unknown_const_as_generic(self.db.const_param_ty(x)))
785                 }
786             }
787         }
788         // If this assert fails, it means you pushed into subst but didn't call .next() of def_generic_iter
789         assert_eq!(substs.len(), total_len);
790
791         Substitution::from_iter(Interner, substs)
792     }
793
794     fn lower_trait_ref_from_path(
795         &self,
796         path: &Path,
797         explicit_self_ty: Option<Ty>,
798     ) -> Option<TraitRef> {
799         let resolved =
800             match self.resolver.resolve_path_in_type_ns_fully(self.db.upcast(), path.mod_path())? {
801                 TypeNs::TraitId(tr) => tr,
802                 _ => return None,
803             };
804         let segment = path.segments().last().expect("path should have at least one segment");
805         Some(self.lower_trait_ref_from_resolved_path(resolved, segment, explicit_self_ty))
806     }
807
808     pub(crate) fn lower_trait_ref_from_resolved_path(
809         &self,
810         resolved: TraitId,
811         segment: PathSegment<'_>,
812         explicit_self_ty: Option<Ty>,
813     ) -> TraitRef {
814         let substs = self.trait_ref_substs_from_path(segment, resolved, explicit_self_ty);
815         TraitRef { trait_id: to_chalk_trait_id(resolved), substitution: substs }
816     }
817
818     fn lower_trait_ref(
819         &self,
820         trait_ref: &HirTraitRef,
821         explicit_self_ty: Option<Ty>,
822     ) -> Option<TraitRef> {
823         self.lower_trait_ref_from_path(&trait_ref.path, explicit_self_ty)
824     }
825
826     fn trait_ref_substs_from_path(
827         &self,
828         segment: PathSegment<'_>,
829         resolved: TraitId,
830         explicit_self_ty: Option<Ty>,
831     ) -> Substitution {
832         self.substs_from_path_segment(segment, Some(resolved.into()), false, explicit_self_ty)
833     }
834
835     pub(crate) fn lower_where_predicate(
836         &'a self,
837         where_predicate: &'a WherePredicate,
838         ignore_bindings: bool,
839     ) -> impl Iterator<Item = QuantifiedWhereClause> + 'a {
840         match where_predicate {
841             WherePredicate::ForLifetime { target, bound, .. }
842             | WherePredicate::TypeBound { target, bound } => {
843                 let self_ty = match target {
844                     WherePredicateTypeTarget::TypeRef(type_ref) => self.lower_ty(type_ref),
845                     WherePredicateTypeTarget::TypeOrConstParam(param_id) => {
846                         let generic_def = self.resolver.generic_def().expect("generics in scope");
847                         let generics = generics(self.db.upcast(), generic_def);
848                         let param_id = hir_def::TypeOrConstParamId {
849                             parent: generic_def,
850                             local_id: *param_id,
851                         };
852                         let placeholder = to_placeholder_idx(self.db, param_id);
853                         match self.type_param_mode {
854                             ParamLoweringMode::Placeholder => TyKind::Placeholder(placeholder),
855                             ParamLoweringMode::Variable => {
856                                 let idx = generics.param_idx(param_id).expect("matching generics");
857                                 TyKind::BoundVar(BoundVar::new(DebruijnIndex::INNERMOST, idx))
858                             }
859                         }
860                         .intern(Interner)
861                     }
862                 };
863                 self.lower_type_bound(bound, self_ty, ignore_bindings)
864                     .collect::<Vec<_>>()
865                     .into_iter()
866             }
867             WherePredicate::Lifetime { .. } => vec![].into_iter(),
868         }
869     }
870
871     pub(crate) fn lower_type_bound(
872         &'a self,
873         bound: &'a TypeBound,
874         self_ty: Ty,
875         ignore_bindings: bool,
876     ) -> impl Iterator<Item = QuantifiedWhereClause> + 'a {
877         let mut bindings = None;
878         let trait_ref = match bound {
879             TypeBound::Path(path, TraitBoundModifier::None) => {
880                 bindings = self.lower_trait_ref_from_path(path, Some(self_ty));
881                 bindings
882                     .clone()
883                     .filter(|tr| {
884                         // ignore `T: Drop` or `T: Destruct` bounds.
885                         // - `T: ~const Drop` has a special meaning in Rust 1.61 that we don't implement.
886                         //   (So ideally, we'd only ignore `~const Drop` here)
887                         // - `Destruct` impls are built-in in 1.62 (current nightlies as of 08-04-2022), so until
888                         //   the builtin impls are supported by Chalk, we ignore them here.
889                         if let Some(lang) = lang_attr(self.db.upcast(), tr.hir_trait_id()) {
890                             if lang == "drop" || lang == "destruct" {
891                                 return false;
892                             }
893                         }
894                         true
895                     })
896                     .map(WhereClause::Implemented)
897                     .map(crate::wrap_empty_binders)
898             }
899             TypeBound::Path(path, TraitBoundModifier::Maybe) => {
900                 let sized_trait = self
901                     .db
902                     .lang_item(self.resolver.krate(), SmolStr::new_inline("sized"))
903                     .and_then(|lang_item| lang_item.as_trait());
904                 // Don't lower associated type bindings as the only possible relaxed trait bound
905                 // `?Sized` has no of them.
906                 // If we got another trait here ignore the bound completely.
907                 let trait_id = self
908                     .lower_trait_ref_from_path(path, Some(self_ty.clone()))
909                     .map(|trait_ref| trait_ref.hir_trait_id());
910                 if trait_id == sized_trait {
911                     self.unsized_types.borrow_mut().insert(self_ty);
912                 }
913                 None
914             }
915             TypeBound::ForLifetime(_, path) => {
916                 // FIXME Don't silently drop the hrtb lifetimes here
917                 bindings = self.lower_trait_ref_from_path(path, Some(self_ty));
918                 bindings.clone().map(WhereClause::Implemented).map(crate::wrap_empty_binders)
919             }
920             TypeBound::Lifetime(_) => None,
921             TypeBound::Error => None,
922         };
923         trait_ref.into_iter().chain(
924             bindings
925                 .into_iter()
926                 .filter(move |_| !ignore_bindings)
927                 .flat_map(move |tr| self.assoc_type_bindings_from_type_bound(bound, tr)),
928         )
929     }
930
931     fn assoc_type_bindings_from_type_bound(
932         &'a self,
933         bound: &'a TypeBound,
934         trait_ref: TraitRef,
935     ) -> impl Iterator<Item = QuantifiedWhereClause> + 'a {
936         let last_segment = match bound {
937             TypeBound::Path(path, TraitBoundModifier::None) | TypeBound::ForLifetime(_, path) => {
938                 path.segments().last()
939             }
940             TypeBound::Path(_, TraitBoundModifier::Maybe)
941             | TypeBound::Error
942             | TypeBound::Lifetime(_) => None,
943         };
944         last_segment
945             .into_iter()
946             .filter_map(|segment| segment.args_and_bindings)
947             .flat_map(|args_and_bindings| &args_and_bindings.bindings)
948             .flat_map(move |binding| {
949                 let found = associated_type_by_name_including_super_traits(
950                     self.db,
951                     trait_ref.clone(),
952                     &binding.name,
953                 );
954                 let (super_trait_ref, associated_ty) = match found {
955                     None => return SmallVec::new(),
956                     Some(t) => t,
957                 };
958                 let projection_ty = ProjectionTy {
959                     associated_ty_id: to_assoc_type_id(associated_ty),
960                     substitution: super_trait_ref.substitution,
961                 };
962                 let mut preds: SmallVec<[_; 1]> = SmallVec::with_capacity(
963                     binding.type_ref.as_ref().map_or(0, |_| 1) + binding.bounds.len(),
964                 );
965                 if let Some(type_ref) = &binding.type_ref {
966                     let ty = self.lower_ty(type_ref);
967                     let alias_eq =
968                         AliasEq { alias: AliasTy::Projection(projection_ty.clone()), ty };
969                     preds.push(crate::wrap_empty_binders(WhereClause::AliasEq(alias_eq)));
970                 }
971                 for bound in &binding.bounds {
972                     preds.extend(self.lower_type_bound(
973                         bound,
974                         TyKind::Alias(AliasTy::Projection(projection_ty.clone())).intern(Interner),
975                         false,
976                     ));
977                 }
978                 preds
979             })
980     }
981
982     fn lower_dyn_trait(&self, bounds: &[Interned<TypeBound>]) -> Ty {
983         let self_ty = TyKind::BoundVar(BoundVar::new(DebruijnIndex::INNERMOST, 0)).intern(Interner);
984         let bounds = self.with_shifted_in(DebruijnIndex::ONE, |ctx| {
985             let bounds =
986                 bounds.iter().flat_map(|b| ctx.lower_type_bound(b, self_ty.clone(), false));
987
988             let mut auto_traits = SmallVec::<[_; 8]>::new();
989             let mut regular_traits = SmallVec::<[_; 2]>::new();
990             let mut other_bounds = SmallVec::<[_; 8]>::new();
991             for bound in bounds {
992                 if let Some(id) = bound.trait_id() {
993                     if ctx.db.trait_data(from_chalk_trait_id(id)).is_auto {
994                         auto_traits.push(bound);
995                     } else {
996                         regular_traits.push(bound);
997                     }
998                 } else {
999                     other_bounds.push(bound);
1000                 }
1001             }
1002
1003             if regular_traits.len() > 1 {
1004                 return None;
1005             }
1006
1007             auto_traits.sort_unstable_by_key(|b| b.trait_id().unwrap());
1008             auto_traits.dedup();
1009
1010             Some(QuantifiedWhereClauses::from_iter(
1011                 Interner,
1012                 regular_traits.into_iter().chain(other_bounds).chain(auto_traits),
1013             ))
1014         });
1015
1016         if let Some(bounds) = bounds {
1017             let bounds = crate::make_single_type_binders(bounds);
1018             TyKind::Dyn(DynTy { bounds, lifetime: static_lifetime() }).intern(Interner)
1019         } else {
1020             // FIXME: report error (additional non-auto traits)
1021             TyKind::Error.intern(Interner)
1022         }
1023     }
1024
1025     fn lower_impl_trait(
1026         &self,
1027         bounds: &[Interned<TypeBound>],
1028         func: FunctionId,
1029     ) -> ReturnTypeImplTrait {
1030         cov_mark::hit!(lower_rpit);
1031         let self_ty = TyKind::BoundVar(BoundVar::new(DebruijnIndex::INNERMOST, 0)).intern(Interner);
1032         let predicates = self.with_shifted_in(DebruijnIndex::ONE, |ctx| {
1033             let mut predicates: Vec<_> = bounds
1034                 .iter()
1035                 .flat_map(|b| ctx.lower_type_bound(b, self_ty.clone(), false))
1036                 .collect();
1037
1038             if !ctx.unsized_types.borrow().contains(&self_ty) {
1039                 let krate = func.lookup(ctx.db.upcast()).module(ctx.db.upcast()).krate();
1040                 let sized_trait = ctx
1041                     .db
1042                     .lang_item(krate, SmolStr::new_inline("sized"))
1043                     .and_then(|lang_item| lang_item.as_trait().map(to_chalk_trait_id));
1044                 let sized_clause = sized_trait.map(|trait_id| {
1045                     let clause = WhereClause::Implemented(TraitRef {
1046                         trait_id,
1047                         substitution: Substitution::from1(Interner, self_ty.clone()),
1048                     });
1049                     crate::wrap_empty_binders(clause)
1050                 });
1051                 predicates.extend(sized_clause.into_iter());
1052                 predicates.shrink_to_fit();
1053             }
1054             predicates
1055         });
1056         ReturnTypeImplTrait { bounds: crate::make_single_type_binders(predicates) }
1057     }
1058 }
1059
1060 fn count_impl_traits(type_ref: &TypeRef) -> usize {
1061     let mut count = 0;
1062     type_ref.walk(&mut |type_ref| {
1063         if matches!(type_ref, TypeRef::ImplTrait(_)) {
1064             count += 1;
1065         }
1066     });
1067     count
1068 }
1069
1070 /// Build the signature of a callable item (function, struct or enum variant).
1071 pub(crate) fn callable_item_sig(db: &dyn HirDatabase, def: CallableDefId) -> PolyFnSig {
1072     match def {
1073         CallableDefId::FunctionId(f) => fn_sig_for_fn(db, f),
1074         CallableDefId::StructId(s) => fn_sig_for_struct_constructor(db, s),
1075         CallableDefId::EnumVariantId(e) => fn_sig_for_enum_variant_constructor(db, e),
1076     }
1077 }
1078
1079 pub fn associated_type_shorthand_candidates<R>(
1080     db: &dyn HirDatabase,
1081     def: GenericDefId,
1082     res: TypeNs,
1083     cb: impl FnMut(&Name, &TraitRef, TypeAliasId) -> Option<R>,
1084 ) -> Option<R> {
1085     named_associated_type_shorthand_candidates(db, def, res, None, cb)
1086 }
1087
1088 fn named_associated_type_shorthand_candidates<R>(
1089     db: &dyn HirDatabase,
1090     // If the type parameter is defined in an impl and we're in a method, there
1091     // might be additional where clauses to consider
1092     def: GenericDefId,
1093     res: TypeNs,
1094     assoc_name: Option<Name>,
1095     mut cb: impl FnMut(&Name, &TraitRef, TypeAliasId) -> Option<R>,
1096 ) -> Option<R> {
1097     let mut search = |t| {
1098         for t in all_super_trait_refs(db, t) {
1099             let data = db.trait_data(t.hir_trait_id());
1100
1101             for (name, assoc_id) in &data.items {
1102                 if let AssocItemId::TypeAliasId(alias) = assoc_id {
1103                     if let Some(result) = cb(name, &t, *alias) {
1104                         return Some(result);
1105                     }
1106                 }
1107             }
1108         }
1109         None
1110     };
1111
1112     match res {
1113         TypeNs::SelfType(impl_id) => search(
1114             // we're _in_ the impl -- the binders get added back later. Correct,
1115             // but it would be nice to make this more explicit
1116             db.impl_trait(impl_id)?.into_value_and_skipped_binders().0,
1117         ),
1118         TypeNs::GenericParam(param_id) => {
1119             let predicates = db.generic_predicates_for_param(def, param_id.into(), assoc_name);
1120             let res = predicates.iter().find_map(|pred| match pred.skip_binders().skip_binders() {
1121                 // FIXME: how to correctly handle higher-ranked bounds here?
1122                 WhereClause::Implemented(tr) => search(
1123                     tr.clone()
1124                         .shifted_out_to(Interner, DebruijnIndex::ONE)
1125                         .expect("FIXME unexpected higher-ranked trait bound"),
1126                 ),
1127                 _ => None,
1128             });
1129             if let Some(_) = res {
1130                 return res;
1131             }
1132             // Handle `Self::Type` referring to own associated type in trait definitions
1133             if let GenericDefId::TraitId(trait_id) = param_id.parent() {
1134                 let generics = generics(db.upcast(), trait_id.into());
1135                 if generics.params.type_or_consts[param_id.local_id()].is_trait_self() {
1136                     let trait_ref = TyBuilder::trait_ref(db, trait_id)
1137                         .fill_with_bound_vars(DebruijnIndex::INNERMOST, 0)
1138                         .build();
1139                     return search(trait_ref);
1140                 }
1141             }
1142             None
1143         }
1144         _ => None,
1145     }
1146 }
1147
1148 /// Build the type of all specific fields of a struct or enum variant.
1149 pub(crate) fn field_types_query(
1150     db: &dyn HirDatabase,
1151     variant_id: VariantId,
1152 ) -> Arc<ArenaMap<LocalFieldId, Binders<Ty>>> {
1153     let var_data = variant_id.variant_data(db.upcast());
1154     let (resolver, def): (_, GenericDefId) = match variant_id {
1155         VariantId::StructId(it) => (it.resolver(db.upcast()), it.into()),
1156         VariantId::UnionId(it) => (it.resolver(db.upcast()), it.into()),
1157         VariantId::EnumVariantId(it) => (it.parent.resolver(db.upcast()), it.parent.into()),
1158     };
1159     let generics = generics(db.upcast(), def);
1160     let mut res = ArenaMap::default();
1161     let ctx =
1162         TyLoweringContext::new(db, &resolver).with_type_param_mode(ParamLoweringMode::Variable);
1163     for (field_id, field_data) in var_data.fields().iter() {
1164         res.insert(field_id, make_binders(db, &generics, ctx.lower_ty(&field_data.type_ref)));
1165     }
1166     Arc::new(res)
1167 }
1168
1169 /// This query exists only to be used when resolving short-hand associated types
1170 /// like `T::Item`.
1171 ///
1172 /// See the analogous query in rustc and its comment:
1173 /// <https://github.com/rust-lang/rust/blob/9150f844e2624eb013ec78ca08c1d416e6644026/src/librustc_typeck/astconv.rs#L46>
1174 /// This is a query mostly to handle cycles somewhat gracefully; e.g. the
1175 /// following bounds are disallowed: `T: Foo<U::Item>, U: Foo<T::Item>`, but
1176 /// these are fine: `T: Foo<U::Item>, U: Foo<()>`.
1177 pub(crate) fn generic_predicates_for_param_query(
1178     db: &dyn HirDatabase,
1179     def: GenericDefId,
1180     param_id: TypeOrConstParamId,
1181     assoc_name: Option<Name>,
1182 ) -> Arc<[Binders<QuantifiedWhereClause>]> {
1183     let resolver = def.resolver(db.upcast());
1184     let ctx =
1185         TyLoweringContext::new(db, &resolver).with_type_param_mode(ParamLoweringMode::Variable);
1186     let generics = generics(db.upcast(), def);
1187     let mut predicates: Vec<_> = resolver
1188         .where_predicates_in_scope()
1189         // we have to filter out all other predicates *first*, before attempting to lower them
1190         .filter(|pred| match pred {
1191             WherePredicate::ForLifetime { target, bound, .. }
1192             | WherePredicate::TypeBound { target, bound, .. } => {
1193                 match target {
1194                     WherePredicateTypeTarget::TypeRef(type_ref) => {
1195                         if ctx.lower_ty_only_param(type_ref) != Some(param_id) {
1196                             return false;
1197                         }
1198                     }
1199                     &WherePredicateTypeTarget::TypeOrConstParam(local_id) => {
1200                         let target_id = TypeOrConstParamId { parent: def, local_id };
1201                         if target_id != param_id {
1202                             return false;
1203                         }
1204                     }
1205                 };
1206
1207                 match &**bound {
1208                     TypeBound::ForLifetime(_, path) | TypeBound::Path(path, _) => {
1209                         // Only lower the bound if the trait could possibly define the associated
1210                         // type we're looking for.
1211
1212                         let assoc_name = match &assoc_name {
1213                             Some(it) => it,
1214                             None => return true,
1215                         };
1216                         let tr = match resolver
1217                             .resolve_path_in_type_ns_fully(db.upcast(), path.mod_path())
1218                         {
1219                             Some(TypeNs::TraitId(tr)) => tr,
1220                             _ => return false,
1221                         };
1222
1223                         all_super_traits(db.upcast(), tr).iter().any(|tr| {
1224                             db.trait_data(*tr).items.iter().any(|(name, item)| {
1225                                 matches!(item, AssocItemId::TypeAliasId(_)) && name == assoc_name
1226                             })
1227                         })
1228                     }
1229                     TypeBound::Lifetime(_) | TypeBound::Error => false,
1230                 }
1231             }
1232             WherePredicate::Lifetime { .. } => false,
1233         })
1234         .flat_map(|pred| {
1235             ctx.lower_where_predicate(pred, true).map(|p| make_binders(db, &generics, p))
1236         })
1237         .collect();
1238
1239     let subst = generics.bound_vars_subst(db, DebruijnIndex::INNERMOST);
1240     let explicitly_unsized_tys = ctx.unsized_types.into_inner();
1241     let implicitly_sized_predicates =
1242         implicitly_sized_clauses(db, param_id.parent, &explicitly_unsized_tys, &subst, &resolver)
1243             .map(|p| make_binders(db, &generics, crate::wrap_empty_binders(p)));
1244     predicates.extend(implicitly_sized_predicates);
1245     predicates.into()
1246 }
1247
1248 pub(crate) fn generic_predicates_for_param_recover(
1249     _db: &dyn HirDatabase,
1250     _cycle: &[String],
1251     _def: &GenericDefId,
1252     _param_id: &TypeOrConstParamId,
1253     _assoc_name: &Option<Name>,
1254 ) -> Arc<[Binders<QuantifiedWhereClause>]> {
1255     Arc::new([])
1256 }
1257
1258 pub(crate) fn trait_environment_query(
1259     db: &dyn HirDatabase,
1260     def: GenericDefId,
1261 ) -> Arc<TraitEnvironment> {
1262     let resolver = def.resolver(db.upcast());
1263     let ctx =
1264         TyLoweringContext::new(db, &resolver).with_type_param_mode(ParamLoweringMode::Placeholder);
1265     let mut traits_in_scope = Vec::new();
1266     let mut clauses = Vec::new();
1267     for pred in resolver.where_predicates_in_scope() {
1268         for pred in ctx.lower_where_predicate(pred, false) {
1269             if let WhereClause::Implemented(tr) = &pred.skip_binders() {
1270                 traits_in_scope.push((tr.self_type_parameter(Interner).clone(), tr.hir_trait_id()));
1271             }
1272             let program_clause: chalk_ir::ProgramClause<Interner> = pred.cast(Interner);
1273             clauses.push(program_clause.into_from_env_clause(Interner));
1274         }
1275     }
1276
1277     let container: Option<ItemContainerId> = match def {
1278         // FIXME: is there a function for this?
1279         GenericDefId::FunctionId(f) => Some(f.lookup(db.upcast()).container),
1280         GenericDefId::AdtId(_) => None,
1281         GenericDefId::TraitId(_) => None,
1282         GenericDefId::TypeAliasId(t) => Some(t.lookup(db.upcast()).container),
1283         GenericDefId::ImplId(_) => None,
1284         GenericDefId::EnumVariantId(_) => None,
1285         GenericDefId::ConstId(c) => Some(c.lookup(db.upcast()).container),
1286     };
1287     if let Some(ItemContainerId::TraitId(trait_id)) = container {
1288         // add `Self: Trait<T1, T2, ...>` to the environment in trait
1289         // function default implementations (and speculative code
1290         // inside consts or type aliases)
1291         cov_mark::hit!(trait_self_implements_self);
1292         let substs = TyBuilder::placeholder_subst(db, trait_id);
1293         let trait_ref = TraitRef { trait_id: to_chalk_trait_id(trait_id), substitution: substs };
1294         let pred = WhereClause::Implemented(trait_ref);
1295         let program_clause: chalk_ir::ProgramClause<Interner> = pred.cast(Interner);
1296         clauses.push(program_clause.into_from_env_clause(Interner));
1297     }
1298
1299     let subst = generics(db.upcast(), def).placeholder_subst(db);
1300     let explicitly_unsized_tys = ctx.unsized_types.into_inner();
1301     let implicitly_sized_clauses =
1302         implicitly_sized_clauses(db, def, &explicitly_unsized_tys, &subst, &resolver).map(|pred| {
1303             let program_clause: chalk_ir::ProgramClause<Interner> = pred.cast(Interner);
1304             program_clause.into_from_env_clause(Interner)
1305         });
1306     clauses.extend(implicitly_sized_clauses);
1307
1308     let krate = def.module(db.upcast()).krate();
1309
1310     let env = chalk_ir::Environment::new(Interner).add_clauses(Interner, clauses);
1311
1312     Arc::new(TraitEnvironment { krate, traits_from_clauses: traits_in_scope, env })
1313 }
1314
1315 /// Resolve the where clause(s) of an item with generics.
1316 pub(crate) fn generic_predicates_query(
1317     db: &dyn HirDatabase,
1318     def: GenericDefId,
1319 ) -> Arc<[Binders<QuantifiedWhereClause>]> {
1320     let resolver = def.resolver(db.upcast());
1321     let ctx =
1322         TyLoweringContext::new(db, &resolver).with_type_param_mode(ParamLoweringMode::Variable);
1323     let generics = generics(db.upcast(), def);
1324
1325     let mut predicates = resolver
1326         .where_predicates_in_scope()
1327         .flat_map(|pred| {
1328             ctx.lower_where_predicate(pred, false).map(|p| make_binders(db, &generics, p))
1329         })
1330         .collect::<Vec<_>>();
1331
1332     let subst = generics.bound_vars_subst(db, DebruijnIndex::INNERMOST);
1333     let explicitly_unsized_tys = ctx.unsized_types.into_inner();
1334     let implicitly_sized_predicates =
1335         implicitly_sized_clauses(db, def, &explicitly_unsized_tys, &subst, &resolver)
1336             .map(|p| make_binders(db, &generics, crate::wrap_empty_binders(p)));
1337     predicates.extend(implicitly_sized_predicates);
1338     predicates.into()
1339 }
1340
1341 /// Generate implicit `: Sized` predicates for all generics that has no `?Sized` bound.
1342 /// Exception is Self of a trait def.
1343 fn implicitly_sized_clauses<'a>(
1344     db: &dyn HirDatabase,
1345     def: GenericDefId,
1346     explicitly_unsized_tys: &'a FxHashSet<Ty>,
1347     substitution: &'a Substitution,
1348     resolver: &Resolver,
1349 ) -> impl Iterator<Item = WhereClause> + 'a {
1350     let is_trait_def = matches!(def, GenericDefId::TraitId(..));
1351     let generic_args = &substitution.as_slice(Interner)[is_trait_def as usize..];
1352     let sized_trait = db
1353         .lang_item(resolver.krate(), SmolStr::new_inline("sized"))
1354         .and_then(|lang_item| lang_item.as_trait().map(to_chalk_trait_id));
1355
1356     sized_trait.into_iter().flat_map(move |sized_trait| {
1357         let implicitly_sized_tys = generic_args
1358             .iter()
1359             .filter_map(|generic_arg| generic_arg.ty(Interner))
1360             .filter(move |&self_ty| !explicitly_unsized_tys.contains(self_ty));
1361         implicitly_sized_tys.map(move |self_ty| {
1362             WhereClause::Implemented(TraitRef {
1363                 trait_id: sized_trait,
1364                 substitution: Substitution::from1(Interner, self_ty.clone()),
1365             })
1366         })
1367     })
1368 }
1369
1370 /// Resolve the default type params from generics
1371 pub(crate) fn generic_defaults_query(
1372     db: &dyn HirDatabase,
1373     def: GenericDefId,
1374 ) -> Arc<[Binders<chalk_ir::GenericArg<Interner>>]> {
1375     let resolver = def.resolver(db.upcast());
1376     let ctx =
1377         TyLoweringContext::new(db, &resolver).with_type_param_mode(ParamLoweringMode::Variable);
1378     let generic_params = generics(db.upcast(), def);
1379
1380     let defaults = generic_params
1381         .iter()
1382         .enumerate()
1383         .map(|(idx, (id, p))| {
1384             let p = match p {
1385                 TypeOrConstParamData::TypeParamData(p) => p,
1386                 TypeOrConstParamData::ConstParamData(_) => {
1387                     // FIXME: implement const generic defaults
1388                     let val = unknown_const_as_generic(
1389                         db.const_param_ty(ConstParamId::from_unchecked(id)),
1390                     );
1391                     return crate::make_binders_with_count(db, idx, &generic_params, val);
1392                 }
1393             };
1394             let mut ty =
1395                 p.default.as_ref().map_or(TyKind::Error.intern(Interner), |t| ctx.lower_ty(t));
1396
1397             // Each default can only refer to previous parameters.
1398             // type variable default referring to parameter coming
1399             // after it. This is forbidden (FIXME: report
1400             // diagnostic)
1401             ty = fallback_bound_vars(ty, idx);
1402             let val = GenericArgData::Ty(ty).intern(Interner);
1403             crate::make_binders_with_count(db, idx, &generic_params, val)
1404         })
1405         .collect();
1406
1407     defaults
1408 }
1409
1410 pub(crate) fn generic_defaults_recover(
1411     db: &dyn HirDatabase,
1412     _cycle: &[String],
1413     def: &GenericDefId,
1414 ) -> Arc<[Binders<crate::GenericArg>]> {
1415     let generic_params = generics(db.upcast(), *def);
1416     // FIXME: this code is not covered in tests.
1417     // we still need one default per parameter
1418     let defaults = generic_params
1419         .iter_id()
1420         .enumerate()
1421         .map(|(count, id)| {
1422             let val = match id {
1423                 itertools::Either::Left(_) => {
1424                     GenericArgData::Ty(TyKind::Error.intern(Interner)).intern(Interner)
1425                 }
1426                 itertools::Either::Right(id) => unknown_const_as_generic(db.const_param_ty(id)),
1427             };
1428             crate::make_binders_with_count(db, count, &generic_params, val)
1429         })
1430         .collect();
1431
1432     defaults
1433 }
1434
1435 fn fn_sig_for_fn(db: &dyn HirDatabase, def: FunctionId) -> PolyFnSig {
1436     let data = db.function_data(def);
1437     let resolver = def.resolver(db.upcast());
1438     let ctx_params = TyLoweringContext::new(db, &resolver)
1439         .with_impl_trait_mode(ImplTraitLoweringMode::Variable)
1440         .with_type_param_mode(ParamLoweringMode::Variable);
1441     let params = data.params.iter().map(|(_, tr)| ctx_params.lower_ty(tr)).collect::<Vec<_>>();
1442     let ctx_ret = TyLoweringContext::new(db, &resolver)
1443         .with_impl_trait_mode(ImplTraitLoweringMode::Opaque)
1444         .with_type_param_mode(ParamLoweringMode::Variable);
1445     let ret = ctx_ret.lower_ty(&data.ret_type);
1446     let generics = generics(db.upcast(), def.into());
1447     let sig = CallableSig::from_params_and_return(params, ret, data.is_varargs());
1448     make_binders(db, &generics, sig)
1449 }
1450
1451 /// Build the declared type of a function. This should not need to look at the
1452 /// function body.
1453 fn type_for_fn(db: &dyn HirDatabase, def: FunctionId) -> Binders<Ty> {
1454     let generics = generics(db.upcast(), def.into());
1455     let substs = generics.bound_vars_subst(db, DebruijnIndex::INNERMOST);
1456     make_binders(
1457         db,
1458         &generics,
1459         TyKind::FnDef(CallableDefId::FunctionId(def).to_chalk(db), substs).intern(Interner),
1460     )
1461 }
1462
1463 /// Build the declared type of a const.
1464 fn type_for_const(db: &dyn HirDatabase, def: ConstId) -> Binders<Ty> {
1465     let data = db.const_data(def);
1466     let generics = generics(db.upcast(), def.into());
1467     let resolver = def.resolver(db.upcast());
1468     let ctx =
1469         TyLoweringContext::new(db, &resolver).with_type_param_mode(ParamLoweringMode::Variable);
1470
1471     make_binders(db, &generics, ctx.lower_ty(&data.type_ref))
1472 }
1473
1474 /// Build the declared type of a static.
1475 fn type_for_static(db: &dyn HirDatabase, def: StaticId) -> Binders<Ty> {
1476     let data = db.static_data(def);
1477     let resolver = def.resolver(db.upcast());
1478     let ctx = TyLoweringContext::new(db, &resolver);
1479
1480     Binders::empty(Interner, ctx.lower_ty(&data.type_ref))
1481 }
1482
1483 fn fn_sig_for_struct_constructor(db: &dyn HirDatabase, def: StructId) -> PolyFnSig {
1484     let struct_data = db.struct_data(def);
1485     let fields = struct_data.variant_data.fields();
1486     let resolver = def.resolver(db.upcast());
1487     let ctx =
1488         TyLoweringContext::new(db, &resolver).with_type_param_mode(ParamLoweringMode::Variable);
1489     let params = fields.iter().map(|(_, field)| ctx.lower_ty(&field.type_ref)).collect::<Vec<_>>();
1490     let (ret, binders) = type_for_adt(db, def.into()).into_value_and_skipped_binders();
1491     Binders::new(binders, CallableSig::from_params_and_return(params, ret, false))
1492 }
1493
1494 /// Build the type of a tuple struct constructor.
1495 fn type_for_struct_constructor(db: &dyn HirDatabase, def: StructId) -> Binders<Ty> {
1496     let struct_data = db.struct_data(def);
1497     if let StructKind::Unit = struct_data.variant_data.kind() {
1498         return type_for_adt(db, def.into());
1499     }
1500     let generics = generics(db.upcast(), def.into());
1501     let substs = generics.bound_vars_subst(db, DebruijnIndex::INNERMOST);
1502     make_binders(
1503         db,
1504         &generics,
1505         TyKind::FnDef(CallableDefId::StructId(def).to_chalk(db), substs).intern(Interner),
1506     )
1507 }
1508
1509 fn fn_sig_for_enum_variant_constructor(db: &dyn HirDatabase, def: EnumVariantId) -> PolyFnSig {
1510     let enum_data = db.enum_data(def.parent);
1511     let var_data = &enum_data.variants[def.local_id];
1512     let fields = var_data.variant_data.fields();
1513     let resolver = def.parent.resolver(db.upcast());
1514     let ctx =
1515         TyLoweringContext::new(db, &resolver).with_type_param_mode(ParamLoweringMode::Variable);
1516     let params = fields.iter().map(|(_, field)| ctx.lower_ty(&field.type_ref)).collect::<Vec<_>>();
1517     let (ret, binders) = type_for_adt(db, def.parent.into()).into_value_and_skipped_binders();
1518     Binders::new(binders, CallableSig::from_params_and_return(params, ret, false))
1519 }
1520
1521 /// Build the type of a tuple enum variant constructor.
1522 fn type_for_enum_variant_constructor(db: &dyn HirDatabase, def: EnumVariantId) -> Binders<Ty> {
1523     let enum_data = db.enum_data(def.parent);
1524     let var_data = &enum_data.variants[def.local_id].variant_data;
1525     if let StructKind::Unit = var_data.kind() {
1526         return type_for_adt(db, def.parent.into());
1527     }
1528     let generics = generics(db.upcast(), def.parent.into());
1529     let substs = generics.bound_vars_subst(db, DebruijnIndex::INNERMOST);
1530     make_binders(
1531         db,
1532         &generics,
1533         TyKind::FnDef(CallableDefId::EnumVariantId(def).to_chalk(db), substs).intern(Interner),
1534     )
1535 }
1536
1537 fn type_for_adt(db: &dyn HirDatabase, adt: AdtId) -> Binders<Ty> {
1538     let generics = generics(db.upcast(), adt.into());
1539     let subst = generics.bound_vars_subst(db, DebruijnIndex::INNERMOST);
1540     let ty = TyKind::Adt(crate::AdtId(adt), subst).intern(Interner);
1541     make_binders(db, &generics, ty)
1542 }
1543
1544 fn type_for_type_alias(db: &dyn HirDatabase, t: TypeAliasId) -> Binders<Ty> {
1545     let generics = generics(db.upcast(), t.into());
1546     let resolver = t.resolver(db.upcast());
1547     let ctx =
1548         TyLoweringContext::new(db, &resolver).with_type_param_mode(ParamLoweringMode::Variable);
1549     if db.type_alias_data(t).is_extern {
1550         Binders::empty(Interner, TyKind::Foreign(crate::to_foreign_def_id(t)).intern(Interner))
1551     } else {
1552         let type_ref = &db.type_alias_data(t).type_ref;
1553         let inner = ctx.lower_ty(type_ref.as_deref().unwrap_or(&TypeRef::Error));
1554         make_binders(db, &generics, inner)
1555     }
1556 }
1557
1558 #[derive(Clone, Copy, Debug, PartialEq, Eq, Hash)]
1559 pub enum CallableDefId {
1560     FunctionId(FunctionId),
1561     StructId(StructId),
1562     EnumVariantId(EnumVariantId),
1563 }
1564 impl_from!(FunctionId, StructId, EnumVariantId for CallableDefId);
1565
1566 impl CallableDefId {
1567     pub fn krate(self, db: &dyn HirDatabase) -> CrateId {
1568         let db = db.upcast();
1569         match self {
1570             CallableDefId::FunctionId(f) => f.lookup(db).module(db),
1571             CallableDefId::StructId(s) => s.lookup(db).container,
1572             CallableDefId::EnumVariantId(e) => e.parent.lookup(db).container,
1573         }
1574         .krate()
1575     }
1576 }
1577
1578 impl From<CallableDefId> for GenericDefId {
1579     fn from(def: CallableDefId) -> GenericDefId {
1580         match def {
1581             CallableDefId::FunctionId(f) => f.into(),
1582             CallableDefId::StructId(s) => s.into(),
1583             CallableDefId::EnumVariantId(e) => e.into(),
1584         }
1585     }
1586 }
1587
1588 #[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
1589 pub enum TyDefId {
1590     BuiltinType(BuiltinType),
1591     AdtId(AdtId),
1592     TypeAliasId(TypeAliasId),
1593 }
1594 impl_from!(BuiltinType, AdtId(StructId, EnumId, UnionId), TypeAliasId for TyDefId);
1595
1596 #[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
1597 pub enum ValueTyDefId {
1598     FunctionId(FunctionId),
1599     StructId(StructId),
1600     UnionId(UnionId),
1601     EnumVariantId(EnumVariantId),
1602     ConstId(ConstId),
1603     StaticId(StaticId),
1604 }
1605 impl_from!(FunctionId, StructId, UnionId, EnumVariantId, ConstId, StaticId for ValueTyDefId);
1606
1607 /// Build the declared type of an item. This depends on the namespace; e.g. for
1608 /// `struct Foo(usize)`, we have two types: The type of the struct itself, and
1609 /// the constructor function `(usize) -> Foo` which lives in the values
1610 /// namespace.
1611 pub(crate) fn ty_query(db: &dyn HirDatabase, def: TyDefId) -> Binders<Ty> {
1612     match def {
1613         TyDefId::BuiltinType(it) => Binders::empty(Interner, TyBuilder::builtin(it)),
1614         TyDefId::AdtId(it) => type_for_adt(db, it),
1615         TyDefId::TypeAliasId(it) => type_for_type_alias(db, it),
1616     }
1617 }
1618
1619 pub(crate) fn ty_recover(db: &dyn HirDatabase, _cycle: &[String], def: &TyDefId) -> Binders<Ty> {
1620     let generics = match *def {
1621         TyDefId::BuiltinType(_) => return Binders::empty(Interner, TyKind::Error.intern(Interner)),
1622         TyDefId::AdtId(it) => generics(db.upcast(), it.into()),
1623         TyDefId::TypeAliasId(it) => generics(db.upcast(), it.into()),
1624     };
1625     make_binders(db, &generics, TyKind::Error.intern(Interner))
1626 }
1627
1628 pub(crate) fn value_ty_query(db: &dyn HirDatabase, def: ValueTyDefId) -> Binders<Ty> {
1629     match def {
1630         ValueTyDefId::FunctionId(it) => type_for_fn(db, it),
1631         ValueTyDefId::StructId(it) => type_for_struct_constructor(db, it),
1632         ValueTyDefId::UnionId(it) => type_for_adt(db, it.into()),
1633         ValueTyDefId::EnumVariantId(it) => type_for_enum_variant_constructor(db, it),
1634         ValueTyDefId::ConstId(it) => type_for_const(db, it),
1635         ValueTyDefId::StaticId(it) => type_for_static(db, it),
1636     }
1637 }
1638
1639 pub(crate) fn impl_self_ty_query(db: &dyn HirDatabase, impl_id: ImplId) -> Binders<Ty> {
1640     let impl_loc = impl_id.lookup(db.upcast());
1641     let impl_data = db.impl_data(impl_id);
1642     let resolver = impl_id.resolver(db.upcast());
1643     let _cx = stdx::panic_context::enter(format!(
1644         "impl_self_ty_query({:?} -> {:?} -> {:?})",
1645         impl_id, impl_loc, impl_data
1646     ));
1647     let generics = generics(db.upcast(), impl_id.into());
1648     let ctx =
1649         TyLoweringContext::new(db, &resolver).with_type_param_mode(ParamLoweringMode::Variable);
1650     make_binders(db, &generics, ctx.lower_ty(&impl_data.self_ty))
1651 }
1652
1653 // returns None if def is a type arg
1654 pub(crate) fn const_param_ty_query(db: &dyn HirDatabase, def: ConstParamId) -> Ty {
1655     let parent_data = db.generic_params(def.parent());
1656     let data = &parent_data.type_or_consts[def.local_id()];
1657     let resolver = def.parent().resolver(db.upcast());
1658     let ctx = TyLoweringContext::new(db, &resolver);
1659     match data {
1660         TypeOrConstParamData::TypeParamData(_) => {
1661             never!();
1662             Ty::new(Interner, TyKind::Error)
1663         }
1664         TypeOrConstParamData::ConstParamData(d) => ctx.lower_ty(&d.ty),
1665     }
1666 }
1667
1668 pub(crate) fn impl_self_ty_recover(
1669     db: &dyn HirDatabase,
1670     _cycle: &[String],
1671     impl_id: &ImplId,
1672 ) -> Binders<Ty> {
1673     let generics = generics(db.upcast(), (*impl_id).into());
1674     make_binders(db, &generics, TyKind::Error.intern(Interner))
1675 }
1676
1677 pub(crate) fn impl_trait_query(db: &dyn HirDatabase, impl_id: ImplId) -> Option<Binders<TraitRef>> {
1678     let impl_loc = impl_id.lookup(db.upcast());
1679     let impl_data = db.impl_data(impl_id);
1680     let resolver = impl_id.resolver(db.upcast());
1681     let _cx = stdx::panic_context::enter(format!(
1682         "impl_trait_query({:?} -> {:?} -> {:?})",
1683         impl_id, impl_loc, impl_data
1684     ));
1685     let ctx =
1686         TyLoweringContext::new(db, &resolver).with_type_param_mode(ParamLoweringMode::Variable);
1687     let (self_ty, binders) = db.impl_self_ty(impl_id).into_value_and_skipped_binders();
1688     let target_trait = impl_data.target_trait.as_ref()?;
1689     Some(Binders::new(binders, ctx.lower_trait_ref(target_trait, Some(self_ty))?))
1690 }
1691
1692 pub(crate) fn return_type_impl_traits(
1693     db: &dyn HirDatabase,
1694     def: hir_def::FunctionId,
1695 ) -> Option<Arc<Binders<ReturnTypeImplTraits>>> {
1696     // FIXME unify with fn_sig_for_fn instead of doing lowering twice, maybe
1697     let data = db.function_data(def);
1698     let resolver = def.resolver(db.upcast());
1699     let ctx_ret = TyLoweringContext::new(db, &resolver)
1700         .with_impl_trait_mode(ImplTraitLoweringMode::Opaque)
1701         .with_type_param_mode(ParamLoweringMode::Variable);
1702     let _ret = (&ctx_ret).lower_ty(&data.ret_type);
1703     let generics = generics(db.upcast(), def.into());
1704     let return_type_impl_traits =
1705         ReturnTypeImplTraits { impl_traits: ctx_ret.opaque_type_data.into_inner() };
1706     if return_type_impl_traits.impl_traits.is_empty() {
1707         None
1708     } else {
1709         Some(Arc::new(make_binders(db, &generics, return_type_impl_traits)))
1710     }
1711 }
1712
1713 pub(crate) fn lower_to_chalk_mutability(m: hir_def::type_ref::Mutability) -> Mutability {
1714     match m {
1715         hir_def::type_ref::Mutability::Shared => Mutability::Not,
1716         hir_def::type_ref::Mutability::Mut => Mutability::Mut,
1717     }
1718 }
1719
1720 /// Checks if the provided generic arg matches its expected kind, then lower them via
1721 /// provided closures. Use unknown if there was kind mismatch.
1722 ///
1723 /// Returns `Some` of the lowered generic arg. `None` if the provided arg is a lifetime.
1724 pub(crate) fn generic_arg_to_chalk<'a, T>(
1725     db: &dyn HirDatabase,
1726     kind_id: Either<TypeParamId, ConstParamId>,
1727     arg: &'a GenericArg,
1728     this: &mut T,
1729     for_type: impl FnOnce(&mut T, &TypeRef) -> Ty + 'a,
1730     for_const: impl FnOnce(&mut T, &ConstScalarOrPath, Ty) -> Const + 'a,
1731 ) -> Option<crate::GenericArg> {
1732     let kind = match kind_id {
1733         Either::Left(_) => ParamKind::Type,
1734         Either::Right(id) => {
1735             let ty = db.const_param_ty(id);
1736             ParamKind::Const(ty)
1737         }
1738     };
1739     Some(match (arg, kind) {
1740         (GenericArg::Type(type_ref), ParamKind::Type) => {
1741             let ty = for_type(this, type_ref);
1742             GenericArgData::Ty(ty).intern(Interner)
1743         }
1744         (GenericArg::Const(c), ParamKind::Const(c_ty)) => {
1745             GenericArgData::Const(for_const(this, c, c_ty)).intern(Interner)
1746         }
1747         (GenericArg::Const(_), ParamKind::Type) => {
1748             GenericArgData::Ty(TyKind::Error.intern(Interner)).intern(Interner)
1749         }
1750         (GenericArg::Type(t), ParamKind::Const(c_ty)) => {
1751             // We want to recover simple idents, which parser detects them
1752             // as types. Maybe here is not the best place to do it, but
1753             // it works.
1754             if let TypeRef::Path(p) = t {
1755                 let p = p.mod_path();
1756                 if p.kind == PathKind::Plain {
1757                     if let [n] = p.segments() {
1758                         let c = ConstScalarOrPath::Path(n.clone());
1759                         return Some(
1760                             GenericArgData::Const(for_const(this, &c, c_ty)).intern(Interner),
1761                         );
1762                     }
1763                 }
1764             }
1765             unknown_const_as_generic(c_ty)
1766         }
1767         (GenericArg::Lifetime(_), _) => return None,
1768     })
1769 }
1770
1771 pub(crate) fn const_or_path_to_chalk(
1772     db: &dyn HirDatabase,
1773     resolver: &Resolver,
1774     expected_ty: Ty,
1775     value: &ConstScalarOrPath,
1776     mode: ParamLoweringMode,
1777     args: impl FnOnce() -> Generics,
1778     debruijn: DebruijnIndex,
1779 ) -> Const {
1780     match value {
1781         ConstScalarOrPath::Scalar(s) => intern_const_scalar(s.clone(), expected_ty),
1782         ConstScalarOrPath::Path(n) => {
1783             let path = ModPath::from_segments(PathKind::Plain, Some(n.clone()));
1784             path_to_const(db, resolver, &path, mode, args, debruijn)
1785                 .unwrap_or_else(|| unknown_const(expected_ty))
1786         }
1787     }
1788 }
1789
1790 /// This replaces any 'free' Bound vars in `s` (i.e. those with indices past
1791 /// num_vars_to_keep) by `TyKind::Unknown`.
1792 fn fallback_bound_vars<T: TypeFoldable<Interner> + HasInterner<Interner = Interner>>(
1793     s: T,
1794     num_vars_to_keep: usize,
1795 ) -> T {
1796     crate::fold_free_vars(
1797         s,
1798         |bound, binders| {
1799             if bound.index >= num_vars_to_keep && bound.debruijn == DebruijnIndex::INNERMOST {
1800                 TyKind::Error.intern(Interner)
1801             } else {
1802                 bound.shifted_in_from(binders).to_ty(Interner)
1803             }
1804         },
1805         |ty, bound, binders| {
1806             if bound.index >= num_vars_to_keep && bound.debruijn == DebruijnIndex::INNERMOST {
1807                 unknown_const(ty.clone())
1808             } else {
1809                 bound.shifted_in_from(binders).to_const(Interner, ty)
1810             }
1811         },
1812     )
1813 }