]> git.lizzy.rs Git - rust.git/blob - crates/hir/src/lib.rs
a7c42ca1e5fe78a8cd600cc18fa74454f24cb756
[rust.git] / crates / hir / src / lib.rs
1 //! HIR (previously known as descriptors) provides a high-level object oriented
2 //! access to Rust code.
3 //!
4 //! The principal difference between HIR and syntax trees is that HIR is bound
5 //! to a particular crate instance. That is, it has cfg flags and features
6 //! applied. So, the relation between syntax and HIR is many-to-one.
7 //!
8 //! HIR is the public API of the all of the compiler logic above syntax trees.
9 //! It is written in "OO" style. Each type is self contained (as in, it knows it's
10 //! parents and full context). It should be "clean code".
11 //!
12 //! `hir_*` crates are the implementation of the compiler logic.
13 //! They are written in "ECS" style, with relatively little abstractions.
14 //! Many types are not self-contained, and explicitly use local indexes, arenas, etc.
15 //!
16 //! `hir` is what insulates the "we don't know how to actually write an incremental compiler"
17 //! from the ide with completions, hovers, etc. It is a (soft, internal) boundary:
18 //! https://www.tedinski.com/2018/02/06/system-boundaries.html.
19
20 #![recursion_limit = "512"]
21
22 mod semantics;
23 mod source_analyzer;
24
25 mod from_id;
26 mod attrs;
27 mod has_source;
28
29 pub mod diagnostics;
30 pub mod db;
31
32 mod display;
33
34 use std::{iter, sync::Arc};
35
36 use arrayvec::ArrayVec;
37 use base_db::{CrateDisplayName, CrateId, Edition, FileId};
38 use either::Either;
39 use hir_def::{
40     adt::{ReprKind, VariantData},
41     expr::{BindingAnnotation, LabelId, Pat, PatId},
42     item_tree::ItemTreeNode,
43     lang_item::LangItemTarget,
44     per_ns::PerNs,
45     resolver::{HasResolver, Resolver},
46     src::HasSource as _,
47     type_ref::TraitRef,
48     AdtId, AssocContainerId, AssocItemId, AssocItemLoc, AttrDefId, ConstId, ConstParamId,
49     DefWithBodyId, EnumId, FunctionId, GenericDefId, HasModule, ImplId, LifetimeParamId,
50     LocalEnumVariantId, LocalFieldId, Lookup, ModuleId, StaticId, StructId, TraitId, TypeAliasId,
51     TypeParamId, UnionId,
52 };
53 use hir_expand::{diagnostics::DiagnosticSink, name::name, MacroDefKind};
54 use hir_ty::{
55     autoderef,
56     consteval::ConstExt,
57     could_unify,
58     method_resolution::{self, def_crates, TyFingerprint},
59     primitive::UintTy,
60     subst_prefix,
61     traits::FnTrait,
62     AliasEq, AliasTy, BoundVar, CallableDefId, CallableSig, Canonical, CanonicalVarKinds, Cast,
63     DebruijnIndex, InEnvironment, Interner, QuantifiedWhereClause, Scalar, Solution, Substitution,
64     TraitEnvironment, TraitRefExt, Ty, TyBuilder, TyDefId, TyExt, TyKind, TyVariableKind,
65     WhereClause,
66 };
67 use itertools::Itertools;
68 use rustc_hash::FxHashSet;
69 use stdx::{format_to, impl_from};
70 use syntax::{
71     ast::{self, AttrsOwner, NameOwner},
72     AstNode, SmolStr,
73 };
74 use tt::{Ident, Leaf, Literal, TokenTree};
75
76 use crate::db::{DefDatabase, HirDatabase};
77
78 pub use crate::{
79     attrs::{HasAttrs, Namespace},
80     has_source::HasSource,
81     semantics::{PathResolution, Semantics, SemanticsScope},
82 };
83
84 // Be careful with these re-exports.
85 //
86 // `hir` is the boundary between the compiler and the IDE. It should try hard to
87 // isolate the compiler from the ide, to allow the two to be refactored
88 // independently. Re-exporting something from the compiler is the sure way to
89 // breach the boundary.
90 //
91 // Generally, a refactoring which *removes* a name from this list is a good
92 // idea!
93 pub use {
94     cfg::{CfgAtom, CfgExpr, CfgOptions},
95     hir_def::{
96         adt::StructKind,
97         attr::{Attr, Attrs, AttrsWithOwner, Documentation},
98         body::scope::ExprScopes,
99         find_path::PrefixKind,
100         import_map,
101         item_scope::ItemInNs,
102         nameres::ModuleSource,
103         path::{ModPath, PathKind},
104         type_ref::{Mutability, TypeRef},
105         visibility::Visibility,
106     },
107     hir_expand::{
108         name::{known, Name},
109         ExpandResult, HirFileId, InFile, MacroCallId, MacroCallLoc, /* FIXME */ MacroDefId,
110         MacroFile, Origin,
111     },
112     hir_ty::display::HirDisplay,
113 };
114
115 // These are negative re-exports: pub using these names is forbidden, they
116 // should remain private to hir internals.
117 #[allow(unused)]
118 use {
119     hir_def::path::Path,
120     hir_expand::{hygiene::Hygiene, name::AsName},
121 };
122
123 /// hir::Crate describes a single crate. It's the main interface with which
124 /// a crate's dependencies interact. Mostly, it should be just a proxy for the
125 /// root module.
126 #[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
127 pub struct Crate {
128     pub(crate) id: CrateId,
129 }
130
131 #[derive(Debug)]
132 pub struct CrateDependency {
133     pub krate: Crate,
134     pub name: Name,
135 }
136
137 impl Crate {
138     pub fn dependencies(self, db: &dyn HirDatabase) -> Vec<CrateDependency> {
139         db.crate_graph()[self.id]
140             .dependencies
141             .iter()
142             .map(|dep| {
143                 let krate = Crate { id: dep.crate_id };
144                 let name = dep.as_name();
145                 CrateDependency { krate, name }
146             })
147             .collect()
148     }
149
150     pub fn reverse_dependencies(self, db: &dyn HirDatabase) -> Vec<Crate> {
151         let crate_graph = db.crate_graph();
152         crate_graph
153             .iter()
154             .filter(|&krate| {
155                 crate_graph[krate].dependencies.iter().any(|it| it.crate_id == self.id)
156             })
157             .map(|id| Crate { id })
158             .collect()
159     }
160
161     pub fn transitive_reverse_dependencies(self, db: &dyn HirDatabase) -> Vec<Crate> {
162         db.crate_graph().transitive_rev_deps(self.id).into_iter().map(|id| Crate { id }).collect()
163     }
164
165     pub fn root_module(self, db: &dyn HirDatabase) -> Module {
166         let def_map = db.crate_def_map(self.id);
167         Module { id: def_map.module_id(def_map.root()) }
168     }
169
170     pub fn root_file(self, db: &dyn HirDatabase) -> FileId {
171         db.crate_graph()[self.id].root_file_id
172     }
173
174     pub fn edition(self, db: &dyn HirDatabase) -> Edition {
175         db.crate_graph()[self.id].edition
176     }
177
178     pub fn display_name(self, db: &dyn HirDatabase) -> Option<CrateDisplayName> {
179         db.crate_graph()[self.id].display_name.clone()
180     }
181
182     pub fn query_external_importables(
183         self,
184         db: &dyn DefDatabase,
185         query: import_map::Query,
186     ) -> impl Iterator<Item = Either<ModuleDef, MacroDef>> {
187         import_map::search_dependencies(db, self.into(), query).into_iter().map(|item| match item {
188             ItemInNs::Types(mod_id) | ItemInNs::Values(mod_id) => Either::Left(mod_id.into()),
189             ItemInNs::Macros(mac_id) => Either::Right(mac_id.into()),
190         })
191     }
192
193     pub fn all(db: &dyn HirDatabase) -> Vec<Crate> {
194         db.crate_graph().iter().map(|id| Crate { id }).collect()
195     }
196
197     /// Try to get the root URL of the documentation of a crate.
198     pub fn get_html_root_url(self: &Crate, db: &dyn HirDatabase) -> Option<String> {
199         // Look for #![doc(html_root_url = "...")]
200         let attrs = db.attrs(AttrDefId::ModuleId(self.root_module(db).into()));
201         let doc_attr_q = attrs.by_key("doc");
202
203         if !doc_attr_q.exists() {
204             return None;
205         }
206
207         let doc_url = doc_attr_q.tt_values().map(|tt| {
208             let name = tt.token_trees.iter()
209                 .skip_while(|tt| !matches!(tt, TokenTree::Leaf(Leaf::Ident(Ident{text: ref ident, ..})) if ident == "html_root_url"))
210                 .skip(2)
211                 .next();
212
213             match name {
214                 Some(TokenTree::Leaf(Leaf::Literal(Literal{ref text, ..}))) => Some(text),
215                 _ => None
216             }
217         }).flatten().next();
218
219         doc_url.map(|s| s.trim_matches('"').trim_end_matches('/').to_owned() + "/")
220     }
221
222     pub fn cfg(&self, db: &dyn HirDatabase) -> CfgOptions {
223         db.crate_graph()[self.id].cfg_options.clone()
224     }
225 }
226
227 #[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
228 pub struct Module {
229     pub(crate) id: ModuleId,
230 }
231
232 /// The defs which can be visible in the module.
233 #[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
234 pub enum ModuleDef {
235     Module(Module),
236     Function(Function),
237     Adt(Adt),
238     // Can't be directly declared, but can be imported.
239     Variant(Variant),
240     Const(Const),
241     Static(Static),
242     Trait(Trait),
243     TypeAlias(TypeAlias),
244     BuiltinType(BuiltinType),
245 }
246 impl_from!(
247     Module,
248     Function,
249     Adt(Struct, Enum, Union),
250     Variant,
251     Const,
252     Static,
253     Trait,
254     TypeAlias,
255     BuiltinType
256     for ModuleDef
257 );
258
259 impl From<VariantDef> for ModuleDef {
260     fn from(var: VariantDef) -> Self {
261         match var {
262             VariantDef::Struct(t) => Adt::from(t).into(),
263             VariantDef::Union(t) => Adt::from(t).into(),
264             VariantDef::Variant(t) => t.into(),
265         }
266     }
267 }
268
269 impl ModuleDef {
270     pub fn module(self, db: &dyn HirDatabase) -> Option<Module> {
271         match self {
272             ModuleDef::Module(it) => it.parent(db),
273             ModuleDef::Function(it) => Some(it.module(db)),
274             ModuleDef::Adt(it) => Some(it.module(db)),
275             ModuleDef::Variant(it) => Some(it.module(db)),
276             ModuleDef::Const(it) => Some(it.module(db)),
277             ModuleDef::Static(it) => Some(it.module(db)),
278             ModuleDef::Trait(it) => Some(it.module(db)),
279             ModuleDef::TypeAlias(it) => Some(it.module(db)),
280             ModuleDef::BuiltinType(_) => None,
281         }
282     }
283
284     pub fn canonical_path(&self, db: &dyn HirDatabase) -> Option<String> {
285         let mut segments = vec![self.name(db)?.to_string()];
286         for m in self.module(db)?.path_to_root(db) {
287             segments.extend(m.name(db).map(|it| it.to_string()))
288         }
289         segments.reverse();
290         Some(segments.join("::"))
291     }
292
293     pub fn definition_visibility(&self, db: &dyn HirDatabase) -> Option<Visibility> {
294         let module = match self {
295             ModuleDef::Module(it) => it.parent(db)?,
296             ModuleDef::Function(it) => return Some(it.visibility(db)),
297             ModuleDef::Adt(it) => it.module(db),
298             ModuleDef::Variant(it) => {
299                 let parent = it.parent_enum(db);
300                 let module = it.module(db);
301                 return module.visibility_of(db, &ModuleDef::Adt(Adt::Enum(parent)));
302             }
303             ModuleDef::Const(it) => return Some(it.visibility(db)),
304             ModuleDef::Static(it) => it.module(db),
305             ModuleDef::Trait(it) => it.module(db),
306             ModuleDef::TypeAlias(it) => return Some(it.visibility(db)),
307             ModuleDef::BuiltinType(_) => return None,
308         };
309
310         module.visibility_of(db, self)
311     }
312
313     pub fn name(self, db: &dyn HirDatabase) -> Option<Name> {
314         match self {
315             ModuleDef::Adt(it) => Some(it.name(db)),
316             ModuleDef::Trait(it) => Some(it.name(db)),
317             ModuleDef::Function(it) => Some(it.name(db)),
318             ModuleDef::Variant(it) => Some(it.name(db)),
319             ModuleDef::TypeAlias(it) => Some(it.name(db)),
320             ModuleDef::Module(it) => it.name(db),
321             ModuleDef::Const(it) => it.name(db),
322             ModuleDef::Static(it) => it.name(db),
323             ModuleDef::BuiltinType(it) => Some(it.name()),
324         }
325     }
326
327     pub fn diagnostics(self, db: &dyn HirDatabase, sink: &mut DiagnosticSink) {
328         let id = match self {
329             ModuleDef::Adt(it) => match it {
330                 Adt::Struct(it) => it.id.into(),
331                 Adt::Enum(it) => it.id.into(),
332                 Adt::Union(it) => it.id.into(),
333             },
334             ModuleDef::Trait(it) => it.id.into(),
335             ModuleDef::Function(it) => it.id.into(),
336             ModuleDef::TypeAlias(it) => it.id.into(),
337             ModuleDef::Module(it) => it.id.into(),
338             ModuleDef::Const(it) => it.id.into(),
339             ModuleDef::Static(it) => it.id.into(),
340             _ => return,
341         };
342
343         let module = match self.module(db) {
344             Some(it) => it,
345             None => return,
346         };
347
348         hir_ty::diagnostics::validate_module_item(db, module.id.krate(), id, sink)
349     }
350 }
351
352 impl Module {
353     /// Name of this module.
354     pub fn name(self, db: &dyn HirDatabase) -> Option<Name> {
355         let def_map = self.id.def_map(db.upcast());
356         let parent = def_map[self.id.local_id].parent?;
357         def_map[parent].children.iter().find_map(|(name, module_id)| {
358             if *module_id == self.id.local_id {
359                 Some(name.clone())
360             } else {
361                 None
362             }
363         })
364     }
365
366     /// Returns the crate this module is part of.
367     pub fn krate(self) -> Crate {
368         Crate { id: self.id.krate() }
369     }
370
371     /// Topmost parent of this module. Every module has a `crate_root`, but some
372     /// might be missing `krate`. This can happen if a module's file is not included
373     /// in the module tree of any target in `Cargo.toml`.
374     pub fn crate_root(self, db: &dyn HirDatabase) -> Module {
375         let def_map = db.crate_def_map(self.id.krate());
376         Module { id: def_map.module_id(def_map.root()) }
377     }
378
379     /// Iterates over all child modules.
380     pub fn children(self, db: &dyn HirDatabase) -> impl Iterator<Item = Module> {
381         let def_map = self.id.def_map(db.upcast());
382         let children = def_map[self.id.local_id]
383             .children
384             .iter()
385             .map(|(_, module_id)| Module { id: def_map.module_id(*module_id) })
386             .collect::<Vec<_>>();
387         children.into_iter()
388     }
389
390     /// Finds a parent module.
391     pub fn parent(self, db: &dyn HirDatabase) -> Option<Module> {
392         // FIXME: handle block expressions as modules (their parent is in a different DefMap)
393         let def_map = self.id.def_map(db.upcast());
394         let parent_id = def_map[self.id.local_id].parent?;
395         Some(Module { id: def_map.module_id(parent_id) })
396     }
397
398     pub fn path_to_root(self, db: &dyn HirDatabase) -> Vec<Module> {
399         let mut res = vec![self];
400         let mut curr = self;
401         while let Some(next) = curr.parent(db) {
402             res.push(next);
403             curr = next
404         }
405         res
406     }
407
408     /// Returns a `ModuleScope`: a set of items, visible in this module.
409     pub fn scope(
410         self,
411         db: &dyn HirDatabase,
412         visible_from: Option<Module>,
413     ) -> Vec<(Name, ScopeDef)> {
414         self.id.def_map(db.upcast())[self.id.local_id]
415             .scope
416             .entries()
417             .filter_map(|(name, def)| {
418                 if let Some(m) = visible_from {
419                     let filtered =
420                         def.filter_visibility(|vis| vis.is_visible_from(db.upcast(), m.id));
421                     if filtered.is_none() && !def.is_none() {
422                         None
423                     } else {
424                         Some((name, filtered))
425                     }
426                 } else {
427                     Some((name, def))
428                 }
429             })
430             .flat_map(|(name, def)| {
431                 ScopeDef::all_items(def).into_iter().map(move |item| (name.clone(), item))
432             })
433             .collect()
434     }
435
436     pub fn visibility_of(self, db: &dyn HirDatabase, def: &ModuleDef) -> Option<Visibility> {
437         self.id.def_map(db.upcast())[self.id.local_id].scope.visibility_of(def.clone().into())
438     }
439
440     pub fn diagnostics(self, db: &dyn HirDatabase, sink: &mut DiagnosticSink) {
441         let _p = profile::span("Module::diagnostics").detail(|| {
442             format!("{:?}", self.name(db).map_or("<unknown>".into(), |name| name.to_string()))
443         });
444         let def_map = self.id.def_map(db.upcast());
445         def_map.add_diagnostics(db.upcast(), self.id.local_id, sink);
446         for decl in self.declarations(db) {
447             match decl {
448                 crate::ModuleDef::Function(f) => f.diagnostics(db, sink),
449                 crate::ModuleDef::Module(m) => {
450                     // Only add diagnostics from inline modules
451                     if def_map[m.id.local_id].origin.is_inline() {
452                         m.diagnostics(db, sink)
453                     }
454                 }
455                 _ => {
456                     decl.diagnostics(db, sink);
457                 }
458             }
459         }
460
461         for impl_def in self.impl_defs(db) {
462             for item in impl_def.items(db) {
463                 if let AssocItem::Function(f) = item {
464                     f.diagnostics(db, sink);
465                 }
466             }
467         }
468     }
469
470     pub fn declarations(self, db: &dyn HirDatabase) -> Vec<ModuleDef> {
471         let def_map = self.id.def_map(db.upcast());
472         def_map[self.id.local_id].scope.declarations().map(ModuleDef::from).collect()
473     }
474
475     pub fn impl_defs(self, db: &dyn HirDatabase) -> Vec<Impl> {
476         let def_map = self.id.def_map(db.upcast());
477         def_map[self.id.local_id].scope.impls().map(Impl::from).collect()
478     }
479
480     /// Finds a path that can be used to refer to the given item from within
481     /// this module, if possible.
482     pub fn find_use_path(self, db: &dyn DefDatabase, item: impl Into<ItemInNs>) -> Option<ModPath> {
483         hir_def::find_path::find_path(db, item.into(), self.into())
484     }
485
486     /// Finds a path that can be used to refer to the given item from within
487     /// this module, if possible. This is used for returning import paths for use-statements.
488     pub fn find_use_path_prefixed(
489         self,
490         db: &dyn DefDatabase,
491         item: impl Into<ItemInNs>,
492         prefix_kind: PrefixKind,
493     ) -> Option<ModPath> {
494         hir_def::find_path::find_path_prefixed(db, item.into(), self.into(), prefix_kind)
495     }
496 }
497
498 #[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
499 pub struct Field {
500     pub(crate) parent: VariantDef,
501     pub(crate) id: LocalFieldId,
502 }
503
504 #[derive(Debug, PartialEq, Eq)]
505 pub enum FieldSource {
506     Named(ast::RecordField),
507     Pos(ast::TupleField),
508 }
509
510 impl Field {
511     pub fn name(&self, db: &dyn HirDatabase) -> Name {
512         self.parent.variant_data(db).fields()[self.id].name.clone()
513     }
514
515     /// Returns the type as in the signature of the struct (i.e., with
516     /// placeholder types for type parameters). This is good for showing
517     /// signature help, but not so good to actually get the type of the field
518     /// when you actually have a variable of the struct.
519     pub fn ty(&self, db: &dyn HirDatabase) -> Type {
520         let var_id = self.parent.into();
521         let generic_def_id: GenericDefId = match self.parent {
522             VariantDef::Struct(it) => it.id.into(),
523             VariantDef::Union(it) => it.id.into(),
524             VariantDef::Variant(it) => it.parent.id.into(),
525         };
526         let substs = TyBuilder::type_params_subst(db, generic_def_id);
527         let ty = db.field_types(var_id)[self.id].clone().substitute(&Interner, &substs);
528         Type::new(db, self.parent.module(db).id.krate(), var_id, ty)
529     }
530
531     pub fn parent_def(&self, _db: &dyn HirDatabase) -> VariantDef {
532         self.parent
533     }
534 }
535
536 impl HasVisibility for Field {
537     fn visibility(&self, db: &dyn HirDatabase) -> Visibility {
538         let variant_data = self.parent.variant_data(db);
539         let visibility = &variant_data.fields()[self.id].visibility;
540         let parent_id: hir_def::VariantId = self.parent.into();
541         visibility.resolve(db.upcast(), &parent_id.resolver(db.upcast()))
542     }
543 }
544
545 #[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
546 pub struct Struct {
547     pub(crate) id: StructId,
548 }
549
550 impl Struct {
551     pub fn module(self, db: &dyn HirDatabase) -> Module {
552         Module { id: self.id.lookup(db.upcast()).container }
553     }
554
555     pub fn krate(self, db: &dyn HirDatabase) -> Option<Crate> {
556         Some(self.module(db).krate())
557     }
558
559     pub fn name(self, db: &dyn HirDatabase) -> Name {
560         db.struct_data(self.id).name.clone()
561     }
562
563     pub fn fields(self, db: &dyn HirDatabase) -> Vec<Field> {
564         db.struct_data(self.id)
565             .variant_data
566             .fields()
567             .iter()
568             .map(|(id, _)| Field { parent: self.into(), id })
569             .collect()
570     }
571
572     pub fn ty(self, db: &dyn HirDatabase) -> Type {
573         Type::from_def(db, self.id.lookup(db.upcast()).container.krate(), self.id)
574     }
575
576     pub fn repr(self, db: &dyn HirDatabase) -> Option<ReprKind> {
577         db.struct_data(self.id).repr.clone()
578     }
579
580     pub fn kind(self, db: &dyn HirDatabase) -> StructKind {
581         self.variant_data(db).kind()
582     }
583
584     fn variant_data(self, db: &dyn HirDatabase) -> Arc<VariantData> {
585         db.struct_data(self.id).variant_data.clone()
586     }
587 }
588
589 impl HasVisibility for Struct {
590     fn visibility(&self, db: &dyn HirDatabase) -> Visibility {
591         db.struct_data(self.id).visibility.resolve(db.upcast(), &self.id.resolver(db.upcast()))
592     }
593 }
594
595 #[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
596 pub struct Union {
597     pub(crate) id: UnionId,
598 }
599
600 impl Union {
601     pub fn name(self, db: &dyn HirDatabase) -> Name {
602         db.union_data(self.id).name.clone()
603     }
604
605     pub fn module(self, db: &dyn HirDatabase) -> Module {
606         Module { id: self.id.lookup(db.upcast()).container }
607     }
608
609     pub fn ty(self, db: &dyn HirDatabase) -> Type {
610         Type::from_def(db, self.id.lookup(db.upcast()).container.krate(), self.id)
611     }
612
613     pub fn fields(self, db: &dyn HirDatabase) -> Vec<Field> {
614         db.union_data(self.id)
615             .variant_data
616             .fields()
617             .iter()
618             .map(|(id, _)| Field { parent: self.into(), id })
619             .collect()
620     }
621
622     fn variant_data(self, db: &dyn HirDatabase) -> Arc<VariantData> {
623         db.union_data(self.id).variant_data.clone()
624     }
625 }
626
627 impl HasVisibility for Union {
628     fn visibility(&self, db: &dyn HirDatabase) -> Visibility {
629         db.union_data(self.id).visibility.resolve(db.upcast(), &self.id.resolver(db.upcast()))
630     }
631 }
632
633 #[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
634 pub struct Enum {
635     pub(crate) id: EnumId,
636 }
637
638 impl Enum {
639     pub fn module(self, db: &dyn HirDatabase) -> Module {
640         Module { id: self.id.lookup(db.upcast()).container }
641     }
642
643     pub fn krate(self, db: &dyn HirDatabase) -> Option<Crate> {
644         Some(self.module(db).krate())
645     }
646
647     pub fn name(self, db: &dyn HirDatabase) -> Name {
648         db.enum_data(self.id).name.clone()
649     }
650
651     pub fn variants(self, db: &dyn HirDatabase) -> Vec<Variant> {
652         db.enum_data(self.id).variants.iter().map(|(id, _)| Variant { parent: self, id }).collect()
653     }
654
655     pub fn ty(self, db: &dyn HirDatabase) -> Type {
656         Type::from_def(db, self.id.lookup(db.upcast()).container.krate(), self.id)
657     }
658 }
659
660 impl HasVisibility for Enum {
661     fn visibility(&self, db: &dyn HirDatabase) -> Visibility {
662         db.enum_data(self.id).visibility.resolve(db.upcast(), &self.id.resolver(db.upcast()))
663     }
664 }
665
666 #[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
667 pub struct Variant {
668     pub(crate) parent: Enum,
669     pub(crate) id: LocalEnumVariantId,
670 }
671
672 impl Variant {
673     pub fn module(self, db: &dyn HirDatabase) -> Module {
674         self.parent.module(db)
675     }
676     pub fn parent_enum(self, _db: &dyn HirDatabase) -> Enum {
677         self.parent
678     }
679
680     pub fn name(self, db: &dyn HirDatabase) -> Name {
681         db.enum_data(self.parent.id).variants[self.id].name.clone()
682     }
683
684     pub fn fields(self, db: &dyn HirDatabase) -> Vec<Field> {
685         self.variant_data(db)
686             .fields()
687             .iter()
688             .map(|(id, _)| Field { parent: self.into(), id })
689             .collect()
690     }
691
692     pub fn kind(self, db: &dyn HirDatabase) -> StructKind {
693         self.variant_data(db).kind()
694     }
695
696     pub(crate) fn variant_data(self, db: &dyn HirDatabase) -> Arc<VariantData> {
697         db.enum_data(self.parent.id).variants[self.id].variant_data.clone()
698     }
699 }
700
701 /// A Data Type
702 #[derive(Clone, Copy, Debug, PartialEq, Eq, Hash)]
703 pub enum Adt {
704     Struct(Struct),
705     Union(Union),
706     Enum(Enum),
707 }
708 impl_from!(Struct, Union, Enum for Adt);
709
710 impl Adt {
711     pub fn has_non_default_type_params(self, db: &dyn HirDatabase) -> bool {
712         let subst = db.generic_defaults(self.into());
713         subst.iter().any(|ty| ty.skip_binders().is_unknown())
714     }
715
716     /// Turns this ADT into a type. Any type parameters of the ADT will be
717     /// turned into unknown types, which is good for e.g. finding the most
718     /// general set of completions, but will not look very nice when printed.
719     pub fn ty(self, db: &dyn HirDatabase) -> Type {
720         let id = AdtId::from(self);
721         Type::from_def(db, id.module(db.upcast()).krate(), id)
722     }
723
724     pub fn module(self, db: &dyn HirDatabase) -> Module {
725         match self {
726             Adt::Struct(s) => s.module(db),
727             Adt::Union(s) => s.module(db),
728             Adt::Enum(e) => e.module(db),
729         }
730     }
731
732     pub fn krate(self, db: &dyn HirDatabase) -> Crate {
733         self.module(db).krate()
734     }
735
736     pub fn name(self, db: &dyn HirDatabase) -> Name {
737         match self {
738             Adt::Struct(s) => s.name(db),
739             Adt::Union(u) => u.name(db),
740             Adt::Enum(e) => e.name(db),
741         }
742     }
743 }
744
745 #[derive(Clone, Copy, Debug, PartialEq, Eq, Hash)]
746 pub enum VariantDef {
747     Struct(Struct),
748     Union(Union),
749     Variant(Variant),
750 }
751 impl_from!(Struct, Union, Variant for VariantDef);
752
753 impl VariantDef {
754     pub fn fields(self, db: &dyn HirDatabase) -> Vec<Field> {
755         match self {
756             VariantDef::Struct(it) => it.fields(db),
757             VariantDef::Union(it) => it.fields(db),
758             VariantDef::Variant(it) => it.fields(db),
759         }
760     }
761
762     pub fn module(self, db: &dyn HirDatabase) -> Module {
763         match self {
764             VariantDef::Struct(it) => it.module(db),
765             VariantDef::Union(it) => it.module(db),
766             VariantDef::Variant(it) => it.module(db),
767         }
768     }
769
770     pub fn name(&self, db: &dyn HirDatabase) -> Name {
771         match self {
772             VariantDef::Struct(s) => s.name(db),
773             VariantDef::Union(u) => u.name(db),
774             VariantDef::Variant(e) => e.name(db),
775         }
776     }
777
778     pub(crate) fn variant_data(self, db: &dyn HirDatabase) -> Arc<VariantData> {
779         match self {
780             VariantDef::Struct(it) => it.variant_data(db),
781             VariantDef::Union(it) => it.variant_data(db),
782             VariantDef::Variant(it) => it.variant_data(db),
783         }
784     }
785 }
786
787 /// The defs which have a body.
788 #[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
789 pub enum DefWithBody {
790     Function(Function),
791     Static(Static),
792     Const(Const),
793 }
794 impl_from!(Function, Const, Static for DefWithBody);
795
796 impl DefWithBody {
797     pub fn module(self, db: &dyn HirDatabase) -> Module {
798         match self {
799             DefWithBody::Const(c) => c.module(db),
800             DefWithBody::Function(f) => f.module(db),
801             DefWithBody::Static(s) => s.module(db),
802         }
803     }
804
805     pub fn name(self, db: &dyn HirDatabase) -> Option<Name> {
806         match self {
807             DefWithBody::Function(f) => Some(f.name(db)),
808             DefWithBody::Static(s) => s.name(db),
809             DefWithBody::Const(c) => c.name(db),
810         }
811     }
812 }
813
814 #[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
815 pub struct Function {
816     pub(crate) id: FunctionId,
817 }
818
819 impl Function {
820     pub fn module(self, db: &dyn HirDatabase) -> Module {
821         self.id.lookup(db.upcast()).module(db.upcast()).into()
822     }
823
824     pub fn krate(self, db: &dyn HirDatabase) -> Option<Crate> {
825         Some(self.module(db).krate())
826     }
827
828     pub fn name(self, db: &dyn HirDatabase) -> Name {
829         db.function_data(self.id).name.clone()
830     }
831
832     /// Get this function's return type
833     pub fn ret_type(self, db: &dyn HirDatabase) -> Type {
834         let resolver = self.id.resolver(db.upcast());
835         let krate = self.id.lookup(db.upcast()).container.module(db.upcast()).krate();
836         let ret_type = &db.function_data(self.id).ret_type;
837         let ctx = hir_ty::TyLoweringContext::new(db, &resolver);
838         let ty = ctx.lower_ty(ret_type);
839         Type::new_with_resolver_inner(db, krate, &resolver, ty)
840     }
841
842     pub fn self_param(self, db: &dyn HirDatabase) -> Option<SelfParam> {
843         if !db.function_data(self.id).has_self_param() {
844             return None;
845         }
846         Some(SelfParam { func: self.id })
847     }
848
849     pub fn assoc_fn_params(self, db: &dyn HirDatabase) -> Vec<Param> {
850         let resolver = self.id.resolver(db.upcast());
851         let krate = self.id.lookup(db.upcast()).container.module(db.upcast()).krate();
852         let ctx = hir_ty::TyLoweringContext::new(db, &resolver);
853         let environment = db.trait_environment(self.id.into());
854         db.function_data(self.id)
855             .params
856             .iter()
857             .enumerate()
858             .map(|(idx, type_ref)| {
859                 let ty = Type { krate, env: environment.clone(), ty: ctx.lower_ty(type_ref) };
860                 Param { func: self, ty, idx }
861             })
862             .collect()
863     }
864
865     pub fn method_params(self, db: &dyn HirDatabase) -> Option<Vec<Param>> {
866         if self.self_param(db).is_none() {
867             return None;
868         }
869         let mut res = self.assoc_fn_params(db);
870         res.remove(0);
871         Some(res)
872     }
873
874     pub fn is_unsafe(self, db: &dyn HirDatabase) -> bool {
875         db.function_data(self.id).is_unsafe()
876     }
877
878     pub fn is_async(self, db: &dyn HirDatabase) -> bool {
879         db.function_data(self.id).is_async()
880     }
881
882     pub fn diagnostics(self, db: &dyn HirDatabase, sink: &mut DiagnosticSink) {
883         let krate = self.module(db).id.krate();
884         hir_def::diagnostics::validate_body(db.upcast(), self.id.into(), sink);
885         hir_ty::diagnostics::validate_module_item(db, krate, self.id.into(), sink);
886         hir_ty::diagnostics::validate_body(db, self.id.into(), sink);
887     }
888
889     /// Whether this function declaration has a definition.
890     ///
891     /// This is false in the case of required (not provided) trait methods.
892     pub fn has_body(self, db: &dyn HirDatabase) -> bool {
893         db.function_data(self.id).has_body()
894     }
895
896     /// A textual representation of the HIR of this function for debugging purposes.
897     pub fn debug_hir(self, db: &dyn HirDatabase) -> String {
898         let body = db.body(self.id.into());
899
900         let mut result = String::new();
901         format_to!(result, "HIR expressions in the body of `{}`:\n", self.name(db));
902         for (id, expr) in body.exprs.iter() {
903             format_to!(result, "{:?}: {:?}\n", id, expr);
904         }
905
906         result
907     }
908 }
909
910 // Note: logically, this belongs to `hir_ty`, but we are not using it there yet.
911 pub enum Access {
912     Shared,
913     Exclusive,
914     Owned,
915 }
916
917 impl From<hir_ty::Mutability> for Access {
918     fn from(mutability: hir_ty::Mutability) -> Access {
919         match mutability {
920             hir_ty::Mutability::Not => Access::Shared,
921             hir_ty::Mutability::Mut => Access::Exclusive,
922         }
923     }
924 }
925
926 #[derive(Clone, Debug)]
927 pub struct Param {
928     func: Function,
929     /// The index in parameter list, including self parameter.
930     idx: usize,
931     ty: Type,
932 }
933
934 impl Param {
935     pub fn ty(&self) -> &Type {
936         &self.ty
937     }
938
939     pub fn as_local(&self, db: &dyn HirDatabase) -> Local {
940         let parent = DefWithBodyId::FunctionId(self.func.into());
941         let body = db.body(parent);
942         Local { parent, pat_id: body.params[self.idx] }
943     }
944
945     pub fn pattern_source(&self, db: &dyn HirDatabase) -> Option<ast::Pat> {
946         self.source(db).and_then(|p| p.value.pat())
947     }
948
949     pub fn source(&self, db: &dyn HirDatabase) -> Option<InFile<ast::Param>> {
950         let InFile { file_id, value } = self.func.source(db)?;
951         let params = value.param_list()?;
952         if params.self_param().is_some() {
953             params.params().nth(self.idx.checked_sub(1)?)
954         } else {
955             params.params().nth(self.idx)
956         }
957         .map(|value| InFile { file_id, value })
958     }
959 }
960
961 #[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
962 pub struct SelfParam {
963     func: FunctionId,
964 }
965
966 impl SelfParam {
967     pub fn access(self, db: &dyn HirDatabase) -> Access {
968         let func_data = db.function_data(self.func);
969         func_data
970             .params
971             .first()
972             .map(|param| match &**param {
973                 TypeRef::Reference(.., mutability) => match mutability {
974                     hir_def::type_ref::Mutability::Shared => Access::Shared,
975                     hir_def::type_ref::Mutability::Mut => Access::Exclusive,
976                 },
977                 _ => Access::Owned,
978             })
979             .unwrap_or(Access::Owned)
980     }
981
982     pub fn display(self, db: &dyn HirDatabase) -> &'static str {
983         match self.access(db) {
984             Access::Shared => "&self",
985             Access::Exclusive => "&mut self",
986             Access::Owned => "self",
987         }
988     }
989
990     pub fn source(&self, db: &dyn HirDatabase) -> Option<InFile<ast::SelfParam>> {
991         let InFile { file_id, value } = Function::from(self.func).source(db)?;
992         value
993             .param_list()
994             .and_then(|params| params.self_param())
995             .map(|value| InFile { file_id, value })
996     }
997 }
998
999 impl HasVisibility for Function {
1000     fn visibility(&self, db: &dyn HirDatabase) -> Visibility {
1001         let function_data = db.function_data(self.id);
1002         let visibility = &function_data.visibility;
1003         visibility.resolve(db.upcast(), &self.id.resolver(db.upcast()))
1004     }
1005 }
1006
1007 #[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
1008 pub struct Const {
1009     pub(crate) id: ConstId,
1010 }
1011
1012 impl Const {
1013     pub fn module(self, db: &dyn HirDatabase) -> Module {
1014         Module { id: self.id.lookup(db.upcast()).module(db.upcast()) }
1015     }
1016
1017     pub fn krate(self, db: &dyn HirDatabase) -> Option<Crate> {
1018         Some(self.module(db).krate())
1019     }
1020
1021     pub fn name(self, db: &dyn HirDatabase) -> Option<Name> {
1022         db.const_data(self.id).name.clone()
1023     }
1024
1025     pub fn type_ref(self, db: &dyn HirDatabase) -> TypeRef {
1026         db.const_data(self.id).type_ref.as_ref().clone()
1027     }
1028 }
1029
1030 impl HasVisibility for Const {
1031     fn visibility(&self, db: &dyn HirDatabase) -> Visibility {
1032         let function_data = db.const_data(self.id);
1033         let visibility = &function_data.visibility;
1034         visibility.resolve(db.upcast(), &self.id.resolver(db.upcast()))
1035     }
1036 }
1037
1038 #[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
1039 pub struct Static {
1040     pub(crate) id: StaticId,
1041 }
1042
1043 impl Static {
1044     pub fn module(self, db: &dyn HirDatabase) -> Module {
1045         Module { id: self.id.lookup(db.upcast()).module(db.upcast()) }
1046     }
1047
1048     pub fn krate(self, db: &dyn HirDatabase) -> Option<Crate> {
1049         Some(self.module(db).krate())
1050     }
1051
1052     pub fn name(self, db: &dyn HirDatabase) -> Option<Name> {
1053         db.static_data(self.id).name.clone()
1054     }
1055
1056     pub fn is_mut(self, db: &dyn HirDatabase) -> bool {
1057         db.static_data(self.id).mutable
1058     }
1059 }
1060
1061 impl HasVisibility for Static {
1062     fn visibility(&self, db: &dyn HirDatabase) -> Visibility {
1063         db.static_data(self.id).visibility.resolve(db.upcast(), &self.id.resolver(db.upcast()))
1064     }
1065 }
1066
1067 #[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
1068 pub struct Trait {
1069     pub(crate) id: TraitId,
1070 }
1071
1072 impl Trait {
1073     pub fn module(self, db: &dyn HirDatabase) -> Module {
1074         Module { id: self.id.lookup(db.upcast()).container }
1075     }
1076
1077     pub fn name(self, db: &dyn HirDatabase) -> Name {
1078         db.trait_data(self.id).name.clone()
1079     }
1080
1081     pub fn items(self, db: &dyn HirDatabase) -> Vec<AssocItem> {
1082         db.trait_data(self.id).items.iter().map(|(_name, it)| (*it).into()).collect()
1083     }
1084
1085     pub fn is_auto(self, db: &dyn HirDatabase) -> bool {
1086         db.trait_data(self.id).is_auto
1087     }
1088
1089     pub fn is_unsafe(&self, db: &dyn HirDatabase) -> bool {
1090         db.trait_data(self.id).is_unsafe
1091     }
1092 }
1093
1094 impl HasVisibility for Trait {
1095     fn visibility(&self, db: &dyn HirDatabase) -> Visibility {
1096         db.trait_data(self.id).visibility.resolve(db.upcast(), &self.id.resolver(db.upcast()))
1097     }
1098 }
1099
1100 #[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
1101 pub struct TypeAlias {
1102     pub(crate) id: TypeAliasId,
1103 }
1104
1105 impl TypeAlias {
1106     pub fn has_non_default_type_params(self, db: &dyn HirDatabase) -> bool {
1107         let subst = db.generic_defaults(self.id.into());
1108         subst.iter().any(|ty| ty.skip_binders().is_unknown())
1109     }
1110
1111     pub fn module(self, db: &dyn HirDatabase) -> Module {
1112         Module { id: self.id.lookup(db.upcast()).module(db.upcast()) }
1113     }
1114
1115     pub fn krate(self, db: &dyn HirDatabase) -> Crate {
1116         self.module(db).krate()
1117     }
1118
1119     pub fn type_ref(self, db: &dyn HirDatabase) -> Option<TypeRef> {
1120         db.type_alias_data(self.id).type_ref.as_deref().cloned()
1121     }
1122
1123     pub fn ty(self, db: &dyn HirDatabase) -> Type {
1124         Type::from_def(db, self.id.lookup(db.upcast()).module(db.upcast()).krate(), self.id)
1125     }
1126
1127     pub fn name(self, db: &dyn HirDatabase) -> Name {
1128         db.type_alias_data(self.id).name.clone()
1129     }
1130 }
1131
1132 impl HasVisibility for TypeAlias {
1133     fn visibility(&self, db: &dyn HirDatabase) -> Visibility {
1134         let function_data = db.type_alias_data(self.id);
1135         let visibility = &function_data.visibility;
1136         visibility.resolve(db.upcast(), &self.id.resolver(db.upcast()))
1137     }
1138 }
1139
1140 #[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
1141 pub struct BuiltinType {
1142     pub(crate) inner: hir_def::builtin_type::BuiltinType,
1143 }
1144
1145 impl BuiltinType {
1146     pub fn ty(self, db: &dyn HirDatabase, module: Module) -> Type {
1147         let resolver = module.id.resolver(db.upcast());
1148         Type::new_with_resolver(db, &resolver, TyBuilder::builtin(self.inner))
1149             .expect("crate not present in resolver")
1150     }
1151
1152     pub fn name(self) -> Name {
1153         self.inner.as_name()
1154     }
1155 }
1156
1157 #[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
1158 pub enum MacroKind {
1159     Declarative,
1160     ProcMacro,
1161     Derive,
1162     BuiltIn,
1163 }
1164
1165 #[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
1166 pub struct MacroDef {
1167     pub(crate) id: MacroDefId,
1168 }
1169
1170 impl MacroDef {
1171     /// FIXME: right now, this just returns the root module of the crate that
1172     /// defines this macro. The reasons for this is that macros are expanded
1173     /// early, in `hir_expand`, where modules simply do not exist yet.
1174     pub fn module(self, db: &dyn HirDatabase) -> Option<Module> {
1175         let krate = self.id.krate;
1176         let def_map = db.crate_def_map(krate);
1177         let module_id = def_map.root();
1178         Some(Module { id: def_map.module_id(module_id) })
1179     }
1180
1181     /// XXX: this parses the file
1182     pub fn name(self, db: &dyn HirDatabase) -> Option<Name> {
1183         match self.source(db)?.value {
1184             Either::Left(it) => it.name().map(|it| it.as_name()),
1185             Either::Right(it) => it.name().map(|it| it.as_name()),
1186         }
1187     }
1188
1189     pub fn kind(&self) -> MacroKind {
1190         match self.id.kind {
1191             MacroDefKind::Declarative(_) => MacroKind::Declarative,
1192             MacroDefKind::BuiltIn(_, _) => MacroKind::BuiltIn,
1193             MacroDefKind::BuiltInDerive(_, _) => MacroKind::Derive,
1194             MacroDefKind::BuiltInEager(_, _) => MacroKind::BuiltIn,
1195             // FIXME might be a derive
1196             MacroDefKind::ProcMacro(_, _) => MacroKind::ProcMacro,
1197         }
1198     }
1199 }
1200
1201 /// Invariant: `inner.as_assoc_item(db).is_some()`
1202 /// We do not actively enforce this invariant.
1203 #[derive(Debug, Copy, Clone, PartialEq, Eq, Hash)]
1204 pub enum AssocItem {
1205     Function(Function),
1206     Const(Const),
1207     TypeAlias(TypeAlias),
1208 }
1209 #[derive(Debug)]
1210 pub enum AssocItemContainer {
1211     Trait(Trait),
1212     Impl(Impl),
1213 }
1214 pub trait AsAssocItem {
1215     fn as_assoc_item(self, db: &dyn HirDatabase) -> Option<AssocItem>;
1216 }
1217
1218 impl AsAssocItem for Function {
1219     fn as_assoc_item(self, db: &dyn HirDatabase) -> Option<AssocItem> {
1220         as_assoc_item(db, AssocItem::Function, self.id)
1221     }
1222 }
1223 impl AsAssocItem for Const {
1224     fn as_assoc_item(self, db: &dyn HirDatabase) -> Option<AssocItem> {
1225         as_assoc_item(db, AssocItem::Const, self.id)
1226     }
1227 }
1228 impl AsAssocItem for TypeAlias {
1229     fn as_assoc_item(self, db: &dyn HirDatabase) -> Option<AssocItem> {
1230         as_assoc_item(db, AssocItem::TypeAlias, self.id)
1231     }
1232 }
1233 impl AsAssocItem for ModuleDef {
1234     fn as_assoc_item(self, db: &dyn HirDatabase) -> Option<AssocItem> {
1235         match self {
1236             ModuleDef::Function(it) => it.as_assoc_item(db),
1237             ModuleDef::Const(it) => it.as_assoc_item(db),
1238             ModuleDef::TypeAlias(it) => it.as_assoc_item(db),
1239             _ => None,
1240         }
1241     }
1242 }
1243 fn as_assoc_item<ID, DEF, CTOR, AST>(db: &dyn HirDatabase, ctor: CTOR, id: ID) -> Option<AssocItem>
1244 where
1245     ID: Lookup<Data = AssocItemLoc<AST>>,
1246     DEF: From<ID>,
1247     CTOR: FnOnce(DEF) -> AssocItem,
1248     AST: ItemTreeNode,
1249 {
1250     match id.lookup(db.upcast()).container {
1251         AssocContainerId::TraitId(_) | AssocContainerId::ImplId(_) => Some(ctor(DEF::from(id))),
1252         AssocContainerId::ModuleId(_) => None,
1253     }
1254 }
1255
1256 impl AssocItem {
1257     pub fn name(self, db: &dyn HirDatabase) -> Option<Name> {
1258         match self {
1259             AssocItem::Function(it) => Some(it.name(db)),
1260             AssocItem::Const(it) => it.name(db),
1261             AssocItem::TypeAlias(it) => Some(it.name(db)),
1262         }
1263     }
1264     pub fn module(self, db: &dyn HirDatabase) -> Module {
1265         match self {
1266             AssocItem::Function(f) => f.module(db),
1267             AssocItem::Const(c) => c.module(db),
1268             AssocItem::TypeAlias(t) => t.module(db),
1269         }
1270     }
1271     pub fn container(self, db: &dyn HirDatabase) -> AssocItemContainer {
1272         let container = match self {
1273             AssocItem::Function(it) => it.id.lookup(db.upcast()).container,
1274             AssocItem::Const(it) => it.id.lookup(db.upcast()).container,
1275             AssocItem::TypeAlias(it) => it.id.lookup(db.upcast()).container,
1276         };
1277         match container {
1278             AssocContainerId::TraitId(id) => AssocItemContainer::Trait(id.into()),
1279             AssocContainerId::ImplId(id) => AssocItemContainer::Impl(id.into()),
1280             AssocContainerId::ModuleId(_) => panic!("invalid AssocItem"),
1281         }
1282     }
1283
1284     pub fn containing_trait(self, db: &dyn HirDatabase) -> Option<Trait> {
1285         match self.container(db) {
1286             AssocItemContainer::Trait(t) => Some(t),
1287             _ => None,
1288         }
1289     }
1290 }
1291
1292 impl HasVisibility for AssocItem {
1293     fn visibility(&self, db: &dyn HirDatabase) -> Visibility {
1294         match self {
1295             AssocItem::Function(f) => f.visibility(db),
1296             AssocItem::Const(c) => c.visibility(db),
1297             AssocItem::TypeAlias(t) => t.visibility(db),
1298         }
1299     }
1300 }
1301
1302 #[derive(Clone, Copy, PartialEq, Eq, Debug, Hash)]
1303 pub enum GenericDef {
1304     Function(Function),
1305     Adt(Adt),
1306     Trait(Trait),
1307     TypeAlias(TypeAlias),
1308     Impl(Impl),
1309     // enum variants cannot have generics themselves, but their parent enums
1310     // can, and this makes some code easier to write
1311     Variant(Variant),
1312     // consts can have type parameters from their parents (i.e. associated consts of traits)
1313     Const(Const),
1314 }
1315 impl_from!(
1316     Function,
1317     Adt(Struct, Enum, Union),
1318     Trait,
1319     TypeAlias,
1320     Impl,
1321     Variant,
1322     Const
1323     for GenericDef
1324 );
1325
1326 impl GenericDef {
1327     pub fn params(self, db: &dyn HirDatabase) -> Vec<GenericParam> {
1328         let generics = db.generic_params(self.into());
1329         let ty_params = generics
1330             .types
1331             .iter()
1332             .map(|(local_id, _)| TypeParam { id: TypeParamId { parent: self.into(), local_id } })
1333             .map(GenericParam::TypeParam);
1334         let lt_params = generics
1335             .lifetimes
1336             .iter()
1337             .map(|(local_id, _)| LifetimeParam {
1338                 id: LifetimeParamId { parent: self.into(), local_id },
1339             })
1340             .map(GenericParam::LifetimeParam);
1341         let const_params = generics
1342             .consts
1343             .iter()
1344             .map(|(local_id, _)| ConstParam { id: ConstParamId { parent: self.into(), local_id } })
1345             .map(GenericParam::ConstParam);
1346         ty_params.chain(lt_params).chain(const_params).collect()
1347     }
1348
1349     pub fn type_params(self, db: &dyn HirDatabase) -> Vec<TypeParam> {
1350         let generics = db.generic_params(self.into());
1351         generics
1352             .types
1353             .iter()
1354             .map(|(local_id, _)| TypeParam { id: TypeParamId { parent: self.into(), local_id } })
1355             .collect()
1356     }
1357 }
1358
1359 #[derive(Clone, Copy, Debug, PartialEq, Eq, Hash)]
1360 pub struct Local {
1361     pub(crate) parent: DefWithBodyId,
1362     pub(crate) pat_id: PatId,
1363 }
1364
1365 impl Local {
1366     pub fn is_param(self, db: &dyn HirDatabase) -> bool {
1367         let src = self.source(db);
1368         match src.value {
1369             Either::Left(bind_pat) => {
1370                 bind_pat.syntax().ancestors().any(|it| ast::Param::can_cast(it.kind()))
1371             }
1372             Either::Right(_self_param) => true,
1373         }
1374     }
1375
1376     pub fn as_self_param(self, db: &dyn HirDatabase) -> Option<SelfParam> {
1377         match self.parent {
1378             DefWithBodyId::FunctionId(func) if self.is_self(db) => Some(SelfParam { func }),
1379             _ => None,
1380         }
1381     }
1382
1383     // FIXME: why is this an option? It shouldn't be?
1384     pub fn name(self, db: &dyn HirDatabase) -> Option<Name> {
1385         let body = db.body(self.parent);
1386         match &body[self.pat_id] {
1387             Pat::Bind { name, .. } => Some(name.clone()),
1388             _ => None,
1389         }
1390     }
1391
1392     pub fn is_self(self, db: &dyn HirDatabase) -> bool {
1393         self.name(db) == Some(name![self])
1394     }
1395
1396     pub fn is_mut(self, db: &dyn HirDatabase) -> bool {
1397         let body = db.body(self.parent);
1398         matches!(&body[self.pat_id], Pat::Bind { mode: BindingAnnotation::Mutable, .. })
1399     }
1400
1401     pub fn parent(self, _db: &dyn HirDatabase) -> DefWithBody {
1402         self.parent.into()
1403     }
1404
1405     pub fn module(self, db: &dyn HirDatabase) -> Module {
1406         self.parent(db).module(db)
1407     }
1408
1409     pub fn ty(self, db: &dyn HirDatabase) -> Type {
1410         let def = self.parent;
1411         let infer = db.infer(def);
1412         let ty = infer[self.pat_id].clone();
1413         let krate = def.module(db.upcast()).krate();
1414         Type::new(db, krate, def, ty)
1415     }
1416
1417     pub fn source(self, db: &dyn HirDatabase) -> InFile<Either<ast::IdentPat, ast::SelfParam>> {
1418         let (_body, source_map) = db.body_with_source_map(self.parent);
1419         let src = source_map.pat_syntax(self.pat_id).unwrap(); // Hmm...
1420         let root = src.file_syntax(db.upcast());
1421         src.map(|ast| {
1422             ast.map_left(|it| it.cast().unwrap().to_node(&root)).map_right(|it| it.to_node(&root))
1423         })
1424     }
1425 }
1426
1427 #[derive(Clone, Copy, Debug, PartialEq, Eq, Hash)]
1428 pub struct Label {
1429     pub(crate) parent: DefWithBodyId,
1430     pub(crate) label_id: LabelId,
1431 }
1432
1433 impl Label {
1434     pub fn module(self, db: &dyn HirDatabase) -> Module {
1435         self.parent(db).module(db)
1436     }
1437
1438     pub fn parent(self, _db: &dyn HirDatabase) -> DefWithBody {
1439         self.parent.into()
1440     }
1441
1442     pub fn name(self, db: &dyn HirDatabase) -> Name {
1443         let body = db.body(self.parent);
1444         body[self.label_id].name.clone()
1445     }
1446
1447     pub fn source(self, db: &dyn HirDatabase) -> InFile<ast::Label> {
1448         let (_body, source_map) = db.body_with_source_map(self.parent);
1449         let src = source_map.label_syntax(self.label_id);
1450         let root = src.file_syntax(db.upcast());
1451         src.map(|ast| ast.to_node(&root))
1452     }
1453 }
1454
1455 #[derive(Clone, Copy, Debug, PartialEq, Eq, Hash)]
1456 pub enum GenericParam {
1457     TypeParam(TypeParam),
1458     LifetimeParam(LifetimeParam),
1459     ConstParam(ConstParam),
1460 }
1461 impl_from!(TypeParam, LifetimeParam, ConstParam for GenericParam);
1462
1463 impl GenericParam {
1464     pub fn module(self, db: &dyn HirDatabase) -> Module {
1465         match self {
1466             GenericParam::TypeParam(it) => it.module(db),
1467             GenericParam::LifetimeParam(it) => it.module(db),
1468             GenericParam::ConstParam(it) => it.module(db),
1469         }
1470     }
1471
1472     pub fn name(self, db: &dyn HirDatabase) -> Name {
1473         match self {
1474             GenericParam::TypeParam(it) => it.name(db),
1475             GenericParam::LifetimeParam(it) => it.name(db),
1476             GenericParam::ConstParam(it) => it.name(db),
1477         }
1478     }
1479 }
1480
1481 #[derive(Clone, Copy, Debug, PartialEq, Eq, Hash)]
1482 pub struct TypeParam {
1483     pub(crate) id: TypeParamId,
1484 }
1485
1486 impl TypeParam {
1487     pub fn name(self, db: &dyn HirDatabase) -> Name {
1488         let params = db.generic_params(self.id.parent);
1489         params.types[self.id.local_id].name.clone().unwrap_or_else(Name::missing)
1490     }
1491
1492     pub fn module(self, db: &dyn HirDatabase) -> Module {
1493         self.id.parent.module(db.upcast()).into()
1494     }
1495
1496     pub fn ty(self, db: &dyn HirDatabase) -> Type {
1497         let resolver = self.id.parent.resolver(db.upcast());
1498         let krate = self.id.parent.module(db.upcast()).krate();
1499         let ty = TyKind::Placeholder(hir_ty::to_placeholder_idx(db, self.id)).intern(&Interner);
1500         Type::new_with_resolver_inner(db, krate, &resolver, ty)
1501     }
1502
1503     pub fn trait_bounds(self, db: &dyn HirDatabase) -> Vec<Trait> {
1504         db.generic_predicates_for_param(self.id)
1505             .into_iter()
1506             .filter_map(|pred| match &pred.skip_binders().skip_binders() {
1507                 hir_ty::WhereClause::Implemented(trait_ref) => {
1508                     Some(Trait::from(trait_ref.hir_trait_id()))
1509                 }
1510                 _ => None,
1511             })
1512             .collect()
1513     }
1514
1515     pub fn default(self, db: &dyn HirDatabase) -> Option<Type> {
1516         let params = db.generic_defaults(self.id.parent);
1517         let local_idx = hir_ty::param_idx(db, self.id)?;
1518         let resolver = self.id.parent.resolver(db.upcast());
1519         let krate = self.id.parent.module(db.upcast()).krate();
1520         let ty = params.get(local_idx)?.clone();
1521         let subst = TyBuilder::type_params_subst(db, self.id.parent);
1522         let ty = ty.substitute(&Interner, &subst_prefix(&subst, local_idx));
1523         Some(Type::new_with_resolver_inner(db, krate, &resolver, ty))
1524     }
1525 }
1526
1527 #[derive(Clone, Copy, Debug, PartialEq, Eq, Hash)]
1528 pub struct LifetimeParam {
1529     pub(crate) id: LifetimeParamId,
1530 }
1531
1532 impl LifetimeParam {
1533     pub fn name(self, db: &dyn HirDatabase) -> Name {
1534         let params = db.generic_params(self.id.parent);
1535         params.lifetimes[self.id.local_id].name.clone()
1536     }
1537
1538     pub fn module(self, db: &dyn HirDatabase) -> Module {
1539         self.id.parent.module(db.upcast()).into()
1540     }
1541
1542     pub fn parent(self, _db: &dyn HirDatabase) -> GenericDef {
1543         self.id.parent.into()
1544     }
1545 }
1546
1547 #[derive(Clone, Copy, Debug, PartialEq, Eq, Hash)]
1548 pub struct ConstParam {
1549     pub(crate) id: ConstParamId,
1550 }
1551
1552 impl ConstParam {
1553     pub fn name(self, db: &dyn HirDatabase) -> Name {
1554         let params = db.generic_params(self.id.parent);
1555         params.consts[self.id.local_id].name.clone()
1556     }
1557
1558     pub fn module(self, db: &dyn HirDatabase) -> Module {
1559         self.id.parent.module(db.upcast()).into()
1560     }
1561
1562     pub fn parent(self, _db: &dyn HirDatabase) -> GenericDef {
1563         self.id.parent.into()
1564     }
1565
1566     pub fn ty(self, db: &dyn HirDatabase) -> Type {
1567         let def = self.id.parent;
1568         let krate = def.module(db.upcast()).krate();
1569         Type::new(db, krate, def, db.const_param_ty(self.id))
1570     }
1571 }
1572
1573 #[derive(Debug, Clone, Copy, PartialEq, Eq, Hash)]
1574 pub struct Impl {
1575     pub(crate) id: ImplId,
1576 }
1577
1578 impl Impl {
1579     pub fn all_in_crate(db: &dyn HirDatabase, krate: Crate) -> Vec<Impl> {
1580         let inherent = db.inherent_impls_in_crate(krate.id);
1581         let trait_ = db.trait_impls_in_crate(krate.id);
1582
1583         inherent.all_impls().chain(trait_.all_impls()).map(Self::from).collect()
1584     }
1585
1586     pub fn all_for_type(db: &dyn HirDatabase, Type { krate, ty, .. }: Type) -> Vec<Impl> {
1587         let def_crates = match def_crates(db, &ty, krate) {
1588             Some(def_crates) => def_crates,
1589             None => return Vec::new(),
1590         };
1591
1592         let filter = |impl_def: &Impl| {
1593             let self_ty = impl_def.self_ty(db);
1594             let rref = self_ty.remove_ref();
1595             ty.equals_ctor(rref.as_ref().map_or(&self_ty.ty, |it| &it.ty))
1596         };
1597
1598         let fp = TyFingerprint::for_inherent_impl(&ty);
1599         let fp = if let Some(fp) = fp {
1600             fp
1601         } else {
1602             return Vec::new();
1603         };
1604
1605         let mut all = Vec::new();
1606         def_crates.iter().for_each(|&id| {
1607             all.extend(
1608                 db.inherent_impls_in_crate(id)
1609                     .for_self_ty(&ty)
1610                     .into_iter()
1611                     .cloned()
1612                     .map(Self::from)
1613                     .filter(filter),
1614             )
1615         });
1616         for id in def_crates
1617             .iter()
1618             .flat_map(|&id| Crate { id }.transitive_reverse_dependencies(db))
1619             .map(|Crate { id }| id)
1620             .chain(def_crates.iter().copied())
1621             .unique()
1622         {
1623             all.extend(
1624                 db.trait_impls_in_crate(id)
1625                     .for_self_ty_without_blanket_impls(fp)
1626                     .map(Self::from)
1627                     .filter(filter),
1628             );
1629         }
1630         all
1631     }
1632
1633     pub fn all_for_trait(db: &dyn HirDatabase, trait_: Trait) -> Vec<Impl> {
1634         let krate = trait_.module(db).krate();
1635         let mut all = Vec::new();
1636         for Crate { id } in krate.transitive_reverse_dependencies(db).into_iter() {
1637             let impls = db.trait_impls_in_crate(id);
1638             all.extend(impls.for_trait(trait_.id).map(Self::from))
1639         }
1640         all
1641     }
1642
1643     // FIXME: the return type is wrong. This should be a hir version of
1644     // `TraitRef` (ie, resolved `TypeRef`).
1645     pub fn trait_(self, db: &dyn HirDatabase) -> Option<TraitRef> {
1646         db.impl_data(self.id).target_trait.as_deref().cloned()
1647     }
1648
1649     pub fn self_ty(self, db: &dyn HirDatabase) -> Type {
1650         let impl_data = db.impl_data(self.id);
1651         let resolver = self.id.resolver(db.upcast());
1652         let krate = self.id.lookup(db.upcast()).container.krate();
1653         let ctx = hir_ty::TyLoweringContext::new(db, &resolver);
1654         let ty = ctx.lower_ty(&impl_data.self_ty);
1655         Type::new_with_resolver_inner(db, krate, &resolver, ty)
1656     }
1657
1658     pub fn items(self, db: &dyn HirDatabase) -> Vec<AssocItem> {
1659         db.impl_data(self.id).items.iter().map(|it| (*it).into()).collect()
1660     }
1661
1662     pub fn is_negative(self, db: &dyn HirDatabase) -> bool {
1663         db.impl_data(self.id).is_negative
1664     }
1665
1666     pub fn module(self, db: &dyn HirDatabase) -> Module {
1667         self.id.lookup(db.upcast()).container.into()
1668     }
1669
1670     pub fn krate(self, db: &dyn HirDatabase) -> Crate {
1671         Crate { id: self.module(db).id.krate() }
1672     }
1673
1674     pub fn is_builtin_derive(self, db: &dyn HirDatabase) -> Option<InFile<ast::Attr>> {
1675         let src = self.source(db)?;
1676         let item = src.file_id.is_builtin_derive(db.upcast())?;
1677         let hygenic = hir_expand::hygiene::Hygiene::new(db.upcast(), item.file_id);
1678
1679         // FIXME: handle `cfg_attr`
1680         let attr = item
1681             .value
1682             .attrs()
1683             .filter_map(|it| {
1684                 let path = ModPath::from_src(db.upcast(), it.path()?, &hygenic)?;
1685                 if path.as_ident()?.to_string() == "derive" {
1686                     Some(it)
1687                 } else {
1688                     None
1689                 }
1690             })
1691             .last()?;
1692
1693         Some(item.with_value(attr))
1694     }
1695 }
1696
1697 #[derive(Clone, PartialEq, Eq, Debug)]
1698 pub struct Type {
1699     krate: CrateId,
1700     env: Arc<TraitEnvironment>,
1701     ty: Ty,
1702 }
1703
1704 impl Type {
1705     pub(crate) fn new_with_resolver(
1706         db: &dyn HirDatabase,
1707         resolver: &Resolver,
1708         ty: Ty,
1709     ) -> Option<Type> {
1710         let krate = resolver.krate()?;
1711         Some(Type::new_with_resolver_inner(db, krate, resolver, ty))
1712     }
1713     pub(crate) fn new_with_resolver_inner(
1714         db: &dyn HirDatabase,
1715         krate: CrateId,
1716         resolver: &Resolver,
1717         ty: Ty,
1718     ) -> Type {
1719         let environment = resolver
1720             .generic_def()
1721             .map_or_else(|| Arc::new(TraitEnvironment::empty(krate)), |d| db.trait_environment(d));
1722         Type { krate, env: environment, ty }
1723     }
1724
1725     fn new(db: &dyn HirDatabase, krate: CrateId, lexical_env: impl HasResolver, ty: Ty) -> Type {
1726         let resolver = lexical_env.resolver(db.upcast());
1727         let environment = resolver
1728             .generic_def()
1729             .map_or_else(|| Arc::new(TraitEnvironment::empty(krate)), |d| db.trait_environment(d));
1730         Type { krate, env: environment, ty }
1731     }
1732
1733     fn from_def(
1734         db: &dyn HirDatabase,
1735         krate: CrateId,
1736         def: impl HasResolver + Into<TyDefId>,
1737     ) -> Type {
1738         let ty = TyBuilder::def_ty(db, def.into()).fill_with_unknown().build();
1739         Type::new(db, krate, def, ty)
1740     }
1741
1742     pub fn is_unit(&self) -> bool {
1743         matches!(self.ty.kind(&Interner), TyKind::Tuple(0, ..))
1744     }
1745     pub fn is_bool(&self) -> bool {
1746         matches!(self.ty.kind(&Interner), TyKind::Scalar(Scalar::Bool))
1747     }
1748
1749     pub fn is_mutable_reference(&self) -> bool {
1750         matches!(self.ty.kind(&Interner), TyKind::Ref(hir_ty::Mutability::Mut, ..))
1751     }
1752
1753     pub fn is_usize(&self) -> bool {
1754         matches!(self.ty.kind(&Interner), TyKind::Scalar(Scalar::Uint(UintTy::Usize)))
1755     }
1756
1757     pub fn remove_ref(&self) -> Option<Type> {
1758         match &self.ty.kind(&Interner) {
1759             TyKind::Ref(.., ty) => Some(self.derived(ty.clone())),
1760             _ => None,
1761         }
1762     }
1763
1764     pub fn strip_references(&self) -> Type {
1765         self.derived(self.ty.strip_references().clone())
1766     }
1767
1768     pub fn is_unknown(&self) -> bool {
1769         self.ty.is_unknown()
1770     }
1771
1772     /// Checks that particular type `ty` implements `std::future::Future`.
1773     /// This function is used in `.await` syntax completion.
1774     pub fn impls_future(&self, db: &dyn HirDatabase) -> bool {
1775         // No special case for the type of async block, since Chalk can figure it out.
1776
1777         let krate = self.krate;
1778
1779         let std_future_trait =
1780             db.lang_item(krate, "future_trait".into()).and_then(|it| it.as_trait());
1781         let std_future_trait = match std_future_trait {
1782             Some(it) => it,
1783             None => return false,
1784         };
1785
1786         let canonical_ty =
1787             Canonical { value: self.ty.clone(), binders: CanonicalVarKinds::empty(&Interner) };
1788         method_resolution::implements_trait(
1789             &canonical_ty,
1790             db,
1791             self.env.clone(),
1792             krate,
1793             std_future_trait,
1794         )
1795     }
1796
1797     /// Checks that particular type `ty` implements `std::ops::FnOnce`.
1798     ///
1799     /// This function can be used to check if a particular type is callable, since FnOnce is a
1800     /// supertrait of Fn and FnMut, so all callable types implements at least FnOnce.
1801     pub fn impls_fnonce(&self, db: &dyn HirDatabase) -> bool {
1802         let krate = self.krate;
1803
1804         let fnonce_trait = match FnTrait::FnOnce.get_id(db, krate) {
1805             Some(it) => it,
1806             None => return false,
1807         };
1808
1809         let canonical_ty =
1810             Canonical { value: self.ty.clone(), binders: CanonicalVarKinds::empty(&Interner) };
1811         method_resolution::implements_trait_unique(
1812             &canonical_ty,
1813             db,
1814             self.env.clone(),
1815             krate,
1816             fnonce_trait,
1817         )
1818     }
1819
1820     pub fn impls_trait(&self, db: &dyn HirDatabase, trait_: Trait, args: &[Type]) -> bool {
1821         let trait_ref = TyBuilder::trait_ref(db, trait_.id)
1822             .push(self.ty.clone())
1823             .fill(args.iter().map(|t| t.ty.clone()))
1824             .build();
1825
1826         let goal = Canonical {
1827             value: hir_ty::InEnvironment::new(&self.env.env, trait_ref.cast(&Interner)),
1828             binders: CanonicalVarKinds::empty(&Interner),
1829         };
1830
1831         db.trait_solve(self.krate, goal).is_some()
1832     }
1833
1834     pub fn normalize_trait_assoc_type(
1835         &self,
1836         db: &dyn HirDatabase,
1837         args: &[Type],
1838         alias: TypeAlias,
1839     ) -> Option<Type> {
1840         let projection = TyBuilder::assoc_type_projection(db, alias.id)
1841             .push(self.ty.clone())
1842             .fill(args.iter().map(|t| t.ty.clone()))
1843             .build();
1844         let goal = hir_ty::make_canonical(
1845             InEnvironment::new(
1846                 &self.env.env,
1847                 AliasEq {
1848                     alias: AliasTy::Projection(projection),
1849                     ty: TyKind::BoundVar(BoundVar::new(DebruijnIndex::INNERMOST, 0))
1850                         .intern(&Interner),
1851                 }
1852                 .cast(&Interner),
1853             ),
1854             [TyVariableKind::General].iter().copied(),
1855         );
1856
1857         match db.trait_solve(self.krate, goal)? {
1858             Solution::Unique(s) => s
1859                 .value
1860                 .subst
1861                 .as_slice(&Interner)
1862                 .first()
1863                 .map(|ty| self.derived(ty.assert_ty_ref(&Interner).clone())),
1864             Solution::Ambig(_) => None,
1865         }
1866     }
1867
1868     pub fn is_copy(&self, db: &dyn HirDatabase) -> bool {
1869         let lang_item = db.lang_item(self.krate, SmolStr::new("copy"));
1870         let copy_trait = match lang_item {
1871             Some(LangItemTarget::TraitId(it)) => it,
1872             _ => return false,
1873         };
1874         self.impls_trait(db, copy_trait.into(), &[])
1875     }
1876
1877     pub fn as_callable(&self, db: &dyn HirDatabase) -> Option<Callable> {
1878         let def = self.ty.callable_def(db);
1879
1880         let sig = self.ty.callable_sig(db)?;
1881         Some(Callable { ty: self.clone(), sig, def, is_bound_method: false })
1882     }
1883
1884     pub fn is_closure(&self) -> bool {
1885         matches!(&self.ty.kind(&Interner), TyKind::Closure { .. })
1886     }
1887
1888     pub fn is_fn(&self) -> bool {
1889         matches!(&self.ty.kind(&Interner), TyKind::FnDef(..) | TyKind::Function { .. })
1890     }
1891
1892     pub fn is_packed(&self, db: &dyn HirDatabase) -> bool {
1893         let adt_id = match self.ty.kind(&Interner) {
1894             &TyKind::Adt(hir_ty::AdtId(adt_id), ..) => adt_id,
1895             _ => return false,
1896         };
1897
1898         let adt = adt_id.into();
1899         match adt {
1900             Adt::Struct(s) => matches!(s.repr(db), Some(ReprKind::Packed)),
1901             _ => false,
1902         }
1903     }
1904
1905     pub fn is_raw_ptr(&self) -> bool {
1906         matches!(&self.ty.kind(&Interner), TyKind::Raw(..))
1907     }
1908
1909     pub fn contains_unknown(&self) -> bool {
1910         return go(&self.ty);
1911
1912         fn go(ty: &Ty) -> bool {
1913             match ty.kind(&Interner) {
1914                 TyKind::Error => true,
1915
1916                 TyKind::Adt(_, substs)
1917                 | TyKind::AssociatedType(_, substs)
1918                 | TyKind::Tuple(_, substs)
1919                 | TyKind::OpaqueType(_, substs)
1920                 | TyKind::FnDef(_, substs)
1921                 | TyKind::Closure(_, substs) => {
1922                     substs.iter(&Interner).filter_map(|a| a.ty(&Interner)).any(go)
1923                 }
1924
1925                 TyKind::Array(_ty, len) if len.is_unknown() => true,
1926                 TyKind::Array(ty, _)
1927                 | TyKind::Slice(ty)
1928                 | TyKind::Raw(_, ty)
1929                 | TyKind::Ref(_, _, ty) => go(ty),
1930
1931                 TyKind::Scalar(_)
1932                 | TyKind::Str
1933                 | TyKind::Never
1934                 | TyKind::Placeholder(_)
1935                 | TyKind::BoundVar(_)
1936                 | TyKind::InferenceVar(_, _)
1937                 | TyKind::Dyn(_)
1938                 | TyKind::Function(_)
1939                 | TyKind::Alias(_)
1940                 | TyKind::Foreign(_)
1941                 | TyKind::Generator(..)
1942                 | TyKind::GeneratorWitness(..) => false,
1943             }
1944         }
1945     }
1946
1947     pub fn fields(&self, db: &dyn HirDatabase) -> Vec<(Field, Type)> {
1948         let (variant_id, substs) = match self.ty.kind(&Interner) {
1949             &TyKind::Adt(hir_ty::AdtId(AdtId::StructId(s)), ref substs) => (s.into(), substs),
1950             &TyKind::Adt(hir_ty::AdtId(AdtId::UnionId(u)), ref substs) => (u.into(), substs),
1951             _ => return Vec::new(),
1952         };
1953
1954         db.field_types(variant_id)
1955             .iter()
1956             .map(|(local_id, ty)| {
1957                 let def = Field { parent: variant_id.into(), id: local_id };
1958                 let ty = ty.clone().substitute(&Interner, substs);
1959                 (def, self.derived(ty))
1960             })
1961             .collect()
1962     }
1963
1964     pub fn tuple_fields(&self, _db: &dyn HirDatabase) -> Vec<Type> {
1965         if let TyKind::Tuple(_, substs) = &self.ty.kind(&Interner) {
1966             substs
1967                 .iter(&Interner)
1968                 .map(|ty| self.derived(ty.assert_ty_ref(&Interner).clone()))
1969                 .collect()
1970         } else {
1971             Vec::new()
1972         }
1973     }
1974
1975     pub fn autoderef<'a>(&'a self, db: &'a dyn HirDatabase) -> impl Iterator<Item = Type> + 'a {
1976         // There should be no inference vars in types passed here
1977         // FIXME check that?
1978         let canonical =
1979             Canonical { value: self.ty.clone(), binders: CanonicalVarKinds::empty(&Interner) };
1980         let environment = self.env.env.clone();
1981         let ty = InEnvironment { goal: canonical, environment };
1982         autoderef(db, Some(self.krate), ty)
1983             .map(|canonical| canonical.value)
1984             .map(move |ty| self.derived(ty))
1985     }
1986
1987     // This would be nicer if it just returned an iterator, but that runs into
1988     // lifetime problems, because we need to borrow temp `CrateImplDefs`.
1989     pub fn iterate_assoc_items<T>(
1990         self,
1991         db: &dyn HirDatabase,
1992         krate: Crate,
1993         mut callback: impl FnMut(AssocItem) -> Option<T>,
1994     ) -> Option<T> {
1995         for krate in def_crates(db, &self.ty, krate.id)? {
1996             let impls = db.inherent_impls_in_crate(krate);
1997
1998             for impl_def in impls.for_self_ty(&self.ty) {
1999                 for &item in db.impl_data(*impl_def).items.iter() {
2000                     if let Some(result) = callback(item.into()) {
2001                         return Some(result);
2002                     }
2003                 }
2004             }
2005         }
2006         None
2007     }
2008
2009     pub fn type_arguments(&self) -> impl Iterator<Item = Type> + '_ {
2010         self.ty
2011             .strip_references()
2012             .as_adt()
2013             .into_iter()
2014             .flat_map(|(_, substs)| substs.iter(&Interner))
2015             .filter_map(|arg| arg.ty(&Interner).cloned())
2016             .map(move |ty| self.derived(ty))
2017     }
2018
2019     pub fn iterate_method_candidates<T>(
2020         &self,
2021         db: &dyn HirDatabase,
2022         krate: Crate,
2023         traits_in_scope: &FxHashSet<TraitId>,
2024         name: Option<&Name>,
2025         mut callback: impl FnMut(&Ty, Function) -> Option<T>,
2026     ) -> Option<T> {
2027         // There should be no inference vars in types passed here
2028         // FIXME check that?
2029         // FIXME replace Unknown by bound vars here
2030         let canonical =
2031             Canonical { value: self.ty.clone(), binders: CanonicalVarKinds::empty(&Interner) };
2032
2033         let env = self.env.clone();
2034         let krate = krate.id;
2035
2036         method_resolution::iterate_method_candidates(
2037             &canonical,
2038             db,
2039             env,
2040             krate,
2041             traits_in_scope,
2042             None,
2043             name,
2044             method_resolution::LookupMode::MethodCall,
2045             |ty, it| match it {
2046                 AssocItemId::FunctionId(f) => callback(ty, f.into()),
2047                 _ => None,
2048             },
2049         )
2050     }
2051
2052     pub fn iterate_path_candidates<T>(
2053         &self,
2054         db: &dyn HirDatabase,
2055         krate: Crate,
2056         traits_in_scope: &FxHashSet<TraitId>,
2057         name: Option<&Name>,
2058         mut callback: impl FnMut(&Ty, AssocItem) -> Option<T>,
2059     ) -> Option<T> {
2060         let canonical = hir_ty::replace_errors_with_variables(&self.ty);
2061
2062         let env = self.env.clone();
2063         let krate = krate.id;
2064
2065         method_resolution::iterate_method_candidates(
2066             &canonical,
2067             db,
2068             env,
2069             krate,
2070             traits_in_scope,
2071             None,
2072             name,
2073             method_resolution::LookupMode::Path,
2074             |ty, it| callback(ty, it.into()),
2075         )
2076     }
2077
2078     pub fn as_adt(&self) -> Option<Adt> {
2079         let (adt, _subst) = self.ty.as_adt()?;
2080         Some(adt.into())
2081     }
2082
2083     pub fn as_builtin(&self) -> Option<BuiltinType> {
2084         self.ty.as_builtin().map(|inner| BuiltinType { inner })
2085     }
2086
2087     pub fn as_dyn_trait(&self) -> Option<Trait> {
2088         self.ty.dyn_trait().map(Into::into)
2089     }
2090
2091     /// If a type can be represented as `dyn Trait`, returns all traits accessible via this type,
2092     /// or an empty iterator otherwise.
2093     pub fn applicable_inherent_traits<'a>(
2094         &'a self,
2095         db: &'a dyn HirDatabase,
2096     ) -> impl Iterator<Item = Trait> + 'a {
2097         self.autoderef(db)
2098             .filter_map(|derefed_type| derefed_type.ty.dyn_trait())
2099             .flat_map(move |dyn_trait_id| hir_ty::all_super_traits(db.upcast(), dyn_trait_id))
2100             .map(Trait::from)
2101     }
2102
2103     pub fn as_impl_traits(&self, db: &dyn HirDatabase) -> Option<Vec<Trait>> {
2104         self.ty.impl_trait_bounds(db).map(|it| {
2105             it.into_iter()
2106                 .filter_map(|pred| match pred.skip_binders() {
2107                     hir_ty::WhereClause::Implemented(trait_ref) => {
2108                         Some(Trait::from(trait_ref.hir_trait_id()))
2109                     }
2110                     _ => None,
2111                 })
2112                 .collect()
2113         })
2114     }
2115
2116     pub fn as_associated_type_parent_trait(&self, db: &dyn HirDatabase) -> Option<Trait> {
2117         self.ty.associated_type_parent_trait(db).map(Into::into)
2118     }
2119
2120     fn derived(&self, ty: Ty) -> Type {
2121         Type { krate: self.krate, env: self.env.clone(), ty }
2122     }
2123
2124     pub fn walk(&self, db: &dyn HirDatabase, mut cb: impl FnMut(Type)) {
2125         // TypeWalk::walk for a Ty at first visits parameters and only after that the Ty itself.
2126         // We need a different order here.
2127
2128         fn walk_substs(
2129             db: &dyn HirDatabase,
2130             type_: &Type,
2131             substs: &Substitution,
2132             cb: &mut impl FnMut(Type),
2133         ) {
2134             for ty in substs.iter(&Interner).filter_map(|a| a.ty(&Interner)) {
2135                 walk_type(db, &type_.derived(ty.clone()), cb);
2136             }
2137         }
2138
2139         fn walk_bounds(
2140             db: &dyn HirDatabase,
2141             type_: &Type,
2142             bounds: &[QuantifiedWhereClause],
2143             cb: &mut impl FnMut(Type),
2144         ) {
2145             for pred in bounds {
2146                 match pred.skip_binders() {
2147                     WhereClause::Implemented(trait_ref) => {
2148                         cb(type_.clone());
2149                         // skip the self type. it's likely the type we just got the bounds from
2150                         for ty in trait_ref
2151                             .substitution
2152                             .iter(&Interner)
2153                             .skip(1)
2154                             .filter_map(|a| a.ty(&Interner))
2155                         {
2156                             walk_type(db, &type_.derived(ty.clone()), cb);
2157                         }
2158                     }
2159                     _ => (),
2160                 }
2161             }
2162         }
2163
2164         fn walk_type(db: &dyn HirDatabase, type_: &Type, cb: &mut impl FnMut(Type)) {
2165             let ty = type_.ty.strip_references();
2166             match ty.kind(&Interner) {
2167                 TyKind::Adt(_, substs) => {
2168                     cb(type_.derived(ty.clone()));
2169                     walk_substs(db, type_, &substs, cb);
2170                 }
2171                 TyKind::AssociatedType(_, substs) => {
2172                     if let Some(_) = ty.associated_type_parent_trait(db) {
2173                         cb(type_.derived(ty.clone()));
2174                     }
2175                     walk_substs(db, type_, &substs, cb);
2176                 }
2177                 TyKind::OpaqueType(_, subst) => {
2178                     if let Some(bounds) = ty.impl_trait_bounds(db) {
2179                         walk_bounds(db, &type_.derived(ty.clone()), &bounds, cb);
2180                     }
2181
2182                     walk_substs(db, type_, subst, cb);
2183                 }
2184                 TyKind::Alias(AliasTy::Opaque(opaque_ty)) => {
2185                     if let Some(bounds) = ty.impl_trait_bounds(db) {
2186                         walk_bounds(db, &type_.derived(ty.clone()), &bounds, cb);
2187                     }
2188
2189                     walk_substs(db, type_, &opaque_ty.substitution, cb);
2190                 }
2191                 TyKind::Placeholder(_) => {
2192                     if let Some(bounds) = ty.impl_trait_bounds(db) {
2193                         walk_bounds(db, &type_.derived(ty.clone()), &bounds, cb);
2194                     }
2195                 }
2196                 TyKind::Dyn(bounds) => {
2197                     walk_bounds(
2198                         db,
2199                         &type_.derived(ty.clone()),
2200                         bounds.bounds.skip_binders().interned(),
2201                         cb,
2202                     );
2203                 }
2204
2205                 TyKind::Ref(_, _, ty)
2206                 | TyKind::Raw(_, ty)
2207                 | TyKind::Array(ty, _)
2208                 | TyKind::Slice(ty) => {
2209                     walk_type(db, &type_.derived(ty.clone()), cb);
2210                 }
2211
2212                 TyKind::FnDef(_, substs)
2213                 | TyKind::Tuple(_, substs)
2214                 | TyKind::Closure(.., substs) => {
2215                     walk_substs(db, type_, &substs, cb);
2216                 }
2217                 TyKind::Function(hir_ty::FnPointer { substitution, .. }) => {
2218                     walk_substs(db, type_, &substitution.0, cb);
2219                 }
2220
2221                 _ => {}
2222             }
2223         }
2224
2225         walk_type(db, self, &mut cb);
2226     }
2227
2228     pub fn could_unify_with(&self, db: &dyn HirDatabase, other: &Type) -> bool {
2229         let tys = hir_ty::replace_errors_with_variables(&(self.ty.clone(), other.ty.clone()));
2230         could_unify(db, self.env.clone(), &tys)
2231     }
2232 }
2233
2234 // FIXME: closures
2235 #[derive(Debug)]
2236 pub struct Callable {
2237     ty: Type,
2238     sig: CallableSig,
2239     def: Option<CallableDefId>,
2240     pub(crate) is_bound_method: bool,
2241 }
2242
2243 pub enum CallableKind {
2244     Function(Function),
2245     TupleStruct(Struct),
2246     TupleEnumVariant(Variant),
2247     Closure,
2248 }
2249
2250 impl Callable {
2251     pub fn kind(&self) -> CallableKind {
2252         match self.def {
2253             Some(CallableDefId::FunctionId(it)) => CallableKind::Function(it.into()),
2254             Some(CallableDefId::StructId(it)) => CallableKind::TupleStruct(it.into()),
2255             Some(CallableDefId::EnumVariantId(it)) => CallableKind::TupleEnumVariant(it.into()),
2256             None => CallableKind::Closure,
2257         }
2258     }
2259     pub fn receiver_param(&self, db: &dyn HirDatabase) -> Option<ast::SelfParam> {
2260         let func = match self.def {
2261             Some(CallableDefId::FunctionId(it)) if self.is_bound_method => it,
2262             _ => return None,
2263         };
2264         let src = func.lookup(db.upcast()).source(db.upcast());
2265         let param_list = src.value.param_list()?;
2266         param_list.self_param()
2267     }
2268     pub fn n_params(&self) -> usize {
2269         self.sig.params().len() - if self.is_bound_method { 1 } else { 0 }
2270     }
2271     pub fn params(
2272         &self,
2273         db: &dyn HirDatabase,
2274     ) -> Vec<(Option<Either<ast::SelfParam, ast::Pat>>, Type)> {
2275         let types = self
2276             .sig
2277             .params()
2278             .iter()
2279             .skip(if self.is_bound_method { 1 } else { 0 })
2280             .map(|ty| self.ty.derived(ty.clone()));
2281         let patterns = match self.def {
2282             Some(CallableDefId::FunctionId(func)) => {
2283                 let src = func.lookup(db.upcast()).source(db.upcast());
2284                 src.value.param_list().map(|param_list| {
2285                     param_list
2286                         .self_param()
2287                         .map(|it| Some(Either::Left(it)))
2288                         .filter(|_| !self.is_bound_method)
2289                         .into_iter()
2290                         .chain(param_list.params().map(|it| it.pat().map(Either::Right)))
2291                 })
2292             }
2293             _ => None,
2294         };
2295         patterns.into_iter().flatten().chain(iter::repeat(None)).zip(types).collect()
2296     }
2297     pub fn return_type(&self) -> Type {
2298         self.ty.derived(self.sig.ret().clone())
2299     }
2300 }
2301
2302 /// For IDE only
2303 #[derive(Debug, PartialEq, Eq, Hash)]
2304 pub enum ScopeDef {
2305     ModuleDef(ModuleDef),
2306     MacroDef(MacroDef),
2307     GenericParam(GenericParam),
2308     ImplSelfType(Impl),
2309     AdtSelfType(Adt),
2310     Local(Local),
2311     Label(Label),
2312     Unknown,
2313 }
2314
2315 impl ScopeDef {
2316     pub fn all_items(def: PerNs) -> ArrayVec<Self, 3> {
2317         let mut items = ArrayVec::new();
2318
2319         match (def.take_types(), def.take_values()) {
2320             (Some(m1), None) => items.push(ScopeDef::ModuleDef(m1.into())),
2321             (None, Some(m2)) => items.push(ScopeDef::ModuleDef(m2.into())),
2322             (Some(m1), Some(m2)) => {
2323                 // Some items, like unit structs and enum variants, are
2324                 // returned as both a type and a value. Here we want
2325                 // to de-duplicate them.
2326                 if m1 != m2 {
2327                     items.push(ScopeDef::ModuleDef(m1.into()));
2328                     items.push(ScopeDef::ModuleDef(m2.into()));
2329                 } else {
2330                     items.push(ScopeDef::ModuleDef(m1.into()));
2331                 }
2332             }
2333             (None, None) => {}
2334         };
2335
2336         if let Some(macro_def_id) = def.take_macros() {
2337             items.push(ScopeDef::MacroDef(macro_def_id.into()));
2338         }
2339
2340         if items.is_empty() {
2341             items.push(ScopeDef::Unknown);
2342         }
2343
2344         items
2345     }
2346 }
2347
2348 impl From<ItemInNs> for ScopeDef {
2349     fn from(item: ItemInNs) -> Self {
2350         match item {
2351             ItemInNs::Types(id) => ScopeDef::ModuleDef(id.into()),
2352             ItemInNs::Values(id) => ScopeDef::ModuleDef(id.into()),
2353             ItemInNs::Macros(id) => ScopeDef::MacroDef(id.into()),
2354         }
2355     }
2356 }
2357
2358 pub trait HasVisibility {
2359     fn visibility(&self, db: &dyn HirDatabase) -> Visibility;
2360     fn is_visible_from(&self, db: &dyn HirDatabase, module: Module) -> bool {
2361         let vis = self.visibility(db);
2362         vis.is_visible_from(db.upcast(), module.id)
2363     }
2364 }