]> git.lizzy.rs Git - rust.git/blob - src/librustc_resolve/resolve_imports.rs
Propagate bounds from generators
[rust.git] / src / librustc_resolve / resolve_imports.rs
1 // Copyright 2015 The Rust Project Developers. See the COPYRIGHT
2 // file at the top-level directory of this distribution and at
3 // http://rust-lang.org/COPYRIGHT.
4 //
5 // Licensed under the Apache License, Version 2.0 <LICENSE-APACHE or
6 // http://www.apache.org/licenses/LICENSE-2.0> or the MIT license
7 // <LICENSE-MIT or http://opensource.org/licenses/MIT>, at your
8 // option. This file may not be copied, modified, or distributed
9 // except according to those terms.
10
11 use self::ImportDirectiveSubclass::*;
12
13 use {AmbiguityError, CrateLint, Module, ModuleOrUniformRoot, PerNS};
14 use Namespace::{self, TypeNS, MacroNS};
15 use {NameBinding, NameBindingKind, ToNameBinding, PathResult, PrivacyError};
16 use Resolver;
17 use {names_to_string, module_to_string};
18 use {resolve_error, ResolutionError};
19
20 use rustc_data_structures::ptr_key::PtrKey;
21 use rustc::ty;
22 use rustc::lint::builtin::BuiltinLintDiagnostics;
23 use rustc::lint::builtin::{DUPLICATE_MACRO_EXPORTS, PUB_USE_OF_PRIVATE_EXTERN_CRATE};
24 use rustc::hir::def_id::{CRATE_DEF_INDEX, DefId};
25 use rustc::hir::def::*;
26 use rustc::session::DiagnosticMessageId;
27 use rustc::util::nodemap::FxHashSet;
28
29 use syntax::ast::{Ident, Name, NodeId, CRATE_NODE_ID};
30 use syntax::ext::base::Determinacy::{self, Determined, Undetermined};
31 use syntax::ext::hygiene::Mark;
32 use syntax::symbol::keywords;
33 use syntax::util::lev_distance::find_best_match_for_name;
34 use syntax_pos::{MultiSpan, Span};
35
36 use std::cell::{Cell, RefCell};
37 use std::collections::BTreeMap;
38 use std::fmt::Write;
39 use std::{mem, ptr};
40
41 /// Contains data for specific types of import directives.
42 #[derive(Clone, Debug)]
43 pub enum ImportDirectiveSubclass<'a> {
44     SingleImport {
45         target: Ident,
46         source: Ident,
47         result: PerNS<Cell<Result<&'a NameBinding<'a>, Determinacy>>>,
48         type_ns_only: bool,
49     },
50     GlobImport {
51         is_prelude: bool,
52         max_vis: Cell<ty::Visibility>, // The visibility of the greatest re-export.
53         // n.b. `max_vis` is only used in `finalize_import` to check for re-export errors.
54     },
55     ExternCrate(Option<Name>),
56     MacroUse,
57 }
58
59 /// One import directive.
60 #[derive(Debug,Clone)]
61 pub struct ImportDirective<'a> {
62     /// The id of the `extern crate`, `UseTree` etc that imported this `ImportDirective`.
63     ///
64     /// In the case where the `ImportDirective` was expanded from a "nested" use tree,
65     /// this id is the id of the leaf tree. For example:
66     ///
67     /// ```ignore (pacify the mercilous tidy)
68     /// use foo::bar::{a, b}
69     /// ```
70     ///
71     /// If this is the import directive for `foo::bar::a`, we would have the id of the `UseTree`
72     /// for `a` in this field.
73     pub id: NodeId,
74
75     /// The `id` of the "root" use-kind -- this is always the same as
76     /// `id` except in the case of "nested" use trees, in which case
77     /// it will be the `id` of the root use tree. e.g., in the example
78     /// from `id`, this would be the id of the `use foo::bar`
79     /// `UseTree` node.
80     pub root_id: NodeId,
81
82     /// Span of this use tree.
83     pub span: Span,
84
85     /// Span of the *root* use tree (see `root_id`).
86     pub root_span: Span,
87
88     pub parent: Module<'a>,
89     pub module_path: Vec<Ident>,
90     /// The resolution of `module_path`.
91     pub imported_module: Cell<Option<ModuleOrUniformRoot<'a>>>,
92     pub subclass: ImportDirectiveSubclass<'a>,
93     pub vis: Cell<ty::Visibility>,
94     pub expansion: Mark,
95     pub used: Cell<bool>,
96
97     /// Whether this import is a "canary" for the `uniform_paths` feature,
98     /// i.e. `use x::...;` results in an `use self::x as _;` canary.
99     /// This flag affects diagnostics: an error is reported if and only if
100     /// the import resolves successfully and an external crate with the same
101     /// name (`x` above) also exists; any resolution failures are ignored.
102     pub is_uniform_paths_canary: bool,
103 }
104
105 impl<'a> ImportDirective<'a> {
106     pub fn is_glob(&self) -> bool {
107         match self.subclass { ImportDirectiveSubclass::GlobImport { .. } => true, _ => false }
108     }
109
110     crate fn crate_lint(&self) -> CrateLint {
111         CrateLint::UsePath { root_id: self.root_id, root_span: self.root_span }
112     }
113 }
114
115 #[derive(Clone, Default, Debug)]
116 /// Records information about the resolution of a name in a namespace of a module.
117 pub struct NameResolution<'a> {
118     /// Single imports that may define the name in the namespace.
119     /// Import directives are arena-allocated, so it's ok to use pointers as keys.
120     single_imports: FxHashSet<PtrKey<'a, ImportDirective<'a>>>,
121     /// The least shadowable known binding for this name, or None if there are no known bindings.
122     pub binding: Option<&'a NameBinding<'a>>,
123     shadowed_glob: Option<&'a NameBinding<'a>>,
124 }
125
126 impl<'a> NameResolution<'a> {
127     // Returns the binding for the name if it is known or None if it not known.
128     fn binding(&self) -> Option<&'a NameBinding<'a>> {
129         self.binding.and_then(|binding| {
130             if !binding.is_glob_import() ||
131                self.single_imports.is_empty() { Some(binding) } else { None }
132         })
133     }
134 }
135
136 impl<'a, 'crateloader> Resolver<'a, 'crateloader> {
137     fn resolution(&self, module: Module<'a>, ident: Ident, ns: Namespace)
138                   -> &'a RefCell<NameResolution<'a>> {
139         *module.resolutions.borrow_mut().entry((ident.modern(), ns))
140                .or_insert_with(|| self.arenas.alloc_name_resolution())
141     }
142
143     /// Attempts to resolve `ident` in namespaces `ns` of `module`.
144     /// Invariant: if `record_used` is `Some`, expansion and import resolution must be complete.
145     pub fn resolve_ident_in_module_unadjusted(&mut self,
146                                               module: ModuleOrUniformRoot<'a>,
147                                               ident: Ident,
148                                               ns: Namespace,
149                                               restricted_shadowing: bool,
150                                               record_used: bool,
151                                               path_span: Span)
152                                               -> Result<&'a NameBinding<'a>, Determinacy> {
153         let module = match module {
154             ModuleOrUniformRoot::Module(module) => module,
155             ModuleOrUniformRoot::UniformRoot(root) => {
156                 // HACK(eddyb): `resolve_path` uses `keywords::Invalid` to indicate
157                 // paths of length 0, and currently these are relative `use` paths.
158                 let can_be_relative = !ident.is_path_segment_keyword() &&
159                     root == keywords::Invalid.name();
160                 if can_be_relative {
161                     // Relative paths should only get here if the feature-gate is on.
162                     assert!(self.session.rust_2018() &&
163                             self.session.features_untracked().uniform_paths);
164
165                     // Try first to resolve relatively.
166                     let mut ctxt = ident.span.ctxt().modern();
167                     let self_module = self.resolve_self(&mut ctxt, self.current_module);
168
169                     let binding = self.resolve_ident_in_module_unadjusted(
170                         ModuleOrUniformRoot::Module(self_module),
171                         ident,
172                         ns,
173                         restricted_shadowing,
174                         record_used,
175                         path_span,
176                     );
177
178                     // FIXME(eddyb) This may give false negatives, specifically
179                     // if a crate with the same name is found in `extern_prelude`,
180                     // preventing the check below this one from returning `binding`
181                     // in all cases.
182                     //
183                     // That is, if there's no crate with the same name, `binding`
184                     // is always returned, which is the result of doing the exact
185                     // same lookup of `ident`, in the `self` module.
186                     // But when a crate does exist, it will get chosen even when
187                     // macro expansion could result in a success from the lookup
188                     // in the `self` module, later on.
189                     //
190                     // NB. This is currently alleviated by the "ambiguity canaries"
191                     // (see `is_uniform_paths_canary`) that get introduced for the
192                     // maybe-relative imports handled here: if the false negative
193                     // case were to arise, it would *also* cause an ambiguity error.
194                     if binding.is_ok() {
195                         return binding;
196                     }
197
198                     // Fall back to resolving to an external crate.
199                     if !(
200                         ns == TypeNS &&
201                         !ident.is_path_segment_keyword() &&
202                         self.extern_prelude.contains(&ident.name)
203                     ) {
204                         // ... unless the crate name is not in the `extern_prelude`.
205                         return binding;
206                     }
207                 }
208
209                 let crate_root = if
210                     ns == TypeNS &&
211                     root != keywords::Extern.name() &&
212                     (
213                         ident.name == keywords::Crate.name() ||
214                         ident.name == keywords::DollarCrate.name()
215                     )
216                 {
217                     self.resolve_crate_root(ident)
218                 } else if
219                     ns == TypeNS &&
220                     !ident.is_path_segment_keyword() &&
221                     self.extern_prelude.contains(&ident.name)
222                 {
223                     let crate_id =
224                         self.crate_loader.process_path_extern(ident.name, ident.span);
225                     self.get_module(DefId { krate: crate_id, index: CRATE_DEF_INDEX })
226                 } else {
227                     return Err(Determined);
228                 };
229                 self.populate_module_if_necessary(crate_root);
230                 let binding = (crate_root, ty::Visibility::Public,
231                                ident.span, Mark::root()).to_name_binding(self.arenas);
232                 return Ok(binding);
233             }
234         };
235
236         self.populate_module_if_necessary(module);
237
238         let resolution = self.resolution(module, ident, ns)
239             .try_borrow_mut()
240             .map_err(|_| Determined)?; // This happens when there is a cycle of imports
241
242         if let Some(binding) = resolution.binding {
243             if !restricted_shadowing && binding.expansion != Mark::root() {
244                 if let NameBindingKind::Def(_, true) = binding.kind {
245                     self.macro_expanded_macro_export_errors.insert((path_span, binding.span));
246                 }
247             }
248         }
249
250         if record_used {
251             if let Some(binding) = resolution.binding {
252                 if let Some(shadowed_glob) = resolution.shadowed_glob {
253                     // Forbid expanded shadowing to avoid time travel.
254                     if restricted_shadowing &&
255                        binding.expansion != Mark::root() &&
256                        ns != MacroNS && // In MacroNS, `try_define` always forbids this shadowing
257                        binding.def() != shadowed_glob.def() {
258                         self.ambiguity_errors.push(AmbiguityError {
259                             ident,
260                             b1: binding,
261                             b2: shadowed_glob,
262                         });
263                     }
264                 }
265                 if self.record_use(ident, ns, binding) {
266                     return Ok(self.dummy_binding);
267                 }
268                 if !self.is_accessible(binding.vis) {
269                     self.privacy_errors.push(PrivacyError(path_span, ident.name, binding));
270                 }
271             }
272
273             return resolution.binding.ok_or(Determined);
274         }
275
276         let check_usable = |this: &mut Self, binding: &'a NameBinding<'a>| {
277             // `extern crate` are always usable for backwards compatibility, see issue #37020.
278             let usable = this.is_accessible(binding.vis) || binding.is_extern_crate();
279             if usable { Ok(binding) } else { Err(Determined) }
280         };
281
282         // Items and single imports are not shadowable, if we have one, then it's determined.
283         if let Some(binding) = resolution.binding {
284             if !binding.is_glob_import() {
285                 return check_usable(self, binding);
286             }
287         }
288
289         // --- From now on we either have a glob resolution or no resolution. ---
290
291         // Check if one of single imports can still define the name,
292         // if it can then our result is not determined and can be invalidated.
293         for single_import in &resolution.single_imports {
294             if !self.is_accessible(single_import.vis.get()) {
295                 continue;
296             }
297             let module = unwrap_or!(single_import.imported_module.get(), return Err(Undetermined));
298             let ident = match single_import.subclass {
299                 SingleImport { source, .. } => source,
300                 _ => unreachable!(),
301             };
302             match self.resolve_ident_in_module(module, ident, ns, false, path_span) {
303                 Err(Determined) => continue,
304                 Ok(binding)
305                     if !self.is_accessible_from(binding.vis, single_import.parent) => continue,
306                 Ok(_) | Err(Undetermined) => return Err(Undetermined),
307             }
308         }
309
310         // So we have a resolution that's from a glob import. This resolution is determined
311         // if it cannot be shadowed by some new item/import expanded from a macro.
312         // This happens either if there are no unexpanded macros, or expanded names cannot
313         // shadow globs (that happens in macro namespace or with restricted shadowing).
314         //
315         // Additionally, any macro in any module can plant names in the root module if it creates
316         // `macro_export` macros, so the root module effectively has unresolved invocations if any
317         // module has unresolved invocations.
318         // However, it causes resolution/expansion to stuck too often (#53144), so, to make
319         // progress, we have to ignore those potential unresolved invocations from other modules
320         // and prohibit access to macro-expanded `macro_export` macros instead (unless restricted
321         // shadowing is enabled, see `macro_expanded_macro_export_errors`).
322         let unexpanded_macros = !module.unresolved_invocations.borrow().is_empty();
323         if let Some(binding) = resolution.binding {
324             if !unexpanded_macros || ns == MacroNS || restricted_shadowing {
325                 return check_usable(self, binding);
326             } else {
327                 return Err(Undetermined);
328             }
329         }
330
331         // --- From now on we have no resolution. ---
332
333         // Now we are in situation when new item/import can appear only from a glob or a macro
334         // expansion. With restricted shadowing names from globs and macro expansions cannot
335         // shadow names from outer scopes, so we can freely fallback from module search to search
336         // in outer scopes. To continue search in outer scopes we have to lie a bit and return
337         // `Determined` to `early_resolve_ident_in_lexical_scope` even if the correct answer
338         // for in-module resolution could be `Undetermined`.
339         if restricted_shadowing {
340             return Err(Determined);
341         }
342
343         // Check if one of unexpanded macros can still define the name,
344         // if it can then our "no resolution" result is not determined and can be invalidated.
345         if unexpanded_macros {
346             return Err(Undetermined);
347         }
348
349         // Check if one of glob imports can still define the name,
350         // if it can then our "no resolution" result is not determined and can be invalidated.
351         for glob_import in module.globs.borrow().iter() {
352             if !self.is_accessible(glob_import.vis.get()) {
353                 continue
354             }
355             let module = match glob_import.imported_module.get() {
356                 Some(ModuleOrUniformRoot::Module(module)) => module,
357                 Some(ModuleOrUniformRoot::UniformRoot(_)) => continue,
358                 None => return Err(Undetermined),
359             };
360             let (orig_current_module, mut ident) = (self.current_module, ident.modern());
361             match ident.span.glob_adjust(module.expansion, glob_import.span.ctxt().modern()) {
362                 Some(Some(def)) => self.current_module = self.macro_def_scope(def),
363                 Some(None) => {}
364                 None => continue,
365             };
366             let result = self.resolve_ident_in_module_unadjusted(
367                 ModuleOrUniformRoot::Module(module),
368                 ident,
369                 ns,
370                 false,
371                 false,
372                 path_span,
373             );
374             self.current_module = orig_current_module;
375
376             match result {
377                 Err(Determined) => continue,
378                 Ok(binding)
379                     if !self.is_accessible_from(binding.vis, glob_import.parent) => continue,
380                 Ok(_) | Err(Undetermined) => return Err(Undetermined),
381             }
382         }
383
384         // No resolution and no one else can define the name - determinate error.
385         Err(Determined)
386     }
387
388     // Add an import directive to the current module.
389     pub fn add_import_directive(&mut self,
390                                 module_path: Vec<Ident>,
391                                 subclass: ImportDirectiveSubclass<'a>,
392                                 span: Span,
393                                 id: NodeId,
394                                 root_span: Span,
395                                 root_id: NodeId,
396                                 vis: ty::Visibility,
397                                 expansion: Mark,
398                                 is_uniform_paths_canary: bool) {
399         let current_module = self.current_module;
400         let directive = self.arenas.alloc_import_directive(ImportDirective {
401             parent: current_module,
402             module_path,
403             imported_module: Cell::new(None),
404             subclass,
405             span,
406             id,
407             root_span,
408             root_id,
409             vis: Cell::new(vis),
410             expansion,
411             used: Cell::new(false),
412             is_uniform_paths_canary,
413         });
414
415         debug!("add_import_directive({:?})", directive);
416
417         self.indeterminate_imports.push(directive);
418         match directive.subclass {
419             SingleImport { target, type_ns_only, .. } => {
420                 self.per_ns(|this, ns| if !type_ns_only || ns == TypeNS {
421                     let mut resolution = this.resolution(current_module, target, ns).borrow_mut();
422                     resolution.single_imports.insert(PtrKey(directive));
423                 });
424             }
425             // We don't add prelude imports to the globs since they only affect lexical scopes,
426             // which are not relevant to import resolution.
427             GlobImport { is_prelude: true, .. } => {}
428             GlobImport { .. } => self.current_module.globs.borrow_mut().push(directive),
429             _ => unreachable!(),
430         }
431     }
432
433     // Given a binding and an import directive that resolves to it,
434     // return the corresponding binding defined by the import directive.
435     pub fn import(&self, binding: &'a NameBinding<'a>, directive: &'a ImportDirective<'a>)
436                   -> &'a NameBinding<'a> {
437         let vis = if binding.pseudo_vis().is_at_least(directive.vis.get(), self) ||
438                      // c.f. `PUB_USE_OF_PRIVATE_EXTERN_CRATE`
439                      !directive.is_glob() && binding.is_extern_crate() {
440             directive.vis.get()
441         } else {
442             binding.pseudo_vis()
443         };
444
445         if let GlobImport { ref max_vis, .. } = directive.subclass {
446             if vis == directive.vis.get() || vis.is_at_least(max_vis.get(), self) {
447                 max_vis.set(vis)
448             }
449         }
450
451         self.arenas.alloc_name_binding(NameBinding {
452             kind: NameBindingKind::Import {
453                 binding,
454                 directive,
455                 used: Cell::new(false),
456             },
457             span: directive.span,
458             vis,
459             expansion: directive.expansion,
460         })
461     }
462
463     crate fn check_reserved_macro_name(&self, ident: Ident, ns: Namespace) {
464         // Reserve some names that are not quite covered by the general check
465         // performed on `Resolver::builtin_attrs`.
466         if ns == MacroNS &&
467            (ident.name == "cfg" || ident.name == "cfg_attr" || ident.name == "derive") {
468             self.session.span_err(ident.span,
469                                   &format!("name `{}` is reserved in macro namespace", ident));
470         }
471     }
472
473     // Define the name or return the existing binding if there is a collision.
474     pub fn try_define(&mut self,
475                       module: Module<'a>,
476                       ident: Ident,
477                       ns: Namespace,
478                       binding: &'a NameBinding<'a>)
479                       -> Result<(), &'a NameBinding<'a>> {
480         self.check_reserved_macro_name(ident, ns);
481         self.set_binding_parent_module(binding, module);
482         self.update_resolution(module, ident, ns, |this, resolution| {
483             if let Some(old_binding) = resolution.binding {
484                 if binding.is_glob_import() {
485                     if !old_binding.is_glob_import() &&
486                        !(ns == MacroNS && old_binding.expansion != Mark::root()) {
487                         resolution.shadowed_glob = Some(binding);
488                     } else if binding.def() != old_binding.def() {
489                         resolution.binding = Some(this.ambiguity(old_binding, binding));
490                     } else if !old_binding.vis.is_at_least(binding.vis, &*this) {
491                         // We are glob-importing the same item but with greater visibility.
492                         resolution.binding = Some(binding);
493                     }
494                 } else if old_binding.is_glob_import() {
495                     if ns == MacroNS && binding.expansion != Mark::root() &&
496                        binding.def() != old_binding.def() {
497                         resolution.binding = Some(this.ambiguity(binding, old_binding));
498                     } else {
499                         resolution.binding = Some(binding);
500                         resolution.shadowed_glob = Some(old_binding);
501                     }
502                 } else if let (&NameBindingKind::Def(_, true), &NameBindingKind::Def(_, true)) =
503                         (&old_binding.kind, &binding.kind) {
504
505                     this.session.buffer_lint_with_diagnostic(
506                         DUPLICATE_MACRO_EXPORTS,
507                         CRATE_NODE_ID,
508                         binding.span,
509                         &format!("a macro named `{}` has already been exported", ident),
510                         BuiltinLintDiagnostics::DuplicatedMacroExports(
511                             ident, old_binding.span, binding.span));
512
513                     resolution.binding = Some(binding);
514                 } else {
515                     return Err(old_binding);
516                 }
517             } else {
518                 resolution.binding = Some(binding);
519             }
520
521             Ok(())
522         })
523     }
524
525     pub fn ambiguity(&self, b1: &'a NameBinding<'a>, b2: &'a NameBinding<'a>)
526                      -> &'a NameBinding<'a> {
527         self.arenas.alloc_name_binding(NameBinding {
528             kind: NameBindingKind::Ambiguity { b1, b2 },
529             vis: if b1.vis.is_at_least(b2.vis, self) { b1.vis } else { b2.vis },
530             span: b1.span,
531             expansion: Mark::root(),
532         })
533     }
534
535     // Use `f` to mutate the resolution of the name in the module.
536     // If the resolution becomes a success, define it in the module's glob importers.
537     fn update_resolution<T, F>(&mut self, module: Module<'a>, ident: Ident, ns: Namespace, f: F)
538                                -> T
539         where F: FnOnce(&mut Resolver<'a, 'crateloader>, &mut NameResolution<'a>) -> T
540     {
541         // Ensure that `resolution` isn't borrowed when defining in the module's glob importers,
542         // during which the resolution might end up getting re-defined via a glob cycle.
543         let (binding, t) = {
544             let resolution = &mut *self.resolution(module, ident, ns).borrow_mut();
545             let old_binding = resolution.binding();
546
547             let t = f(self, resolution);
548
549             match resolution.binding() {
550                 _ if old_binding.is_some() => return t,
551                 None => return t,
552                 Some(binding) => match old_binding {
553                     Some(old_binding) if ptr::eq(old_binding, binding) => return t,
554                     _ => (binding, t),
555                 }
556             }
557         };
558
559         // Define `binding` in `module`s glob importers.
560         for directive in module.glob_importers.borrow_mut().iter() {
561             let mut ident = ident.modern();
562             let scope = match ident.span.reverse_glob_adjust(module.expansion,
563                                                              directive.span.ctxt().modern()) {
564                 Some(Some(def)) => self.macro_def_scope(def),
565                 Some(None) => directive.parent,
566                 None => continue,
567             };
568             if self.is_accessible_from(binding.vis, scope) {
569                 let imported_binding = self.import(binding, directive);
570                 let _ = self.try_define(directive.parent, ident, ns, imported_binding);
571             }
572         }
573
574         t
575     }
576
577     // Define a "dummy" resolution containing a Def::Err as a placeholder for a
578     // failed resolution
579     fn import_dummy_binding(&mut self, directive: &'a ImportDirective<'a>) {
580         if let SingleImport { target, .. } = directive.subclass {
581             let dummy_binding = self.dummy_binding;
582             let dummy_binding = self.import(dummy_binding, directive);
583             self.per_ns(|this, ns| {
584                 let _ = this.try_define(directive.parent, target, ns, dummy_binding);
585             });
586         }
587     }
588 }
589
590 pub struct ImportResolver<'a, 'b: 'a, 'c: 'a + 'b> {
591     pub resolver: &'a mut Resolver<'b, 'c>,
592 }
593
594 impl<'a, 'b: 'a, 'c: 'a + 'b> ::std::ops::Deref for ImportResolver<'a, 'b, 'c> {
595     type Target = Resolver<'b, 'c>;
596     fn deref(&self) -> &Resolver<'b, 'c> {
597         self.resolver
598     }
599 }
600
601 impl<'a, 'b: 'a, 'c: 'a + 'b> ::std::ops::DerefMut for ImportResolver<'a, 'b, 'c> {
602     fn deref_mut(&mut self) -> &mut Resolver<'b, 'c> {
603         self.resolver
604     }
605 }
606
607 impl<'a, 'b: 'a, 'c: 'a + 'b> ty::DefIdTree for &'a ImportResolver<'a, 'b, 'c> {
608     fn parent(self, id: DefId) -> Option<DefId> {
609         self.resolver.parent(id)
610     }
611 }
612
613 impl<'a, 'b:'a, 'c: 'b> ImportResolver<'a, 'b, 'c> {
614     // Import resolution
615     //
616     // This is a fixed-point algorithm. We resolve imports until our efforts
617     // are stymied by an unresolved import; then we bail out of the current
618     // module and continue. We terminate successfully once no more imports
619     // remain or unsuccessfully when no forward progress in resolving imports
620     // is made.
621
622     /// Resolves all imports for the crate. This method performs the fixed-
623     /// point iteration.
624     pub fn resolve_imports(&mut self) {
625         let mut prev_num_indeterminates = self.indeterminate_imports.len() + 1;
626         while self.indeterminate_imports.len() < prev_num_indeterminates {
627             prev_num_indeterminates = self.indeterminate_imports.len();
628             for import in mem::replace(&mut self.indeterminate_imports, Vec::new()) {
629                 match self.resolve_import(&import) {
630                     true => self.determined_imports.push(import),
631                     false => self.indeterminate_imports.push(import),
632                 }
633             }
634         }
635     }
636
637     pub fn finalize_imports(&mut self) {
638         for module in self.arenas.local_modules().iter() {
639             self.finalize_resolutions_in(module);
640         }
641
642         struct UniformPathsCanaryResults<'a> {
643             name: Name,
644             module_scope: Option<&'a NameBinding<'a>>,
645             block_scopes: Vec<&'a NameBinding<'a>>,
646         }
647
648         // Collect all tripped `uniform_paths` canaries separately.
649         let mut uniform_paths_canaries: BTreeMap<
650             (Span, NodeId, Namespace),
651             UniformPathsCanaryResults,
652         > = BTreeMap::new();
653
654         let mut errors = false;
655         let mut seen_spans = FxHashSet();
656         let mut error_vec = Vec::new();
657         let mut prev_root_id: NodeId = NodeId::new(0);
658         for i in 0 .. self.determined_imports.len() {
659             let import = self.determined_imports[i];
660             let error = self.finalize_import(import);
661
662             // For a `#![feature(uniform_paths)]` `use self::x as _` canary,
663             // failure is ignored, while success may cause an ambiguity error.
664             if import.is_uniform_paths_canary {
665                 if error.is_some() {
666                     continue;
667                 }
668
669                 let (name, result) = match import.subclass {
670                     SingleImport { source, ref result, .. } => (source.name, result),
671                     _ => bug!(),
672                 };
673
674                 let has_explicit_self =
675                     import.module_path.len() > 0 &&
676                     import.module_path[0].name == keywords::SelfValue.name();
677
678                 self.per_ns(|_, ns| {
679                     if let Some(result) = result[ns].get().ok() {
680                         let canary_results =
681                             uniform_paths_canaries.entry((import.span, import.id, ns))
682                                 .or_insert(UniformPathsCanaryResults {
683                                     name,
684                                     module_scope: None,
685                                     block_scopes: vec![],
686                                 });
687
688                         // All the canaries with the same `id` should have the same `name`.
689                         assert_eq!(canary_results.name, name);
690
691                         if has_explicit_self {
692                             // There should only be one `self::x` (module-scoped) canary.
693                             assert!(canary_results.module_scope.is_none());
694                             canary_results.module_scope = Some(result);
695                         } else {
696                             canary_results.block_scopes.push(result);
697                         }
698                     }
699                 });
700             } else if let Some((span, err)) = error {
701                 errors = true;
702
703                 if let SingleImport { source, ref result, .. } = import.subclass {
704                     if source.name == "self" {
705                         // Silence `unresolved import` error if E0429 is already emitted
706                         match result.value_ns.get() {
707                             Err(Determined) => continue,
708                             _ => {},
709                         }
710                     }
711                 }
712
713                 // If the error is a single failed import then create a "fake" import
714                 // resolution for it so that later resolve stages won't complain.
715                 self.import_dummy_binding(import);
716                 if prev_root_id.as_u32() != 0 &&
717                     prev_root_id.as_u32() != import.root_id.as_u32() &&
718                     !error_vec.is_empty(){
719                     // in case of new import line, throw diagnostic message
720                     // for previous line.
721                     let mut empty_vec = vec![];
722                     mem::swap(&mut empty_vec, &mut error_vec);
723                     self.throw_unresolved_import_error(empty_vec, None);
724                 }
725                 if !seen_spans.contains(&span) {
726                     let path = import_path_to_string(&import.module_path[..],
727                                                      &import.subclass,
728                                                      span);
729                     error_vec.push((span, path, err));
730                     seen_spans.insert(span);
731                     prev_root_id = import.root_id;
732                 }
733             }
734         }
735
736         let uniform_paths_feature = self.session.features_untracked().uniform_paths;
737         for ((span, _, ns), results) in uniform_paths_canaries {
738             let name = results.name;
739             let external_crate = if ns == TypeNS && self.extern_prelude.contains(&name) {
740                 let crate_id =
741                     self.crate_loader.process_path_extern(name, span);
742                 Some(Def::Mod(DefId { krate: crate_id, index: CRATE_DEF_INDEX }))
743             } else {
744                 None
745             };
746
747             // Currently imports can't resolve in non-module scopes,
748             // we only have canaries in them for future-proofing.
749             if external_crate.is_none() && results.module_scope.is_none() {
750                 continue;
751             }
752
753             {
754                 let mut all_results = external_crate.into_iter().chain(
755                     results.module_scope.iter()
756                         .chain(&results.block_scopes)
757                         .map(|binding| binding.def())
758                 );
759                 let first = all_results.next().unwrap();
760
761                 // An ambiguity requires more than one *distinct* possible resolution.
762                 let possible_resultions =
763                     1 + all_results.filter(|&def| def != first).count();
764                 if possible_resultions <= 1 {
765                     continue;
766                 }
767             }
768
769             errors = true;
770
771             let msg = format!("`{}` import is ambiguous", name);
772             let mut err = self.session.struct_span_err(span, &msg);
773             let mut suggestion_choices = String::new();
774             if external_crate.is_some() {
775                 write!(suggestion_choices, "`::{}`", name);
776                 err.span_label(span,
777                     format!("can refer to external crate `::{}`", name));
778             }
779             if let Some(result) = results.module_scope {
780                 if !suggestion_choices.is_empty() {
781                     suggestion_choices.push_str(" or ");
782                 }
783                 write!(suggestion_choices, "`self::{}`", name);
784                 if uniform_paths_feature {
785                     err.span_label(result.span,
786                         format!("can refer to `self::{}`", name));
787                 } else {
788                     err.span_label(result.span,
789                         format!("may refer to `self::{}` in the future", name));
790                 }
791             }
792             for result in results.block_scopes {
793                 err.span_label(result.span,
794                     format!("shadowed by block-scoped `{}`", name));
795             }
796             err.help(&format!("write {} explicitly instead", suggestion_choices));
797             if uniform_paths_feature {
798                 err.note("relative `use` paths enabled by `#![feature(uniform_paths)]`");
799             } else {
800                 err.note("in the future, `#![feature(uniform_paths)]` may become the default");
801             }
802             err.emit();
803         }
804
805         if !error_vec.is_empty() {
806             self.throw_unresolved_import_error(error_vec.clone(), None);
807         }
808
809         // Report unresolved imports only if no hard error was already reported
810         // to avoid generating multiple errors on the same import.
811         if !errors {
812             for import in &self.indeterminate_imports {
813                 if import.is_uniform_paths_canary {
814                     continue;
815                 }
816                 self.throw_unresolved_import_error(error_vec, Some(MultiSpan::from(import.span)));
817                 break;
818             }
819         }
820     }
821
822     fn throw_unresolved_import_error(&self, error_vec: Vec<(Span, String, String)>,
823                                      span: Option<MultiSpan>) {
824         let max_span_label_msg_count = 10;  // upper limit on number of span_label message.
825         let (span,msg) = match error_vec.is_empty() {
826             true => (span.unwrap(), "unresolved import".to_string()),
827             false => {
828                 let span = MultiSpan::from_spans(error_vec.clone().into_iter()
829                                     .map(|elem: (Span, String, String)| { elem.0 }
830                                     ).collect());
831                 let path_vec: Vec<String> = error_vec.clone().into_iter()
832                                 .map(|elem: (Span, String, String)| { format!("`{}`", elem.1) }
833                                 ).collect();
834                 let path = path_vec.join(", ");
835                 let msg = format!("unresolved import{} {}",
836                                 if path_vec.len() > 1 { "s" } else { "" },  path);
837                 (span, msg)
838             }
839         };
840         let mut err = struct_span_err!(self.resolver.session, span, E0432, "{}", &msg);
841         for span_error in error_vec.into_iter().take(max_span_label_msg_count) {
842             err.span_label(span_error.0, span_error.2);
843         }
844         err.emit();
845     }
846
847     /// Attempts to resolve the given import, returning true if its resolution is determined.
848     /// If successful, the resolved bindings are written into the module.
849     fn resolve_import(&mut self, directive: &'b ImportDirective<'b>) -> bool {
850         debug!("(resolving import for module) resolving import `{}::...` in `{}`",
851                names_to_string(&directive.module_path[..]),
852                module_to_string(self.current_module).unwrap_or("???".to_string()));
853
854         self.current_module = directive.parent;
855
856         let module = if let Some(module) = directive.imported_module.get() {
857             module
858         } else {
859             let vis = directive.vis.get();
860             // For better failure detection, pretend that the import will not define any names
861             // while resolving its module path.
862             directive.vis.set(ty::Visibility::Invisible);
863             let result = self.resolve_path(
864                 Some(if directive.is_uniform_paths_canary {
865                     ModuleOrUniformRoot::Module(directive.parent)
866                 } else {
867                     ModuleOrUniformRoot::UniformRoot(keywords::Invalid.name())
868                 }),
869                 &directive.module_path[..],
870                 None,
871                 false,
872                 directive.span,
873                 directive.crate_lint(),
874             );
875             directive.vis.set(vis);
876
877             match result {
878                 PathResult::Module(module) => module,
879                 PathResult::Indeterminate => return false,
880                 _ => return true,
881             }
882         };
883
884         directive.imported_module.set(Some(module));
885         let (source, target, result, type_ns_only) = match directive.subclass {
886             SingleImport { source, target, ref result, type_ns_only } =>
887                 (source, target, result, type_ns_only),
888             GlobImport { .. } => {
889                 self.resolve_glob_import(directive);
890                 return true;
891             }
892             _ => unreachable!(),
893         };
894
895         let mut indeterminate = false;
896         self.per_ns(|this, ns| if !type_ns_only || ns == TypeNS {
897             if let Err(Undetermined) = result[ns].get() {
898                 result[ns].set(this.resolve_ident_in_module(module,
899                                                             source,
900                                                             ns,
901                                                             false,
902                                                             directive.span));
903             } else {
904                 return
905             };
906
907             let parent = directive.parent;
908             match result[ns].get() {
909                 Err(Undetermined) => indeterminate = true,
910                 Err(Determined) => {
911                     this.update_resolution(parent, target, ns, |_, resolution| {
912                         resolution.single_imports.remove(&PtrKey(directive));
913                     });
914                 }
915                 Ok(binding) if !binding.is_importable() => {
916                     let msg = format!("`{}` is not directly importable", target);
917                     struct_span_err!(this.session, directive.span, E0253, "{}", &msg)
918                         .span_label(directive.span, "cannot be imported directly")
919                         .emit();
920                     // Do not import this illegal binding. Import a dummy binding and pretend
921                     // everything is fine
922                     this.import_dummy_binding(directive);
923                 }
924                 Ok(binding) => {
925                     let imported_binding = this.import(binding, directive);
926                     let conflict = this.try_define(parent, target, ns, imported_binding);
927                     if let Err(old_binding) = conflict {
928                         this.report_conflict(parent, target, ns, imported_binding, old_binding);
929                     }
930                 }
931             }
932         });
933
934         !indeterminate
935     }
936
937     // If appropriate, returns an error to report.
938     fn finalize_import(&mut self, directive: &'b ImportDirective<'b>) -> Option<(Span, String)> {
939         self.current_module = directive.parent;
940         let ImportDirective { ref module_path, span, .. } = *directive;
941
942         let module_result = self.resolve_path(
943             Some(if directive.is_uniform_paths_canary {
944                 ModuleOrUniformRoot::Module(directive.parent)
945             } else {
946                 ModuleOrUniformRoot::UniformRoot(keywords::Invalid.name())
947             }),
948             &module_path,
949             None,
950             true,
951             span,
952             directive.crate_lint(),
953         );
954         let module = match module_result {
955             PathResult::Module(module) => module,
956             PathResult::Failed(span, msg, false) => {
957                 resolve_error(self, span, ResolutionError::FailedToResolve(&msg));
958                 return None;
959             }
960             PathResult::Failed(span, msg, true) => {
961                 return if let Some(suggested_path) = self.make_path_suggestion(
962                     span, module_path.clone()
963                 ) {
964                     Some((
965                         span,
966                         format!("Did you mean `{}`?", names_to_string(&suggested_path[..]))
967                     ))
968                 } else {
969                     Some((span, msg))
970                 };
971             },
972             _ => return None,
973         };
974
975         let (ident, result, type_ns_only) = match directive.subclass {
976             SingleImport { source, ref result, type_ns_only, .. } => (source, result, type_ns_only),
977             GlobImport { is_prelude, ref max_vis } => {
978                 if module_path.len() <= 1 {
979                     // HACK(eddyb) `lint_if_path_starts_with_module` needs at least
980                     // 2 segments, so the `resolve_path` above won't trigger it.
981                     let mut full_path = module_path.clone();
982                     full_path.push(keywords::Invalid.ident());
983                     self.lint_if_path_starts_with_module(
984                         directive.crate_lint(),
985                         &full_path,
986                         directive.span,
987                         None,
988                     );
989                 }
990
991                 if let ModuleOrUniformRoot::Module(module) = module {
992                     if module.def_id() == directive.parent.def_id() {
993                         // Importing a module into itself is not allowed.
994                         return Some((directive.span,
995                             "Cannot glob-import a module into itself.".to_string()));
996                     }
997                 }
998                 if !is_prelude &&
999                    max_vis.get() != ty::Visibility::Invisible && // Allow empty globs.
1000                    !max_vis.get().is_at_least(directive.vis.get(), &*self) {
1001                     let msg = "A non-empty glob must import something with the glob's visibility";
1002                     self.session.span_err(directive.span, msg);
1003                 }
1004                 return None;
1005             }
1006             _ => unreachable!(),
1007         };
1008
1009         // Do not record uses from canaries, to avoid interfering with other
1010         // diagnostics or suggestions that rely on some items not being used.
1011         let record_used = !directive.is_uniform_paths_canary;
1012
1013         let mut all_ns_err = true;
1014         self.per_ns(|this, ns| if !type_ns_only || ns == TypeNS {
1015             if let Ok(binding) = result[ns].get() {
1016                 all_ns_err = false;
1017                 if record_used && this.record_use(ident, ns, binding) {
1018                     if let ModuleOrUniformRoot::Module(module) = module {
1019                         this.resolution(module, ident, ns).borrow_mut().binding =
1020                             Some(this.dummy_binding);
1021                     }
1022                 }
1023             }
1024         });
1025
1026         if all_ns_err {
1027             let mut all_ns_failed = true;
1028             self.per_ns(|this, ns| if !type_ns_only || ns == TypeNS {
1029                 match this.resolve_ident_in_module(module, ident, ns, record_used, span) {
1030                     Ok(_) => all_ns_failed = false,
1031                     _ => {}
1032                 }
1033             });
1034
1035             return if all_ns_failed {
1036                 let resolutions = match module {
1037                     ModuleOrUniformRoot::Module(module) =>
1038                         Some(module.resolutions.borrow()),
1039                     ModuleOrUniformRoot::UniformRoot(_) => None,
1040                 };
1041                 let resolutions = resolutions.as_ref().into_iter().flat_map(|r| r.iter());
1042                 let names = resolutions.filter_map(|(&(ref i, _), resolution)| {
1043                     if *i == ident { return None; } // Never suggest the same name
1044                     match *resolution.borrow() {
1045                         NameResolution { binding: Some(name_binding), .. } => {
1046                             match name_binding.kind {
1047                                 NameBindingKind::Import { binding, .. } => {
1048                                     match binding.kind {
1049                                         // Never suggest the name that has binding error
1050                                         // i.e. the name that cannot be previously resolved
1051                                         NameBindingKind::Def(Def::Err, _) => return None,
1052                                         _ => Some(&i.name),
1053                                     }
1054                                 },
1055                                 _ => Some(&i.name),
1056                             }
1057                         },
1058                         NameResolution { ref single_imports, .. }
1059                             if single_imports.is_empty() => None,
1060                         _ => Some(&i.name),
1061                     }
1062                 });
1063                 let lev_suggestion =
1064                     match find_best_match_for_name(names, &ident.as_str(), None) {
1065                         Some(name) => format!(". Did you mean to use `{}`?", name),
1066                         None => String::new(),
1067                     };
1068                 let msg = match module {
1069                     ModuleOrUniformRoot::Module(module) => {
1070                         let module_str = module_to_string(module);
1071                         if let Some(module_str) = module_str {
1072                             format!("no `{}` in `{}`{}", ident, module_str, lev_suggestion)
1073                         } else {
1074                             format!("no `{}` in the root{}", ident, lev_suggestion)
1075                         }
1076                     }
1077                     ModuleOrUniformRoot::UniformRoot(_) => {
1078                         if !ident.is_path_segment_keyword() {
1079                             format!("no `{}` external crate{}", ident, lev_suggestion)
1080                         } else {
1081                             // HACK(eddyb) this shows up for `self` & `super`, which
1082                             // should work instead - for now keep the same error message.
1083                             format!("no `{}` in the root{}", ident, lev_suggestion)
1084                         }
1085                     }
1086                 };
1087                 Some((span, msg))
1088             } else {
1089                 // `resolve_ident_in_module` reported a privacy error.
1090                 self.import_dummy_binding(directive);
1091                 None
1092             }
1093         }
1094
1095         let mut reexport_error = None;
1096         let mut any_successful_reexport = false;
1097         self.per_ns(|this, ns| {
1098             if let Ok(binding) = result[ns].get() {
1099                 let vis = directive.vis.get();
1100                 if !binding.pseudo_vis().is_at_least(vis, &*this) {
1101                     reexport_error = Some((ns, binding));
1102                 } else {
1103                     any_successful_reexport = true;
1104                 }
1105             }
1106         });
1107
1108         // All namespaces must be re-exported with extra visibility for an error to occur.
1109         if !any_successful_reexport {
1110             let (ns, binding) = reexport_error.unwrap();
1111             if ns == TypeNS && binding.is_extern_crate() {
1112                 let msg = format!("extern crate `{}` is private, and cannot be \
1113                                    re-exported (error E0365), consider declaring with \
1114                                    `pub`",
1115                                    ident);
1116                 self.session.buffer_lint(PUB_USE_OF_PRIVATE_EXTERN_CRATE,
1117                                          directive.id,
1118                                          directive.span,
1119                                          &msg);
1120             } else if ns == TypeNS {
1121                 struct_span_err!(self.session, directive.span, E0365,
1122                                  "`{}` is private, and cannot be re-exported", ident)
1123                     .span_label(directive.span, format!("re-export of private `{}`", ident))
1124                     .note(&format!("consider declaring type or module `{}` with `pub`", ident))
1125                     .emit();
1126             } else {
1127                 let msg = format!("`{}` is private, and cannot be re-exported", ident);
1128                 let note_msg =
1129                     format!("consider marking `{}` as `pub` in the imported module", ident);
1130                 struct_span_err!(self.session, directive.span, E0364, "{}", &msg)
1131                     .span_note(directive.span, &note_msg)
1132                     .emit();
1133             }
1134         }
1135
1136         if module_path.len() <= 1 {
1137             // HACK(eddyb) `lint_if_path_starts_with_module` needs at least
1138             // 2 segments, so the `resolve_path` above won't trigger it.
1139             let mut full_path = module_path.clone();
1140             full_path.push(ident);
1141             self.per_ns(|this, ns| {
1142                 if let Ok(binding) = result[ns].get() {
1143                     this.lint_if_path_starts_with_module(
1144                         directive.crate_lint(),
1145                         &full_path,
1146                         directive.span,
1147                         Some(binding),
1148                     );
1149                 }
1150             });
1151         }
1152
1153         // Record what this import resolves to for later uses in documentation,
1154         // this may resolve to either a value or a type, but for documentation
1155         // purposes it's good enough to just favor one over the other.
1156         self.per_ns(|this, ns| if let Some(binding) = result[ns].get().ok() {
1157             let import = this.import_map.entry(directive.id).or_default();
1158             import[ns] = Some(PathResolution::new(binding.def()));
1159         });
1160
1161         debug!("(resolving single import) successfully resolved import");
1162         None
1163     }
1164
1165     fn resolve_glob_import(&mut self, directive: &'b ImportDirective<'b>) {
1166         let module = match directive.imported_module.get().unwrap() {
1167             ModuleOrUniformRoot::Module(module) => module,
1168             ModuleOrUniformRoot::UniformRoot(_) => {
1169                 self.session.span_err(directive.span,
1170                     "cannot glob-import all possible crates");
1171                 return;
1172             }
1173         };
1174
1175         self.populate_module_if_necessary(module);
1176
1177         if let Some(Def::Trait(_)) = module.def() {
1178             self.session.span_err(directive.span, "items in traits are not importable.");
1179             return;
1180         } else if module.def_id() == directive.parent.def_id()  {
1181             return;
1182         } else if let GlobImport { is_prelude: true, .. } = directive.subclass {
1183             self.prelude = Some(module);
1184             return;
1185         }
1186
1187         // Add to module's glob_importers
1188         module.glob_importers.borrow_mut().push(directive);
1189
1190         // Ensure that `resolutions` isn't borrowed during `try_define`,
1191         // since it might get updated via a glob cycle.
1192         let bindings = module.resolutions.borrow().iter().filter_map(|(&ident, resolution)| {
1193             resolution.borrow().binding().map(|binding| (ident, binding))
1194         }).collect::<Vec<_>>();
1195         for ((mut ident, ns), binding) in bindings {
1196             let scope = match ident.span.reverse_glob_adjust(module.expansion,
1197                                                              directive.span.ctxt().modern()) {
1198                 Some(Some(def)) => self.macro_def_scope(def),
1199                 Some(None) => self.current_module,
1200                 None => continue,
1201             };
1202             if self.is_accessible_from(binding.pseudo_vis(), scope) {
1203                 let imported_binding = self.import(binding, directive);
1204                 let _ = self.try_define(directive.parent, ident, ns, imported_binding);
1205             }
1206         }
1207
1208         // Record the destination of this import
1209         self.record_def(directive.id, PathResolution::new(module.def().unwrap()));
1210     }
1211
1212     // Miscellaneous post-processing, including recording re-exports,
1213     // reporting conflicts, and reporting unresolved imports.
1214     fn finalize_resolutions_in(&mut self, module: Module<'b>) {
1215         // Since import resolution is finished, globs will not define any more names.
1216         *module.globs.borrow_mut() = Vec::new();
1217
1218         let mut reexports = Vec::new();
1219
1220         for (&(ident, ns), resolution) in module.resolutions.borrow().iter() {
1221             let resolution = &mut *resolution.borrow_mut();
1222             let binding = match resolution.binding {
1223                 Some(binding) => binding,
1224                 None => continue,
1225             };
1226
1227             // Don't reexport `uniform_path` canaries.
1228             let non_canary_import = match binding.kind {
1229                 NameBindingKind::Import { directive, .. } => {
1230                     !directive.is_uniform_paths_canary
1231                 }
1232                 _ => false,
1233             };
1234
1235             if non_canary_import || binding.is_macro_def() {
1236                 let def = binding.def();
1237                 if def != Def::Err {
1238                     if !def.def_id().is_local() {
1239                         self.cstore.export_macros_untracked(def.def_id().krate);
1240                     }
1241                     reexports.push(Export {
1242                         ident: ident.modern(),
1243                         def: def,
1244                         span: binding.span,
1245                         vis: binding.vis,
1246                     });
1247                 }
1248             }
1249
1250             match binding.kind {
1251                 NameBindingKind::Import { binding: orig_binding, directive, .. } => {
1252                     if ns == TypeNS && orig_binding.is_variant() &&
1253                         !orig_binding.vis.is_at_least(binding.vis, &*self) {
1254                             let msg = match directive.subclass {
1255                                 ImportDirectiveSubclass::SingleImport { .. } => {
1256                                     format!("variant `{}` is private and cannot be re-exported",
1257                                             ident)
1258                                 },
1259                                 ImportDirectiveSubclass::GlobImport { .. } => {
1260                                     let msg = "enum is private and its variants \
1261                                                cannot be re-exported".to_owned();
1262                                     let error_id = (DiagnosticMessageId::ErrorId(0), // no code?!
1263                                                     Some(binding.span),
1264                                                     msg.clone());
1265                                     let fresh = self.session.one_time_diagnostics
1266                                         .borrow_mut().insert(error_id);
1267                                     if !fresh {
1268                                         continue;
1269                                     }
1270                                     msg
1271                                 },
1272                                 ref s @ _ => bug!("unexpected import subclass {:?}", s)
1273                             };
1274                             let mut err = self.session.struct_span_err(binding.span, &msg);
1275
1276                             let imported_module = match directive.imported_module.get() {
1277                                 Some(ModuleOrUniformRoot::Module(module)) => module,
1278                                 _ => bug!("module should exist"),
1279                             };
1280                             let resolutions = imported_module.parent.expect("parent should exist")
1281                                 .resolutions.borrow();
1282                             let enum_path_segment_index = directive.module_path.len() - 1;
1283                             let enum_ident = directive.module_path[enum_path_segment_index];
1284
1285                             let enum_resolution = resolutions.get(&(enum_ident, TypeNS))
1286                                 .expect("resolution should exist");
1287                             let enum_span = enum_resolution.borrow()
1288                                 .binding.expect("binding should exist")
1289                                 .span;
1290                             let enum_def_span = self.session.source_map().def_span(enum_span);
1291                             let enum_def_snippet = self.session.source_map()
1292                                 .span_to_snippet(enum_def_span).expect("snippet should exist");
1293                             // potentially need to strip extant `crate`/`pub(path)` for suggestion
1294                             let after_vis_index = enum_def_snippet.find("enum")
1295                                 .expect("`enum` keyword should exist in snippet");
1296                             let suggestion = format!("pub {}",
1297                                                      &enum_def_snippet[after_vis_index..]);
1298
1299                             self.session
1300                                 .diag_span_suggestion_once(&mut err,
1301                                                            DiagnosticMessageId::ErrorId(0),
1302                                                            enum_def_span,
1303                                                            "consider making the enum public",
1304                                                            suggestion);
1305                             err.emit();
1306                     }
1307                 }
1308                 _ => {}
1309             }
1310         }
1311
1312         if reexports.len() > 0 {
1313             if let Some(def_id) = module.def_id() {
1314                 self.export_map.insert(def_id, reexports);
1315             }
1316         }
1317     }
1318 }
1319
1320 fn import_path_to_string(names: &[Ident],
1321                          subclass: &ImportDirectiveSubclass,
1322                          span: Span) -> String {
1323     let pos = names.iter()
1324         .position(|p| span == p.span && p.name != keywords::CrateRoot.name());
1325     let global = !names.is_empty() && names[0].name == keywords::CrateRoot.name();
1326     if let Some(pos) = pos {
1327         let names = if global { &names[1..pos + 1] } else { &names[..pos + 1] };
1328         names_to_string(names)
1329     } else {
1330         let names = if global { &names[1..] } else { names };
1331         if names.is_empty() {
1332             import_directive_subclass_to_string(subclass)
1333         } else {
1334             format!("{}::{}",
1335                     names_to_string(names),
1336                     import_directive_subclass_to_string(subclass))
1337         }
1338     }
1339 }
1340
1341 fn import_directive_subclass_to_string(subclass: &ImportDirectiveSubclass) -> String {
1342     match *subclass {
1343         SingleImport { source, .. } => source.to_string(),
1344         GlobImport { .. } => "*".to_string(),
1345         ExternCrate(_) => "<extern crate>".to_string(),
1346         MacroUse => "#[macro_use]".to_string(),
1347     }
1348 }