review comments and tweaks

This commit is contained in:
Esteban Küber 2019-10-19 10:13:56 -07:00
parent 55e4e2d52e
commit 93bb780e38
6 changed files with 119 additions and 78 deletions

View File

@ -316,22 +316,7 @@ impl<'a> PathSource<'a> {
} }
} }
struct LateResolutionVisitor<'a, 'b> { struct DiagnosticMetadata {
r: &'b mut Resolver<'a>,
/// The module that represents the current item scope.
parent_scope: ParentScope<'a>,
/// The current set of local scopes for types and values.
/// FIXME #4948: Reuse ribs to avoid allocation.
ribs: PerNS<Vec<Rib<'a>>>,
/// The current set of local scopes, for labels.
label_ribs: Vec<Rib<'a, NodeId>>,
/// The trait that the current context can refer to.
current_trait_ref: Option<(Module<'a>, TraitRef)>,
/// The current trait's associated types' ident, used for diagnostic suggestions. /// The current trait's associated types' ident, used for diagnostic suggestions.
current_trait_assoc_types: Vec<Ident>, current_trait_assoc_types: Vec<Ident>,
@ -352,7 +337,27 @@ struct LateResolutionVisitor<'a, 'b> {
current_type_ascription: Vec<Span>, current_type_ascription: Vec<Span>,
/// Only used for better errors on `let <pat>: <expr, not type>;`. /// Only used for better errors on `let <pat>: <expr, not type>;`.
current_let_binding: Option<(Span, Span)>, current_let_binding: Option<(Span, Option<Span>, Option<Span>)>,
}
struct LateResolutionVisitor<'a, 'b> {
r: &'b mut Resolver<'a>,
/// The module that represents the current item scope.
parent_scope: ParentScope<'a>,
/// The current set of local scopes for types and values.
/// FIXME #4948: Reuse ribs to avoid allocation.
ribs: PerNS<Vec<Rib<'a>>>,
/// The current set of local scopes, for labels.
label_ribs: Vec<Rib<'a, NodeId>>,
/// The trait that the current context can refer to.
current_trait_ref: Option<(Module<'a>, TraitRef)>,
/// Fields used to add information to diagnostic errors.
diagnostic_metadata: DiagnosticMetadata,
} }
/// Walks the whole crate in DFS order, visiting each item, resolving names as it goes. /// Walks the whole crate in DFS order, visiting each item, resolving names as it goes.
@ -376,18 +381,18 @@ impl<'a, 'tcx> Visitor<'tcx> for LateResolutionVisitor<'a, '_> {
self.resolve_expr(expr, None); self.resolve_expr(expr, None);
} }
fn visit_local(&mut self, local: &'tcx Local) { fn visit_local(&mut self, local: &'tcx Local) {
debug!("visit_local {:?} {:?} {:?}", local, local.pat, local.pat.kind); let local_spans = match local.pat.kind {
let val = match local {
Local { pat, ty: Some(ty), init: None, .. } => match pat.kind {
// We check for this to avoid tuple struct fields. // We check for this to avoid tuple struct fields.
PatKind::Wild => None, PatKind::Wild => None,
_ => Some((pat.span, ty.span)), _ => Some((
}, local.pat.span,
_ => None, local.ty.as_ref().map(|ty| ty.span),
local.init.as_ref().map(|init| init.span),
)),
}; };
let original = replace(&mut self.current_let_binding, val); let original = replace(&mut self.diagnostic_metadata.current_let_binding, local_spans);
self.resolve_local(local); self.resolve_local(local);
self.current_let_binding = original; self.diagnostic_metadata.current_let_binding = original;
} }
fn visit_ty(&mut self, ty: &'tcx Ty) { fn visit_ty(&mut self, ty: &'tcx Ty) {
match ty.kind { match ty.kind {
@ -429,7 +434,7 @@ impl<'a, 'tcx> Visitor<'tcx> for LateResolutionVisitor<'a, '_> {
} }
} }
fn visit_fn(&mut self, fn_kind: FnKind<'tcx>, declaration: &'tcx FnDecl, sp: Span, _: NodeId) { fn visit_fn(&mut self, fn_kind: FnKind<'tcx>, declaration: &'tcx FnDecl, sp: Span, _: NodeId) {
let previous_value = replace(&mut self.current_function, Some(sp)); let previous_value = replace(&mut self.diagnostic_metadata.current_function, Some(sp));
debug!("(resolving function) entering function"); debug!("(resolving function) entering function");
let rib_kind = match fn_kind { let rib_kind = match fn_kind {
FnKind::ItemFn(..) => FnItemRibKind, FnKind::ItemFn(..) => FnItemRibKind,
@ -455,7 +460,7 @@ impl<'a, 'tcx> Visitor<'tcx> for LateResolutionVisitor<'a, '_> {
debug!("(resolving function) leaving function"); debug!("(resolving function) leaving function");
}) })
}); });
self.current_function = previous_value; self.diagnostic_metadata.current_function = previous_value;
} }
fn visit_generics(&mut self, generics: &'tcx Generics) { fn visit_generics(&mut self, generics: &'tcx Generics) {
@ -489,7 +494,8 @@ impl<'a, 'tcx> Visitor<'tcx> for LateResolutionVisitor<'a, '_> {
// (We however cannot ban `Self` for defaults on *all* generic // (We however cannot ban `Self` for defaults on *all* generic
// lists; e.g. trait generics can usefully refer to `Self`, // lists; e.g. trait generics can usefully refer to `Self`,
// such as in the case of `trait Add<Rhs = Self>`.) // such as in the case of `trait Add<Rhs = Self>`.)
if self.current_self_item.is_some() { // (`Some` if + only if we are in ADT's generics.) if self.diagnostic_metadata.current_self_item.is_some() {
// (`Some` if + only if we are in ADT's generics.)
default_ban_rib.bindings.insert(Ident::with_dummy_span(kw::SelfUpper), Res::Err); default_ban_rib.bindings.insert(Ident::with_dummy_span(kw::SelfUpper), Res::Err);
} }
@ -541,6 +547,7 @@ impl<'a, 'b> LateResolutionVisitor<'a, '_> {
}, },
label_ribs: Vec::new(), label_ribs: Vec::new(),
current_trait_ref: None, current_trait_ref: None,
diagnostic_metadata: DiagnosticMetadata {
current_trait_assoc_types: Vec::new(), current_trait_assoc_types: Vec::new(),
current_self_type: None, current_self_type: None,
current_self_item: None, current_self_item: None,
@ -550,6 +557,7 @@ impl<'a, 'b> LateResolutionVisitor<'a, '_> {
current_let_binding: None, current_let_binding: None,
} }
} }
}
fn resolve_ident_in_lexical_scope(&mut self, fn resolve_ident_in_lexical_scope(&mut self,
ident: Ident, ident: Ident,
@ -907,16 +915,22 @@ impl<'a, 'b> LateResolutionVisitor<'a, '_> {
fn with_current_self_type<T>(&mut self, self_type: &Ty, f: impl FnOnce(&mut Self) -> T) -> T { fn with_current_self_type<T>(&mut self, self_type: &Ty, f: impl FnOnce(&mut Self) -> T) -> T {
// Handle nested impls (inside fn bodies) // Handle nested impls (inside fn bodies)
let previous_value = replace(&mut self.current_self_type, Some(self_type.clone())); let previous_value = replace(
&mut self.diagnostic_metadata.current_self_type,
Some(self_type.clone()),
);
let result = f(self); let result = f(self);
self.current_self_type = previous_value; self.diagnostic_metadata.current_self_type = previous_value;
result result
} }
fn with_current_self_item<T>(&mut self, self_item: &Item, f: impl FnOnce(&mut Self) -> T) -> T { fn with_current_self_item<T>(&mut self, self_item: &Item, f: impl FnOnce(&mut Self) -> T) -> T {
let previous_value = replace(&mut self.current_self_item, Some(self_item.id)); let previous_value = replace(
&mut self.diagnostic_metadata.current_self_item,
Some(self_item.id),
);
let result = f(self); let result = f(self);
self.current_self_item = previous_value; self.diagnostic_metadata.current_self_item = previous_value;
result result
} }
@ -927,14 +941,14 @@ impl<'a, 'b> LateResolutionVisitor<'a, '_> {
f: impl FnOnce(&mut Self) -> T, f: impl FnOnce(&mut Self) -> T,
) -> T { ) -> T {
let trait_assoc_types = replace( let trait_assoc_types = replace(
&mut self.current_trait_assoc_types, &mut self.diagnostic_metadata.current_trait_assoc_types,
trait_items.iter().filter_map(|item| match &item.kind { trait_items.iter().filter_map(|item| match &item.kind {
TraitItemKind::Type(bounds, _) if bounds.len() == 0 => Some(item.ident), TraitItemKind::Type(bounds, _) if bounds.len() == 0 => Some(item.ident),
_ => None, _ => None,
}).collect(), }).collect(),
); );
let result = f(self); let result = f(self);
self.current_trait_assoc_types = trait_assoc_types; self.diagnostic_metadata.current_trait_assoc_types = trait_assoc_types;
result result
} }
@ -1761,7 +1775,7 @@ impl<'a, 'b> LateResolutionVisitor<'a, '_> {
fn with_resolved_label(&mut self, label: Option<Label>, id: NodeId, f: impl FnOnce(&mut Self)) { fn with_resolved_label(&mut self, label: Option<Label>, id: NodeId, f: impl FnOnce(&mut Self)) {
if let Some(label) = label { if let Some(label) = label {
self.unused_labels.insert(id, label.ident.span); self.diagnostic_metadata.unused_labels.insert(id, label.ident.span);
self.with_label_rib(NormalRibKind, |this| { self.with_label_rib(NormalRibKind, |this| {
let ident = label.ident.modern_and_legacy(); let ident = label.ident.modern_and_legacy();
this.label_ribs.last_mut().unwrap().bindings.insert(ident, id); this.label_ribs.last_mut().unwrap().bindings.insert(ident, id);
@ -1865,7 +1879,7 @@ impl<'a, 'b> LateResolutionVisitor<'a, '_> {
Some(node_id) => { Some(node_id) => {
// Since this res is a label, it is never read. // Since this res is a label, it is never read.
self.r.label_res_map.insert(expr.id, node_id); self.r.label_res_map.insert(expr.id, node_id);
self.unused_labels.remove(&node_id); self.diagnostic_metadata.unused_labels.remove(&node_id);
} }
} }
@ -1927,9 +1941,9 @@ impl<'a, 'b> LateResolutionVisitor<'a, '_> {
} }
} }
ExprKind::Type(ref type_expr, _) => { ExprKind::Type(ref type_expr, _) => {
self.current_type_ascription.push(type_expr.span); self.diagnostic_metadata.current_type_ascription.push(type_expr.span);
visit::walk_expr(self, expr); visit::walk_expr(self, expr);
self.current_type_ascription.pop(); self.diagnostic_metadata.current_type_ascription.pop();
} }
// `async |x| ...` gets desugared to `|x| future_from_generator(|| ...)`, so we need to // `async |x| ...` gets desugared to `|x| future_from_generator(|| ...)`, so we need to
// resolve the arguments within the proper scopes so that usages of them inside the // resolve the arguments within the proper scopes so that usages of them inside the
@ -2088,7 +2102,7 @@ impl<'a> Resolver<'a> {
pub(crate) fn late_resolve_crate(&mut self, krate: &Crate) { pub(crate) fn late_resolve_crate(&mut self, krate: &Crate) {
let mut late_resolution_visitor = LateResolutionVisitor::new(self); let mut late_resolution_visitor = LateResolutionVisitor::new(self);
visit::walk_crate(&mut late_resolution_visitor, krate); visit::walk_crate(&mut late_resolution_visitor, krate);
for (id, span) in late_resolution_visitor.unused_labels.iter() { for (id, span) in late_resolution_visitor.diagnostic_metadata.unused_labels.iter() {
self.session.buffer_lint(lint::builtin::UNUSED_LABELS, *id, *span, "unused label"); self.session.buffer_lint(lint::builtin::UNUSED_LABELS, *id, *span, "unused label");
} }
} }

View File

@ -72,11 +72,23 @@ impl<'a> LateResolutionVisitor<'a, '_> {
let path_str = Segment::names_to_string(path); let path_str = Segment::names_to_string(path);
let item_str = path.last().unwrap().ident; let item_str = path.last().unwrap().ident;
let code = source.error_code(res.is_some()); let code = source.error_code(res.is_some());
let (base_msg, fallback_label, base_span, is_local) = if let Some(res) = res { let (base_msg, fallback_label, base_span, could_be_expr) = if let Some(res) = res {
(format!("expected {}, found {} `{}`", expected, res.descr(), path_str), (format!("expected {}, found {} `{}`", expected, res.descr(), path_str),
format!("not a {}", expected), format!("not a {}", expected),
span, span,
match res { match res {
Res::Def(DefKind::Fn, _) => {
// Verify whether this is a fn call or an Fn used as a type.
self.r.session.source_map().span_to_snippet(span).map(|snippet| {
snippet.ends_with(')')
}).unwrap_or(false)
}
Res::Def(DefKind::Ctor(..), _) |
Res::Def(DefKind::Method, _) |
Res::Def(DefKind::Const, _) |
Res::Def(DefKind::AssocConst, _) |
Res::SelfCtor(_) |
Res::PrimTy(_) |
Res::Local(_) => true, Res::Local(_) => true,
_ => false, _ => false,
}) })
@ -139,7 +151,7 @@ impl<'a> LateResolutionVisitor<'a, '_> {
"`self` value is a keyword only available in methods with a `self` parameter", "`self` value is a keyword only available in methods with a `self` parameter",
), ),
}); });
if let Some(span) = &self.current_function { if let Some(span) = &self.diagnostic_metadata.current_function {
err.span_label(*span, "this function doesn't have a `self` parameter"); err.span_label(*span, "this function doesn't have a `self` parameter");
} }
return (err, Vec::new()); return (err, Vec::new());
@ -262,20 +274,18 @@ impl<'a> LateResolutionVisitor<'a, '_> {
if !levenshtein_worked { if !levenshtein_worked {
err.span_label(base_span, fallback_label); err.span_label(base_span, fallback_label);
self.type_ascription_suggestion(&mut err, base_span); self.type_ascription_suggestion(&mut err, base_span);
if let Some(span) = self.current_let_binding.and_then(|(pat_sp, ty_sp)| { match self.diagnostic_metadata.current_let_binding {
if ty_sp.contains(base_span) && is_local { Some((pat_sp, Some(ty_sp), None))
Some(pat_sp.between(ty_sp)) if ty_sp.contains(base_span) && could_be_expr => {
} else { err.span_suggestion_short(
None pat_sp.between(ty_sp),
} "use `=` if you meant to assign",
}) {
err.span_suggestion(
span,
"maybe you meant to assign a value instead of defining this let binding's type",
" = ".to_string(), " = ".to_string(),
Applicability::MaybeIncorrect, Applicability::MaybeIncorrect,
); );
} }
_ => {}
}
} }
(err, candidates) (err, candidates)
} }
@ -510,7 +520,9 @@ impl<'a> LateResolutionVisitor<'a, '_> {
// Fields are generally expected in the same contexts as locals. // Fields are generally expected in the same contexts as locals.
if filter_fn(Res::Local(ast::DUMMY_NODE_ID)) { if filter_fn(Res::Local(ast::DUMMY_NODE_ID)) {
if let Some(node_id) = self.current_self_type.as_ref().and_then(extract_node_id) { if let Some(node_id) = self.diagnostic_metadata.current_self_type.as_ref()
.and_then(extract_node_id)
{
// Look for a field with the same name in the current self_type. // Look for a field with the same name in the current self_type.
if let Some(resolution) = self.r.partial_res_map.get(&node_id) { if let Some(resolution) = self.r.partial_res_map.get(&node_id) {
match resolution.base_res() { match resolution.base_res() {
@ -529,7 +541,7 @@ impl<'a> LateResolutionVisitor<'a, '_> {
} }
} }
for assoc_type_ident in &self.current_trait_assoc_types { for assoc_type_ident in &self.diagnostic_metadata.current_trait_assoc_types {
if *assoc_type_ident == ident { if *assoc_type_ident == ident {
return Some(AssocSuggestion::AssocItem); return Some(AssocSuggestion::AssocItem);
} }
@ -663,11 +675,9 @@ impl<'a> LateResolutionVisitor<'a, '_> {
err: &mut DiagnosticBuilder<'_>, err: &mut DiagnosticBuilder<'_>,
base_span: Span, base_span: Span,
) { ) {
debug!("type_ascription_suggetion {:?}", base_span);
let cm = self.r.session.source_map(); let cm = self.r.session.source_map();
let base_snippet = cm.span_to_snippet(base_span); let base_snippet = cm.span_to_snippet(base_span);
debug!("self.current_type_ascription {:?}", self.current_type_ascription); if let Some(sp) = self.diagnostic_metadata.current_type_ascription.last() {
if let Some(sp) = self.current_type_ascription.last() {
let mut sp = *sp; let mut sp = *sp;
loop { loop {
// Try to find the `:`; bail on first non-':' / non-whitespace. // Try to find the `:`; bail on first non-':' / non-whitespace.

View File

@ -39,6 +39,7 @@ fn test_single2() {
use foo2::Bar; use foo2::Bar;
let _x : Box<Bar>; //~ ERROR expected type, found function `Bar` let _x : Box<Bar>; //~ ERROR expected type, found function `Bar`
let _x : Bar(); //~ ERROR expected type, found function `Bar`
} }
fn test_list2() { fn test_list2() {

View File

@ -48,7 +48,25 @@ LL | use foo3::Bar;
| |
error[E0573]: expected type, found function `Bar` error[E0573]: expected type, found function `Bar`
--> $DIR/privacy-ns2.rs:47:17 --> $DIR/privacy-ns2.rs:42:14
|
LL | let _x : Bar();
| ^^^^^ not a type
help: use `=` if you meant to assign
|
LL | let _x = Bar();
| ^
help: possible better candidates are found in other modules, you can import them into scope
|
LL | use foo1::Bar;
|
LL | use foo2::Bar;
|
LL | use foo3::Bar;
|
error[E0573]: expected type, found function `Bar`
--> $DIR/privacy-ns2.rs:48:17
| |
LL | let _x: Box<Bar>; LL | let _x: Box<Bar>;
| ^^^ | ^^^
@ -67,24 +85,24 @@ LL | use foo3::Bar;
| |
error[E0603]: trait `Bar` is private error[E0603]: trait `Bar` is private
--> $DIR/privacy-ns2.rs:60:15 --> $DIR/privacy-ns2.rs:61:15
| |
LL | use foo3::Bar; LL | use foo3::Bar;
| ^^^ | ^^^
error[E0603]: trait `Bar` is private error[E0603]: trait `Bar` is private
--> $DIR/privacy-ns2.rs:64:15 --> $DIR/privacy-ns2.rs:65:15
| |
LL | use foo3::Bar; LL | use foo3::Bar;
| ^^^ | ^^^
error[E0603]: trait `Bar` is private error[E0603]: trait `Bar` is private
--> $DIR/privacy-ns2.rs:71:16 --> $DIR/privacy-ns2.rs:72:16
| |
LL | use foo3::{Bar,Baz}; LL | use foo3::{Bar,Baz};
| ^^^ | ^^^
error: aborting due to 7 previous errors error: aborting due to 8 previous errors
Some errors have detailed explanations: E0423, E0573, E0603. Some errors have detailed explanations: E0423, E0573, E0603.
For more information about an error, try `rustc --explain E0423`. For more information about an error, try `rustc --explain E0423`.

View File

@ -2,11 +2,9 @@ error[E0573]: expected type, found local variable `num`
--> $DIR/let-binding-init-expr-as-ty.rs:2:27 --> $DIR/let-binding-init-expr-as-ty.rs:2:27
| |
LL | let foo: i32::from_be(num); LL | let foo: i32::from_be(num);
| ^^^ not a type | -- ^^^ not a type
help: maybe you meant to assign a value instead of defining this let binding's type | |
| | help: use `=` if you meant to assign
LL | let foo = i32::from_be(num);
| ^
error: parenthesized type parameters may only be used with a `Fn` trait error: parenthesized type parameters may only be used with a `Fn` trait
--> $DIR/let-binding-init-expr-as-ty.rs:2:19 --> $DIR/let-binding-init-expr-as-ty.rs:2:19