From 601bbf26a89f178374278030d7821e2cc77437f7 Mon Sep 17 00:00:00 2001 From: Guillaume Gomez Date: Tue, 25 Oct 2016 02:04:57 +0200 Subject: [PATCH 01/22] Start of implementation of proposal for E0308 --- src/librustc/infer/error_reporting.rs | 79 ++++++++++++++++++++++++++- src/librustc/ty/sty.rs | 1 + 2 files changed, 78 insertions(+), 2 deletions(-) diff --git a/src/librustc/infer/error_reporting.rs b/src/librustc/infer/error_reporting.rs index 90d752ae6ee29..d50853e3a0e74 100644 --- a/src/librustc/infer/error_reporting.rs +++ b/src/librustc/infer/error_reporting.rs @@ -83,7 +83,7 @@ use hir::def_id::DefId; use infer; use middle::region; use traits::{ObligationCause, ObligationCauseCode}; -use ty::{self, TyCtxt, TypeFoldable}; +use ty::{self, ImplOrTraitItem, Ty, TyCtxt, TypeFoldable}; use ty::{Region, ReFree}; use ty::error::TypeError; @@ -549,7 +549,7 @@ impl<'a, 'gcx, 'tcx> InferCtxt<'a, 'gcx, 'tcx> { { let expected_found = match values { None => None, - Some(values) => match self.values_str(&values) { + Some(ref values) => match self.values_str(&values) { Some((expected, found)) => Some((expected, found)), None => { // Derived error. Cancel the emitter. @@ -582,6 +582,27 @@ impl<'a, 'gcx, 'tcx> InferCtxt<'a, 'gcx, 'tcx> { diag.note_expected_found(&"type", &expected, &found); } } + + if let Some((found, (expected_ty, _))) = self.get_ids(values) { + // look for expected with found id + self.tcx.populate_inherent_implementations_for_type_if_necessary(found); + if let Some(impl_infos) = self.tcx.inherent_impls.borrow().get(&found) { + let mut methods = Vec::new(); + for impl_ in impl_infos { + methods.append(&mut self.tcx + .impl_or_trait_items(*impl_) + .iter() + .map(|&did| self.tcx.impl_or_trait_item(did)) + .filter(|x| { + self.matches_return_type(x, &expected_ty) + }) + .collect()); + } + for method in methods { + println!("==> {:?}", method.name()); + } + } + } } diag.span_label(span, &terr); @@ -622,6 +643,60 @@ impl<'a, 'gcx, 'tcx> InferCtxt<'a, 'gcx, 'tcx> { } } + fn matches_return_type(&self, method: &ImplOrTraitItem<'tcx>, expected: &ty::Ty<'tcx>) -> bool { + match *method { + ImplOrTraitItem::MethodTraitItem(ref x) => { + self.can_sub_types(x.fty.sig.skip_binder().output, expected).is_ok() + } + _ => false, + } + } + + fn get_id(&self, ty: Ty<'tcx>) -> Option { + match ty.sty { + ty::TyTrait(box ref data) => Some(data.principal.def_id()), + ty::TyAdt(def, _) => Some(def.did), + ty::TyBox(ref ty) => self.get_id(*ty), // since we don't want box's methods by type's + ty::TyChar => self.tcx.lang_items.char_impl(), + ty::TyStr => self.tcx.lang_items.str_impl(), + ty::TySlice(_) => self.tcx.lang_items.slice_impl(), + ty::TyRawPtr(ty::TypeAndMut { ty: _, mutbl: hir::MutImmutable }) => { + self.tcx.lang_items.const_ptr_impl() + } + ty::TyRawPtr(ty::TypeAndMut { ty: _, mutbl: hir::MutMutable }) => { + self.tcx.lang_items.mut_ptr_impl() + } + ty::TyInt(ast::IntTy::I8) => self.tcx.lang_items.i8_impl(), + ty::TyInt(ast::IntTy::I16) => self.tcx.lang_items.i16_impl(), + ty::TyInt(ast::IntTy::I32) => self.tcx.lang_items.i32_impl(), + ty::TyInt(ast::IntTy::I64) => self.tcx.lang_items.i64_impl(), + ty::TyInt(ast::IntTy::Is) => self.tcx.lang_items.isize_impl(), + ty::TyUint(ast::UintTy::U8) => self.tcx.lang_items.u8_impl(), + ty::TyUint(ast::UintTy::U16) => self.tcx.lang_items.u16_impl(), + ty::TyUint(ast::UintTy::U32) => self.tcx.lang_items.u32_impl(), + ty::TyUint(ast::UintTy::U64) => self.tcx.lang_items.u64_impl(), + ty::TyUint(ast::UintTy::Us) => self.tcx.lang_items.usize_impl(), + ty::TyFloat(ast::FloatTy::F32) => self.tcx.lang_items.f32_impl(), + ty::TyFloat(ast::FloatTy::F64) => self.tcx.lang_items.f64_impl(), + _ => None, + } + } + + // Yep, returned value super ugly. it'll certainly become `Option<(DefId, ty::Ty<'tcx>)>` + // in a close future. Or maybe a struct? + fn get_ids(&self, values: Option>) -> Option<(DefId, (ty::Ty<'tcx>, DefId))> { + match values { + // for now, only handling non trait types + Some(infer::Types(ref exp_found)) => { + match (self.get_id(exp_found.found), self.get_id(exp_found.expected)) { + (Some(found), Some(expected)) => Some((found, (exp_found.expected, expected))), + _ => None, + } + } + _ => None, + } + } + fn expected_found_str>( &self, exp_found: &ty::error::ExpectedFound) diff --git a/src/librustc/ty/sty.rs b/src/librustc/ty/sty.rs index 3b7c46ef7fe17..638345608c2f5 100644 --- a/src/librustc/ty/sty.rs +++ b/src/librustc/ty/sty.rs @@ -543,6 +543,7 @@ pub struct ProjectionTy<'tcx> { pub struct BareFnTy<'tcx> { pub unsafety: hir::Unsafety, pub abi: abi::Abi, + /// Signature (inputs and output) of this function type. pub sig: PolyFnSig<'tcx>, } From 164f0105bb65f31b89e5fb7f368c9e6f5833a3f8 Mon Sep 17 00:00:00 2001 From: Guillaume Gomez Date: Tue, 25 Oct 2016 22:19:19 +0200 Subject: [PATCH 02/22] Add safe_suggestion attribute --- src/libcollections/lib.rs | 1 + src/libcollections/string.rs | 1 + src/librustc/infer/error_reporting.rs | 29 ++++++++++++++++++++++----- src/libsyntax/feature_gate.rs | 9 +++++++++ 4 files changed, 35 insertions(+), 5 deletions(-) diff --git a/src/libcollections/lib.rs b/src/libcollections/lib.rs index 68b067012d3fa..673a717b5f8e9 100644 --- a/src/libcollections/lib.rs +++ b/src/libcollections/lib.rs @@ -28,6 +28,7 @@ #![cfg_attr(test, allow(deprecated))] // rand #![cfg_attr(not(stage0), deny(warnings))] +#![cfg_attr(not(stage0), feature(safe_suggestion))] #![feature(alloc)] #![feature(allow_internal_unstable)] diff --git a/src/libcollections/string.rs b/src/libcollections/string.rs index b4c41a99a6b97..a5017d5d7010f 100644 --- a/src/libcollections/string.rs +++ b/src/libcollections/string.rs @@ -1231,6 +1231,7 @@ impl String { /// assert_eq!(a.len(), 3); /// ``` #[inline] + #[cfg_attr(not(stage0), safe_suggestion)] #[stable(feature = "rust1", since = "1.0.0")] pub fn len(&self) -> usize { self.vec.len() diff --git a/src/librustc/infer/error_reporting.rs b/src/librustc/infer/error_reporting.rs index d50853e3a0e74..98cbd742b1092 100644 --- a/src/librustc/infer/error_reporting.rs +++ b/src/librustc/infer/error_reporting.rs @@ -587,19 +587,29 @@ impl<'a, 'gcx, 'tcx> InferCtxt<'a, 'gcx, 'tcx> { // look for expected with found id self.tcx.populate_inherent_implementations_for_type_if_necessary(found); if let Some(impl_infos) = self.tcx.inherent_impls.borrow().get(&found) { - let mut methods = Vec::new(); + let mut methods: Vec<(Option, DefId, ImplOrTraitItem<'tcx>)> = Vec::new(); for impl_ in impl_infos { methods.append(&mut self.tcx .impl_or_trait_items(*impl_) .iter() - .map(|&did| self.tcx.impl_or_trait_item(did)) - .filter(|x| { + .map(|&did| (None, did, self.tcx.impl_or_trait_item(did))) + .filter(|&(_, _, ref x)| { self.matches_return_type(x, &expected_ty) }) .collect()); } - for method in methods { - println!("==> {:?}", method.name()); + let safe_suggestions: Vec<_> = methods.iter() + .map(|&(_, ref id, ref x)| (self.find_attr(*id, "safe_suggestion"), id, x)) + .filter(|&(ref res, _, _)| res.is_some()) + .collect(); + if safe_suggestions.len() > 0 { + for (_, _, method) in safe_suggestions { + println!("safe ==> {:?}", method.name()); + } + } else { + for &(_, _, ref method) in methods.iter() { + println!("not safe ==> {:?}", method.name()); + } } } } @@ -615,6 +625,15 @@ impl<'a, 'gcx, 'tcx> InferCtxt<'a, 'gcx, 'tcx> { self.tcx.note_and_explain_type_err(diag, terr, span); } + fn find_attr(&self, def_id: DefId, attr_name: &str) -> Option { + for item in self.tcx.get_attrs(def_id).iter() { + if item.check_name(attr_name) { + return Some(item.clone()); + } + } + None + } + pub fn report_and_explain_type_error(&self, trace: TypeTrace<'tcx>, terr: &TypeError<'tcx>) diff --git a/src/libsyntax/feature_gate.rs b/src/libsyntax/feature_gate.rs index 77c53542dcbec..dbb31b0e56cd1 100644 --- a/src/libsyntax/feature_gate.rs +++ b/src/libsyntax/feature_gate.rs @@ -304,6 +304,7 @@ declare_features! ( // Allows using `Self` and associated types in struct expressions and patterns. (active, more_struct_aliases, "1.14.0", Some(37544)), + // Allows #[link(..., cfg(..))] (active, link_cfg, "1.14.0", Some(37406)), @@ -314,6 +315,9 @@ declare_features! ( // Allows #[target_feature(...)] (active, target_feature, "1.15.0", None), + + // Allow safe suggestions for potential type conversions. + (active, safe_suggestion, "1.0.0", Some(37384)), ); declare_features! ( @@ -648,6 +652,11 @@ pub const BUILTIN_ATTRIBUTES: &'static [(&'static str, AttributeType, AttributeG "internal implementation detail", cfg_fn!(rustc_attrs))), + ("safe_suggestion", Whitelisted, Gated("safe_suggestion", + "the `#[safe_suggestion]` attribute \ + is an experimental feature", + cfg_fn!(safe_suggestion))), + // FIXME: #14408 whitelist docs since rustdoc looks at them ("doc", Whitelisted, Ungated), From 021d97d1c5e053176961970ccbcad9f2802e9c91 Mon Sep 17 00:00:00 2001 From: Guillaume Gomez Date: Wed, 26 Oct 2016 23:53:47 +0200 Subject: [PATCH 03/22] Move suggestion list creation to coerce check --- src/librustc/infer/error_reporting.rs | 104 ++++++++++--- src/librustc_typeck/check/demand.rs | 89 ++++++++++- src/librustc_typeck/check/method/mod.rs | 28 +++- src/librustc_typeck/check/method/probe.rs | 173 +++++++++++++++++----- 4 files changed, 333 insertions(+), 61 deletions(-) diff --git a/src/librustc/infer/error_reporting.rs b/src/librustc/infer/error_reporting.rs index 98cbd742b1092..8fed2a8209516 100644 --- a/src/librustc/infer/error_reporting.rs +++ b/src/librustc/infer/error_reporting.rs @@ -83,13 +83,14 @@ use hir::def_id::DefId; use infer; use middle::region; use traits::{ObligationCause, ObligationCauseCode}; -use ty::{self, ImplOrTraitItem, Ty, TyCtxt, TypeFoldable}; +use ty::{self, TyCtxt, TypeFoldable}; use ty::{Region, ReFree}; use ty::error::TypeError; use std::cell::{Cell, RefCell}; use std::char::from_u32; use std::fmt; +//use std::rc::Rc; use syntax::ast; use syntax::ptr::P; use syntax::symbol::Symbol; @@ -233,6 +234,22 @@ impl<'a, 'gcx, 'tcx> TyCtxt<'a, 'gcx, 'tcx> { } } +/*struct MethodInfo<'tcx> { + ast: Option, + id: DefId, + item: Rc>, +} + +impl<'tcx> MethodInfo<'tcx> { + fn new(ast: Option, id: DefId, item: Rc>) -> MethodInfo { + MethodInfo { + ast: ast, + id: id, + item: item, + } + } +}*/ + impl<'a, 'gcx, 'tcx> InferCtxt<'a, 'gcx, 'tcx> { pub fn report_region_errors(&self, errors: &Vec>) { @@ -583,36 +600,53 @@ impl<'a, 'gcx, 'tcx> InferCtxt<'a, 'gcx, 'tcx> { } } - if let Some((found, (expected_ty, _))) = self.get_ids(values) { + //if let Some((found, (expected_ty, expected))) = self.get_ids(values) { // look for expected with found id - self.tcx.populate_inherent_implementations_for_type_if_necessary(found); + /*self.tcx.populate_inherent_implementations_for_type_if_necessary(found); if let Some(impl_infos) = self.tcx.inherent_impls.borrow().get(&found) { - let mut methods: Vec<(Option, DefId, ImplOrTraitItem<'tcx>)> = Vec::new(); + let mut methods: Vec = Vec::new(); for impl_ in impl_infos { methods.append(&mut self.tcx .impl_or_trait_items(*impl_) .iter() - .map(|&did| (None, did, self.tcx.impl_or_trait_item(did))) - .filter(|&(_, _, ref x)| { - self.matches_return_type(x, &expected_ty) + .map(|&did| MethodInfo::new(None, did, Rc::new(self.tcx.impl_or_trait_item(did)))) + .filter(|ref x| { + self.matches_return_type(&*x.item, &expected_ty) }) .collect()); } - let safe_suggestions: Vec<_> = methods.iter() - .map(|&(_, ref id, ref x)| (self.find_attr(*id, "safe_suggestion"), id, x)) - .filter(|&(ref res, _, _)| res.is_some()) - .collect(); - if safe_suggestions.len() > 0 { - for (_, _, method) in safe_suggestions { - println!("safe ==> {:?}", method.name()); - } - } else { - for &(_, _, ref method) in methods.iter() { - println!("not safe ==> {:?}", method.name()); + for did in self.tcx.sess.cstore.implementations_of_trait(None) { + if did == found { + methods.append( + self.tcx.sess.cstore.impl_or_trait_items(did) + .iter() + .map(|&did| MethodInfo::new(None, did, Rc::new(self.tcx.impl_or_trait_item(did)))) + .filter(|ref x| { + self.matches_return_type(&*x.item, &expected_ty) + }) + .collect()); + ; } } - } - } + let safe_suggestions: Vec<_> = + methods.iter() + .map(|ref x| MethodInfo::new(self.find_attr(x.id, "safe_suggestion"), x.id, x.item.clone())) + .filter(|ref x| x.ast.is_some()) + .collect(); + if safe_suggestions.len() > 0 { + println!("safe"); + self.get_best_match(&safe_suggestions); + } else { + println!("not safe"); + self.get_best_match(&methods); + }*/ + /*let mode = probe::Mode::MethodCall; + if let Ok(ret) = self.probe_return(DUMMY_SP, mode, expected, found, DUMMY_NODE_ID) { + println!("got it"); + } else { + println!("sad..."); + }*/ + //} } diag.span_label(span, &terr); @@ -625,6 +659,23 @@ impl<'a, 'gcx, 'tcx> InferCtxt<'a, 'gcx, 'tcx> { self.tcx.note_and_explain_type_err(diag, terr, span); } + /*fn get_best_match(&self, methods: &[MethodInfo<'tcx>]) -> String { + let no_argument_methods: Vec<&MethodInfo> = + methods.iter() + .filter(|ref x| self.has_not_input_arg(&*x.item)) + .collect(); + if no_argument_methods.len() > 0 { + for ref method in no_argument_methods { + println!("best match ==> {:?}", method.item.name()); + } + } else { + for ref method in methods.iter() { + println!("not best ==> {:?}", method.item.name()); + } + } + String::new() + } + fn find_attr(&self, def_id: DefId, attr_name: &str) -> Option { for item in self.tcx.get_attrs(def_id).iter() { if item.check_name(attr_name) { @@ -632,7 +683,7 @@ impl<'a, 'gcx, 'tcx> InferCtxt<'a, 'gcx, 'tcx> { } } None - } + }*/ pub fn report_and_explain_type_error(&self, trace: TypeTrace<'tcx>, @@ -662,6 +713,15 @@ impl<'a, 'gcx, 'tcx> InferCtxt<'a, 'gcx, 'tcx> { } } + /*fn has_not_input_arg(&self, method: &ImplOrTraitItem<'tcx>) -> bool { + match *method { + ImplOrTraitItem::MethodTraitItem(ref x) => { + x.fty.sig.skip_binder().inputs.len() == 1 + } + _ => false, + } + } + fn matches_return_type(&self, method: &ImplOrTraitItem<'tcx>, expected: &ty::Ty<'tcx>) -> bool { match *method { ImplOrTraitItem::MethodTraitItem(ref x) => { @@ -714,7 +774,7 @@ impl<'a, 'gcx, 'tcx> InferCtxt<'a, 'gcx, 'tcx> { } _ => None, } - } + }*/ fn expected_found_str>( &self, diff --git a/src/librustc_typeck/check/demand.rs b/src/librustc_typeck/check/demand.rs index ef1c08bdab549..db711e4a31db4 100644 --- a/src/librustc_typeck/check/demand.rs +++ b/src/librustc_typeck/check/demand.rs @@ -14,8 +14,32 @@ use rustc::ty::Ty; use rustc::infer::{InferOk}; use rustc::traits::ObligationCause; -use syntax_pos::Span; +use syntax::ast; +use syntax_pos::{self, Span}; use rustc::hir; +use rustc::ty::{self, ImplOrTraitItem}; + +use hir::def_id::DefId; + +use std::rc::Rc; + +use super::method::probe; + +struct MethodInfo<'tcx> { + ast: Option, + id: DefId, + item: Rc>, +} + +impl<'tcx> MethodInfo<'tcx> { + fn new(ast: Option, id: DefId, item: Rc>) -> MethodInfo { + MethodInfo { + ast: ast, + id: id, + item: item, + } + } +} impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { // Requires that the two types unify, and prints an error message if @@ -57,7 +81,70 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { if let Err(e) = self.try_coerce(expr, checked_ty, expected) { let cause = self.misc(expr.span); let expr_ty = self.resolve_type_vars_with_obligations(checked_ty); + let mode = probe::Mode::MethodCall; + if let Ok(methods) = self.probe_return(syntax_pos::DUMMY_SP, mode, expected, + checked_ty, ast::DUMMY_NODE_ID) { + let suggestions: Vec<_> = + methods.iter() + .filter_map(|ref x| { + if let Some(id) = self.get_impl_id(&x.item) { + Some(MethodInfo::new(None, id, Rc::new(x.item.clone()))) + } else { + None + }}) + .collect(); + let safe_suggestions: Vec<_> = + suggestions.iter() + .map(|ref x| MethodInfo::new( + self.find_attr(x.id, "safe_suggestion"), + x.id, + x.item.clone())) + .filter(|ref x| x.ast.is_some()) + .collect(); + if safe_suggestions.len() > 0 { + self.get_best_match(&safe_suggestions); + } else { + self.get_best_match(&suggestions); + } + } self.report_mismatched_types(&cause, expected, expr_ty, e); } } + + fn get_best_match(&self, methods: &[MethodInfo<'tcx>]) -> String { + if methods.len() == 1 { + println!("unique match ==> {:?}", methods[0].item.name()); + return String::new(); + } + let no_argument_methods: Vec<&MethodInfo> = + methods.iter() + .filter(|ref x| self.has_not_input_arg(&*x.item)) + .collect(); + if no_argument_methods.len() > 0 { + for ref method in no_argument_methods { + println!("best match ==> {:?}", method.item.name()); + } + } else { + for ref method in methods.iter() { + println!("not best ==> {:?}", method.item.name()); + } + } + String::new() + } + + fn get_impl_id(&self, impl_: &ImplOrTraitItem<'tcx>) -> Option { + match *impl_ { + ty::ImplOrTraitItem::MethodTraitItem(ref m) => Some((*m).def_id), + _ => None, + } + } + + fn has_not_input_arg(&self, method: &ImplOrTraitItem<'tcx>) -> bool { + match *method { + ImplOrTraitItem::MethodTraitItem(ref x) => { + x.fty.sig.skip_binder().inputs.len() == 1 + } + _ => false, + } + } } diff --git a/src/librustc_typeck/check/method/mod.rs b/src/librustc_typeck/check/method/mod.rs index b29eab780e035..0af32c8fe6dca 100644 --- a/src/librustc_typeck/check/method/mod.rs +++ b/src/librustc_typeck/check/method/mod.rs @@ -30,7 +30,7 @@ pub use self::CandidateSource::*; pub use self::suggest::AllTraitsVec; mod confirm; -mod probe; +pub mod probe; mod suggest; pub enum MethodError<'tcx> { @@ -130,7 +130,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { let mode = probe::Mode::MethodCall; let self_ty = self.resolve_type_vars_if_possible(&self_ty); - let pick = self.probe_method(span, mode, method_name, self_ty, call_expr.id)?; + let pick = self.probe_method(span, mode, method_name, self_ty, call_expr.id)?.remove(0); if let Some(import_id) = pick.import_id { self.tcx.used_trait_imports.borrow_mut().insert(import_id); @@ -328,7 +328,8 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { expr_id: ast::NodeId) -> Result> { let mode = probe::Mode::Path; - let pick = self.probe_method(span, mode, method_name, self_ty, expr_id)?; + let picks = self.probe_method(span, mode, method_name, self_ty, expr_id)?; + let pick = &picks[0]; if let Some(import_id) = pick.import_id { self.tcx.used_trait_imports.borrow_mut().insert(import_id); @@ -353,4 +354,25 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { -> Option { self.tcx.associated_items(def_id).find(|item| item.name == item_name) } + + fn matches_return_type(&self, method: &ty::ImplOrTraitItem<'tcx>, + expected: ty::Ty<'tcx>) -> bool { + match *method { + ty::ImplOrTraitItem::MethodTraitItem(ref x) => { + self.can_sub_types(x.fty.sig.skip_binder().output, expected).is_ok() + } + _ => false, + } + } + + pub fn impl_or_return_item(&self, + def_id: DefId, + return_type: ty::Ty<'tcx>) + -> Option> { + self.tcx + .impl_or_trait_items(def_id) + .iter() + .map(|&did| self.tcx.impl_or_trait_item(did)) + .find(|m| self.matches_return_type(m, return_type)) + } } diff --git a/src/librustc_typeck/check/method/probe.rs b/src/librustc_typeck/check/method/probe.rs index 5cb0804b1bca1..32de37764f6e8 100644 --- a/src/librustc_typeck/check/method/probe.rs +++ b/src/librustc_typeck/check/method/probe.rs @@ -32,11 +32,16 @@ use std::rc::Rc; use self::CandidateKind::*; pub use self::PickKind::*; +pub enum LookingFor<'tcx> { + MethodName(ast::Name), + ReturnType(Ty<'tcx>), +} + struct ProbeContext<'a, 'gcx: 'a + 'tcx, 'tcx: 'a> { fcx: &'a FnCtxt<'a, 'gcx, 'tcx>, span: Span, mode: Mode, - item_name: ast::Name, + looking_for: LookingFor<'tcx>, steps: Rc>>, opt_simplified_steps: Option>, inherent_candidates: Vec>, @@ -129,7 +134,7 @@ pub enum PickKind<'tcx> { ty::PolyTraitRef<'tcx>), } -pub type PickResult<'tcx> = Result, MethodError<'tcx>>; +pub type PickResult<'tcx> = Result>, MethodError<'tcx>>; #[derive(PartialEq, Eq, Copy, Clone, Debug)] pub enum Mode { @@ -144,6 +149,20 @@ pub enum Mode { } impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { + pub fn probe_return(&self, + span: Span, + mode: Mode, + return_type: Ty<'tcx>, + self_ty: Ty<'tcx>, + scope_expr_id: ast::NodeId) + -> PickResult<'tcx> { + debug!("probe(self_ty={:?}, return_type={}, scope_expr_id={})", + self_ty, + return_type, + scope_expr_id); + self._probe(span, mode, LookingFor::ReturnType(return_type), self_ty, scope_expr_id) + } + pub fn probe_method(&self, span: Span, mode: Mode, @@ -155,6 +174,16 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { self_ty, item_name, scope_expr_id); + self._probe(span, mode, LookingFor::MethodName(item_name), self_ty, scope_expr_id) + } + + fn _probe(&self, + span: Span, + mode: Mode, + looking_for: LookingFor<'tcx>, + self_ty: Ty<'tcx>, + scope_expr_id: ast::NodeId) + -> PickResult<'tcx> { // FIXME(#18741) -- right now, creating the steps involves evaluating the // `*` operator, which registers obligations that then escape into @@ -207,14 +236,18 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { // that we create during the probe process are removed later self.probe(|_| { let mut probe_cx = - ProbeContext::new(self, span, mode, item_name, steps, opt_simplified_steps); + ProbeContext::new(self, span, mode, looking_for, + steps, opt_simplified_steps); probe_cx.assemble_inherent_candidates(); probe_cx.assemble_extension_candidates_for_traits_in_scope(scope_expr_id)?; probe_cx.pick() }) } - fn create_steps(&self, span: Span, self_ty: Ty<'tcx>) -> Option>> { + fn create_steps(&self, + span: Span, + self_ty: Ty<'tcx>) + -> Option>> { // FIXME: we don't need to create the entire steps in one pass let mut autoderef = self.autoderef(span, self_ty); @@ -247,13 +280,22 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { Some(steps) } + + pub fn find_attr(&self, def_id: DefId, attr_name: &str) -> Option { + for item in self.tcx.get_attrs(def_id).iter() { + if item.check_name(attr_name) { + return Some(item.clone()); + } + } + None + } } impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { fn new(fcx: &'a FnCtxt<'a, 'gcx, 'tcx>, span: Span, mode: Mode, - item_name: ast::Name, + looking_for: LookingFor<'tcx>, steps: Vec>, opt_simplified_steps: Option>) -> ProbeContext<'a, 'gcx, 'tcx> { @@ -261,7 +303,7 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { fcx: fcx, span: span, mode: mode, - item_name: item_name, + looking_for: looking_for, inherent_candidates: Vec::new(), extension_candidates: Vec::new(), impl_dups: FxHashSet(), @@ -584,6 +626,16 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { Ok(()) } + fn matches_return_type(&self, method: &ty::ImplOrTraitItem<'tcx>, + expected: &ty::Ty<'tcx>) -> bool { + match *method { + ty::ImplOrTraitItem::MethodTraitItem(ref x) => { + self.can_sub_types(x.fty.sig.skip_binder().output, expected).is_ok() + } + _ => false, + } + } + fn assemble_extension_candidates_for_trait(&mut self, trait_def_id: DefId) -> Result<(), MethodError<'tcx>> { @@ -591,8 +643,19 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { trait_def_id); // Check whether `trait_def_id` defines a method with suitable name: - let maybe_item = self.tcx.associated_items(trait_def_id) - .find(|item| item.name == self.item_name); + let trait_items = self.tcx.associated_items(trait_def_id); + let maybe_item = match self.looking_for { + LookingFor::MethodName(item_name) => { + trait_items.iter() + .find(|item| item.name == item_name) + } + LookingFor::ReturnType(item_ty) => { + trait_items.iter() + .find(|item| { + self.matches_return_type(item, &item_ty) + }) + } + }; let item = match maybe_item { Some(i) => i, None => { @@ -837,8 +900,8 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { // THE ACTUAL SEARCH fn pick(mut self) -> PickResult<'tcx> { - if let Some(r) = self.pick_core() { - return r; + if let Some(ret) = self.pick_core() { + return ret; } let static_candidates = mem::replace(&mut self.static_candidates, vec![]); @@ -855,6 +918,7 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { let out_of_scope_traits = match self.pick_core() { Some(Ok(p)) => vec![p.item.container.id()], + //Some(Ok(p)) => p.iter().map(|p| p.item.container().id()).collect(), Some(Err(MethodError::Ambiguity(v))) => { v.into_iter() .map(|source| { @@ -896,9 +960,19 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { fn pick_core(&mut self) -> Option> { let steps = self.steps.clone(); + let mut ret = Vec::new(); - // find the first step that works - steps.iter().filter_map(|step| self.pick_step(step)).next() + for step in steps.iter() { + match self.pick_step(step) { + Some(Ok(mut elems)) => ret.append(&mut elems), + _ => {} + } + } + if ret.len() < 1 { + None + } else { + Some(Ok(ret)) + } } fn pick_step(&mut self, step: &CandidateStep<'tcx>) -> Option> { @@ -929,16 +1003,18 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { } self.pick_method(step.self_ty).map(|r| { - r.map(|mut pick| { - pick.autoderefs = step.autoderefs; - - // Insert a `&*` or `&mut *` if this is a reference type: - if let ty::TyRef(_, mt) = step.self_ty.sty { - pick.autoderefs += 1; - pick.autoref = Some(mt.mutbl); + r.map(|mut picks| { + for pick in picks.iter_mut() { + pick.autoderefs = step.autoderefs; + + // Insert a `&*` or `&mut *` if this is a reference type: + if let ty::TyRef(_, mt) = step.self_ty.sty { + pick.autoderefs += 1; + pick.autoref = Some(mt.mutbl); + } } - pick + picks }) }) } @@ -949,9 +1025,10 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { // In general, during probing we erase regions. See // `impl_self_ty()` for an explanation. let region = tcx.mk_region(ty::ReErased); + let mut res = Vec::new(); // Search through mutabilities in order to find one where pick works: - [hir::MutImmutable, hir::MutMutable] + for _ in [hir::MutImmutable, hir::MutMutable] .iter() .filter_map(|&m| { let autoref_ty = tcx.mk_ref(region, @@ -960,19 +1037,26 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { mutbl: m, }); self.pick_method(autoref_ty).map(|r| { - r.map(|mut pick| { - pick.autoderefs = step.autoderefs; - pick.autoref = Some(m); - pick.unsize = if step.unsize { - Some(step.self_ty) - } else { - None - }; - pick + r.map(|mut picks| { + for pick in picks.iter_mut() { + pick.autoderefs = step.autoderefs; + pick.autoref = Some(m); + pick.unsize = if step.unsize { + Some(step.self_ty) + } else { + None + }; + } + res.append(&mut picks); }) }) - }) - .nth(0) + }) {} + + if res.len() < 1 { + None + } else { + Some(Ok(res)) + } } fn pick_method(&mut self, self_ty: Ty<'tcx>) -> Option> { @@ -1002,7 +1086,7 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { probes: &[Candidate<'tcx>], possibly_unsatisfied_predicates: &mut Vec>) -> Option> { - let mut applicable_candidates: Vec<_> = probes.iter() + let applicable_candidates: Vec<_> = probes.iter() .filter(|&probe| self.consider_probe(self_ty, probe, possibly_unsatisfied_predicates)) .collect(); @@ -1011,7 +1095,7 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { if applicable_candidates.len() > 1 { match self.collapse_candidates_to_trait_pick(&applicable_candidates[..]) { Some(pick) => { - return Some(Ok(pick)); + return Some(Ok(vec![pick])); } None => {} } @@ -1022,7 +1106,15 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { return Some(Err(MethodError::Ambiguity(sources))); } - applicable_candidates.pop().map(|probe| Ok(probe.to_unadjusted_pick())) + let ret: Vec<_> = applicable_candidates.iter() + .map(|probe| probe.to_unadjusted_pick()) + .collect(); + + if ret.len() < 1 { + None + } else { + Some(Ok(ret)) + } } fn consider_probe(&self, @@ -1262,6 +1354,17 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { fn associated_item(&self, def_id: DefId) -> Option { self.fcx.associated_item(def_id, self.item_name) } + + fn impl_or_trait_item(&self, def_id: DefId) -> Option> { + match self.looking_for { + LookingFor::MethodName(name) => { + self.fcx.impl_or_trait_item(def_id, name) + } + LookingFor::ReturnType(return_ty) => { + self.fcx.impl_or_return_item(def_id, return_ty) + } + } + } } impl<'tcx> Candidate<'tcx> { From 07a3ede5f2ee2db963b73453f43126a71f5092bd Mon Sep 17 00:00:00 2001 From: Guillaume Gomez Date: Thu, 27 Oct 2016 00:43:00 +0200 Subject: [PATCH 04/22] Return DiagnosticBuilder to add help suggestions --- src/librustc/infer/error_reporting.rs | 154 -------------------------- src/librustc/infer/mod.rs | 4 +- src/librustc_typeck/check/_match.rs | 2 +- src/librustc_typeck/check/demand.rs | 65 +++++++---- src/librustc_typeck/check/mod.rs | 4 +- src/librustc_typeck/coherence/mod.rs | 2 +- src/librustc_typeck/lib.rs | 2 +- 7 files changed, 50 insertions(+), 183 deletions(-) diff --git a/src/librustc/infer/error_reporting.rs b/src/librustc/infer/error_reporting.rs index 8fed2a8209516..a67af1d5dcc3c 100644 --- a/src/librustc/infer/error_reporting.rs +++ b/src/librustc/infer/error_reporting.rs @@ -90,7 +90,6 @@ use ty::error::TypeError; use std::cell::{Cell, RefCell}; use std::char::from_u32; use std::fmt; -//use std::rc::Rc; use syntax::ast; use syntax::ptr::P; use syntax::symbol::Symbol; @@ -234,22 +233,6 @@ impl<'a, 'gcx, 'tcx> TyCtxt<'a, 'gcx, 'tcx> { } } -/*struct MethodInfo<'tcx> { - ast: Option, - id: DefId, - item: Rc>, -} - -impl<'tcx> MethodInfo<'tcx> { - fn new(ast: Option, id: DefId, item: Rc>) -> MethodInfo { - MethodInfo { - ast: ast, - id: id, - item: item, - } - } -}*/ - impl<'a, 'gcx, 'tcx> InferCtxt<'a, 'gcx, 'tcx> { pub fn report_region_errors(&self, errors: &Vec>) { @@ -599,54 +582,6 @@ impl<'a, 'gcx, 'tcx> InferCtxt<'a, 'gcx, 'tcx> { diag.note_expected_found(&"type", &expected, &found); } } - - //if let Some((found, (expected_ty, expected))) = self.get_ids(values) { - // look for expected with found id - /*self.tcx.populate_inherent_implementations_for_type_if_necessary(found); - if let Some(impl_infos) = self.tcx.inherent_impls.borrow().get(&found) { - let mut methods: Vec = Vec::new(); - for impl_ in impl_infos { - methods.append(&mut self.tcx - .impl_or_trait_items(*impl_) - .iter() - .map(|&did| MethodInfo::new(None, did, Rc::new(self.tcx.impl_or_trait_item(did)))) - .filter(|ref x| { - self.matches_return_type(&*x.item, &expected_ty) - }) - .collect()); - } - for did in self.tcx.sess.cstore.implementations_of_trait(None) { - if did == found { - methods.append( - self.tcx.sess.cstore.impl_or_trait_items(did) - .iter() - .map(|&did| MethodInfo::new(None, did, Rc::new(self.tcx.impl_or_trait_item(did)))) - .filter(|ref x| { - self.matches_return_type(&*x.item, &expected_ty) - }) - .collect()); - ; - } - } - let safe_suggestions: Vec<_> = - methods.iter() - .map(|ref x| MethodInfo::new(self.find_attr(x.id, "safe_suggestion"), x.id, x.item.clone())) - .filter(|ref x| x.ast.is_some()) - .collect(); - if safe_suggestions.len() > 0 { - println!("safe"); - self.get_best_match(&safe_suggestions); - } else { - println!("not safe"); - self.get_best_match(&methods); - }*/ - /*let mode = probe::Mode::MethodCall; - if let Ok(ret) = self.probe_return(DUMMY_SP, mode, expected, found, DUMMY_NODE_ID) { - println!("got it"); - } else { - println!("sad..."); - }*/ - //} } diag.span_label(span, &terr); @@ -659,32 +594,6 @@ impl<'a, 'gcx, 'tcx> InferCtxt<'a, 'gcx, 'tcx> { self.tcx.note_and_explain_type_err(diag, terr, span); } - /*fn get_best_match(&self, methods: &[MethodInfo<'tcx>]) -> String { - let no_argument_methods: Vec<&MethodInfo> = - methods.iter() - .filter(|ref x| self.has_not_input_arg(&*x.item)) - .collect(); - if no_argument_methods.len() > 0 { - for ref method in no_argument_methods { - println!("best match ==> {:?}", method.item.name()); - } - } else { - for ref method in methods.iter() { - println!("not best ==> {:?}", method.item.name()); - } - } - String::new() - } - - fn find_attr(&self, def_id: DefId, attr_name: &str) -> Option { - for item in self.tcx.get_attrs(def_id).iter() { - if item.check_name(attr_name) { - return Some(item.clone()); - } - } - None - }*/ - pub fn report_and_explain_type_error(&self, trace: TypeTrace<'tcx>, terr: &TypeError<'tcx>) @@ -713,69 +622,6 @@ impl<'a, 'gcx, 'tcx> InferCtxt<'a, 'gcx, 'tcx> { } } - /*fn has_not_input_arg(&self, method: &ImplOrTraitItem<'tcx>) -> bool { - match *method { - ImplOrTraitItem::MethodTraitItem(ref x) => { - x.fty.sig.skip_binder().inputs.len() == 1 - } - _ => false, - } - } - - fn matches_return_type(&self, method: &ImplOrTraitItem<'tcx>, expected: &ty::Ty<'tcx>) -> bool { - match *method { - ImplOrTraitItem::MethodTraitItem(ref x) => { - self.can_sub_types(x.fty.sig.skip_binder().output, expected).is_ok() - } - _ => false, - } - } - - fn get_id(&self, ty: Ty<'tcx>) -> Option { - match ty.sty { - ty::TyTrait(box ref data) => Some(data.principal.def_id()), - ty::TyAdt(def, _) => Some(def.did), - ty::TyBox(ref ty) => self.get_id(*ty), // since we don't want box's methods by type's - ty::TyChar => self.tcx.lang_items.char_impl(), - ty::TyStr => self.tcx.lang_items.str_impl(), - ty::TySlice(_) => self.tcx.lang_items.slice_impl(), - ty::TyRawPtr(ty::TypeAndMut { ty: _, mutbl: hir::MutImmutable }) => { - self.tcx.lang_items.const_ptr_impl() - } - ty::TyRawPtr(ty::TypeAndMut { ty: _, mutbl: hir::MutMutable }) => { - self.tcx.lang_items.mut_ptr_impl() - } - ty::TyInt(ast::IntTy::I8) => self.tcx.lang_items.i8_impl(), - ty::TyInt(ast::IntTy::I16) => self.tcx.lang_items.i16_impl(), - ty::TyInt(ast::IntTy::I32) => self.tcx.lang_items.i32_impl(), - ty::TyInt(ast::IntTy::I64) => self.tcx.lang_items.i64_impl(), - ty::TyInt(ast::IntTy::Is) => self.tcx.lang_items.isize_impl(), - ty::TyUint(ast::UintTy::U8) => self.tcx.lang_items.u8_impl(), - ty::TyUint(ast::UintTy::U16) => self.tcx.lang_items.u16_impl(), - ty::TyUint(ast::UintTy::U32) => self.tcx.lang_items.u32_impl(), - ty::TyUint(ast::UintTy::U64) => self.tcx.lang_items.u64_impl(), - ty::TyUint(ast::UintTy::Us) => self.tcx.lang_items.usize_impl(), - ty::TyFloat(ast::FloatTy::F32) => self.tcx.lang_items.f32_impl(), - ty::TyFloat(ast::FloatTy::F64) => self.tcx.lang_items.f64_impl(), - _ => None, - } - } - - // Yep, returned value super ugly. it'll certainly become `Option<(DefId, ty::Ty<'tcx>)>` - // in a close future. Or maybe a struct? - fn get_ids(&self, values: Option>) -> Option<(DefId, (ty::Ty<'tcx>, DefId))> { - match values { - // for now, only handling non trait types - Some(infer::Types(ref exp_found)) => { - match (self.get_id(exp_found.found), self.get_id(exp_found.expected)) { - (Some(found), Some(expected)) => Some((found, (exp_found.expected, expected))), - _ => None, - } - } - _ => None, - } - }*/ - fn expected_found_str>( &self, exp_found: &ty::error::ExpectedFound) diff --git a/src/librustc/infer/mod.rs b/src/librustc/infer/mod.rs index 9b58334e65805..6bbe40950b75f 100644 --- a/src/librustc/infer/mod.rs +++ b/src/librustc/infer/mod.rs @@ -1367,9 +1367,9 @@ impl<'a, 'gcx, 'tcx> InferCtxt<'a, 'gcx, 'tcx> { cause: &ObligationCause<'tcx>, expected: Ty<'tcx>, actual: Ty<'tcx>, - err: TypeError<'tcx>) { + err: TypeError<'tcx>) -> DiagnosticBuilder<'tcx> { let trace = TypeTrace::types(cause, true, expected, actual); - self.report_and_explain_type_error(trace, &err).emit(); + self.report_and_explain_type_error(trace, &err) } pub fn report_conflicting_default_types(&self, diff --git a/src/librustc_typeck/check/_match.rs b/src/librustc_typeck/check/_match.rs index 624201eaab696..ff50ee11b390e 100644 --- a/src/librustc_typeck/check/_match.rs +++ b/src/librustc_typeck/check/_match.rs @@ -481,7 +481,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { } else { (result_ty, arm_ty) }; - self.report_mismatched_types(&cause, expected, found, e); + self.report_mismatched_types(&cause, expected, found, e).emit(); self.tcx.types.err } }; diff --git a/src/librustc_typeck/check/demand.rs b/src/librustc_typeck/check/demand.rs index db711e4a31db4..01a961949bc33 100644 --- a/src/librustc_typeck/check/demand.rs +++ b/src/librustc_typeck/check/demand.rs @@ -51,7 +51,11 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { self.register_predicates(obligations); }, Err(e) => { +<<<<<<< HEAD self.report_mismatched_types(&cause, expected, actual, e); +======= + self.report_mismatched_types(origin, expected, actual, e).emit(); +>>>>>>> Return DiagnosticBuilder to add help suggestions } } } @@ -70,7 +74,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { self.register_predicates(obligations); }, Err(e) => { - self.report_mismatched_types(cause, expected, actual, e); + self.report_mismatched_types(cause, expected, actual, e).emit(); } } } @@ -82,7 +86,8 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { let cause = self.misc(expr.span); let expr_ty = self.resolve_type_vars_with_obligations(checked_ty); let mode = probe::Mode::MethodCall; - if let Ok(methods) = self.probe_return(syntax_pos::DUMMY_SP, mode, expected, + let suggestions = + if let Ok(methods) = self.probe_return(syntax_pos::DUMMY_SP, mode, expected, checked_ty, ast::DUMMY_NODE_ID) { let suggestions: Vec<_> = methods.iter() @@ -93,43 +98,59 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { None }}) .collect(); - let safe_suggestions: Vec<_> = - suggestions.iter() - .map(|ref x| MethodInfo::new( - self.find_attr(x.id, "safe_suggestion"), - x.id, - x.item.clone())) - .filter(|ref x| x.ast.is_some()) - .collect(); - if safe_suggestions.len() > 0 { - self.get_best_match(&safe_suggestions); + if suggestions.len() > 0 { + let safe_suggestions: Vec<_> = + suggestions.iter() + .map(|ref x| MethodInfo::new( + self.find_attr(x.id, "safe_suggestion"), + x.id, + x.item.clone())) + .filter(|ref x| x.ast.is_some()) + .collect(); + Some(if safe_suggestions.len() > 0 { + self.get_best_match(&safe_suggestions) + } else { + format!("no safe suggestion found, here are functions which match your \ + needs but be careful:\n - {}", + self.get_best_match(&suggestions)) + }) } else { - self.get_best_match(&suggestions); + None } + } else { + None + }; + let mut err = self.report_mismatched_types(origin, expected, expr_ty, e); + if let Some(suggestions) = suggestions { + err.help(&suggestions); } +<<<<<<< HEAD self.report_mismatched_types(&cause, expected, expr_ty, e); +======= + err.emit(); +>>>>>>> Return DiagnosticBuilder to add help suggestions } } fn get_best_match(&self, methods: &[MethodInfo<'tcx>]) -> String { if methods.len() == 1 { - println!("unique match ==> {:?}", methods[0].item.name()); - return String::new(); + return format!(" - {}", methods[0].item.name()); } let no_argument_methods: Vec<&MethodInfo> = methods.iter() .filter(|ref x| self.has_not_input_arg(&*x.item)) .collect(); if no_argument_methods.len() > 0 { - for ref method in no_argument_methods { - println!("best match ==> {:?}", method.item.name()); - } + no_argument_methods.iter() + .map(|method| format!("{}", method.item.name())) + .collect::>() + .join("\n - ") } else { - for ref method in methods.iter() { - println!("not best ==> {:?}", method.item.name()); - } + methods.iter() + .map(|method| format!("{}", method.item.name())) + .collect::>() + .join("\n - ") } - String::new() } fn get_impl_id(&self, impl_: &ImplOrTraitItem<'tcx>) -> Option { diff --git a/src/librustc_typeck/check/mod.rs b/src/librustc_typeck/check/mod.rs index 58dff935a16b8..92d96b407192b 100644 --- a/src/librustc_typeck/check/mod.rs +++ b/src/librustc_typeck/check/mod.rs @@ -2986,7 +2986,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { } } Err(e) => { - self.report_mismatched_types(&cause, expected_ty, found_ty, e); + self.report_mismatched_types(&cause, expected_ty, found_ty, e).emit(); self.tcx.types.err } } @@ -3880,7 +3880,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { match result { Ok(ty) => unified = ty, Err(e) => { - self.report_mismatched_types(&cause, unified, e_ty, e); + self.report_mismatched_types(&cause, unified, e_ty, e).emit(); } } } diff --git a/src/librustc_typeck/coherence/mod.rs b/src/librustc_typeck/coherence/mod.rs index f575d4d8bab7a..0e5a16987c12e 100644 --- a/src/librustc_typeck/coherence/mod.rs +++ b/src/librustc_typeck/coherence/mod.rs @@ -356,7 +356,7 @@ impl<'a, 'gcx, 'tcx> CoherenceChecker<'a, 'gcx, 'tcx> { infcx.report_mismatched_types(&cause, mk_ptr(mt_b.ty), target, - ty::error::TypeError::Mutability); + ty::error::TypeError::Mutability).emit(); } (mt_a.ty, mt_b.ty, unsize_trait, None) }; diff --git a/src/librustc_typeck/lib.rs b/src/librustc_typeck/lib.rs index 50d4c3cd0c994..ec17813ed2a52 100644 --- a/src/librustc_typeck/lib.rs +++ b/src/librustc_typeck/lib.rs @@ -185,7 +185,7 @@ fn require_same_types<'a, 'tcx>(ccx: &CrateCtxt<'a, 'tcx>, true } Err(err) => { - infcx.report_mismatched_types(cause, expected, actual, err); + infcx.report_mismatched_types(cause, expected, actual, err).emit(); false } } From 8057d485d435dcc4fb8e6f86708c71810199cf54 Mon Sep 17 00:00:00 2001 From: Guillaume Gomez Date: Thu, 27 Oct 2016 20:53:03 +0200 Subject: [PATCH 05/22] Move matches return type method --- src/librustc_typeck/check/method/mod.rs | 2 +- src/librustc_typeck/check/method/probe.rs | 12 +----------- 2 files changed, 2 insertions(+), 12 deletions(-) diff --git a/src/librustc_typeck/check/method/mod.rs b/src/librustc_typeck/check/method/mod.rs index 0af32c8fe6dca..334ef30487ad6 100644 --- a/src/librustc_typeck/check/method/mod.rs +++ b/src/librustc_typeck/check/method/mod.rs @@ -355,7 +355,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { self.tcx.associated_items(def_id).find(|item| item.name == item_name) } - fn matches_return_type(&self, method: &ty::ImplOrTraitItem<'tcx>, + pub fn matches_return_type(&self, method: &ty::ImplOrTraitItem<'tcx>, expected: ty::Ty<'tcx>) -> bool { match *method { ty::ImplOrTraitItem::MethodTraitItem(ref x) => { diff --git a/src/librustc_typeck/check/method/probe.rs b/src/librustc_typeck/check/method/probe.rs index 32de37764f6e8..85a2fcd2ba127 100644 --- a/src/librustc_typeck/check/method/probe.rs +++ b/src/librustc_typeck/check/method/probe.rs @@ -626,16 +626,6 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { Ok(()) } - fn matches_return_type(&self, method: &ty::ImplOrTraitItem<'tcx>, - expected: &ty::Ty<'tcx>) -> bool { - match *method { - ty::ImplOrTraitItem::MethodTraitItem(ref x) => { - self.can_sub_types(x.fty.sig.skip_binder().output, expected).is_ok() - } - _ => false, - } - } - fn assemble_extension_candidates_for_trait(&mut self, trait_def_id: DefId) -> Result<(), MethodError<'tcx>> { @@ -652,7 +642,7 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { LookingFor::ReturnType(item_ty) => { trait_items.iter() .find(|item| { - self.matches_return_type(item, &item_ty) + self.fcx.matches_return_type(item, &item_ty) }) } }; From b2d0ec0eb4cb468fefb66da7af67b9cf8132373e Mon Sep 17 00:00:00 2001 From: Guillaume Gomez Date: Fri, 28 Oct 2016 01:04:16 +0200 Subject: [PATCH 06/22] Fix coercion ICE --- src/librustc_typeck/check/method/mod.rs | 21 ------------ src/librustc_typeck/check/method/probe.rs | 39 +++++++++++++---------- src/libsyntax/feature_gate.rs | 3 +- 3 files changed, 24 insertions(+), 39 deletions(-) diff --git a/src/librustc_typeck/check/method/mod.rs b/src/librustc_typeck/check/method/mod.rs index 334ef30487ad6..bd240c7413314 100644 --- a/src/librustc_typeck/check/method/mod.rs +++ b/src/librustc_typeck/check/method/mod.rs @@ -354,25 +354,4 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { -> Option { self.tcx.associated_items(def_id).find(|item| item.name == item_name) } - - pub fn matches_return_type(&self, method: &ty::ImplOrTraitItem<'tcx>, - expected: ty::Ty<'tcx>) -> bool { - match *method { - ty::ImplOrTraitItem::MethodTraitItem(ref x) => { - self.can_sub_types(x.fty.sig.skip_binder().output, expected).is_ok() - } - _ => false, - } - } - - pub fn impl_or_return_item(&self, - def_id: DefId, - return_type: ty::Ty<'tcx>) - -> Option> { - self.tcx - .impl_or_trait_items(def_id) - .iter() - .map(|&did| self.tcx.impl_or_trait_item(did)) - .find(|m| self.matches_return_type(m, return_type)) - } } diff --git a/src/librustc_typeck/check/method/probe.rs b/src/librustc_typeck/check/method/probe.rs index 85a2fcd2ba127..e735360274e7e 100644 --- a/src/librustc_typeck/check/method/probe.rs +++ b/src/librustc_typeck/check/method/probe.rs @@ -21,7 +21,8 @@ use rustc::ty::subst::{Subst, Substs}; use rustc::traits::{self, ObligationCause}; use rustc::ty::{self, Ty, ToPolyTraitRef, TraitRef, TypeFoldable}; use rustc::infer::type_variable::TypeVariableOrigin; -use rustc::util::nodemap::FxHashSet; +use rustc::util::nodemap::{FnvHashSet, FxHashSet}; +use rustc::infer::{self, InferOk, TypeOrigin}; use syntax::ast; use syntax_pos::Span; use rustc::hir; @@ -626,27 +627,27 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { Ok(()) } + pub fn matches_return_type(&self, method: &ty::ImplOrTraitItem<'tcx>, + expected: ty::Ty<'tcx>) -> bool { + match *method { + ty::ImplOrTraitItem::MethodTraitItem(ref x) => { + self.probe(|_| { + let output = self.replace_late_bound_regions_with_fresh_var( + self.span, infer::FnCall, &x.fty.sig.output()); + self.can_sub_types(output.0, expected).is_ok() + }) + } + _ => false, + } + } + fn assemble_extension_candidates_for_trait(&mut self, trait_def_id: DefId) -> Result<(), MethodError<'tcx>> { debug!("assemble_extension_candidates_for_trait(trait_def_id={:?})", trait_def_id); - // Check whether `trait_def_id` defines a method with suitable name: - let trait_items = self.tcx.associated_items(trait_def_id); - let maybe_item = match self.looking_for { - LookingFor::MethodName(item_name) => { - trait_items.iter() - .find(|item| item.name == item_name) - } - LookingFor::ReturnType(item_ty) => { - trait_items.iter() - .find(|item| { - self.fcx.matches_return_type(item, &item_ty) - }) - } - }; - let item = match maybe_item { + let item = match self.impl_or_trait_item(trait_def_id) { Some(i) => i, None => { return Ok(()); @@ -1351,7 +1352,11 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { self.fcx.impl_or_trait_item(def_id, name) } LookingFor::ReturnType(return_ty) => { - self.fcx.impl_or_return_item(def_id, return_ty) + self.tcx + .impl_or_trait_items(def_id) + .iter() + .map(|&did| self.tcx.impl_or_trait_item(did)) + .find(|m| self.matches_return_type(m, return_ty)) } } } diff --git a/src/libsyntax/feature_gate.rs b/src/libsyntax/feature_gate.rs index dbb31b0e56cd1..a176a1ddede8e 100644 --- a/src/libsyntax/feature_gate.rs +++ b/src/libsyntax/feature_gate.rs @@ -652,7 +652,8 @@ pub const BUILTIN_ATTRIBUTES: &'static [(&'static str, AttributeType, AttributeG "internal implementation detail", cfg_fn!(rustc_attrs))), - ("safe_suggestion", Whitelisted, Gated("safe_suggestion", + ("safe_suggestion", Whitelisted, Gated(Stability::Unstable, + "safe_suggestion", "the `#[safe_suggestion]` attribute \ is an experimental feature", cfg_fn!(safe_suggestion))), From c11fe553df269d6f47b4c48f5c47c08efdd373dc Mon Sep 17 00:00:00 2001 From: Guillaume Gomez Date: Fri, 28 Oct 2016 14:27:42 +0200 Subject: [PATCH 07/22] Create check_ref method to allow to check coercion with & types --- src/libcollections/lib.rs | 1 - src/libcollections/string.rs | 1 - src/librustc/infer/error_reporting.rs | 2 +- src/librustc_typeck/check/demand.rs | 116 ++++++++++---------- src/librustc_typeck/check/method/probe.rs | 16 ++- src/libsyntax/feature_gate.rs | 6 - src/test/compile-fail/coerce_suggestions.rs | 41 +++++++ 7 files changed, 114 insertions(+), 69 deletions(-) create mode 100644 src/test/compile-fail/coerce_suggestions.rs diff --git a/src/libcollections/lib.rs b/src/libcollections/lib.rs index 673a717b5f8e9..68b067012d3fa 100644 --- a/src/libcollections/lib.rs +++ b/src/libcollections/lib.rs @@ -28,7 +28,6 @@ #![cfg_attr(test, allow(deprecated))] // rand #![cfg_attr(not(stage0), deny(warnings))] -#![cfg_attr(not(stage0), feature(safe_suggestion))] #![feature(alloc)] #![feature(allow_internal_unstable)] diff --git a/src/libcollections/string.rs b/src/libcollections/string.rs index a5017d5d7010f..b4c41a99a6b97 100644 --- a/src/libcollections/string.rs +++ b/src/libcollections/string.rs @@ -1231,7 +1231,6 @@ impl String { /// assert_eq!(a.len(), 3); /// ``` #[inline] - #[cfg_attr(not(stage0), safe_suggestion)] #[stable(feature = "rust1", since = "1.0.0")] pub fn len(&self) -> usize { self.vec.len() diff --git a/src/librustc/infer/error_reporting.rs b/src/librustc/infer/error_reporting.rs index a67af1d5dcc3c..90d752ae6ee29 100644 --- a/src/librustc/infer/error_reporting.rs +++ b/src/librustc/infer/error_reporting.rs @@ -549,7 +549,7 @@ impl<'a, 'gcx, 'tcx> InferCtxt<'a, 'gcx, 'tcx> { { let expected_found = match values { None => None, - Some(ref values) => match self.values_str(&values) { + Some(values) => match self.values_str(&values) { Some((expected, found)) => Some((expected, found)), None => { // Derived error. Cancel the emitter. diff --git a/src/librustc_typeck/check/demand.rs b/src/librustc_typeck/check/demand.rs index 01a961949bc33..6246e95faeb4e 100644 --- a/src/librustc_typeck/check/demand.rs +++ b/src/librustc_typeck/check/demand.rs @@ -19,28 +19,10 @@ use syntax_pos::{self, Span}; use rustc::hir; use rustc::ty::{self, ImplOrTraitItem}; -use hir::def_id::DefId; - use std::rc::Rc; use super::method::probe; -struct MethodInfo<'tcx> { - ast: Option, - id: DefId, - item: Rc>, -} - -impl<'tcx> MethodInfo<'tcx> { - fn new(ast: Option, id: DefId, item: Rc>) -> MethodInfo { - MethodInfo { - ast: ast, - id: id, - item: item, - } - } -} - impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { // Requires that the two types unify, and prints an error message if // they don't. @@ -79,6 +61,46 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { } } + fn check_ref(&self, expr: &hir::Expr, checked_ty: Ty<'tcx>, + expected: Ty<'tcx>) -> Option { + match (&checked_ty.sty, &expected.sty) { + (&ty::TyRef(_, x_mutability), &ty::TyRef(_, y_mutability)) => { + // check if there is a mutability difference + if x_mutability.mutbl == hir::Mutability::MutImmutable && + x_mutability.mutbl != y_mutability.mutbl && + self.can_sub_types(&x_mutability.ty, y_mutability.ty).is_ok() { + if let Ok(src) = self.tcx.sess.codemap().span_to_snippet(expr.span) { + return Some(format!("try with `&mut {}`", &src.replace("&", ""))); + } + } + None + } + (_, &ty::TyRef(_, mutability)) => { + // check if it can work when put into a ref + let ref_ty = match mutability.mutbl { + hir::Mutability::MutMutable => self.tcx.mk_mut_ref( + self.tcx.mk_region(ty::ReStatic), + checked_ty), + hir::Mutability::MutImmutable => self.tcx.mk_imm_ref( + self.tcx.mk_region(ty::ReStatic), + checked_ty), + }; + if self.try_coerce(expr, ref_ty, expected).is_ok() { + if let Ok(src) = self.tcx.sess.codemap().span_to_snippet(expr.span) { + return Some(format!("try with `{}{}`", + match mutability.mutbl { + hir::Mutability::MutMutable => "&mut ", + hir::Mutability::MutImmutable => "&", + }, + &src)); + } + } + None + } + _ => None, + } + } + // Checks that the type of `expr` can be coerced to `expected`. pub fn demand_coerce(&self, expr: &hir::Expr, checked_ty: Ty<'tcx>, expected: Ty<'tcx>) { let expected = self.resolve_type_vars_with_obligations(expected); @@ -86,34 +108,23 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { let cause = self.misc(expr.span); let expr_ty = self.resolve_type_vars_with_obligations(checked_ty); let mode = probe::Mode::MethodCall; - let suggestions = - if let Ok(methods) = self.probe_return(syntax_pos::DUMMY_SP, mode, expected, - checked_ty, ast::DUMMY_NODE_ID) { + let suggestions = if let Some(s) = self.check_ref(expr, checked_ty, expected) { + Some(s) + } else if let Ok(methods) = self.probe_return(syntax_pos::DUMMY_SP, + mode, + expected, + checked_ty, + ast::DUMMY_NODE_ID) { let suggestions: Vec<_> = methods.iter() - .filter_map(|ref x| { - if let Some(id) = self.get_impl_id(&x.item) { - Some(MethodInfo::new(None, id, Rc::new(x.item.clone()))) - } else { - None - }}) + .map(|ref x| { + Rc::new(x.item.clone()) + }) .collect(); if suggestions.len() > 0 { - let safe_suggestions: Vec<_> = - suggestions.iter() - .map(|ref x| MethodInfo::new( - self.find_attr(x.id, "safe_suggestion"), - x.id, - x.item.clone())) - .filter(|ref x| x.ast.is_some()) - .collect(); - Some(if safe_suggestions.len() > 0 { - self.get_best_match(&safe_suggestions) - } else { - format!("no safe suggestion found, here are functions which match your \ - needs but be careful:\n - {}", - self.get_best_match(&suggestions)) - }) + Some(format!("here are some functions which \ + might fulfill your needs:\n - {}", + self.get_best_match(&suggestions))) } else { None } @@ -132,34 +143,29 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { } } - fn get_best_match(&self, methods: &[MethodInfo<'tcx>]) -> String { + fn get_best_match(&self, methods: &[Rc>]) -> String { if methods.len() == 1 { - return format!(" - {}", methods[0].item.name()); + return format!(" - {}", methods[0].name()); } - let no_argument_methods: Vec<&MethodInfo> = + let no_argument_methods: Vec<&Rc>> = methods.iter() - .filter(|ref x| self.has_not_input_arg(&*x.item)) + .filter(|ref x| self.has_not_input_arg(&*x)) .collect(); if no_argument_methods.len() > 0 { no_argument_methods.iter() - .map(|method| format!("{}", method.item.name())) + .take(5) + .map(|method| format!("{}", method.name())) .collect::>() .join("\n - ") } else { methods.iter() - .map(|method| format!("{}", method.item.name())) + .take(5) + .map(|method| format!("{}", method.name())) .collect::>() .join("\n - ") } } - fn get_impl_id(&self, impl_: &ImplOrTraitItem<'tcx>) -> Option { - match *impl_ { - ty::ImplOrTraitItem::MethodTraitItem(ref m) => Some((*m).def_id), - _ => None, - } - } - fn has_not_input_arg(&self, method: &ImplOrTraitItem<'tcx>) -> bool { match *method { ImplOrTraitItem::MethodTraitItem(ref x) => { diff --git a/src/librustc_typeck/check/method/probe.rs b/src/librustc_typeck/check/method/probe.rs index e735360274e7e..4a63c9679208f 100644 --- a/src/librustc_typeck/check/method/probe.rs +++ b/src/librustc_typeck/check/method/probe.rs @@ -194,7 +194,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { // think cause spurious errors. Really though this part should // take place in the `self.probe` below. let steps = if mode == Mode::MethodCall { - match self.create_steps(span, self_ty) { + match self.create_steps(span, self_ty, &looking_for) { Some(steps) => steps, None => { return Err(MethodError::NoMatch(NoMatchData::new(Vec::new(), @@ -247,7 +247,8 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { fn create_steps(&self, span: Span, - self_ty: Ty<'tcx>) + self_ty: Ty<'tcx>, + looking_for: &LookingFor<'tcx>) -> Option>> { // FIXME: we don't need to create the entire steps in one pass @@ -262,7 +263,10 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { }) .collect(); - let final_ty = autoderef.unambiguous_final_ty(); + let final_ty = match looking_for { + &LookingFor::MethodName(_) => autoderef.unambiguous_final_ty(), + &LookingFor::ReturnType(_) => self_ty, + }; match final_ty.sty { ty::TyArray(elem_ty, _) => { let dereferences = steps.len() - 1; @@ -628,13 +632,15 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { } pub fn matches_return_type(&self, method: &ty::ImplOrTraitItem<'tcx>, - expected: ty::Ty<'tcx>) -> bool { + expected: ty::Ty<'tcx>) -> bool { match *method { ty::ImplOrTraitItem::MethodTraitItem(ref x) => { self.probe(|_| { let output = self.replace_late_bound_regions_with_fresh_var( self.span, infer::FnCall, &x.fty.sig.output()); - self.can_sub_types(output.0, expected).is_ok() + let substs = self.fresh_substs_for_item(self.span, method.def_id()); + let output = output.0.subst(self.tcx, substs); + self.can_sub_types(output, expected).is_ok() }) } _ => false, diff --git a/src/libsyntax/feature_gate.rs b/src/libsyntax/feature_gate.rs index a176a1ddede8e..e04cc11f15e14 100644 --- a/src/libsyntax/feature_gate.rs +++ b/src/libsyntax/feature_gate.rs @@ -652,12 +652,6 @@ pub const BUILTIN_ATTRIBUTES: &'static [(&'static str, AttributeType, AttributeG "internal implementation detail", cfg_fn!(rustc_attrs))), - ("safe_suggestion", Whitelisted, Gated(Stability::Unstable, - "safe_suggestion", - "the `#[safe_suggestion]` attribute \ - is an experimental feature", - cfg_fn!(safe_suggestion))), - // FIXME: #14408 whitelist docs since rustdoc looks at them ("doc", Whitelisted, Ungated), diff --git a/src/test/compile-fail/coerce_suggestions.rs b/src/test/compile-fail/coerce_suggestions.rs new file mode 100644 index 0000000000000..decd589e6f4d8 --- /dev/null +++ b/src/test/compile-fail/coerce_suggestions.rs @@ -0,0 +1,41 @@ +// Copyright 2016 The Rust Project Developers. See the COPYRIGHT +// file at the top-level directory of this distribution and at +// http://rust-lang.org/COPYRIGHT. +// +// Licensed under the Apache License, Version 2.0 or the MIT license +// , at your +// option. This file may not be copied, modified, or distributed +// except according to those terms. + +fn test(_x: &mut String) {} +fn test2(_x: &mut i32) {} + +fn main() { + let x: usize = String::new(); + //^ ERROR E0308 + //| NOTE expected type `usize` + //| NOTE found type `std::string::String` + //| NOTE here are some functions which might fulfill your needs: + let x: &str = String::new(); + //^ ERROR E0308 + //| NOTE expected type `&str` + //| NOTE found type `std::string::String` + //| NOTE try with `&String::new()` + let y = String::new(); + test(&y); + //^ ERROR E0308 + //| NOTE expected type `&mut std::string::String` + //| NOTE found type `&std::string::String` + //| NOTE try with `&mut y` + test2(&y); + //^ ERROR E0308 + //| NOTE expected type `&mut i32` + //| NOTE found type `&std::string::String` + //| NOTE try with `&mut y` + let f; + f = box f; + //^ ERROR E0308 + //| NOTE expected type `_` + //| NOTE found type `Box<_>` +} From 66057a7f7292c49eefae7cd386aa183201a49ca2 Mon Sep 17 00:00:00 2001 From: Guillaume Gomez Date: Sun, 30 Oct 2016 18:25:45 +0100 Subject: [PATCH 08/22] Fix invalid probe path --- src/librustc_typeck/check/method/probe.rs | 6 ++++++ 1 file changed, 6 insertions(+) diff --git a/src/librustc_typeck/check/method/probe.rs b/src/librustc_typeck/check/method/probe.rs index 4a63c9679208f..cbd1345a57e6c 100644 --- a/src/librustc_typeck/check/method/probe.rs +++ b/src/librustc_typeck/check/method/probe.rs @@ -962,6 +962,12 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { for step in steps.iter() { match self.pick_step(step) { Some(Ok(mut elems)) => ret.append(&mut elems), + Some(Err(elem)) => { + match self.looking_for { + LookingFor::MethodName(_) => return Some(Err(elem)), + LookingFor::ReturnType(_) => {} + } + } _ => {} } } From eaa2ddb04f6f56e48af789dc757982cf99f8fe35 Mon Sep 17 00:00:00 2001 From: Guillaume Gomez Date: Sun, 30 Oct 2016 23:06:30 +0100 Subject: [PATCH 09/22] fix tests --- src/librustc_typeck/check/method/probe.rs | 119 +++++++++++--------- src/test/compile-fail/coerce_suggestions.rs | 44 ++++---- src/test/compile-fail/coercion-slice.rs | 2 +- src/test/compile-fail/cross-borrow-trait.rs | 1 + src/test/compile-fail/dst-bad-coercions.rs | 2 + src/test/compile-fail/issue-13058.rs | 1 + 6 files changed, 94 insertions(+), 75 deletions(-) diff --git a/src/librustc_typeck/check/method/probe.rs b/src/librustc_typeck/check/method/probe.rs index cbd1345a57e6c..1961a6247ed91 100644 --- a/src/librustc_typeck/check/method/probe.rs +++ b/src/librustc_typeck/check/method/probe.rs @@ -285,15 +285,6 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { Some(steps) } - - pub fn find_attr(&self, def_id: DefId, attr_name: &str) -> Option { - for item in self.tcx.get_attrs(def_id).iter() { - if item.check_name(attr_name) { - return Some(item.clone()); - } - } - None - } } impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { @@ -918,21 +909,21 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { //Some(Ok(p)) => p.iter().map(|p| p.item.container().id()).collect(), Some(Err(MethodError::Ambiguity(v))) => { v.into_iter() - .map(|source| { - match source { - TraitSource(id) => id, - ImplSource(impl_id) => { - match tcx.trait_id_of_impl(impl_id) { - Some(id) => id, - None => { - span_bug!(span, - "found inherent method when looking at traits") - } + .map(|source| { + match source { + TraitSource(id) => id, + ImplSource(impl_id) => { + match tcx.trait_id_of_impl(impl_id) { + Some(id) => id, + None => { + span_bug!(span, + "found inherent method when looking at traits") } } } - }) - .collect() + } + }) + .collect() } Some(Err(MethodError::NoMatch(NoMatchData { out_of_scope_traits: others, .. }))) => { assert!(others.is_empty()); @@ -957,25 +948,27 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { fn pick_core(&mut self) -> Option> { let steps = self.steps.clone(); - let mut ret = Vec::new(); - for step in steps.iter() { - match self.pick_step(step) { - Some(Ok(mut elems)) => ret.append(&mut elems), - Some(Err(elem)) => { - match self.looking_for { - LookingFor::MethodName(_) => return Some(Err(elem)), - LookingFor::ReturnType(_) => {} + match self.looking_for { + LookingFor::MethodName(_) => steps.iter() + .filter_map(|step| self.pick_step(step)) + .next(), + LookingFor::ReturnType(_) => { + let mut ret = Vec::new(); + + for step in steps.iter() { + match self.pick_step(step) { + Some(Ok(mut elems)) => ret.append(&mut elems), + _ => {} } } - _ => {} + if ret.len() < 1 { + None + } else { + Some(Ok(ret)) + } } } - if ret.len() < 1 { - None - } else { - Some(Ok(ret)) - } } fn pick_step(&mut self, step: &CandidateStep<'tcx>) -> Option> { @@ -1028,12 +1021,12 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { // In general, during probing we erase regions. See // `impl_self_ty()` for an explanation. let region = tcx.mk_region(ty::ReErased); - let mut res = Vec::new(); // Search through mutabilities in order to find one where pick works: - for _ in [hir::MutImmutable, hir::MutMutable] - .iter() - .filter_map(|&m| { + let mut elements = [hir::MutImmutable, hir::MutMutable]; + let mut it = elements + .iter_mut() + .filter_map(|&mut m| { let autoref_ty = tcx.mk_ref(region, ty::TypeAndMut { ty: step.self_ty, @@ -1050,15 +1043,24 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { None }; } - res.append(&mut picks); + picks }) }) - }) {} - - if res.len() < 1 { - None - } else { - Some(Ok(res)) + }); + match self.looking_for { + LookingFor::MethodName(_) => it.nth(0), + LookingFor::ReturnType(_) => { + let mut ret = Vec::new(); + it.filter_map(|entry| entry.ok()) + .map(|mut v| { ret.append(&mut v); }) + .all(|_| true); + + if ret.len() < 1 { + None + } else { + Some(Ok(ret)) + } + } } } @@ -1089,7 +1091,7 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { probes: &[Candidate<'tcx>], possibly_unsatisfied_predicates: &mut Vec>) -> Option> { - let applicable_candidates: Vec<_> = probes.iter() + let mut applicable_candidates: Vec<_> = probes.iter() .filter(|&probe| self.consider_probe(self_ty, probe, possibly_unsatisfied_predicates)) .collect(); @@ -1109,14 +1111,21 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { return Some(Err(MethodError::Ambiguity(sources))); } - let ret: Vec<_> = applicable_candidates.iter() - .map(|probe| probe.to_unadjusted_pick()) - .collect(); - - if ret.len() < 1 { - None - } else { - Some(Ok(ret)) + match self.looking_for { + LookingFor::MethodName(_) => applicable_candidates + .pop() + .map(|probe| Ok(vec![probe.to_unadjusted_pick()])), + LookingFor::ReturnType(_) => { + let ret: Vec<_> = applicable_candidates.iter() + .map(|probe| probe.to_unadjusted_pick()) + .collect(); + + if ret.len() < 1 { + None + } else { + Some(Ok(ret)) + } + } } } diff --git a/src/test/compile-fail/coerce_suggestions.rs b/src/test/compile-fail/coerce_suggestions.rs index decd589e6f4d8..3177e858ff4fd 100644 --- a/src/test/compile-fail/coerce_suggestions.rs +++ b/src/test/compile-fail/coerce_suggestions.rs @@ -8,34 +8,40 @@ // option. This file may not be copied, modified, or distributed // except according to those terms. +#![feature(box_syntax)] + fn test(_x: &mut String) {} fn test2(_x: &mut i32) {} fn main() { let x: usize = String::new(); - //^ ERROR E0308 - //| NOTE expected type `usize` - //| NOTE found type `std::string::String` - //| NOTE here are some functions which might fulfill your needs: + //~^ ERROR E0308 + //~| NOTE expected usize, found struct `std::string::String` + //~| NOTE expected type `usize` + //~| NOTE found type `std::string::String` + //~| HELP here are some functions which might fulfill your needs: let x: &str = String::new(); - //^ ERROR E0308 - //| NOTE expected type `&str` - //| NOTE found type `std::string::String` - //| NOTE try with `&String::new()` + //~^ ERROR E0308 + //~| NOTE expected &str, found struct `std::string::String` + //~| NOTE expected type `&str` + //~| NOTE found type `std::string::String` + //~| HELP try with `&String::new()` let y = String::new(); test(&y); - //^ ERROR E0308 - //| NOTE expected type `&mut std::string::String` - //| NOTE found type `&std::string::String` - //| NOTE try with `&mut y` + //~^ ERROR E0308 + //~| NOTE types differ in mutability + //~| NOTE expected type `&mut std::string::String` + //~| NOTE found type `&std::string::String` + //~| HELP try with `&mut y` test2(&y); - //^ ERROR E0308 - //| NOTE expected type `&mut i32` - //| NOTE found type `&std::string::String` - //| NOTE try with `&mut y` + //~^ ERROR E0308 + //~| NOTE types differ in mutability + //~| NOTE expected type `&mut i32` + //~| NOTE found type `&std::string::String` let f; f = box f; - //^ ERROR E0308 - //| NOTE expected type `_` - //| NOTE found type `Box<_>` + //~^ ERROR E0308 + //~| NOTE cyclic type of infinite size + //~| NOTE expected type `_` + //~| NOTE found type `Box<_>` } diff --git a/src/test/compile-fail/coercion-slice.rs b/src/test/compile-fail/coercion-slice.rs index 6b468ff96620d..f50900883999c 100644 --- a/src/test/compile-fail/coercion-slice.rs +++ b/src/test/compile-fail/coercion-slice.rs @@ -14,6 +14,6 @@ fn main() { let _: &[i32] = [0]; //~^ ERROR mismatched types //~| expected type `&[i32]` - //~| found type `[{integer}; 1]` + //~| found type `[i32; 1]` //~| expected &[i32], found array of 1 elements } diff --git a/src/test/compile-fail/cross-borrow-trait.rs b/src/test/compile-fail/cross-borrow-trait.rs index 672ff464718f8..975bc1300aae7 100644 --- a/src/test/compile-fail/cross-borrow-trait.rs +++ b/src/test/compile-fail/cross-borrow-trait.rs @@ -22,4 +22,5 @@ pub fn main() { //~| expected type `&Trait` //~| found type `Box` //~| expected &Trait, found box + //~^^^^ ERROR E0277 } diff --git a/src/test/compile-fail/dst-bad-coercions.rs b/src/test/compile-fail/dst-bad-coercions.rs index 883c16b089581..728b016b30fa5 100644 --- a/src/test/compile-fail/dst-bad-coercions.rs +++ b/src/test/compile-fail/dst-bad-coercions.rs @@ -23,11 +23,13 @@ pub fn main() { let x: *const S = &S; let y: &S = x; //~ ERROR mismatched types let y: &T = x; //~ ERROR mismatched types + //~^ ERROR E0277 // Test that we cannot convert from *-ptr to &S and &T (mut version) let x: *mut S = &mut S; let y: &S = x; //~ ERROR mismatched types let y: &T = x; //~ ERROR mismatched types + //~^ ERROR E0277 // Test that we cannot convert an immutable ptr to a mutable one using *-ptrs let x: &mut T = &S; //~ ERROR mismatched types diff --git a/src/test/compile-fail/issue-13058.rs b/src/test/compile-fail/issue-13058.rs index de578257e4684..df6675510ff2b 100644 --- a/src/test/compile-fail/issue-13058.rs +++ b/src/test/compile-fail/issue-13058.rs @@ -36,4 +36,5 @@ fn check<'r, I: Iterator, T: Itble<'r, usize, I>>(cont: &T) -> bool fn main() { check((3, 5)); //~^ ERROR mismatched types +//~| HELP try with `&(3, 5)` } From b5686422e1a327a77bf9a43a91cb9b3a8d2a2637 Mon Sep 17 00:00:00 2001 From: Guillaume Gomez Date: Tue, 1 Nov 2016 16:00:24 +0100 Subject: [PATCH 10/22] improve suggestions output and add ui test --- src/librustc_typeck/check/demand.rs | 4 +- .../span/coerce-suggestions.rs} | 0 src/test/ui/span/coerce-suggestions.stderr | 52 +++++++++++++++++++ 3 files changed, 54 insertions(+), 2 deletions(-) rename src/test/{compile-fail/coerce_suggestions.rs => ui/span/coerce-suggestions.rs} (100%) create mode 100644 src/test/ui/span/coerce-suggestions.stderr diff --git a/src/librustc_typeck/check/demand.rs b/src/librustc_typeck/check/demand.rs index 6246e95faeb4e..7eadc9efe6ed6 100644 --- a/src/librustc_typeck/check/demand.rs +++ b/src/librustc_typeck/check/demand.rs @@ -154,13 +154,13 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { if no_argument_methods.len() > 0 { no_argument_methods.iter() .take(5) - .map(|method| format!("{}", method.name())) + .map(|method| format!(".{}()", method.name())) .collect::>() .join("\n - ") } else { methods.iter() .take(5) - .map(|method| format!("{}", method.name())) + .map(|method| format!(".{}()", method.name())) .collect::>() .join("\n - ") } diff --git a/src/test/compile-fail/coerce_suggestions.rs b/src/test/ui/span/coerce-suggestions.rs similarity index 100% rename from src/test/compile-fail/coerce_suggestions.rs rename to src/test/ui/span/coerce-suggestions.rs diff --git a/src/test/ui/span/coerce-suggestions.stderr b/src/test/ui/span/coerce-suggestions.stderr new file mode 100644 index 0000000000000..3673228301403 --- /dev/null +++ b/src/test/ui/span/coerce-suggestions.stderr @@ -0,0 +1,52 @@ +error[E0308]: mismatched types + --> $DIR/coerce-suggestions.rs:17:20 + | +17 | let x: usize = String::new(); + | ^^^^^^^^^^^^^ expected usize, found struct `std::string::String` + | + = note: expected type `usize` + = note: found type `std::string::String` + = help: here are some functions which might fulfill your needs: + - .capacity() + - .len() + +error[E0308]: mismatched types + --> $DIR/coerce-suggestions.rs:23:19 + | +23 | let x: &str = String::new(); + | ^^^^^^^^^^^^^ expected &str, found struct `std::string::String` + | + = note: expected type `&str` + = note: found type `std::string::String` + = help: try with `&String::new()` + +error[E0308]: mismatched types + --> $DIR/coerce-suggestions.rs:30:10 + | +30 | test(&y); + | ^^ types differ in mutability + | + = note: expected type `&mut std::string::String` + = note: found type `&std::string::String` + = help: try with `&mut y` + +error[E0308]: mismatched types + --> $DIR/coerce-suggestions.rs:36:11 + | +36 | test2(&y); + | ^^ types differ in mutability + | + = note: expected type `&mut i32` + = note: found type `&std::string::String` + +error[E0308]: mismatched types + --> $DIR/coerce-suggestions.rs:42:9 + | +42 | f = box f; + | ^^^^^ cyclic type of infinite size + | + = note: expected type `_` + = note: found type `Box<_>` + +error: aborting due to 5 previous errors + From 18b33579e18a64293063cd5b1efc5061bbc54d07 Mon Sep 17 00:00:00 2001 From: Guillaume Gomez Date: Wed, 2 Nov 2016 00:03:45 +0100 Subject: [PATCH 11/22] splitting methods into smaller ones, add docs, better variable naming --- src/librustc_typeck/check/demand.rs | 93 ++++++++++++++++------- src/librustc_typeck/check/method/mod.rs | 6 +- src/librustc_typeck/check/method/probe.rs | 74 ++++++++++-------- 3 files changed, 109 insertions(+), 64 deletions(-) diff --git a/src/librustc_typeck/check/demand.rs b/src/librustc_typeck/check/demand.rs index 7eadc9efe6ed6..de9fb7549352c 100644 --- a/src/librustc_typeck/check/demand.rs +++ b/src/librustc_typeck/check/demand.rs @@ -61,22 +61,50 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { } } - fn check_ref(&self, expr: &hir::Expr, checked_ty: Ty<'tcx>, - expected: Ty<'tcx>) -> Option { - match (&checked_ty.sty, &expected.sty) { - (&ty::TyRef(_, x_mutability), &ty::TyRef(_, y_mutability)) => { + /// This function is used to determine potential "simple" improvements or users' errors and + /// provide them useful help. For example: + /// + /// ``` + /// fn some_fn(s: &str) {} + /// + /// let x = "hey!".to_owned(); + /// some_fn(x); // error + /// ``` + /// + /// No need to find every potential function which could make a coercion to transform a + /// `String` into a `&str` since a `&` would do the trick! + /// + /// In addition of this check, it also checks between references mutability state. If the + /// expected is mutable but the provided isn't, maybe we could just say "Hey, try with + /// `&mut`!". + fn check_ref(&self, + expr: &hir::Expr, + checked_ty: Ty<'tcx>, + expected: Ty<'tcx>) + -> Option { + match (&expected.sty, &checked_ty.sty) { + (&ty::TyRef(_, expected_mutability), + &ty::TyRef(_, checked_mutability)) => { // check if there is a mutability difference - if x_mutability.mutbl == hir::Mutability::MutImmutable && - x_mutability.mutbl != y_mutability.mutbl && - self.can_sub_types(&x_mutability.ty, y_mutability.ty).is_ok() { + if checked_mutability.mutbl == hir::Mutability::MutImmutable && + checked_mutability.mutbl != expected_mutability.mutbl && + self.can_sub_types(&checked_mutability.ty, + expected_mutability.ty).is_ok() { if let Ok(src) = self.tcx.sess.codemap().span_to_snippet(expr.span) { return Some(format!("try with `&mut {}`", &src.replace("&", ""))); } } None } - (_, &ty::TyRef(_, mutability)) => { - // check if it can work when put into a ref + (&ty::TyRef(_, mutability), _) => { + // Check if it can work when put into a ref. For example: + // + // ``` + // fn bar(x: &mut i32) {} + // + // let x = 0u32; + // bar(&x); // error, expected &mut + // ``` let ref_ty = match mutability.mutbl { hir::Mutability::MutMutable => self.tcx.mk_mut_ref( self.tcx.mk_region(ty::ReStatic), @@ -110,11 +138,11 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { let mode = probe::Mode::MethodCall; let suggestions = if let Some(s) = self.check_ref(expr, checked_ty, expected) { Some(s) - } else if let Ok(methods) = self.probe_return(syntax_pos::DUMMY_SP, - mode, - expected, - checked_ty, - ast::DUMMY_NODE_ID) { + } else if let Ok(methods) = self.probe_for_return_type(syntax_pos::DUMMY_SP, + mode, + expected, + checked_ty, + ast::DUMMY_NODE_ID) { let suggestions: Vec<_> = methods.iter() .map(|ref x| { @@ -143,29 +171,38 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { } } + fn format_method_suggestion(&self, method: &ImplOrTraitItem<'tcx>) -> String { + format!(".{}({})", + method.name(), + if self.has_not_input_arg(method) { + "" + } else { + "..." + }) + } + + fn display_suggested_methods(&self, methods: &[Rc>]) -> String { + methods.iter() + .take(5) + .map(|method| self.format_method_suggestion(&*method)) + .collect::>() + .join("\n - ") + } + fn get_best_match(&self, methods: &[Rc>]) -> String { - if methods.len() == 1 { - return format!(" - {}", methods[0].name()); - } - let no_argument_methods: Vec<&Rc>> = + let no_argument_methods: Vec>> = methods.iter() .filter(|ref x| self.has_not_input_arg(&*x)) + .map(|x| x.clone()) .collect(); if no_argument_methods.len() > 0 { - no_argument_methods.iter() - .take(5) - .map(|method| format!(".{}()", method.name())) - .collect::>() - .join("\n - ") + self.display_suggested_methods(&no_argument_methods) } else { - methods.iter() - .take(5) - .map(|method| format!(".{}()", method.name())) - .collect::>() - .join("\n - ") + self.display_suggested_methods(&methods) } } + // This function checks if the method isn't static and takes other arguments than `self`. fn has_not_input_arg(&self, method: &ImplOrTraitItem<'tcx>) -> bool { match *method { ImplOrTraitItem::MethodTraitItem(ref x) => { diff --git a/src/librustc_typeck/check/method/mod.rs b/src/librustc_typeck/check/method/mod.rs index bd240c7413314..968cc242c601a 100644 --- a/src/librustc_typeck/check/method/mod.rs +++ b/src/librustc_typeck/check/method/mod.rs @@ -91,7 +91,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { allow_private: bool) -> bool { let mode = probe::Mode::MethodCall; - match self.probe_method(span, mode, method_name, self_ty, call_expr_id) { + match self.probe_for_name(span, mode, method_name, self_ty, call_expr_id) { Ok(..) => true, Err(NoMatch(..)) => false, Err(Ambiguity(..)) => true, @@ -130,7 +130,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { let mode = probe::Mode::MethodCall; let self_ty = self.resolve_type_vars_if_possible(&self_ty); - let pick = self.probe_method(span, mode, method_name, self_ty, call_expr.id)?.remove(0); + let pick = self.probe_for_name(span, mode, method_name, self_ty, call_expr.id)?.remove(0); if let Some(import_id) = pick.import_id { self.tcx.used_trait_imports.borrow_mut().insert(import_id); @@ -328,7 +328,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { expr_id: ast::NodeId) -> Result> { let mode = probe::Mode::Path; - let picks = self.probe_method(span, mode, method_name, self_ty, expr_id)?; + let picks = self.probe_for_name(span, mode, method_name, self_ty, expr_id)?; let pick = &picks[0]; if let Some(import_id) = pick.import_id { diff --git a/src/librustc_typeck/check/method/probe.rs b/src/librustc_typeck/check/method/probe.rs index 1961a6247ed91..4558aa5b2b542 100644 --- a/src/librustc_typeck/check/method/probe.rs +++ b/src/librustc_typeck/check/method/probe.rs @@ -150,41 +150,41 @@ pub enum Mode { } impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { - pub fn probe_return(&self, - span: Span, - mode: Mode, - return_type: Ty<'tcx>, - self_ty: Ty<'tcx>, - scope_expr_id: ast::NodeId) - -> PickResult<'tcx> { + pub fn probe_for_return_type(&self, + span: Span, + mode: Mode, + return_type: Ty<'tcx>, + self_ty: Ty<'tcx>, + scope_expr_id: ast::NodeId) + -> PickResult<'tcx> { debug!("probe(self_ty={:?}, return_type={}, scope_expr_id={})", self_ty, return_type, scope_expr_id); - self._probe(span, mode, LookingFor::ReturnType(return_type), self_ty, scope_expr_id) + self.probe_for(span, mode, LookingFor::ReturnType(return_type), self_ty, scope_expr_id) } - pub fn probe_method(&self, - span: Span, - mode: Mode, - item_name: ast::Name, - self_ty: Ty<'tcx>, - scope_expr_id: ast::NodeId) - -> PickResult<'tcx> { + pub fn probe_for_name(&self, + span: Span, + mode: Mode, + item_name: ast::Name, + self_ty: Ty<'tcx>, + scope_expr_id: ast::NodeId) + -> PickResult<'tcx> { debug!("probe(self_ty={:?}, item_name={}, scope_expr_id={})", self_ty, item_name, scope_expr_id); - self._probe(span, mode, LookingFor::MethodName(item_name), self_ty, scope_expr_id) + self.probe_for(span, mode, LookingFor::MethodName(item_name), self_ty, scope_expr_id) } - fn _probe(&self, - span: Span, - mode: Mode, - looking_for: LookingFor<'tcx>, - self_ty: Ty<'tcx>, - scope_expr_id: ast::NodeId) - -> PickResult<'tcx> { + fn probe_for(&self, + span: Span, + mode: Mode, + looking_for: LookingFor<'tcx>, + self_ty: Ty<'tcx>, + scope_expr_id: ast::NodeId) + -> PickResult<'tcx> { // FIXME(#18741) -- right now, creating the steps involves evaluating the // `*` operator, which registers obligations that then escape into @@ -265,6 +265,8 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { let final_ty = match looking_for { &LookingFor::MethodName(_) => autoderef.unambiguous_final_ty(), + // Since ReturnType case tries to coerce the returned type to the + // expected one, we need all the information! &LookingFor::ReturnType(_) => self_ty, }; match final_ty.sty { @@ -627,10 +629,10 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { match *method { ty::ImplOrTraitItem::MethodTraitItem(ref x) => { self.probe(|_| { - let output = self.replace_late_bound_regions_with_fresh_var( - self.span, infer::FnCall, &x.fty.sig.output()); let substs = self.fresh_substs_for_item(self.span, method.def_id()); - let output = output.0.subst(self.tcx, substs); + let output = x.fty.sig.output().subst(self.tcx, substs); + let (output, _) = self.replace_late_bound_regions_with_fresh_var( + self.span, infer::FnCall, &output); self.can_sub_types(output, expected).is_ok() }) } @@ -950,10 +952,17 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { let steps = self.steps.clone(); match self.looking_for { - LookingFor::MethodName(_) => steps.iter() - .filter_map(|step| self.pick_step(step)) - .next(), + LookingFor::MethodName(_) => { + // find the first step that works + steps.iter() + .filter_map(|step| self.pick_step(step)) + .next() + } LookingFor::ReturnType(_) => { + // Normally, we stop at the first step where we find a positive match. + // But when we are scanning for methods with a suitable return type, + // these methods have distinct names and hence may not shadow one another + // (also, this is just for hints, so precision is less important). let mut ret = Vec::new(); for step in steps.iter() { @@ -1050,10 +1059,9 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { match self.looking_for { LookingFor::MethodName(_) => it.nth(0), LookingFor::ReturnType(_) => { - let mut ret = Vec::new(); - it.filter_map(|entry| entry.ok()) - .map(|mut v| { ret.append(&mut v); }) - .all(|_| true); + let ret = it.filter_map(|entry| entry.ok()) + .flat_map(|v| v) + .collect::>(); if ret.len() < 1 { None From 579e52692f1c88f5970386508b5e40e2f5f9645a Mon Sep 17 00:00:00 2001 From: Niko Matsakis Date: Tue, 22 Nov 2016 10:47:18 -0500 Subject: [PATCH 12/22] make `probe_for` generic over final operation --- src/librustc_typeck/check/method/probe.rs | 30 ++++++++++++++--------- 1 file changed, 19 insertions(+), 11 deletions(-) diff --git a/src/librustc_typeck/check/method/probe.rs b/src/librustc_typeck/check/method/probe.rs index 4558aa5b2b542..a233098a75160 100644 --- a/src/librustc_typeck/check/method/probe.rs +++ b/src/librustc_typeck/check/method/probe.rs @@ -161,7 +161,8 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { self_ty, return_type, scope_expr_id); - self.probe_for(span, mode, LookingFor::ReturnType(return_type), self_ty, scope_expr_id) + self.probe_op(span, mode, LookingFor::ReturnType(return_type), self_ty, scope_expr_id, + |probe_cx| probe_cx.pick()) } pub fn probe_for_name(&self, @@ -175,17 +176,24 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { self_ty, item_name, scope_expr_id); - self.probe_for(span, mode, LookingFor::MethodName(item_name), self_ty, scope_expr_id) + self.probe_op(span, + mode, + LookingFor::MethodName(item_name), + self_ty, + scope_expr_id, + |probe_cx| probe_cx.pick()) } - fn probe_for(&self, - span: Span, - mode: Mode, - looking_for: LookingFor<'tcx>, - self_ty: Ty<'tcx>, - scope_expr_id: ast::NodeId) - -> PickResult<'tcx> { - + fn probe_op<'a,OP,R>(&'a self, + span: Span, + mode: Mode, + looking_for: LookingFor<'tcx>, + self_ty: Ty<'tcx>, + scope_expr_id: ast::NodeId, + op: OP) + -> R + where OP: FnOnce(&mut ProbeContext<'a, 'gcx, 'tcx>) -> R + { // FIXME(#18741) -- right now, creating the steps involves evaluating the // `*` operator, which registers obligations that then escape into // the global fulfillment context and thus has global @@ -241,7 +249,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { steps, opt_simplified_steps); probe_cx.assemble_inherent_candidates(); probe_cx.assemble_extension_candidates_for_traits_in_scope(scope_expr_id)?; - probe_cx.pick() + op(&mut probe_cx) }) } From ec5847a698bc3d64bd419a872d3c60e100999406 Mon Sep 17 00:00:00 2001 From: Niko Matsakis Date: Tue, 22 Nov 2016 15:36:28 -0500 Subject: [PATCH 13/22] rewrite return type probing to use the "probe by name" path We now do two phases. First, we gather up the list of candidates with suitable return types and extract their names. Then we filter those to see which are applicable and we return that. It might be nice to do the "filter by return type" as a second step, but this is ok for now. --- src/librustc_typeck/check/demand.rs | 27 +++---- src/librustc_typeck/check/method/probe.rs | 94 +++++++++++++---------- 2 files changed, 63 insertions(+), 58 deletions(-) diff --git a/src/librustc_typeck/check/demand.rs b/src/librustc_typeck/check/demand.rs index de9fb7549352c..4704193da0c4d 100644 --- a/src/librustc_typeck/check/demand.rs +++ b/src/librustc_typeck/check/demand.rs @@ -19,8 +19,6 @@ use syntax_pos::{self, Span}; use rustc::hir; use rustc::ty::{self, ImplOrTraitItem}; -use std::rc::Rc; - use super::method::probe; impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { @@ -138,17 +136,12 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { let mode = probe::Mode::MethodCall; let suggestions = if let Some(s) = self.check_ref(expr, checked_ty, expected) { Some(s) - } else if let Ok(methods) = self.probe_for_return_type(syntax_pos::DUMMY_SP, - mode, - expected, - checked_ty, - ast::DUMMY_NODE_ID) { - let suggestions: Vec<_> = - methods.iter() - .map(|ref x| { - Rc::new(x.item.clone()) - }) - .collect(); + } else { + let suggestions = self.probe_for_return_type(syntax_pos::DUMMY_SP, + mode, + expected, + checked_ty, + ast::DUMMY_NODE_ID); if suggestions.len() > 0 { Some(format!("here are some functions which \ might fulfill your needs:\n - {}", @@ -156,8 +149,6 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { } else { None } - } else { - None }; let mut err = self.report_mismatched_types(origin, expected, expr_ty, e); if let Some(suggestions) = suggestions { @@ -181,7 +172,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { }) } - fn display_suggested_methods(&self, methods: &[Rc>]) -> String { + fn display_suggested_methods(&self, methods: &[ImplOrTraitItem<'tcx>]) -> String { methods.iter() .take(5) .map(|method| self.format_method_suggestion(&*method)) @@ -189,8 +180,8 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { .join("\n - ") } - fn get_best_match(&self, methods: &[Rc>]) -> String { - let no_argument_methods: Vec>> = + fn get_best_match(&self, methods: &[ImplOrTraitItem<'tcx>]) -> String { + let no_argument_methods: Vec<_> = methods.iter() .filter(|ref x| self.has_not_input_arg(&*x)) .map(|x| x.clone()) diff --git a/src/librustc_typeck/check/method/probe.rs b/src/librustc_typeck/check/method/probe.rs index a233098a75160..0711390afbe34 100644 --- a/src/librustc_typeck/check/method/probe.rs +++ b/src/librustc_typeck/check/method/probe.rs @@ -150,19 +150,36 @@ pub enum Mode { } impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { + /// This is used to offer suggestions to users. It returns methods + /// that could have been called which have the desired return + /// type. Some effort is made to rule out methods that, if called, + /// would result in an error (basically, the same criteria we + /// would use to decide if a method is a plausible fit for + /// ambiguity purposes). pub fn probe_for_return_type(&self, span: Span, mode: Mode, return_type: Ty<'tcx>, self_ty: Ty<'tcx>, scope_expr_id: ast::NodeId) - -> PickResult<'tcx> { + -> Vec> { debug!("probe(self_ty={:?}, return_type={}, scope_expr_id={})", self_ty, return_type, scope_expr_id); - self.probe_op(span, mode, LookingFor::ReturnType(return_type), self_ty, scope_expr_id, - |probe_cx| probe_cx.pick()) + let method_names = + self.probe_op(span, mode, LookingFor::ReturnType(return_type), self_ty, scope_expr_id, + |probe_cx| Ok(probe_cx.candidate_method_names())) + .unwrap_or(vec![]); + method_names + .iter() + .flat_map(|&method_name| { + match self.probe_for_name(span, mode, method_name, self_ty, scope_expr_id) { + Ok(picks) => picks.into_iter().map(move |pick| pick.item).collect(), + Err(_) => vec![], + } + }) + .collect() } pub fn probe_for_name(&self, @@ -184,15 +201,15 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { |probe_cx| probe_cx.pick()) } - fn probe_op<'a,OP,R>(&'a self, - span: Span, - mode: Mode, - looking_for: LookingFor<'tcx>, - self_ty: Ty<'tcx>, - scope_expr_id: ast::NodeId, - op: OP) - -> R - where OP: FnOnce(&mut ProbeContext<'a, 'gcx, 'tcx>) -> R + fn probe_op(&'a self, + span: Span, + mode: Mode, + looking_for: LookingFor<'tcx>, + self_ty: Ty<'tcx>, + scope_expr_id: ast::NodeId, + op: OP) + -> Result> + where OP: FnOnce(ProbeContext<'a, 'gcx, 'tcx>) -> Result> { // FIXME(#18741) -- right now, creating the steps involves evaluating the // `*` operator, which registers obligations that then escape into @@ -249,7 +266,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { steps, opt_simplified_steps); probe_cx.assemble_inherent_candidates(); probe_cx.assemble_extension_candidates_for_traits_in_scope(scope_expr_id)?; - op(&mut probe_cx) + op(probe_cx) }) } @@ -894,10 +911,30 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { } } + fn candidate_method_names(&self) -> Vec { + let mut set = FnvHashSet(); + let mut names: Vec<_> = + self.inherent_candidates + .iter() + .chain(&self.extension_candidates) + .map(|candidate| candidate.item.name()) + .filter(|&name| set.insert(name)) + .collect(); + + // sort them by the name so we have a stable result + names.sort_by_key(|n| n.as_str()); + names + } + /////////////////////////////////////////////////////////////////////////// // THE ACTUAL SEARCH fn pick(mut self) -> PickResult<'tcx> { + assert!(match self.looking_for { + LookingFor::MethodName(_) => true, + LookingFor::ReturnType(_) => false, + }); + if let Some(ret) = self.pick_core() { return ret; } @@ -959,33 +996,10 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { fn pick_core(&mut self) -> Option> { let steps = self.steps.clone(); - match self.looking_for { - LookingFor::MethodName(_) => { - // find the first step that works - steps.iter() - .filter_map(|step| self.pick_step(step)) - .next() - } - LookingFor::ReturnType(_) => { - // Normally, we stop at the first step where we find a positive match. - // But when we are scanning for methods with a suitable return type, - // these methods have distinct names and hence may not shadow one another - // (also, this is just for hints, so precision is less important). - let mut ret = Vec::new(); - - for step in steps.iter() { - match self.pick_step(step) { - Some(Ok(mut elems)) => ret.append(&mut elems), - _ => {} - } - } - if ret.len() < 1 { - None - } else { - Some(Ok(ret)) - } - } - } + // find the first step that works + steps.iter() + .filter_map(|step| self.pick_step(step)) + .next() } fn pick_step(&mut self, step: &CandidateStep<'tcx>) -> Option> { From 3bb3278e53f44e413101501043d86764037a8ca2 Mon Sep 17 00:00:00 2001 From: Niko Matsakis Date: Tue, 22 Nov 2016 16:05:13 -0500 Subject: [PATCH 14/22] revert a lot of the changes to method probe internals --- src/librustc_typeck/check/method/mod.rs | 5 +- src/librustc_typeck/check/method/probe.rs | 131 ++++++++-------------- 2 files changed, 47 insertions(+), 89 deletions(-) diff --git a/src/librustc_typeck/check/method/mod.rs b/src/librustc_typeck/check/method/mod.rs index 968cc242c601a..80437dcdbfe00 100644 --- a/src/librustc_typeck/check/method/mod.rs +++ b/src/librustc_typeck/check/method/mod.rs @@ -130,7 +130,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { let mode = probe::Mode::MethodCall; let self_ty = self.resolve_type_vars_if_possible(&self_ty); - let pick = self.probe_for_name(span, mode, method_name, self_ty, call_expr.id)?.remove(0); + let pick = self.probe_for_name(span, mode, method_name, self_ty, call_expr.id)?; if let Some(import_id) = pick.import_id { self.tcx.used_trait_imports.borrow_mut().insert(import_id); @@ -328,8 +328,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { expr_id: ast::NodeId) -> Result> { let mode = probe::Mode::Path; - let picks = self.probe_for_name(span, mode, method_name, self_ty, expr_id)?; - let pick = &picks[0]; + let pick = self.probe_for_name(span, mode, method_name, self_ty, expr_id)?; if let Some(import_id) = pick.import_id { self.tcx.used_trait_imports.borrow_mut().insert(import_id); diff --git a/src/librustc_typeck/check/method/probe.rs b/src/librustc_typeck/check/method/probe.rs index 0711390afbe34..a1393aa882ea5 100644 --- a/src/librustc_typeck/check/method/probe.rs +++ b/src/librustc_typeck/check/method/probe.rs @@ -135,7 +135,7 @@ pub enum PickKind<'tcx> { ty::PolyTraitRef<'tcx>), } -pub type PickResult<'tcx> = Result>, MethodError<'tcx>>; +pub type PickResult<'tcx> = Result, MethodError<'tcx>>; #[derive(PartialEq, Eq, Copy, Clone, Debug)] pub enum Mode { @@ -175,8 +175,8 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { .iter() .flat_map(|&method_name| { match self.probe_for_name(span, mode, method_name, self_ty, scope_expr_id) { - Ok(picks) => picks.into_iter().map(move |pick| pick.item).collect(), - Err(_) => vec![], + Ok(pick) => Some(pick.item), + Err(_) => None, } }) .collect() @@ -219,7 +219,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { // think cause spurious errors. Really though this part should // take place in the `self.probe` below. let steps = if mode == Mode::MethodCall { - match self.create_steps(span, self_ty, &looking_for) { + match self.create_steps(span, self_ty) { Some(steps) => steps, None => { return Err(MethodError::NoMatch(NoMatchData::new(Vec::new(), @@ -272,8 +272,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { fn create_steps(&self, span: Span, - self_ty: Ty<'tcx>, - looking_for: &LookingFor<'tcx>) + self_ty: Ty<'tcx>) -> Option>> { // FIXME: we don't need to create the entire steps in one pass @@ -288,12 +287,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { }) .collect(); - let final_ty = match looking_for { - &LookingFor::MethodName(_) => autoderef.unambiguous_final_ty(), - // Since ReturnType case tries to coerce the returned type to the - // expected one, we need all the information! - &LookingFor::ReturnType(_) => self_ty, - }; + let final_ty = autoderef.unambiguous_final_ty(); match final_ty.sty { ty::TyArray(elem_ty, _) => { let dereferences = steps.len() - 1; @@ -935,8 +929,8 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { LookingFor::ReturnType(_) => false, }); - if let Some(ret) = self.pick_core() { - return ret; + if let Some(r) = self.pick_core() { + return r; } let static_candidates = mem::replace(&mut self.static_candidates, vec![]); @@ -956,21 +950,21 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { //Some(Ok(p)) => p.iter().map(|p| p.item.container().id()).collect(), Some(Err(MethodError::Ambiguity(v))) => { v.into_iter() - .map(|source| { - match source { - TraitSource(id) => id, - ImplSource(impl_id) => { - match tcx.trait_id_of_impl(impl_id) { - Some(id) => id, - None => { - span_bug!(span, - "found inherent method when looking at traits") + .map(|source| { + match source { + TraitSource(id) => id, + ImplSource(impl_id) => { + match tcx.trait_id_of_impl(impl_id) { + Some(id) => id, + None => { + span_bug!(span, + "found inherent method when looking at traits") + } } } } - } - }) - .collect() + }) + .collect() } Some(Err(MethodError::NoMatch(NoMatchData { out_of_scope_traits: others, .. }))) => { assert!(others.is_empty()); @@ -997,9 +991,7 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { let steps = self.steps.clone(); // find the first step that works - steps.iter() - .filter_map(|step| self.pick_step(step)) - .next() + steps.iter().filter_map(|step| self.pick_step(step)).next() } fn pick_step(&mut self, step: &CandidateStep<'tcx>) -> Option> { @@ -1030,18 +1022,16 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { } self.pick_method(step.self_ty).map(|r| { - r.map(|mut picks| { - for pick in picks.iter_mut() { - pick.autoderefs = step.autoderefs; - - // Insert a `&*` or `&mut *` if this is a reference type: - if let ty::TyRef(_, mt) = step.self_ty.sty { - pick.autoderefs += 1; - pick.autoref = Some(mt.mutbl); - } + r.map(|mut pick| { + pick.autoderefs = step.autoderefs; + + // Insert a `&*` or `&mut *` if this is a reference type: + if let ty::TyRef(_, mt) = step.self_ty.sty { + pick.autoderefs += 1; + pick.autoref = Some(mt.mutbl); } - picks + pick }) }) } @@ -1054,44 +1044,28 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { let region = tcx.mk_region(ty::ReErased); // Search through mutabilities in order to find one where pick works: - let mut elements = [hir::MutImmutable, hir::MutMutable]; - let mut it = elements - .iter_mut() - .filter_map(|&mut m| { + [hir::MutImmutable, hir::MutMutable] + .iter() + .filter_map(|&m| { let autoref_ty = tcx.mk_ref(region, ty::TypeAndMut { ty: step.self_ty, mutbl: m, }); self.pick_method(autoref_ty).map(|r| { - r.map(|mut picks| { - for pick in picks.iter_mut() { - pick.autoderefs = step.autoderefs; - pick.autoref = Some(m); - pick.unsize = if step.unsize { - Some(step.self_ty) - } else { - None - }; - } - picks + r.map(|mut pick| { + pick.autoderefs = step.autoderefs; + pick.autoref = Some(m); + pick.unsize = if step.unsize { + Some(step.self_ty) + } else { + None + }; + pick }) }) - }); - match self.looking_for { - LookingFor::MethodName(_) => it.nth(0), - LookingFor::ReturnType(_) => { - let ret = it.filter_map(|entry| entry.ok()) - .flat_map(|v| v) - .collect::>(); - - if ret.len() < 1 { - None - } else { - Some(Ok(ret)) - } - } - } + }) + .nth(0) } fn pick_method(&mut self, self_ty: Ty<'tcx>) -> Option> { @@ -1130,7 +1104,7 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { if applicable_candidates.len() > 1 { match self.collapse_candidates_to_trait_pick(&applicable_candidates[..]) { Some(pick) => { - return Some(Ok(vec![pick])); + return Some(Ok(pick)); } None => {} } @@ -1141,22 +1115,7 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { return Some(Err(MethodError::Ambiguity(sources))); } - match self.looking_for { - LookingFor::MethodName(_) => applicable_candidates - .pop() - .map(|probe| Ok(vec![probe.to_unadjusted_pick()])), - LookingFor::ReturnType(_) => { - let ret: Vec<_> = applicable_candidates.iter() - .map(|probe| probe.to_unadjusted_pick()) - .collect(); - - if ret.len() < 1 { - None - } else { - Some(Ok(ret)) - } - } - } + applicable_candidates.pop().map(|probe| Ok(probe.to_unadjusted_pick())) } fn consider_probe(&self, From 044b07dd2089d8e3786c5939fc948710d722845f Mon Sep 17 00:00:00 2001 From: Guillaume Gomez Date: Wed, 30 Nov 2016 17:00:08 -0800 Subject: [PATCH 15/22] Update to last master --- src/librustc_typeck/check/demand.rs | 131 +++++----------------- src/librustc_typeck/check/method/probe.rs | 32 +++--- src/librustc_typeck/check/mod.rs | 2 +- 3 files changed, 44 insertions(+), 121 deletions(-) diff --git a/src/librustc_typeck/check/demand.rs b/src/librustc_typeck/check/demand.rs index 4704193da0c4d..c09fde04ba4cd 100644 --- a/src/librustc_typeck/check/demand.rs +++ b/src/librustc_typeck/check/demand.rs @@ -17,7 +17,8 @@ use rustc::traits::ObligationCause; use syntax::ast; use syntax_pos::{self, Span}; use rustc::hir; -use rustc::ty::{self, ImplOrTraitItem}; +use rustc::hir::def::Def; +use rustc::ty::{self, AssociatedItem}; use super::method::probe; @@ -31,11 +32,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { self.register_predicates(obligations); }, Err(e) => { -<<<<<<< HEAD - self.report_mismatched_types(&cause, expected, actual, e); -======= - self.report_mismatched_types(origin, expected, actual, e).emit(); ->>>>>>> Return DiagnosticBuilder to add help suggestions + self.report_mismatched_types(&cause, expected, actual, e).emit(); } } } @@ -59,74 +56,6 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { } } - /// This function is used to determine potential "simple" improvements or users' errors and - /// provide them useful help. For example: - /// - /// ``` - /// fn some_fn(s: &str) {} - /// - /// let x = "hey!".to_owned(); - /// some_fn(x); // error - /// ``` - /// - /// No need to find every potential function which could make a coercion to transform a - /// `String` into a `&str` since a `&` would do the trick! - /// - /// In addition of this check, it also checks between references mutability state. If the - /// expected is mutable but the provided isn't, maybe we could just say "Hey, try with - /// `&mut`!". - fn check_ref(&self, - expr: &hir::Expr, - checked_ty: Ty<'tcx>, - expected: Ty<'tcx>) - -> Option { - match (&expected.sty, &checked_ty.sty) { - (&ty::TyRef(_, expected_mutability), - &ty::TyRef(_, checked_mutability)) => { - // check if there is a mutability difference - if checked_mutability.mutbl == hir::Mutability::MutImmutable && - checked_mutability.mutbl != expected_mutability.mutbl && - self.can_sub_types(&checked_mutability.ty, - expected_mutability.ty).is_ok() { - if let Ok(src) = self.tcx.sess.codemap().span_to_snippet(expr.span) { - return Some(format!("try with `&mut {}`", &src.replace("&", ""))); - } - } - None - } - (&ty::TyRef(_, mutability), _) => { - // Check if it can work when put into a ref. For example: - // - // ``` - // fn bar(x: &mut i32) {} - // - // let x = 0u32; - // bar(&x); // error, expected &mut - // ``` - let ref_ty = match mutability.mutbl { - hir::Mutability::MutMutable => self.tcx.mk_mut_ref( - self.tcx.mk_region(ty::ReStatic), - checked_ty), - hir::Mutability::MutImmutable => self.tcx.mk_imm_ref( - self.tcx.mk_region(ty::ReStatic), - checked_ty), - }; - if self.try_coerce(expr, ref_ty, expected).is_ok() { - if let Ok(src) = self.tcx.sess.codemap().span_to_snippet(expr.span) { - return Some(format!("try with `{}{}`", - match mutability.mutbl { - hir::Mutability::MutMutable => "&mut ", - hir::Mutability::MutImmutable => "&", - }, - &src)); - } - } - None - } - _ => None, - } - } - // Checks that the type of `expr` can be coerced to `expected`. pub fn demand_coerce(&self, expr: &hir::Expr, checked_ty: Ty<'tcx>, expected: Ty<'tcx>) { let expected = self.resolve_type_vars_with_obligations(expected); @@ -134,37 +63,24 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { let cause = self.misc(expr.span); let expr_ty = self.resolve_type_vars_with_obligations(checked_ty); let mode = probe::Mode::MethodCall; - let suggestions = if let Some(s) = self.check_ref(expr, checked_ty, expected) { - Some(s) - } else { - let suggestions = self.probe_for_return_type(syntax_pos::DUMMY_SP, - mode, - expected, - checked_ty, - ast::DUMMY_NODE_ID); - if suggestions.len() > 0 { - Some(format!("here are some functions which \ - might fulfill your needs:\n - {}", - self.get_best_match(&suggestions))) - } else { - None - } + let suggestions = self.probe_for_return_type(syntax_pos::DUMMY_SP, + mode, + expected, + checked_ty, + ast::DUMMY_NODE_ID); + let mut err = self.report_mismatched_types(&cause, expected, expr_ty, e); + if suggestions.len() > 0 { + err.help(&format!("here are some functions which \ + might fulfill your needs:\n - {}", + self.get_best_match(&suggestions))); }; - let mut err = self.report_mismatched_types(origin, expected, expr_ty, e); - if let Some(suggestions) = suggestions { - err.help(&suggestions); - } -<<<<<<< HEAD - self.report_mismatched_types(&cause, expected, expr_ty, e); -======= err.emit(); ->>>>>>> Return DiagnosticBuilder to add help suggestions } } - fn format_method_suggestion(&self, method: &ImplOrTraitItem<'tcx>) -> String { + fn format_method_suggestion(&self, method: &AssociatedItem) -> String { format!(".{}({})", - method.name(), + method.name, if self.has_not_input_arg(method) { "" } else { @@ -172,7 +88,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { }) } - fn display_suggested_methods(&self, methods: &[ImplOrTraitItem<'tcx>]) -> String { + fn display_suggested_methods(&self, methods: &[AssociatedItem]) -> String { methods.iter() .take(5) .map(|method| self.format_method_suggestion(&*method)) @@ -180,7 +96,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { .join("\n - ") } - fn get_best_match(&self, methods: &[ImplOrTraitItem<'tcx>]) -> String { + fn get_best_match(&self, methods: &[AssociatedItem]) -> String { let no_argument_methods: Vec<_> = methods.iter() .filter(|ref x| self.has_not_input_arg(&*x)) @@ -194,10 +110,15 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { } // This function checks if the method isn't static and takes other arguments than `self`. - fn has_not_input_arg(&self, method: &ImplOrTraitItem<'tcx>) -> bool { - match *method { - ImplOrTraitItem::MethodTraitItem(ref x) => { - x.fty.sig.skip_binder().inputs.len() == 1 + fn has_not_input_arg(&self, method: &AssociatedItem) -> bool { + match method.def() { + Def::Method(def_id) => { + match self.tcx.item_type(def_id).sty { + ty::TypeVariants::TyFnDef(_, _, fty) => { + fty.sig.skip_binder().inputs.len() == 1 + } + _ => false, + } } _ => false, } diff --git a/src/librustc_typeck/check/method/probe.rs b/src/librustc_typeck/check/method/probe.rs index a1393aa882ea5..04d714f269a56 100644 --- a/src/librustc_typeck/check/method/probe.rs +++ b/src/librustc_typeck/check/method/probe.rs @@ -16,7 +16,6 @@ use super::suggest; use check::FnCtxt; use hir::def_id::DefId; use hir::def::Def; -use rustc::infer::InferOk; use rustc::ty::subst::{Subst, Substs}; use rustc::traits::{self, ObligationCause}; use rustc::ty::{self, Ty, ToPolyTraitRef, TraitRef, TypeFoldable}; @@ -162,7 +161,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { return_type: Ty<'tcx>, self_ty: Ty<'tcx>, scope_expr_id: ast::NodeId) - -> Vec> { + -> Vec { debug!("probe(self_ty={:?}, return_type={}, scope_expr_id={})", self_ty, return_type, @@ -643,13 +642,14 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { Ok(()) } - pub fn matches_return_type(&self, method: &ty::ImplOrTraitItem<'tcx>, + pub fn matches_return_type(&self, method: &ty::AssociatedItem, expected: ty::Ty<'tcx>) -> bool { - match *method { - ty::ImplOrTraitItem::MethodTraitItem(ref x) => { + match method.def() { + Def::Method(def_id) => { + let fty = self.tcx.item_type(def_id).fn_sig(); self.probe(|_| { - let substs = self.fresh_substs_for_item(self.span, method.def_id()); - let output = x.fty.sig.output().subst(self.tcx, substs); + let substs = self.fresh_substs_for_item(self.span, method.def_id); + let output = fty.output().subst(self.tcx, substs); let (output, _) = self.replace_late_bound_regions_with_fresh_var( self.span, infer::FnCall, &output); self.can_sub_types(output, expected).is_ok() @@ -906,12 +906,12 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { } fn candidate_method_names(&self) -> Vec { - let mut set = FnvHashSet(); + let mut set = FxHashSet(); let mut names: Vec<_> = self.inherent_candidates .iter() .chain(&self.extension_candidates) - .map(|candidate| candidate.item.name()) + .map(|candidate| candidate.item.name) .filter(|&name| set.insert(name)) .collect(); @@ -1353,19 +1353,21 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { /// Find item with name `item_name` defined in impl/trait `def_id` /// and return it, or `None`, if no such item was defined there. fn associated_item(&self, def_id: DefId) -> Option { - self.fcx.associated_item(def_id, self.item_name) + match self.looking_for { + LookingFor::MethodName(item_name) => self.fcx.associated_item(def_id, item_name), + _ => None, + } } - fn impl_or_trait_item(&self, def_id: DefId) -> Option> { + fn impl_or_trait_item(&self, def_id: DefId) -> Option { match self.looking_for { LookingFor::MethodName(name) => { - self.fcx.impl_or_trait_item(def_id, name) + self.fcx.associated_item(def_id, name) } LookingFor::ReturnType(return_ty) => { self.tcx - .impl_or_trait_items(def_id) - .iter() - .map(|&did| self.tcx.impl_or_trait_item(did)) + .associated_items(def_id) + .map(|did| self.tcx.associated_item(did.def_id)) .find(|m| self.matches_return_type(m, return_ty)) } } diff --git a/src/librustc_typeck/check/mod.rs b/src/librustc_typeck/check/mod.rs index 92d96b407192b..3086721852deb 100644 --- a/src/librustc_typeck/check/mod.rs +++ b/src/librustc_typeck/check/mod.rs @@ -3697,7 +3697,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { match result { Ok(ty) => ctxt.unified = ty, Err(err) => { - self.report_mismatched_types(&cause, ctxt.unified, e_ty, err); + self.report_mismatched_types(&cause, ctxt.unified, e_ty, err).emit(); } } From 88e9430dbbb60f89af3c3d9a6998d293ec78c39b Mon Sep 17 00:00:00 2001 From: Niko Matsakis Date: Thu, 1 Dec 2016 15:27:18 -0500 Subject: [PATCH 16/22] call `impl_or_trait_item()` instead instead of `associated_item()` The older method was not aware of the return type possibility. --- src/librustc_typeck/check/method/probe.rs | 14 +++----------- 1 file changed, 3 insertions(+), 11 deletions(-) diff --git a/src/librustc_typeck/check/method/probe.rs b/src/librustc_typeck/check/method/probe.rs index 04d714f269a56..d2089fb491528 100644 --- a/src/librustc_typeck/check/method/probe.rs +++ b/src/librustc_typeck/check/method/probe.rs @@ -468,7 +468,7 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { debug!("assemble_inherent_impl_probe {:?}", impl_def_id); - let item = match self.associated_item(impl_def_id) { + let item = match self.impl_or_trait_item(impl_def_id) { Some(m) => m, None => { return; @@ -598,7 +598,7 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { let tcx = self.tcx; for bound_trait_ref in traits::transitive_bounds(tcx, bounds) { - let item = match self.associated_item(bound_trait_ref.def_id()) { + let item = match self.impl_or_trait_item(bound_trait_ref.def_id()) { Some(v) => v, None => { continue; @@ -1350,15 +1350,7 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { self.tcx.erase_late_bound_regions(value) } - /// Find item with name `item_name` defined in impl/trait `def_id` - /// and return it, or `None`, if no such item was defined there. - fn associated_item(&self, def_id: DefId) -> Option { - match self.looking_for { - LookingFor::MethodName(item_name) => self.fcx.associated_item(def_id, item_name), - _ => None, - } - } - + /// Find the method with the appropriate name (or return type, as the case may be). fn impl_or_trait_item(&self, def_id: DefId) -> Option { match self.looking_for { LookingFor::MethodName(name) => { From dac8883a94f9a60d115cf9daecc22361dcaed4f4 Mon Sep 17 00:00:00 2001 From: Niko Matsakis Date: Thu, 1 Dec 2016 15:51:40 -0500 Subject: [PATCH 17/22] fix some broken tests --- src/test/compile-fail/coercion-slice.rs | 2 +- src/test/compile-fail/cross-borrow-trait.rs | 1 - src/test/compile-fail/dst-bad-coercions.rs | 2 -- src/test/compile-fail/issue-13058.rs | 1 - 4 files changed, 1 insertion(+), 5 deletions(-) diff --git a/src/test/compile-fail/coercion-slice.rs b/src/test/compile-fail/coercion-slice.rs index f50900883999c..6b468ff96620d 100644 --- a/src/test/compile-fail/coercion-slice.rs +++ b/src/test/compile-fail/coercion-slice.rs @@ -14,6 +14,6 @@ fn main() { let _: &[i32] = [0]; //~^ ERROR mismatched types //~| expected type `&[i32]` - //~| found type `[i32; 1]` + //~| found type `[{integer}; 1]` //~| expected &[i32], found array of 1 elements } diff --git a/src/test/compile-fail/cross-borrow-trait.rs b/src/test/compile-fail/cross-borrow-trait.rs index 975bc1300aae7..672ff464718f8 100644 --- a/src/test/compile-fail/cross-borrow-trait.rs +++ b/src/test/compile-fail/cross-borrow-trait.rs @@ -22,5 +22,4 @@ pub fn main() { //~| expected type `&Trait` //~| found type `Box` //~| expected &Trait, found box - //~^^^^ ERROR E0277 } diff --git a/src/test/compile-fail/dst-bad-coercions.rs b/src/test/compile-fail/dst-bad-coercions.rs index 728b016b30fa5..883c16b089581 100644 --- a/src/test/compile-fail/dst-bad-coercions.rs +++ b/src/test/compile-fail/dst-bad-coercions.rs @@ -23,13 +23,11 @@ pub fn main() { let x: *const S = &S; let y: &S = x; //~ ERROR mismatched types let y: &T = x; //~ ERROR mismatched types - //~^ ERROR E0277 // Test that we cannot convert from *-ptr to &S and &T (mut version) let x: *mut S = &mut S; let y: &S = x; //~ ERROR mismatched types let y: &T = x; //~ ERROR mismatched types - //~^ ERROR E0277 // Test that we cannot convert an immutable ptr to a mutable one using *-ptrs let x: &mut T = &S; //~ ERROR mismatched types diff --git a/src/test/compile-fail/issue-13058.rs b/src/test/compile-fail/issue-13058.rs index df6675510ff2b..de578257e4684 100644 --- a/src/test/compile-fail/issue-13058.rs +++ b/src/test/compile-fail/issue-13058.rs @@ -36,5 +36,4 @@ fn check<'r, I: Iterator, T: Itble<'r, usize, I>>(cont: &T) -> bool fn main() { check((3, 5)); //~^ ERROR mismatched types -//~| HELP try with `&(3, 5)` } From 25a2d13cdea6011046a9929824deafd332b94436 Mon Sep 17 00:00:00 2001 From: Guillaume Gomez Date: Fri, 2 Dec 2016 16:36:03 -0800 Subject: [PATCH 18/22] Allow multiple suggestions --- src/librustc/infer/mod.rs | 3 +- src/librustc_typeck/check/demand.rs | 6 +- src/librustc_typeck/check/method/probe.rs | 150 +++++++++++++++------- 3 files changed, 106 insertions(+), 53 deletions(-) diff --git a/src/librustc/infer/mod.rs b/src/librustc/infer/mod.rs index 6bbe40950b75f..3e7cc0b1e3e9c 100644 --- a/src/librustc/infer/mod.rs +++ b/src/librustc/infer/mod.rs @@ -1367,7 +1367,8 @@ impl<'a, 'gcx, 'tcx> InferCtxt<'a, 'gcx, 'tcx> { cause: &ObligationCause<'tcx>, expected: Ty<'tcx>, actual: Ty<'tcx>, - err: TypeError<'tcx>) -> DiagnosticBuilder<'tcx> { + err: TypeError<'tcx>) + -> DiagnosticBuilder<'tcx> { let trace = TypeTrace::types(cause, true, expected, actual); self.report_and_explain_type_error(trace, &err) } diff --git a/src/librustc_typeck/check/demand.rs b/src/librustc_typeck/check/demand.rs index c09fde04ba4cd..17d1bd777973e 100644 --- a/src/librustc_typeck/check/demand.rs +++ b/src/librustc_typeck/check/demand.rs @@ -81,7 +81,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { fn format_method_suggestion(&self, method: &AssociatedItem) -> String { format!(".{}({})", method.name, - if self.has_not_input_arg(method) { + if self.has_no_input_arg(method) { "" } else { "..." @@ -99,7 +99,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { fn get_best_match(&self, methods: &[AssociatedItem]) -> String { let no_argument_methods: Vec<_> = methods.iter() - .filter(|ref x| self.has_not_input_arg(&*x)) + .filter(|ref x| self.has_no_input_arg(&*x)) .map(|x| x.clone()) .collect(); if no_argument_methods.len() > 0 { @@ -110,7 +110,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { } // This function checks if the method isn't static and takes other arguments than `self`. - fn has_not_input_arg(&self, method: &AssociatedItem) -> bool { + fn has_no_input_arg(&self, method: &AssociatedItem) -> bool { match method.def() { Def::Method(def_id) => { match self.tcx.item_type(def_id).sty { diff --git a/src/librustc_typeck/check/method/probe.rs b/src/librustc_typeck/check/method/probe.rs index d2089fb491528..b11f6e837d20c 100644 --- a/src/librustc_typeck/check/method/probe.rs +++ b/src/librustc_typeck/check/method/probe.rs @@ -37,6 +37,22 @@ pub enum LookingFor<'tcx> { ReturnType(Ty<'tcx>), } +impl<'tcx> LookingFor<'tcx> { + pub fn is_method_name(&self) -> bool { + match *self { + LookingFor::MethodName(_) => true, + _ => false, + } + } + + pub fn is_return_type(&self) -> bool { + match *self { + LookingFor::ReturnType(_) => true, + _ => false, + } + } +} + struct ProbeContext<'a, 'gcx: 'a + 'tcx, 'tcx: 'a> { fcx: &'a FnCtxt<'a, 'gcx, 'tcx>, span: Span, @@ -468,44 +484,81 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { debug!("assemble_inherent_impl_probe {:?}", impl_def_id); - let item = match self.impl_or_trait_item(impl_def_id) { - Some(m) => m, - None => { + let items = self.impl_or_trait_item(impl_def_id); + if items.len() < 1 { + return // No method with correct name on this impl + } + + if self.looking_for.is_method_name() { + let item = items[0]; + + if !self.has_applicable_self(&item) { + // No receiver declared. Not a candidate. + return self.record_static_candidate(ImplSource(impl_def_id)); + } + + if !item.vis.is_accessible_from(self.body_id, &self.tcx.map) { + self.private_candidate = Some(item.def()); return; - } // No method with correct name on this impl - }; + } - if !self.has_applicable_self(&item) { - // No receiver declared. Not a candidate. - return self.record_static_candidate(ImplSource(impl_def_id)); - } + let (impl_ty, impl_substs) = self.impl_ty_and_substs(impl_def_id); + let impl_ty = impl_ty.subst(self.tcx, impl_substs); - if !item.vis.is_accessible_from(self.body_id, &self.tcx.map) { - self.private_candidate = Some(item.def()); - return; - } + // Determine the receiver type that the method itself expects. + let xform_self_ty = self.xform_self_ty(&item, impl_ty, impl_substs); - let (impl_ty, impl_substs) = self.impl_ty_and_substs(impl_def_id); - let impl_ty = impl_ty.subst(self.tcx, impl_substs); - - // Determine the receiver type that the method itself expects. - let xform_self_ty = self.xform_self_ty(&item, impl_ty, impl_substs); - - // We can't use normalize_associated_types_in as it will pollute the - // fcx's fulfillment context after this probe is over. - let cause = traits::ObligationCause::misc(self.span, self.body_id); - let mut selcx = &mut traits::SelectionContext::new(self.fcx); - let traits::Normalized { value: xform_self_ty, obligations } = - traits::normalize(selcx, cause, &xform_self_ty); - debug!("assemble_inherent_impl_probe: xform_self_ty = {:?}", - xform_self_ty); - - self.inherent_candidates.push(Candidate { - xform_self_ty: xform_self_ty, - item: item, - kind: InherentImplCandidate(impl_substs, obligations), - import_id: self.import_id, - }); + // We can't use normalize_associated_types_in as it will pollute the + // fcx's fulfillment context after this probe is over. + let cause = traits::ObligationCause::misc(self.span, self.body_id); + let mut selcx = &mut traits::SelectionContext::new(self.fcx); + let traits::Normalized { value: xform_self_ty, obligations } = + traits::normalize(selcx, cause, &xform_self_ty); + debug!("assemble_inherent_impl_probe: xform_self_ty = {:?}", + xform_self_ty); + + self.inherent_candidates.push(Candidate { + xform_self_ty: xform_self_ty, + item: item, + kind: InherentImplCandidate(impl_substs, obligations), + import_id: self.import_id, + }); + } else { + for item in items { + if !self.has_applicable_self(&item) { + // No receiver declared. Not a candidate. + self.record_static_candidate(ImplSource(impl_def_id)); + continue + } + + if !item.vis.is_accessible_from(self.body_id, &self.tcx.map) { + self.private_candidate = Some(item.def()); + continue + } + + let (impl_ty, impl_substs) = self.impl_ty_and_substs(impl_def_id); + let impl_ty = impl_ty.subst(self.tcx, impl_substs); + + // Determine the receiver type that the method itself expects. + let xform_self_ty = self.xform_self_ty(&item, impl_ty, impl_substs); + + // We can't use normalize_associated_types_in as it will pollute the + // fcx's fulfillment context after this probe is over. + let cause = traits::ObligationCause::misc(self.span, self.body_id); + let mut selcx = &mut traits::SelectionContext::new(self.fcx); + let traits::Normalized { value: xform_self_ty, obligations } = + traits::normalize(selcx, cause, &xform_self_ty); + debug!("assemble_inherent_impl_probe: xform_self_ty = {:?}", + xform_self_ty); + + self.inherent_candidates.push(Candidate { + xform_self_ty: xform_self_ty, + item: item, + kind: InherentImplCandidate(impl_substs, obligations), + import_id: self.import_id, + }); + } + } } fn assemble_inherent_candidates_from_object(&mut self, @@ -598,12 +651,11 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { let tcx = self.tcx; for bound_trait_ref in traits::transitive_bounds(tcx, bounds) { - let item = match self.impl_or_trait_item(bound_trait_ref.def_id()) { - Some(v) => v, - None => { - continue; - } - }; + let items = self.impl_or_trait_item(bound_trait_ref.def_id()); + if items.len() < 1 { + continue + } + let item = items[0]; if !self.has_applicable_self(&item) { self.record_static_candidate(TraitSource(bound_trait_ref.def_id())); @@ -665,12 +717,11 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { debug!("assemble_extension_candidates_for_trait(trait_def_id={:?})", trait_def_id); - let item = match self.impl_or_trait_item(trait_def_id) { - Some(i) => i, - None => { - return Ok(()); - } - }; + let items = self.impl_or_trait_item(trait_def_id); + if items.len() < 1 { + return Ok(()); + } + let item = items[0]; // Check whether `trait_def_id` defines a method with suitable name: if !self.has_applicable_self(&item) { @@ -1351,16 +1402,17 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { } /// Find the method with the appropriate name (or return type, as the case may be). - fn impl_or_trait_item(&self, def_id: DefId) -> Option { + fn impl_or_trait_item(&self, def_id: DefId) -> Vec { match self.looking_for { LookingFor::MethodName(name) => { - self.fcx.associated_item(def_id, name) + self.fcx.associated_item(def_id, name).map_or(Vec::new(), |x| vec![x]) } LookingFor::ReturnType(return_ty) => { self.tcx .associated_items(def_id) .map(|did| self.tcx.associated_item(did.def_id)) - .find(|m| self.matches_return_type(m, return_ty)) + .filter(|m| self.matches_return_type(m, return_ty)) + .collect() } } } From 5d41be3629067ddfd16fc672e75c2fcaf95c27ff Mon Sep 17 00:00:00 2001 From: Niko Matsakis Date: Fri, 9 Dec 2016 09:54:19 -0500 Subject: [PATCH 19/22] don't special case having 1 item --- src/librustc_typeck/check/method/probe.rs | 93 ++++++----------------- 1 file changed, 22 insertions(+), 71 deletions(-) diff --git a/src/librustc_typeck/check/method/probe.rs b/src/librustc_typeck/check/method/probe.rs index b11f6e837d20c..e478638a5e02e 100644 --- a/src/librustc_typeck/check/method/probe.rs +++ b/src/librustc_typeck/check/method/probe.rs @@ -484,22 +484,16 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { debug!("assemble_inherent_impl_probe {:?}", impl_def_id); - let items = self.impl_or_trait_item(impl_def_id); - if items.len() < 1 { - return // No method with correct name on this impl - } - - if self.looking_for.is_method_name() { - let item = items[0]; - + for item in self.impl_or_trait_item(impl_def_id) { if !self.has_applicable_self(&item) { // No receiver declared. Not a candidate. - return self.record_static_candidate(ImplSource(impl_def_id)); + self.record_static_candidate(ImplSource(impl_def_id)); + continue } if !item.vis.is_accessible_from(self.body_id, &self.tcx.map) { self.private_candidate = Some(item.def()); - return; + continue } let (impl_ty, impl_substs) = self.impl_ty_and_substs(impl_def_id); @@ -523,41 +517,6 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { kind: InherentImplCandidate(impl_substs, obligations), import_id: self.import_id, }); - } else { - for item in items { - if !self.has_applicable_self(&item) { - // No receiver declared. Not a candidate. - self.record_static_candidate(ImplSource(impl_def_id)); - continue - } - - if !item.vis.is_accessible_from(self.body_id, &self.tcx.map) { - self.private_candidate = Some(item.def()); - continue - } - - let (impl_ty, impl_substs) = self.impl_ty_and_substs(impl_def_id); - let impl_ty = impl_ty.subst(self.tcx, impl_substs); - - // Determine the receiver type that the method itself expects. - let xform_self_ty = self.xform_self_ty(&item, impl_ty, impl_substs); - - // We can't use normalize_associated_types_in as it will pollute the - // fcx's fulfillment context after this probe is over. - let cause = traits::ObligationCause::misc(self.span, self.body_id); - let mut selcx = &mut traits::SelectionContext::new(self.fcx); - let traits::Normalized { value: xform_self_ty, obligations } = - traits::normalize(selcx, cause, &xform_self_ty); - debug!("assemble_inherent_impl_probe: xform_self_ty = {:?}", - xform_self_ty); - - self.inherent_candidates.push(Candidate { - xform_self_ty: xform_self_ty, - item: item, - kind: InherentImplCandidate(impl_substs, obligations), - import_id: self.import_id, - }); - } } } @@ -651,16 +610,12 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { let tcx = self.tcx; for bound_trait_ref in traits::transitive_bounds(tcx, bounds) { - let items = self.impl_or_trait_item(bound_trait_ref.def_id()); - if items.len() < 1 { - continue - } - let item = items[0]; - - if !self.has_applicable_self(&item) { - self.record_static_candidate(TraitSource(bound_trait_ref.def_id())); - } else { - mk_cand(self, bound_trait_ref, item); + for item in self.impl_or_trait_item(bound_trait_ref.def_id()) { + if !self.has_applicable_self(&item) { + self.record_static_candidate(TraitSource(bound_trait_ref.def_id())); + } else { + mk_cand(self, bound_trait_ref, item); + } } } } @@ -717,26 +672,22 @@ impl<'a, 'gcx, 'tcx> ProbeContext<'a, 'gcx, 'tcx> { debug!("assemble_extension_candidates_for_trait(trait_def_id={:?})", trait_def_id); - let items = self.impl_or_trait_item(trait_def_id); - if items.len() < 1 { - return Ok(()); - } - let item = items[0]; - - // Check whether `trait_def_id` defines a method with suitable name: - if !self.has_applicable_self(&item) { - debug!("method has inapplicable self"); - self.record_static_candidate(TraitSource(trait_def_id)); - return Ok(()); - } + for item in self.impl_or_trait_item(trait_def_id) { + // Check whether `trait_def_id` defines a method with suitable name: + if !self.has_applicable_self(&item) { + debug!("method has inapplicable self"); + self.record_static_candidate(TraitSource(trait_def_id)); + continue; + } - self.assemble_extension_candidates_for_trait_impls(trait_def_id, item.clone()); + self.assemble_extension_candidates_for_trait_impls(trait_def_id, item.clone()); - self.assemble_closure_candidates(trait_def_id, item.clone())?; + self.assemble_closure_candidates(trait_def_id, item.clone())?; - self.assemble_projection_candidates(trait_def_id, item.clone()); + self.assemble_projection_candidates(trait_def_id, item.clone()); - self.assemble_where_clause_candidates(trait_def_id, item.clone()); + self.assemble_where_clause_candidates(trait_def_id, item.clone()); + } Ok(()) } From 6ea1fbb52bc2f82a78d7b592bdfed2b05e6fb666 Mon Sep 17 00:00:00 2001 From: Niko Matsakis Date: Fri, 9 Dec 2016 10:40:15 -0500 Subject: [PATCH 20/22] recover from unresolved inference variable at end of autoderef When we are scanning for suggestions, an unresolved inference variable is not a hard error. --- src/librustc_typeck/check/autoderef.rs | 8 ++++ src/librustc_typeck/check/method/mod.rs | 11 +++-- src/librustc_typeck/check/method/probe.rs | 51 ++++++++++++++--------- 3 files changed, 47 insertions(+), 23 deletions(-) diff --git a/src/librustc_typeck/check/autoderef.rs b/src/librustc_typeck/check/autoderef.rs index e72dba858c562..b4647df3f4f0a 100644 --- a/src/librustc_typeck/check/autoderef.rs +++ b/src/librustc_typeck/check/autoderef.rs @@ -131,10 +131,18 @@ impl<'a, 'gcx, 'tcx> Autoderef<'a, 'gcx, 'tcx> { Some(self.fcx.resolve_type_vars_if_possible(&normalized.value)) } + /// Returns the final type, generating an error if it is an + /// unresolved inference variable. pub fn unambiguous_final_ty(&self) -> Ty<'tcx> { self.fcx.structurally_resolved_type(self.span, self.cur_ty) } + /// Returns the final type we ended up with, which may well be an + /// inference variable (we will resolve it first, if possible). + pub fn maybe_ambiguous_final_ty(&self) -> Ty<'tcx> { + self.fcx.resolve_type_vars_if_possible(&self.cur_ty) + } + pub fn finalize<'b, I>(self, pref: LvaluePreference, exprs: I) where I: IntoIterator { diff --git a/src/librustc_typeck/check/method/mod.rs b/src/librustc_typeck/check/method/mod.rs index 80437dcdbfe00..6353b45200bc9 100644 --- a/src/librustc_typeck/check/method/mod.rs +++ b/src/librustc_typeck/check/method/mod.rs @@ -33,6 +33,8 @@ mod confirm; pub mod probe; mod suggest; +use self::probe::IsSuggestion; + pub enum MethodError<'tcx> { // Did not find an applicable method, but we did find various near-misses that may work. NoMatch(NoMatchData<'tcx>), @@ -91,7 +93,8 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { allow_private: bool) -> bool { let mode = probe::Mode::MethodCall; - match self.probe_for_name(span, mode, method_name, self_ty, call_expr_id) { + match self.probe_for_name(span, mode, method_name, IsSuggestion(false), + self_ty, call_expr_id) { Ok(..) => true, Err(NoMatch(..)) => false, Err(Ambiguity(..)) => true, @@ -130,7 +133,8 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { let mode = probe::Mode::MethodCall; let self_ty = self.resolve_type_vars_if_possible(&self_ty); - let pick = self.probe_for_name(span, mode, method_name, self_ty, call_expr.id)?; + let pick = self.probe_for_name(span, mode, method_name, IsSuggestion(false), + self_ty, call_expr.id)?; if let Some(import_id) = pick.import_id { self.tcx.used_trait_imports.borrow_mut().insert(import_id); @@ -328,7 +332,8 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { expr_id: ast::NodeId) -> Result> { let mode = probe::Mode::Path; - let pick = self.probe_for_name(span, mode, method_name, self_ty, expr_id)?; + let pick = self.probe_for_name(span, mode, method_name, IsSuggestion(false), + self_ty, expr_id)?; if let Some(import_id) = pick.import_id { self.tcx.used_trait_imports.borrow_mut().insert(import_id); diff --git a/src/librustc_typeck/check/method/probe.rs b/src/librustc_typeck/check/method/probe.rs index e478638a5e02e..c29c46d146ed7 100644 --- a/src/librustc_typeck/check/method/probe.rs +++ b/src/librustc_typeck/check/method/probe.rs @@ -33,25 +33,17 @@ use self::CandidateKind::*; pub use self::PickKind::*; pub enum LookingFor<'tcx> { + /// looking for methods with the given name; this is the normal case MethodName(ast::Name), + + /// looking for methods that return a given type; this is used to + /// assemble suggestions ReturnType(Ty<'tcx>), } -impl<'tcx> LookingFor<'tcx> { - pub fn is_method_name(&self) -> bool { - match *self { - LookingFor::MethodName(_) => true, - _ => false, - } - } - - pub fn is_return_type(&self) -> bool { - match *self { - LookingFor::ReturnType(_) => true, - _ => false, - } - } -} +/// Boolean flag used to indicate if this search is for a suggestion +/// or not. If true, we can allow ambiguity and so forth. +pub struct IsSuggestion(pub bool); struct ProbeContext<'a, 'gcx: 'a + 'tcx, 'tcx: 'a> { fcx: &'a FnCtxt<'a, 'gcx, 'tcx>, @@ -183,13 +175,14 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { return_type, scope_expr_id); let method_names = - self.probe_op(span, mode, LookingFor::ReturnType(return_type), self_ty, scope_expr_id, + self.probe_op(span, mode, LookingFor::ReturnType(return_type), IsSuggestion(true), + self_ty, scope_expr_id, |probe_cx| Ok(probe_cx.candidate_method_names())) .unwrap_or(vec![]); method_names .iter() .flat_map(|&method_name| { - match self.probe_for_name(span, mode, method_name, self_ty, scope_expr_id) { + match self.probe_for_name(span, mode, method_name, IsSuggestion(true), self_ty, scope_expr_id) { Ok(pick) => Some(pick.item), Err(_) => None, } @@ -201,6 +194,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { span: Span, mode: Mode, item_name: ast::Name, + is_suggestion: IsSuggestion, self_ty: Ty<'tcx>, scope_expr_id: ast::NodeId) -> PickResult<'tcx> { @@ -211,6 +205,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { self.probe_op(span, mode, LookingFor::MethodName(item_name), + is_suggestion, self_ty, scope_expr_id, |probe_cx| probe_cx.pick()) @@ -220,6 +215,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { span: Span, mode: Mode, looking_for: LookingFor<'tcx>, + is_suggestion: IsSuggestion, self_ty: Ty<'tcx>, scope_expr_id: ast::NodeId, op: OP) @@ -234,7 +230,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { // think cause spurious errors. Really though this part should // take place in the `self.probe` below. let steps = if mode == Mode::MethodCall { - match self.create_steps(span, self_ty) { + match self.create_steps(span, self_ty, is_suggestion) { Some(steps) => steps, None => { return Err(MethodError::NoMatch(NoMatchData::new(Vec::new(), @@ -287,7 +283,8 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { fn create_steps(&self, span: Span, - self_ty: Ty<'tcx>) + self_ty: Ty<'tcx>, + is_suggestion: IsSuggestion) -> Option>> { // FIXME: we don't need to create the entire steps in one pass @@ -302,8 +299,22 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { }) .collect(); - let final_ty = autoderef.unambiguous_final_ty(); + let final_ty = autoderef.maybe_ambiguous_final_ty(); match final_ty.sty { + ty::TyInfer(ty::TyVar(_)) => { + // Ended in an inference variable. If we are doing + // a real method lookup, this is a hard error (it's an + // ambiguity and we can't make progress). + if !is_suggestion.0 { + let t = self.structurally_resolved_type(span, final_ty); + assert_eq!(t, self.tcx.types.err); + return None + } else { + // If we're just looking for suggestions, + // though, ambiguity is no big thing, we can + // just ignore it. + } + } ty::TyArray(elem_ty, _) => { let dereferences = steps.len() - 1; From f439a24ca2bd55fd339063544f77e31c842ad83a Mon Sep 17 00:00:00 2001 From: Guillaume Gomez Date: Fri, 9 Dec 2016 09:42:12 -0800 Subject: [PATCH 21/22] Fix linter issue --- src/librustc_typeck/check/demand.rs | 2 +- src/librustc_typeck/check/method/probe.rs | 7 ++++--- 2 files changed, 5 insertions(+), 4 deletions(-) diff --git a/src/librustc_typeck/check/demand.rs b/src/librustc_typeck/check/demand.rs index 17d1bd777973e..393d9341a0843 100644 --- a/src/librustc_typeck/check/demand.rs +++ b/src/librustc_typeck/check/demand.rs @@ -115,7 +115,7 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { Def::Method(def_id) => { match self.tcx.item_type(def_id).sty { ty::TypeVariants::TyFnDef(_, _, fty) => { - fty.sig.skip_binder().inputs.len() == 1 + fty.sig.skip_binder().inputs().len() == 1 } _ => false, } diff --git a/src/librustc_typeck/check/method/probe.rs b/src/librustc_typeck/check/method/probe.rs index c29c46d146ed7..06158366f5cda 100644 --- a/src/librustc_typeck/check/method/probe.rs +++ b/src/librustc_typeck/check/method/probe.rs @@ -20,8 +20,8 @@ use rustc::ty::subst::{Subst, Substs}; use rustc::traits::{self, ObligationCause}; use rustc::ty::{self, Ty, ToPolyTraitRef, TraitRef, TypeFoldable}; use rustc::infer::type_variable::TypeVariableOrigin; -use rustc::util::nodemap::{FnvHashSet, FxHashSet}; -use rustc::infer::{self, InferOk, TypeOrigin}; +use rustc::util::nodemap::FxHashSet; +use rustc::infer::{self, InferOk}; use syntax::ast; use syntax_pos::Span; use rustc::hir; @@ -182,7 +182,8 @@ impl<'a, 'gcx, 'tcx> FnCtxt<'a, 'gcx, 'tcx> { method_names .iter() .flat_map(|&method_name| { - match self.probe_for_name(span, mode, method_name, IsSuggestion(true), self_ty, scope_expr_id) { + match self.probe_for_name(span, mode, method_name, IsSuggestion(true), self_ty, + scope_expr_id) { Ok(pick) => Some(pick.item), Err(_) => None, } From 28e2c6aff90b8afef7722c825b381fc24172ac6b Mon Sep 17 00:00:00 2001 From: Guillaume Gomez Date: Tue, 20 Dec 2016 11:43:19 +0100 Subject: [PATCH 22/22] Update ui test stderr --- src/test/ui/span/coerce-suggestions.stderr | 7 +++++-- 1 file changed, 5 insertions(+), 2 deletions(-) diff --git a/src/test/ui/span/coerce-suggestions.stderr b/src/test/ui/span/coerce-suggestions.stderr index 3673228301403..e316466150703 100644 --- a/src/test/ui/span/coerce-suggestions.stderr +++ b/src/test/ui/span/coerce-suggestions.stderr @@ -18,7 +18,11 @@ error[E0308]: mismatched types | = note: expected type `&str` = note: found type `std::string::String` - = help: try with `&String::new()` + = help: here are some functions which might fulfill your needs: + - .as_str() + - .trim() + - .trim_left() + - .trim_right() error[E0308]: mismatched types --> $DIR/coerce-suggestions.rs:30:10 @@ -28,7 +32,6 @@ error[E0308]: mismatched types | = note: expected type `&mut std::string::String` = note: found type `&std::string::String` - = help: try with `&mut y` error[E0308]: mismatched types --> $DIR/coerce-suggestions.rs:36:11