2019-02-23 08:24:07 -06:00
|
|
|
//! Type inference, i.e. the process of walking through the code and determining
|
|
|
|
//! the type of each expression and pattern.
|
|
|
|
//!
|
|
|
|
//! For type inference, compare the implementations in rustc (the various
|
|
|
|
//! check_* methods in librustc_typeck/check/mod.rs are a good entry point) and
|
|
|
|
//! IntelliJ-Rust (org.rust.lang.core.types.infer). Our entry point for
|
|
|
|
//! inference here is the `infer` function, which infers the types of all
|
|
|
|
//! expressions in a given function.
|
|
|
|
//!
|
|
|
|
//! During inference, types (i.e. the `Ty` struct) can contain type 'variables'
|
|
|
|
//! which represent currently unknown types; as we walk through the expressions,
|
|
|
|
//! we might determine that certain variables need to be equal to each other, or
|
|
|
|
//! to certain types. To record this, we use the union-find implementation from
|
|
|
|
//! the `ena` crate, which is extracted from rustc.
|
|
|
|
|
|
|
|
use std::borrow::Cow;
|
2019-07-04 15:05:17 -05:00
|
|
|
use std::mem;
|
2019-02-23 08:24:07 -06:00
|
|
|
use std::ops::Index;
|
|
|
|
use std::sync::Arc;
|
|
|
|
|
|
|
|
use rustc_hash::FxHashMap;
|
|
|
|
|
2019-10-30 09:28:30 -05:00
|
|
|
use hir_def::{
|
2019-11-27 06:56:20 -06:00
|
|
|
body::Body,
|
2019-11-22 09:46:39 -06:00
|
|
|
data::{ConstData, FunctionData},
|
2019-11-27 06:56:20 -06:00
|
|
|
expr::{BindingAnnotation, ExprId, PatId},
|
2019-12-29 10:39:31 -06:00
|
|
|
lang_item::LangItemTarget,
|
2019-12-13 15:32:44 -06:00
|
|
|
path::{path, Path},
|
2019-11-21 06:39:09 -06:00
|
|
|
resolver::{HasResolver, Resolver, TypeNs},
|
2019-10-30 09:28:30 -05:00
|
|
|
type_ref::{Mutability, TypeRef},
|
2020-02-29 15:48:23 -06:00
|
|
|
AdtId, AssocItemId, DefWithBodyId, FunctionId, StructFieldId, TraitId, TypeAliasId, VariantId,
|
2019-10-30 09:28:30 -05:00
|
|
|
};
|
2019-12-13 15:01:06 -06:00
|
|
|
use hir_expand::{diagnostics::DiagnosticSink, name::name};
|
2019-04-14 06:07:45 -05:00
|
|
|
use ra_arena::map::ArenaMap;
|
2019-05-21 08:24:53 -05:00
|
|
|
use ra_prof::profile;
|
2019-12-29 10:39:31 -06:00
|
|
|
use ra_syntax::SmolStr;
|
2019-02-23 08:24:07 -06:00
|
|
|
|
2019-07-04 15:05:17 -05:00
|
|
|
use super::{
|
2019-11-27 06:56:20 -06:00
|
|
|
primitive::{FloatTy, IntTy},
|
2019-07-07 02:31:09 -05:00
|
|
|
traits::{Guidance, Obligation, ProjectionPredicate, Solution},
|
2019-12-24 05:45:28 -06:00
|
|
|
ApplicationTy, GenericPredicate, InEnvironment, ProjectionTy, Substs, TraitEnvironment,
|
|
|
|
TraitRef, Ty, TypeCtor, TypeWalk, Uncertain,
|
2019-07-04 15:05:17 -05:00
|
|
|
};
|
2020-01-24 08:22:00 -06:00
|
|
|
use crate::{
|
|
|
|
db::HirDatabase, infer::diagnostics::InferenceDiagnostic, lower::ImplTraitLoweringMode,
|
|
|
|
};
|
2019-02-23 08:24:07 -06:00
|
|
|
|
2019-12-03 06:58:02 -06:00
|
|
|
pub(crate) use unify::unify;
|
2019-12-01 15:14:28 -06:00
|
|
|
|
2019-10-12 10:39:20 -05:00
|
|
|
macro_rules! ty_app {
|
|
|
|
($ctor:pat, $param:pat) => {
|
2019-11-27 08:46:02 -06:00
|
|
|
crate::Ty::Apply(crate::ApplicationTy { ctor: $ctor, parameters: $param })
|
2019-10-12 10:39:20 -05:00
|
|
|
};
|
|
|
|
($ctor:pat) => {
|
|
|
|
ty_app!($ctor, _)
|
|
|
|
};
|
|
|
|
}
|
|
|
|
|
2019-04-20 05:34:36 -05:00
|
|
|
mod unify;
|
2019-09-23 11:53:52 -05:00
|
|
|
mod path;
|
2019-10-12 10:39:20 -05:00
|
|
|
mod expr;
|
|
|
|
mod pat;
|
|
|
|
mod coerce;
|
2019-04-20 05:34:36 -05:00
|
|
|
|
2019-02-23 08:24:07 -06:00
|
|
|
/// The entry point of type inference.
|
2020-01-03 10:02:08 -06:00
|
|
|
pub fn do_infer_query(db: &impl HirDatabase, def: DefWithBodyId) -> Arc<InferenceResult> {
|
|
|
|
let _p = profile("do_infer");
|
2019-11-27 07:02:33 -06:00
|
|
|
let resolver = def.resolver(db);
|
2019-11-12 07:46:27 -06:00
|
|
|
let mut ctx = InferenceContext::new(db, def, resolver);
|
2019-02-23 08:24:07 -06:00
|
|
|
|
2019-11-27 07:02:33 -06:00
|
|
|
match def {
|
|
|
|
DefWithBodyId::ConstId(c) => ctx.collect_const(&db.const_data(c)),
|
|
|
|
DefWithBodyId::FunctionId(f) => ctx.collect_fn(&db.function_data(f)),
|
|
|
|
DefWithBodyId::StaticId(s) => ctx.collect_const(&db.static_data(s)),
|
2019-03-30 06:17:31 -05:00
|
|
|
}
|
2019-02-23 08:24:07 -06:00
|
|
|
|
|
|
|
ctx.infer_body();
|
|
|
|
|
|
|
|
Arc::new(ctx.resolve_all())
|
|
|
|
}
|
|
|
|
|
2019-03-02 13:05:37 -06:00
|
|
|
#[derive(Debug, Copy, Clone, Hash, PartialEq, Eq)]
|
2019-03-04 08:49:18 -06:00
|
|
|
enum ExprOrPatId {
|
2019-03-04 08:52:48 -06:00
|
|
|
ExprId(ExprId),
|
|
|
|
PatId(PatId),
|
2019-03-01 17:26:49 -06:00
|
|
|
}
|
|
|
|
|
2019-03-04 08:52:48 -06:00
|
|
|
impl_froms!(ExprOrPatId: ExprId, PatId);
|
2019-03-01 17:26:49 -06:00
|
|
|
|
2019-03-16 13:13:13 -05:00
|
|
|
/// Binding modes inferred for patterns.
|
|
|
|
/// https://doc.rust-lang.org/reference/patterns.html#binding-modes
|
|
|
|
#[derive(Copy, Clone, Debug, Eq, PartialEq)]
|
|
|
|
enum BindingMode {
|
|
|
|
Move,
|
|
|
|
Ref(Mutability),
|
|
|
|
}
|
|
|
|
|
|
|
|
impl BindingMode {
|
2019-07-05 11:02:32 -05:00
|
|
|
pub fn convert(annotation: BindingAnnotation) -> BindingMode {
|
2019-03-16 13:13:13 -05:00
|
|
|
match annotation {
|
|
|
|
BindingAnnotation::Unannotated | BindingAnnotation::Mutable => BindingMode::Move,
|
|
|
|
BindingAnnotation::Ref => BindingMode::Ref(Mutability::Shared),
|
|
|
|
BindingAnnotation::RefMut => BindingMode::Ref(Mutability::Mut),
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2019-03-17 13:46:01 -05:00
|
|
|
impl Default for BindingMode {
|
|
|
|
fn default() -> Self {
|
|
|
|
BindingMode::Move
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2019-08-11 05:40:08 -05:00
|
|
|
/// A mismatch between an expected and an inferred type.
|
|
|
|
#[derive(Clone, PartialEq, Eq, Debug, Hash)]
|
|
|
|
pub struct TypeMismatch {
|
|
|
|
pub expected: Ty,
|
|
|
|
pub actual: Ty,
|
|
|
|
}
|
|
|
|
|
2019-02-23 08:24:07 -06:00
|
|
|
/// The result of type inference: A mapping from expressions and patterns to types.
|
2019-07-14 07:23:44 -05:00
|
|
|
#[derive(Clone, PartialEq, Eq, Debug, Default)]
|
2019-02-23 08:24:07 -06:00
|
|
|
pub struct InferenceResult {
|
|
|
|
/// For each method call expr, records the function it resolves to.
|
2019-11-27 06:56:20 -06:00
|
|
|
method_resolutions: FxHashMap<ExprId, FunctionId>,
|
2019-02-23 08:24:07 -06:00
|
|
|
/// For each field access expr, records the field it resolves to.
|
2019-11-27 06:56:20 -06:00
|
|
|
field_resolutions: FxHashMap<ExprId, StructFieldId>,
|
2019-11-24 11:06:55 -06:00
|
|
|
/// For each field in record literal, records the field it resolves to.
|
2019-11-27 06:56:20 -06:00
|
|
|
record_field_resolutions: FxHashMap<ExprId, StructFieldId>,
|
2019-07-21 06:11:45 -05:00
|
|
|
/// For each struct literal, records the variant it resolves to.
|
2019-11-27 07:25:01 -06:00
|
|
|
variant_resolutions: FxHashMap<ExprOrPatId, VariantId>,
|
2019-03-02 13:05:37 -06:00
|
|
|
/// For each associated item record what it resolves to
|
2019-11-27 07:02:33 -06:00
|
|
|
assoc_resolutions: FxHashMap<ExprOrPatId, AssocItemId>,
|
2019-03-23 08:28:47 -05:00
|
|
|
diagnostics: Vec<InferenceDiagnostic>,
|
2019-11-27 08:46:02 -06:00
|
|
|
pub type_of_expr: ArenaMap<ExprId, Ty>,
|
|
|
|
pub type_of_pat: ArenaMap<PatId, Ty>,
|
2019-08-11 05:40:08 -05:00
|
|
|
pub(super) type_mismatches: ArenaMap<ExprId, TypeMismatch>,
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
|
|
|
|
|
|
|
impl InferenceResult {
|
2019-11-27 06:56:20 -06:00
|
|
|
pub fn method_resolution(&self, expr: ExprId) -> Option<FunctionId> {
|
2019-07-04 12:26:44 -05:00
|
|
|
self.method_resolutions.get(&expr).copied()
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
2019-11-27 06:56:20 -06:00
|
|
|
pub fn field_resolution(&self, expr: ExprId) -> Option<StructFieldId> {
|
2019-07-04 12:26:44 -05:00
|
|
|
self.field_resolutions.get(&expr).copied()
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
2019-11-27 06:56:20 -06:00
|
|
|
pub fn record_field_resolution(&self, expr: ExprId) -> Option<StructFieldId> {
|
2019-11-24 11:06:55 -06:00
|
|
|
self.record_field_resolutions.get(&expr).copied()
|
|
|
|
}
|
2019-11-27 07:25:01 -06:00
|
|
|
pub fn variant_resolution_for_expr(&self, id: ExprId) -> Option<VariantId> {
|
2019-07-21 06:11:45 -05:00
|
|
|
self.variant_resolutions.get(&id.into()).copied()
|
|
|
|
}
|
2019-11-27 07:25:01 -06:00
|
|
|
pub fn variant_resolution_for_pat(&self, id: PatId) -> Option<VariantId> {
|
2019-07-21 06:11:45 -05:00
|
|
|
self.variant_resolutions.get(&id.into()).copied()
|
2019-07-12 11:56:18 -05:00
|
|
|
}
|
2019-11-27 07:02:33 -06:00
|
|
|
pub fn assoc_resolutions_for_expr(&self, id: ExprId) -> Option<AssocItemId> {
|
2019-07-04 12:26:44 -05:00
|
|
|
self.assoc_resolutions.get(&id.into()).copied()
|
2019-03-04 08:49:18 -06:00
|
|
|
}
|
2019-11-27 07:02:33 -06:00
|
|
|
pub fn assoc_resolutions_for_pat(&self, id: PatId) -> Option<AssocItemId> {
|
2019-07-04 12:26:44 -05:00
|
|
|
self.assoc_resolutions.get(&id.into()).copied()
|
2019-03-01 17:26:49 -06:00
|
|
|
}
|
2019-08-11 05:40:08 -05:00
|
|
|
pub fn type_mismatch_for_expr(&self, expr: ExprId) -> Option<&TypeMismatch> {
|
|
|
|
self.type_mismatches.get(expr)
|
|
|
|
}
|
2019-11-27 08:46:02 -06:00
|
|
|
pub fn add_diagnostics(
|
2019-03-23 08:28:47 -05:00
|
|
|
&self,
|
|
|
|
db: &impl HirDatabase,
|
2019-11-27 06:56:20 -06:00
|
|
|
owner: FunctionId,
|
2019-03-23 12:41:59 -05:00
|
|
|
sink: &mut DiagnosticSink,
|
2019-03-23 08:28:47 -05:00
|
|
|
) {
|
2019-03-23 10:35:14 -05:00
|
|
|
self.diagnostics.iter().for_each(|it| it.add_to(db, owner, sink))
|
2019-03-21 14:13:11 -05:00
|
|
|
}
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
|
|
|
|
|
|
|
impl Index<ExprId> for InferenceResult {
|
|
|
|
type Output = Ty;
|
|
|
|
|
|
|
|
fn index(&self, expr: ExprId) -> &Ty {
|
|
|
|
self.type_of_expr.get(expr).unwrap_or(&Ty::Unknown)
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
impl Index<PatId> for InferenceResult {
|
|
|
|
type Output = Ty;
|
|
|
|
|
|
|
|
fn index(&self, pat: PatId) -> &Ty {
|
|
|
|
self.type_of_pat.get(pat).unwrap_or(&Ty::Unknown)
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
/// The inference context contains all information needed during type inference.
|
|
|
|
#[derive(Clone, Debug)]
|
|
|
|
struct InferenceContext<'a, D: HirDatabase> {
|
|
|
|
db: &'a D,
|
2019-11-27 07:02:33 -06:00
|
|
|
owner: DefWithBodyId,
|
2019-02-23 08:24:07 -06:00
|
|
|
body: Arc<Body>,
|
|
|
|
resolver: Resolver,
|
2019-12-01 13:30:28 -06:00
|
|
|
table: unify::InferenceTable,
|
2019-07-09 14:34:23 -05:00
|
|
|
trait_env: Arc<TraitEnvironment>,
|
2019-03-31 13:02:16 -05:00
|
|
|
obligations: Vec<Obligation>,
|
2019-07-14 07:23:44 -05:00
|
|
|
result: InferenceResult,
|
2019-12-20 09:41:32 -06:00
|
|
|
/// The return type of the function being inferred, or the closure if we're
|
|
|
|
/// currently within one.
|
|
|
|
///
|
|
|
|
/// We might consider using a nested inference context for checking
|
|
|
|
/// closures, but currently this is the only field that will change there,
|
|
|
|
/// so it doesn't make sense.
|
2019-02-23 08:24:07 -06:00
|
|
|
return_ty: Ty,
|
|
|
|
}
|
|
|
|
|
|
|
|
impl<'a, D: HirDatabase> InferenceContext<'a, D> {
|
2019-11-27 07:02:33 -06:00
|
|
|
fn new(db: &'a D, owner: DefWithBodyId, resolver: Resolver) -> Self {
|
2019-02-23 08:24:07 -06:00
|
|
|
InferenceContext {
|
2019-07-14 07:23:44 -05:00
|
|
|
result: InferenceResult::default(),
|
2019-12-01 13:30:28 -06:00
|
|
|
table: unify::InferenceTable::new(),
|
2019-03-31 13:02:16 -05:00
|
|
|
obligations: Vec::default(),
|
2019-02-23 08:24:07 -06:00
|
|
|
return_ty: Ty::Unknown, // set in collect_fn_signature
|
2020-01-24 08:22:00 -06:00
|
|
|
trait_env: TraitEnvironment::lower(db, &resolver),
|
2019-02-23 08:24:07 -06:00
|
|
|
db,
|
2019-11-12 07:46:27 -06:00
|
|
|
owner,
|
2020-02-18 06:53:02 -06:00
|
|
|
body: db.body(owner),
|
2019-02-23 08:24:07 -06:00
|
|
|
resolver,
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
fn resolve_all(mut self) -> InferenceResult {
|
2019-03-31 13:02:16 -05:00
|
|
|
// FIXME resolve obligations as well (use Guidance if necessary)
|
2020-02-18 06:53:02 -06:00
|
|
|
let mut result = std::mem::take(&mut self.result);
|
2019-07-14 07:23:44 -05:00
|
|
|
for ty in result.type_of_expr.values_mut() {
|
2019-12-01 13:30:28 -06:00
|
|
|
let resolved = self.table.resolve_ty_completely(mem::replace(ty, Ty::Unknown));
|
2019-02-23 08:24:07 -06:00
|
|
|
*ty = resolved;
|
|
|
|
}
|
2019-07-14 07:23:44 -05:00
|
|
|
for ty in result.type_of_pat.values_mut() {
|
2019-12-01 13:30:28 -06:00
|
|
|
let resolved = self.table.resolve_ty_completely(mem::replace(ty, Ty::Unknown));
|
2019-02-23 08:24:07 -06:00
|
|
|
*ty = resolved;
|
|
|
|
}
|
2019-07-14 07:23:44 -05:00
|
|
|
result
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
|
|
|
|
|
|
|
fn write_expr_ty(&mut self, expr: ExprId, ty: Ty) {
|
2019-07-14 07:23:44 -05:00
|
|
|
self.result.type_of_expr.insert(expr, ty);
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
|
|
|
|
2019-11-27 06:56:20 -06:00
|
|
|
fn write_method_resolution(&mut self, expr: ExprId, func: FunctionId) {
|
2019-07-14 07:23:44 -05:00
|
|
|
self.result.method_resolutions.insert(expr, func);
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
|
|
|
|
2019-11-27 06:56:20 -06:00
|
|
|
fn write_field_resolution(&mut self, expr: ExprId, field: StructFieldId) {
|
2019-07-14 07:23:44 -05:00
|
|
|
self.result.field_resolutions.insert(expr, field);
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
|
|
|
|
2019-11-27 07:25:01 -06:00
|
|
|
fn write_variant_resolution(&mut self, id: ExprOrPatId, variant: VariantId) {
|
2019-07-21 06:11:45 -05:00
|
|
|
self.result.variant_resolutions.insert(id, variant);
|
2019-07-12 11:56:18 -05:00
|
|
|
}
|
|
|
|
|
2019-11-27 03:31:40 -06:00
|
|
|
fn write_assoc_resolution(&mut self, id: ExprOrPatId, item: AssocItemId) {
|
2020-02-18 06:53:02 -06:00
|
|
|
self.result.assoc_resolutions.insert(id, item);
|
2019-03-01 17:26:49 -06:00
|
|
|
}
|
|
|
|
|
2019-02-23 08:24:07 -06:00
|
|
|
fn write_pat_ty(&mut self, pat: PatId, ty: Ty) {
|
2019-07-14 07:23:44 -05:00
|
|
|
self.result.type_of_pat.insert(pat, ty);
|
|
|
|
}
|
|
|
|
|
|
|
|
fn push_diagnostic(&mut self, diagnostic: InferenceDiagnostic) {
|
|
|
|
self.result.diagnostics.push(diagnostic);
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
|
|
|
|
2020-01-24 08:22:00 -06:00
|
|
|
fn make_ty_with_mode(
|
|
|
|
&mut self,
|
|
|
|
type_ref: &TypeRef,
|
|
|
|
impl_trait_mode: ImplTraitLoweringMode,
|
|
|
|
) -> Ty {
|
2020-01-24 07:32:47 -06:00
|
|
|
// FIXME use right resolver for block
|
2020-02-07 08:13:15 -06:00
|
|
|
let ctx = crate::lower::TyLoweringContext::new(self.db, &self.resolver)
|
|
|
|
.with_impl_trait_mode(impl_trait_mode);
|
2020-01-24 07:32:47 -06:00
|
|
|
let ty = Ty::from_hir(&ctx, type_ref);
|
2019-08-07 15:06:09 -05:00
|
|
|
let ty = self.insert_type_vars(ty);
|
|
|
|
self.normalize_associated_types_in(ty)
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
|
|
|
|
2020-01-24 08:22:00 -06:00
|
|
|
fn make_ty(&mut self, type_ref: &TypeRef) -> Ty {
|
|
|
|
self.make_ty_with_mode(type_ref, ImplTraitLoweringMode::Disallowed)
|
|
|
|
}
|
|
|
|
|
2019-02-23 08:24:07 -06:00
|
|
|
/// Replaces Ty::Unknown by a new type var, so we can maybe still infer it.
|
|
|
|
fn insert_type_vars_shallow(&mut self, ty: Ty) -> Ty {
|
|
|
|
match ty {
|
2019-12-01 13:30:28 -06:00
|
|
|
Ty::Unknown => self.table.new_type_var(),
|
2019-11-13 00:56:33 -06:00
|
|
|
Ty::Apply(ApplicationTy { ctor: TypeCtor::Int(Uncertain::Unknown), .. }) => {
|
2019-12-01 13:30:28 -06:00
|
|
|
self.table.new_integer_var()
|
2019-11-13 00:56:33 -06:00
|
|
|
}
|
|
|
|
Ty::Apply(ApplicationTy { ctor: TypeCtor::Float(Uncertain::Unknown), .. }) => {
|
2019-12-01 13:30:28 -06:00
|
|
|
self.table.new_float_var()
|
2019-11-13 00:56:33 -06:00
|
|
|
}
|
2019-02-23 08:24:07 -06:00
|
|
|
_ => ty,
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
fn insert_type_vars(&mut self, ty: Ty) -> Ty {
|
|
|
|
ty.fold(&mut |ty| self.insert_type_vars_shallow(ty))
|
|
|
|
}
|
|
|
|
|
2019-03-31 13:02:16 -05:00
|
|
|
fn resolve_obligations_as_possible(&mut self) {
|
|
|
|
let obligations = mem::replace(&mut self.obligations, Vec::new());
|
|
|
|
for obligation in obligations {
|
2019-07-08 14:43:52 -05:00
|
|
|
let in_env = InEnvironment::new(self.trait_env.clone(), obligation.clone());
|
|
|
|
let canonicalized = self.canonicalizer().canonicalize_obligation(in_env);
|
2020-02-18 06:53:02 -06:00
|
|
|
let solution =
|
|
|
|
self.db.trait_solve(self.resolver.krate().unwrap(), canonicalized.value.clone());
|
2019-07-08 14:43:52 -05:00
|
|
|
|
|
|
|
match solution {
|
|
|
|
Some(Solution::Unique(substs)) => {
|
|
|
|
canonicalized.apply_solution(self, substs.0);
|
2019-03-31 13:02:16 -05:00
|
|
|
}
|
2019-07-08 14:43:52 -05:00
|
|
|
Some(Solution::Ambig(Guidance::Definite(substs))) => {
|
|
|
|
canonicalized.apply_solution(self, substs.0);
|
|
|
|
self.obligations.push(obligation);
|
|
|
|
}
|
|
|
|
Some(_) => {
|
|
|
|
// FIXME use this when trying to resolve everything at the end
|
|
|
|
self.obligations.push(obligation);
|
|
|
|
}
|
|
|
|
None => {
|
|
|
|
// FIXME obligation cannot be fulfilled => diagnostic
|
2019-03-31 13:02:16 -05:00
|
|
|
}
|
2019-07-07 02:31:09 -05:00
|
|
|
};
|
2019-03-31 13:02:16 -05:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2019-12-01 13:30:28 -06:00
|
|
|
fn unify(&mut self, ty1: &Ty, ty2: &Ty) -> bool {
|
|
|
|
self.table.unify(ty1, ty2)
|
|
|
|
}
|
|
|
|
|
2019-02-23 08:24:07 -06:00
|
|
|
/// Resolves the type as far as currently possible, replacing type variables
|
|
|
|
/// by their known types. All types returned by the infer_* functions should
|
|
|
|
/// be resolved as far as possible, i.e. contain no type variables with
|
|
|
|
/// known type.
|
2019-12-01 13:30:28 -06:00
|
|
|
fn resolve_ty_as_possible(&mut self, ty: Ty) -> Ty {
|
2019-03-31 13:02:16 -05:00
|
|
|
self.resolve_obligations_as_possible();
|
|
|
|
|
2019-12-01 13:30:28 -06:00
|
|
|
self.table.resolve_ty_as_possible(ty)
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
|
|
|
|
|
|
|
fn resolve_ty_shallow<'b>(&mut self, ty: &'b Ty) -> Cow<'b, Ty> {
|
2019-12-01 13:30:28 -06:00
|
|
|
self.table.resolve_ty_shallow(ty)
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
|
|
|
|
2019-12-13 05:44:07 -06:00
|
|
|
fn resolve_associated_type(&mut self, inner_ty: Ty, assoc_ty: Option<TypeAliasId>) -> Ty {
|
2019-12-18 22:45:07 -06:00
|
|
|
self.resolve_associated_type_with_params(inner_ty, assoc_ty, &[])
|
|
|
|
}
|
|
|
|
|
|
|
|
fn resolve_associated_type_with_params(
|
|
|
|
&mut self,
|
|
|
|
inner_ty: Ty,
|
|
|
|
assoc_ty: Option<TypeAliasId>,
|
|
|
|
params: &[Ty],
|
|
|
|
) -> Ty {
|
2019-12-13 05:44:07 -06:00
|
|
|
match assoc_ty {
|
|
|
|
Some(res_assoc_ty) => {
|
2019-12-24 09:39:17 -06:00
|
|
|
// FIXME:
|
|
|
|
// Check if inner_ty is is `impl Trait` and contained input TypeAlias id
|
|
|
|
// this is a workaround while Chalk assoc type projection doesn't always work yet,
|
|
|
|
// but once that is fixed I don't think we should keep this
|
|
|
|
// (we'll probably change how associated types are resolved anyway)
|
2019-12-24 05:45:28 -06:00
|
|
|
if let Ty::Opaque(ref predicates) = inner_ty {
|
|
|
|
for p in predicates.iter() {
|
|
|
|
if let GenericPredicate::Projection(projection) = p {
|
2019-12-24 09:39:44 -06:00
|
|
|
if projection.projection_ty.associated_ty == res_assoc_ty {
|
|
|
|
if let ty_app!(_, params) = &projection.ty {
|
|
|
|
if params.len() == 0 {
|
|
|
|
return projection.ty.clone();
|
|
|
|
}
|
|
|
|
}
|
2019-12-24 05:45:28 -06:00
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2019-12-13 05:44:07 -06:00
|
|
|
let ty = self.table.new_type_var();
|
2019-12-19 13:04:55 -06:00
|
|
|
let builder = Substs::build_for_def(self.db, res_assoc_ty)
|
|
|
|
.push(inner_ty)
|
|
|
|
.fill(params.iter().cloned());
|
2019-12-13 05:44:07 -06:00
|
|
|
let projection = ProjectionPredicate {
|
|
|
|
ty: ty.clone(),
|
|
|
|
projection_ty: ProjectionTy {
|
|
|
|
associated_ty: res_assoc_ty,
|
2019-12-18 22:45:07 -06:00
|
|
|
parameters: builder.build(),
|
2019-12-13 05:44:07 -06:00
|
|
|
},
|
|
|
|
};
|
|
|
|
self.obligations.push(Obligation::Projection(projection));
|
|
|
|
self.resolve_ty_as_possible(ty)
|
|
|
|
}
|
|
|
|
None => Ty::Unknown,
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2019-08-11 06:52:34 -05:00
|
|
|
/// Recurses through the given type, normalizing associated types mentioned
|
|
|
|
/// in it by replacing them by type variables and registering obligations to
|
|
|
|
/// resolve later. This should be done once for every type we get from some
|
|
|
|
/// type annotation (e.g. from a let type annotation, field type or function
|
|
|
|
/// call). `make_ty` handles this already, but e.g. for field types we need
|
|
|
|
/// to do it as well.
|
2019-08-07 15:06:09 -05:00
|
|
|
fn normalize_associated_types_in(&mut self, ty: Ty) -> Ty {
|
2019-12-01 13:30:28 -06:00
|
|
|
let ty = self.resolve_ty_as_possible(ty);
|
2019-08-07 15:06:09 -05:00
|
|
|
ty.fold(&mut |ty| match ty {
|
|
|
|
Ty::Projection(proj_ty) => self.normalize_projection_ty(proj_ty),
|
|
|
|
_ => ty,
|
|
|
|
})
|
|
|
|
}
|
|
|
|
|
|
|
|
fn normalize_projection_ty(&mut self, proj_ty: ProjectionTy) -> Ty {
|
2019-12-01 13:30:28 -06:00
|
|
|
let var = self.table.new_type_var();
|
2019-09-24 20:32:01 -05:00
|
|
|
let predicate = ProjectionPredicate { projection_ty: proj_ty, ty: var.clone() };
|
2019-08-07 15:06:09 -05:00
|
|
|
let obligation = Obligation::Projection(predicate);
|
|
|
|
self.obligations.push(obligation);
|
|
|
|
var
|
|
|
|
}
|
|
|
|
|
2019-11-27 07:25:01 -06:00
|
|
|
fn resolve_variant(&mut self, path: Option<&Path>) -> (Ty, Option<VariantId>) {
|
2019-02-23 08:24:07 -06:00
|
|
|
let path = match path {
|
|
|
|
Some(path) => path,
|
|
|
|
None => return (Ty::Unknown, None),
|
|
|
|
};
|
|
|
|
let resolver = &self.resolver;
|
2020-01-25 16:38:33 -06:00
|
|
|
let ctx = crate::lower::TyLoweringContext::new(self.db, &self.resolver);
|
2019-11-26 12:04:24 -06:00
|
|
|
// FIXME: this should resolve assoc items as well, see this example:
|
|
|
|
// https://play.rust-lang.org/?gist=087992e9e22495446c01c0d4e2d69521
|
2019-12-13 05:12:36 -06:00
|
|
|
match resolver.resolve_path_in_type_ns_fully(self.db, path.mod_path()) {
|
2019-11-26 12:04:24 -06:00
|
|
|
Some(TypeNs::AdtId(AdtId::StructId(strukt))) => {
|
2020-01-24 07:32:47 -06:00
|
|
|
let substs = Ty::substs_from_path(&ctx, path, strukt.into());
|
2019-11-26 12:04:24 -06:00
|
|
|
let ty = self.db.ty(strukt.into());
|
2020-01-25 16:38:33 -06:00
|
|
|
let ty = self.insert_type_vars(ty.subst(&substs));
|
2019-11-27 07:25:01 -06:00
|
|
|
(ty, Some(strukt.into()))
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
2019-11-26 12:04:24 -06:00
|
|
|
Some(TypeNs::EnumVariantId(var)) => {
|
2020-01-24 07:32:47 -06:00
|
|
|
let substs = Ty::substs_from_path(&ctx, path, var.into());
|
2019-11-26 12:04:24 -06:00
|
|
|
let ty = self.db.ty(var.parent.into());
|
2020-01-25 16:38:33 -06:00
|
|
|
let ty = self.insert_type_vars(ty.subst(&substs));
|
2019-11-27 07:25:01 -06:00
|
|
|
(ty, Some(var.into()))
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
2019-11-26 12:04:24 -06:00
|
|
|
Some(_) | None => (Ty::Unknown, None),
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
2019-06-18 12:07:35 -05:00
|
|
|
fn collect_const(&mut self, data: &ConstData) {
|
2019-11-22 09:46:39 -06:00
|
|
|
self.return_ty = self.make_ty(&data.type_ref);
|
2019-03-30 06:17:31 -05:00
|
|
|
}
|
|
|
|
|
2019-11-22 08:10:51 -06:00
|
|
|
fn collect_fn(&mut self, data: &FunctionData) {
|
2019-02-23 08:24:07 -06:00
|
|
|
let body = Arc::clone(&self.body); // avoid borrow checker problem
|
2020-02-07 08:13:15 -06:00
|
|
|
let ctx = crate::lower::TyLoweringContext::new(self.db, &self.resolver)
|
|
|
|
.with_impl_trait_mode(ImplTraitLoweringMode::Param);
|
|
|
|
let param_tys =
|
|
|
|
data.params.iter().map(|type_ref| Ty::from_hir(&ctx, type_ref)).collect::<Vec<_>>();
|
2020-02-02 06:04:22 -06:00
|
|
|
for (ty, pat) in param_tys.into_iter().zip(body.params.iter()) {
|
|
|
|
let ty = self.insert_type_vars(ty);
|
|
|
|
let ty = self.normalize_associated_types_in(ty);
|
2019-02-23 08:24:07 -06:00
|
|
|
|
2019-03-17 13:46:01 -05:00
|
|
|
self.infer_pat(*pat, &ty, BindingMode::default());
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
2020-02-07 08:13:00 -06:00
|
|
|
let return_ty = self.make_ty_with_mode(&data.ret_type, ImplTraitLoweringMode::Disallowed); // FIXME implement RPIT
|
|
|
|
self.return_ty = return_ty;
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
|
|
|
|
|
|
|
fn infer_body(&mut self) {
|
2019-12-20 11:27:51 -06:00
|
|
|
self.infer_expr_coerce(self.body.body_expr, &Expectation::has_type(self.return_ty.clone()));
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
2019-07-07 02:31:09 -05:00
|
|
|
|
2019-12-29 10:39:31 -06:00
|
|
|
fn resolve_lang_item(&self, name: &str) -> Option<LangItemTarget> {
|
|
|
|
let krate = self.resolver.krate()?;
|
|
|
|
let name = SmolStr::new_inline_from_ascii(name.len(), name.as_bytes());
|
|
|
|
self.db.lang_item(krate, name)
|
|
|
|
}
|
|
|
|
|
2019-11-27 06:56:20 -06:00
|
|
|
fn resolve_into_iter_item(&self) -> Option<TypeAliasId> {
|
2019-12-13 15:32:44 -06:00
|
|
|
let path = path![std::iter::IntoIterator];
|
2019-11-26 08:21:29 -06:00
|
|
|
let trait_ = self.resolver.resolve_known_trait(self.db, &path)?;
|
2019-12-13 15:01:06 -06:00
|
|
|
self.db.trait_data(trait_).associated_type_by_name(&name![Item])
|
2019-07-07 02:31:09 -05:00
|
|
|
}
|
2019-07-08 10:02:15 -05:00
|
|
|
|
2019-11-27 06:56:20 -06:00
|
|
|
fn resolve_ops_try_ok(&self) -> Option<TypeAliasId> {
|
2019-12-13 15:32:44 -06:00
|
|
|
let path = path![std::ops::Try];
|
2019-11-26 08:21:29 -06:00
|
|
|
let trait_ = self.resolver.resolve_known_trait(self.db, &path)?;
|
2019-12-13 15:01:06 -06:00
|
|
|
self.db.trait_data(trait_).associated_type_by_name(&name![Ok])
|
2019-07-08 10:02:15 -05:00
|
|
|
}
|
2019-07-20 06:11:18 -05:00
|
|
|
|
2019-12-13 05:44:42 -06:00
|
|
|
fn resolve_ops_neg_output(&self) -> Option<TypeAliasId> {
|
2019-12-29 10:39:31 -06:00
|
|
|
let trait_ = self.resolve_lang_item("neg")?.as_trait()?;
|
2019-12-13 15:01:06 -06:00
|
|
|
self.db.trait_data(trait_).associated_type_by_name(&name![Output])
|
2019-12-13 05:44:42 -06:00
|
|
|
}
|
|
|
|
|
|
|
|
fn resolve_ops_not_output(&self) -> Option<TypeAliasId> {
|
2019-12-29 10:39:31 -06:00
|
|
|
let trait_ = self.resolve_lang_item("not")?.as_trait()?;
|
2019-12-13 15:01:06 -06:00
|
|
|
self.db.trait_data(trait_).associated_type_by_name(&name![Output])
|
2019-12-13 05:44:42 -06:00
|
|
|
}
|
|
|
|
|
2019-11-27 06:56:20 -06:00
|
|
|
fn resolve_future_future_output(&self) -> Option<TypeAliasId> {
|
2019-12-29 10:39:31 -06:00
|
|
|
let trait_ = self.resolve_lang_item("future_trait")?.as_trait()?;
|
2019-12-13 15:01:06 -06:00
|
|
|
self.db.trait_data(trait_).associated_type_by_name(&name![Output])
|
2019-07-20 06:11:18 -05:00
|
|
|
}
|
2019-09-11 10:53:41 -05:00
|
|
|
|
2019-11-26 05:29:12 -06:00
|
|
|
fn resolve_boxed_box(&self) -> Option<AdtId> {
|
2019-12-29 10:39:31 -06:00
|
|
|
let struct_ = self.resolve_lang_item("owned_box")?.as_struct()?;
|
2019-11-26 05:29:12 -06:00
|
|
|
Some(struct_.into())
|
2019-09-11 10:53:41 -05:00
|
|
|
}
|
2019-11-28 13:10:16 -06:00
|
|
|
|
|
|
|
fn resolve_range_full(&self) -> Option<AdtId> {
|
2019-12-13 15:32:44 -06:00
|
|
|
let path = path![std::ops::RangeFull];
|
2019-11-28 13:10:16 -06:00
|
|
|
let struct_ = self.resolver.resolve_known_struct(self.db, &path)?;
|
|
|
|
Some(struct_.into())
|
|
|
|
}
|
|
|
|
|
|
|
|
fn resolve_range(&self) -> Option<AdtId> {
|
2019-12-13 15:32:44 -06:00
|
|
|
let path = path![std::ops::Range];
|
2019-11-28 13:10:16 -06:00
|
|
|
let struct_ = self.resolver.resolve_known_struct(self.db, &path)?;
|
|
|
|
Some(struct_.into())
|
|
|
|
}
|
|
|
|
|
|
|
|
fn resolve_range_inclusive(&self) -> Option<AdtId> {
|
2019-12-13 15:32:44 -06:00
|
|
|
let path = path![std::ops::RangeInclusive];
|
2019-11-28 13:10:16 -06:00
|
|
|
let struct_ = self.resolver.resolve_known_struct(self.db, &path)?;
|
|
|
|
Some(struct_.into())
|
|
|
|
}
|
|
|
|
|
|
|
|
fn resolve_range_from(&self) -> Option<AdtId> {
|
2019-12-13 15:32:44 -06:00
|
|
|
let path = path![std::ops::RangeFrom];
|
2019-11-28 13:10:16 -06:00
|
|
|
let struct_ = self.resolver.resolve_known_struct(self.db, &path)?;
|
|
|
|
Some(struct_.into())
|
|
|
|
}
|
|
|
|
|
|
|
|
fn resolve_range_to(&self) -> Option<AdtId> {
|
2019-12-13 15:32:44 -06:00
|
|
|
let path = path![std::ops::RangeTo];
|
2019-11-28 13:10:16 -06:00
|
|
|
let struct_ = self.resolver.resolve_known_struct(self.db, &path)?;
|
|
|
|
Some(struct_.into())
|
|
|
|
}
|
|
|
|
|
|
|
|
fn resolve_range_to_inclusive(&self) -> Option<AdtId> {
|
2019-12-13 15:32:44 -06:00
|
|
|
let path = path![std::ops::RangeToInclusive];
|
2019-11-28 13:10:16 -06:00
|
|
|
let struct_ = self.resolver.resolve_known_struct(self.db, &path)?;
|
|
|
|
Some(struct_.into())
|
|
|
|
}
|
2019-12-18 22:45:07 -06:00
|
|
|
|
2020-02-29 15:48:23 -06:00
|
|
|
fn resolve_ops_index(&self) -> Option<TraitId> {
|
|
|
|
self.resolve_lang_item("index")?.as_trait()
|
|
|
|
}
|
|
|
|
|
2019-12-18 22:45:07 -06:00
|
|
|
fn resolve_ops_index_output(&self) -> Option<TypeAliasId> {
|
2020-02-29 15:48:23 -06:00
|
|
|
let trait_ = self.resolve_ops_index()?;
|
2019-12-18 22:45:07 -06:00
|
|
|
self.db.trait_data(trait_).associated_type_by_name(&name![Output])
|
|
|
|
}
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
|
|
|
|
|
|
|
/// The kinds of placeholders we need during type inference. There's separate
|
|
|
|
/// values for general types, and for integer and float variables. The latter
|
|
|
|
/// two are used for inference of literal values (e.g. `100` could be one of
|
|
|
|
/// several integer types).
|
|
|
|
#[derive(Clone, Copy, PartialEq, Eq, Hash, Debug)]
|
|
|
|
pub enum InferTy {
|
2019-12-01 13:30:28 -06:00
|
|
|
TypeVar(unify::TypeVarId),
|
|
|
|
IntVar(unify::TypeVarId),
|
|
|
|
FloatVar(unify::TypeVarId),
|
|
|
|
MaybeNeverTypeVar(unify::TypeVarId),
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
|
|
|
|
|
|
|
impl InferTy {
|
2019-12-01 13:30:28 -06:00
|
|
|
fn to_inner(self) -> unify::TypeVarId {
|
2019-02-23 08:24:07 -06:00
|
|
|
match self {
|
2019-09-17 14:59:51 -05:00
|
|
|
InferTy::TypeVar(ty)
|
|
|
|
| InferTy::IntVar(ty)
|
|
|
|
| InferTy::FloatVar(ty)
|
|
|
|
| InferTy::MaybeNeverTypeVar(ty) => ty,
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
fn fallback_value(self) -> Ty {
|
|
|
|
match self {
|
|
|
|
InferTy::TypeVar(..) => Ty::Unknown,
|
2019-11-13 00:56:33 -06:00
|
|
|
InferTy::IntVar(..) => Ty::simple(TypeCtor::Int(Uncertain::Known(IntTy::i32()))),
|
|
|
|
InferTy::FloatVar(..) => Ty::simple(TypeCtor::Float(Uncertain::Known(FloatTy::f64()))),
|
2019-09-17 14:59:51 -05:00
|
|
|
InferTy::MaybeNeverTypeVar(..) => Ty::simple(TypeCtor::Never),
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
|
|
|
|
/// When inferring an expression, we propagate downward whatever type hint we
|
|
|
|
/// are able in the form of an `Expectation`.
|
|
|
|
#[derive(Clone, PartialEq, Eq, Debug)]
|
|
|
|
struct Expectation {
|
|
|
|
ty: Ty,
|
2020-02-29 08:31:07 -06:00
|
|
|
/// See the `rvalue_hint` method.
|
|
|
|
rvalue_hint: bool,
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
|
|
|
|
|
|
|
impl Expectation {
|
|
|
|
/// The expectation that the type of the expression needs to equal the given
|
|
|
|
/// type.
|
|
|
|
fn has_type(ty: Ty) -> Self {
|
2020-02-29 08:31:07 -06:00
|
|
|
Expectation { ty, rvalue_hint: false }
|
|
|
|
}
|
|
|
|
|
|
|
|
/// The following explanation is copied straight from rustc:
|
|
|
|
/// Provides an expectation for an rvalue expression given an *optional*
|
|
|
|
/// hint, which is not required for type safety (the resulting type might
|
|
|
|
/// be checked higher up, as is the case with `&expr` and `box expr`), but
|
|
|
|
/// is useful in determining the concrete type.
|
|
|
|
///
|
|
|
|
/// The primary use case is where the expected type is a fat pointer,
|
|
|
|
/// like `&[isize]`. For example, consider the following statement:
|
|
|
|
///
|
|
|
|
/// let x: &[isize] = &[1, 2, 3];
|
|
|
|
///
|
|
|
|
/// In this case, the expected type for the `&[1, 2, 3]` expression is
|
|
|
|
/// `&[isize]`. If however we were to say that `[1, 2, 3]` has the
|
|
|
|
/// expectation `ExpectHasType([isize])`, that would be too strong --
|
|
|
|
/// `[1, 2, 3]` does not have the type `[isize]` but rather `[isize; 3]`.
|
|
|
|
/// It is only the `&[1, 2, 3]` expression as a whole that can be coerced
|
|
|
|
/// to the type `&[isize]`. Therefore, we propagate this more limited hint,
|
|
|
|
/// which still is useful, because it informs integer literals and the like.
|
|
|
|
/// See the test case `test/ui/coerce-expect-unsized.rs` and #20169
|
|
|
|
/// for examples of where this comes up,.
|
|
|
|
fn rvalue_hint(ty: Ty) -> Self {
|
|
|
|
Expectation { ty, rvalue_hint: true }
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
|
|
|
|
|
|
|
/// This expresses no expectation on the type.
|
|
|
|
fn none() -> Self {
|
2020-02-29 08:31:07 -06:00
|
|
|
Expectation { ty: Ty::Unknown, rvalue_hint: false }
|
|
|
|
}
|
|
|
|
|
|
|
|
fn coercion_target(&self) -> &Ty {
|
|
|
|
if self.rvalue_hint {
|
|
|
|
&Ty::Unknown
|
|
|
|
} else {
|
|
|
|
&self.ty
|
|
|
|
}
|
2019-02-23 08:24:07 -06:00
|
|
|
}
|
|
|
|
}
|
2019-03-23 08:28:47 -05:00
|
|
|
|
|
|
|
mod diagnostics {
|
2019-11-28 09:05:28 -06:00
|
|
|
use hir_def::{expr::ExprId, src::HasSource, FunctionId, Lookup};
|
2019-11-02 15:42:38 -05:00
|
|
|
use hir_expand::diagnostics::DiagnosticSink;
|
|
|
|
|
2019-11-27 06:56:20 -06:00
|
|
|
use crate::{db::HirDatabase, diagnostics::NoSuchField};
|
2019-03-23 08:28:47 -05:00
|
|
|
|
|
|
|
#[derive(Debug, PartialEq, Eq, Clone)]
|
|
|
|
pub(super) enum InferenceDiagnostic {
|
|
|
|
NoSuchField { expr: ExprId, field: usize },
|
|
|
|
}
|
|
|
|
|
|
|
|
impl InferenceDiagnostic {
|
2019-03-23 10:35:14 -05:00
|
|
|
pub(super) fn add_to(
|
|
|
|
&self,
|
|
|
|
db: &impl HirDatabase,
|
2019-11-27 06:56:20 -06:00
|
|
|
owner: FunctionId,
|
2019-03-23 12:41:59 -05:00
|
|
|
sink: &mut DiagnosticSink,
|
2019-03-23 10:35:14 -05:00
|
|
|
) {
|
2019-03-23 08:28:47 -05:00
|
|
|
match self {
|
|
|
|
InferenceDiagnostic::NoSuchField { expr, field } => {
|
2019-11-27 06:56:20 -06:00
|
|
|
let file = owner.lookup(db).source(db).file_id;
|
|
|
|
let (_, source_map) = db.body_with_source_map(owner.into());
|
|
|
|
let field = source_map.field_syntax(*expr, *field);
|
2019-03-23 10:35:14 -05:00
|
|
|
sink.push(NoSuchField { file, field })
|
2019-03-23 08:28:47 -05:00
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|
|
|
|
}
|