]> git.lizzy.rs Git - rust.git/blob - src/librustc/ty/item_path.rs
Auto merge of #53815 - F001:if-let-guard, r=petrochenkov
[rust.git] / src / librustc / ty / item_path.rs
1 // Copyright 2012-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 hir::map::DefPathData;
12 use hir::def_id::{CrateNum, DefId, CRATE_DEF_INDEX, LOCAL_CRATE};
13 use ty::{self, Ty, TyCtxt};
14 use middle::cstore::{ExternCrate, ExternCrateSource};
15 use syntax::ast;
16 use syntax::symbol::Symbol;
17 use syntax::symbol::LocalInternedString;
18
19 use std::cell::Cell;
20
21 thread_local! {
22     static FORCE_ABSOLUTE: Cell<bool> = Cell::new(false);
23     static FORCE_IMPL_FILENAME_LINE: Cell<bool> = Cell::new(false);
24 }
25
26 /// Enforces that item_path_str always returns an absolute path and
27 /// also enables "type-based" impl paths. This is used when building
28 /// symbols that contain types, where we want the crate name to be
29 /// part of the symbol.
30 pub fn with_forced_absolute_paths<F: FnOnce() -> R, R>(f: F) -> R {
31     FORCE_ABSOLUTE.with(|force| {
32         let old = force.get();
33         force.set(true);
34         let result = f();
35         force.set(old);
36         result
37     })
38 }
39
40 /// Force us to name impls with just the filename/line number. We
41 /// normally try to use types. But at some points, notably while printing
42 /// cycle errors, this can result in extra or suboptimal error output,
43 /// so this variable disables that check.
44 pub fn with_forced_impl_filename_line<F: FnOnce() -> R, R>(f: F) -> R {
45     FORCE_IMPL_FILENAME_LINE.with(|force| {
46         let old = force.get();
47         force.set(true);
48         let result = f();
49         force.set(old);
50         result
51     })
52 }
53
54 impl<'a, 'gcx, 'tcx> TyCtxt<'a, 'gcx, 'tcx> {
55     /// Returns a string identifying this def-id. This string is
56     /// suitable for user output. It is relative to the current crate
57     /// root, unless with_forced_absolute_paths was used.
58     pub fn item_path_str(self, def_id: DefId) -> String {
59         let mode = FORCE_ABSOLUTE.with(|force| {
60             if force.get() {
61                 RootMode::Absolute
62             } else {
63                 RootMode::Local
64             }
65         });
66         let mut buffer = LocalPathBuffer::new(mode);
67         self.push_item_path(&mut buffer, def_id);
68         buffer.into_string()
69     }
70
71     /// Returns a string identifying this local node-id.
72     pub fn node_path_str(self, id: ast::NodeId) -> String {
73         self.item_path_str(self.hir.local_def_id(id))
74     }
75
76     /// Returns a string identifying this def-id. This string is
77     /// suitable for user output. It always begins with a crate identifier.
78     pub fn absolute_item_path_str(self, def_id: DefId) -> String {
79         let mut buffer = LocalPathBuffer::new(RootMode::Absolute);
80         self.push_item_path(&mut buffer, def_id);
81         buffer.into_string()
82     }
83
84     /// Returns the "path" to a particular crate. This can proceed in
85     /// various ways, depending on the `root_mode` of the `buffer`.
86     /// (See `RootMode` enum for more details.)
87     pub fn push_krate_path<T>(self, buffer: &mut T, cnum: CrateNum)
88         where T: ItemPathBuffer
89     {
90         match *buffer.root_mode() {
91             RootMode::Local => {
92                 // In local mode, when we encounter a crate other than
93                 // LOCAL_CRATE, execution proceeds in one of two ways:
94                 //
95                 // 1. for a direct dependency, where user added an
96                 //    `extern crate` manually, we put the `extern
97                 //    crate` as the parent. So you wind up with
98                 //    something relative to the current crate.
99                 // 2. for an extern inferred from a path or an indirect crate,
100                 //    where there is no explicit `extern crate`, we just prepend
101                 //    the crate name.
102                 //
103                 // Returns `None` for the local crate.
104                 if cnum != LOCAL_CRATE {
105                     let opt_extern_crate = self.extern_crate(cnum.as_def_id());
106                     if let Some(ExternCrate {
107                         src: ExternCrateSource::Extern(def_id),
108                         direct: true,
109                         ..
110                     }) = *opt_extern_crate
111                     {
112                         self.push_item_path(buffer, def_id);
113                     } else {
114                         buffer.push(&self.crate_name(cnum).as_str());
115                     }
116                 }
117             }
118             RootMode::Absolute => {
119                 // In absolute mode, just write the crate name
120                 // unconditionally.
121                 buffer.push(&self.original_crate_name(cnum).as_str());
122             }
123         }
124     }
125
126     /// If possible, this pushes a global path resolving to `external_def_id` that is visible
127     /// from at least one local module and returns true. If the crate defining `external_def_id` is
128     /// declared with an `extern crate`, the path is guaranteed to use the `extern crate`.
129     pub fn try_push_visible_item_path<T>(self, buffer: &mut T, external_def_id: DefId) -> bool
130         where T: ItemPathBuffer
131     {
132         let visible_parent_map = self.visible_parent_map(LOCAL_CRATE);
133
134         let (mut cur_def, mut cur_path) = (external_def_id, Vec::<LocalInternedString>::new());
135         loop {
136             // If `cur_def` is a direct or injected extern crate, push the path to the crate
137             // followed by the path to the item within the crate and return.
138             if cur_def.index == CRATE_DEF_INDEX {
139                 match *self.extern_crate(cur_def) {
140                     Some(ExternCrate {
141                         src: ExternCrateSource::Extern(def_id),
142                         direct: true,
143                         ..
144                     }) => {
145                         self.push_item_path(buffer, def_id);
146                         cur_path.iter().rev().for_each(|segment| buffer.push(&segment));
147                         return true;
148                     }
149                     None => {
150                         buffer.push(&self.crate_name(cur_def.krate).as_str());
151                         cur_path.iter().rev().for_each(|segment| buffer.push(&segment));
152                         return true;
153                     }
154                     _ => {},
155                 }
156             }
157
158             let mut cur_def_key = self.def_key(cur_def);
159
160             // For a UnitStruct or TupleStruct we want the name of its parent rather than <unnamed>.
161             if let DefPathData::StructCtor = cur_def_key.disambiguated_data.data {
162                 let parent = DefId {
163                     krate: cur_def.krate,
164                     index: cur_def_key.parent.expect("DefPathData::StructCtor missing a parent"),
165                 };
166
167                 cur_def_key = self.def_key(parent);
168             }
169
170             let data = cur_def_key.disambiguated_data.data;
171             let symbol = data.get_opt_name().map(|n| n.as_str()).unwrap_or_else(|| {
172                 if let DefPathData::CrateRoot = data {  // reexported `extern crate` (#43189)
173                     self.original_crate_name(cur_def.krate).as_str()
174                 } else {
175                     Symbol::intern("<unnamed>").as_str()
176                 }
177             });
178             cur_path.push(symbol);
179
180             match visible_parent_map.get(&cur_def) {
181                 Some(&def) => cur_def = def,
182                 None => return false,
183             };
184         }
185     }
186
187     pub fn push_item_path<T>(self, buffer: &mut T, def_id: DefId)
188         where T: ItemPathBuffer
189     {
190         match *buffer.root_mode() {
191             RootMode::Local if !def_id.is_local() =>
192                 if self.try_push_visible_item_path(buffer, def_id) { return },
193             _ => {}
194         }
195
196         let key = self.def_key(def_id);
197         match key.disambiguated_data.data {
198             DefPathData::CrateRoot => {
199                 assert!(key.parent.is_none());
200                 self.push_krate_path(buffer, def_id.krate);
201             }
202
203             DefPathData::Impl => {
204                 self.push_impl_path(buffer, def_id);
205             }
206
207             // Unclear if there is any value in distinguishing these.
208             // Probably eventually (and maybe we would even want
209             // finer-grained distinctions, e.g. between enum/struct).
210             data @ DefPathData::Misc |
211             data @ DefPathData::TypeNs(..) |
212             data @ DefPathData::Trait(..) |
213             data @ DefPathData::AssocTypeInTrait(..) |
214             data @ DefPathData::AssocTypeInImpl(..) |
215             data @ DefPathData::AssocExistentialInImpl(..) |
216             data @ DefPathData::ValueNs(..) |
217             data @ DefPathData::Module(..) |
218             data @ DefPathData::TypeParam(..) |
219             data @ DefPathData::LifetimeParam(..) |
220             data @ DefPathData::EnumVariant(..) |
221             data @ DefPathData::Field(..) |
222             data @ DefPathData::AnonConst |
223             data @ DefPathData::MacroDef(..) |
224             data @ DefPathData::ClosureExpr |
225             data @ DefPathData::ImplTrait |
226             data @ DefPathData::GlobalMetaData(..) => {
227                 let parent_def_id = self.parent_def_id(def_id).unwrap();
228                 self.push_item_path(buffer, parent_def_id);
229                 buffer.push(&data.as_interned_str().as_symbol().as_str());
230             }
231             DefPathData::StructCtor => { // present `X` instead of `X::{{constructor}}`
232                 let parent_def_id = self.parent_def_id(def_id).unwrap();
233                 self.push_item_path(buffer, parent_def_id);
234             }
235         }
236     }
237
238     fn push_impl_path<T>(self,
239                          buffer: &mut T,
240                          impl_def_id: DefId)
241         where T: ItemPathBuffer
242     {
243         let parent_def_id = self.parent_def_id(impl_def_id).unwrap();
244
245         // Always use types for non-local impls, where types are always
246         // available, and filename/line-number is mostly uninteresting.
247         let use_types = !impl_def_id.is_local() || {
248             // Otherwise, use filename/line-number if forced.
249             let force_no_types = FORCE_IMPL_FILENAME_LINE.with(|f| f.get());
250             !force_no_types
251         };
252
253         if !use_types {
254             return self.push_impl_path_fallback(buffer, impl_def_id);
255         }
256
257         // Decide whether to print the parent path for the impl.
258         // Logically, since impls are global, it's never needed, but
259         // users may find it useful. Currently, we omit the parent if
260         // the impl is either in the same module as the self-type or
261         // as the trait.
262         let self_ty = self.type_of(impl_def_id);
263         let in_self_mod = match characteristic_def_id_of_type(self_ty) {
264             None => false,
265             Some(ty_def_id) => self.parent_def_id(ty_def_id) == Some(parent_def_id),
266         };
267
268         let impl_trait_ref = self.impl_trait_ref(impl_def_id);
269         let in_trait_mod = match impl_trait_ref {
270             None => false,
271             Some(trait_ref) => self.parent_def_id(trait_ref.def_id) == Some(parent_def_id),
272         };
273
274         if !in_self_mod && !in_trait_mod {
275             // If the impl is not co-located with either self-type or
276             // trait-type, then fallback to a format that identifies
277             // the module more clearly.
278             self.push_item_path(buffer, parent_def_id);
279             if let Some(trait_ref) = impl_trait_ref {
280                 buffer.push(&format!("<impl {} for {}>", trait_ref, self_ty));
281             } else {
282                 buffer.push(&format!("<impl {}>", self_ty));
283             }
284             return;
285         }
286
287         // Otherwise, try to give a good form that would be valid language
288         // syntax. Preferably using associated item notation.
289
290         if let Some(trait_ref) = impl_trait_ref {
291             // Trait impls.
292             buffer.push(&format!("<{} as {}>",
293                                  self_ty,
294                                  trait_ref));
295             return;
296         }
297
298         // Inherent impls. Try to print `Foo::bar` for an inherent
299         // impl on `Foo`, but fallback to `<Foo>::bar` if self-type is
300         // anything other than a simple path.
301         match self_ty.sty {
302             ty::Adt(adt_def, substs) => {
303                 if substs.types().next().is_none() { // ignore regions
304                     self.push_item_path(buffer, adt_def.did);
305                 } else {
306                     buffer.push(&format!("<{}>", self_ty));
307                 }
308             }
309
310             ty::Foreign(did) => self.push_item_path(buffer, did),
311
312             ty::Bool |
313             ty::Char |
314             ty::Int(_) |
315             ty::Uint(_) |
316             ty::Float(_) |
317             ty::Str => {
318                 buffer.push(&self_ty.to_string());
319             }
320
321             _ => {
322                 buffer.push(&format!("<{}>", self_ty));
323             }
324         }
325     }
326
327     fn push_impl_path_fallback<T>(self,
328                                   buffer: &mut T,
329                                   impl_def_id: DefId)
330         where T: ItemPathBuffer
331     {
332         // If no type info is available, fall back to
333         // pretty printing some span information. This should
334         // only occur very early in the compiler pipeline.
335         let parent_def_id = self.parent_def_id(impl_def_id).unwrap();
336         self.push_item_path(buffer, parent_def_id);
337         let node_id = self.hir.as_local_node_id(impl_def_id).unwrap();
338         let item = self.hir.expect_item(node_id);
339         let span_str = self.sess.source_map().span_to_string(item.span);
340         buffer.push(&format!("<impl at {}>", span_str));
341     }
342
343     /// Returns the def-id of `def_id`'s parent in the def tree. If
344     /// this returns `None`, then `def_id` represents a crate root or
345     /// inlined root.
346     pub fn parent_def_id(self, def_id: DefId) -> Option<DefId> {
347         let key = self.def_key(def_id);
348         key.parent.map(|index| DefId { krate: def_id.krate, index: index })
349     }
350 }
351
352 /// As a heuristic, when we see an impl, if we see that the
353 /// 'self-type' is a type defined in the same module as the impl,
354 /// we can omit including the path to the impl itself. This
355 /// function tries to find a "characteristic def-id" for a
356 /// type. It's just a heuristic so it makes some questionable
357 /// decisions and we may want to adjust it later.
358 pub fn characteristic_def_id_of_type(ty: Ty) -> Option<DefId> {
359     match ty.sty {
360         ty::Adt(adt_def, _) => Some(adt_def.did),
361
362         ty::Dynamic(data, ..) => data.principal().map(|p| p.def_id()),
363
364         ty::Array(subty, _) |
365         ty::Slice(subty) => characteristic_def_id_of_type(subty),
366
367         ty::RawPtr(mt) => characteristic_def_id_of_type(mt.ty),
368
369         ty::Ref(_, ty, _) => characteristic_def_id_of_type(ty),
370
371         ty::Tuple(ref tys) => tys.iter()
372                                    .filter_map(|ty| characteristic_def_id_of_type(ty))
373                                    .next(),
374
375         ty::FnDef(def_id, _) |
376         ty::Closure(def_id, _) |
377         ty::Generator(def_id, _, _) |
378         ty::Foreign(def_id) => Some(def_id),
379
380         ty::Bool |
381         ty::Char |
382         ty::Int(_) |
383         ty::Uint(_) |
384         ty::Str |
385         ty::FnPtr(_) |
386         ty::Projection(_) |
387         ty::Param(_) |
388         ty::Anon(..) |
389         ty::Infer(_) |
390         ty::Error |
391         ty::GeneratorWitness(..) |
392         ty::Never |
393         ty::Float(_) => None,
394     }
395 }
396
397 /// Unifying Trait for different kinds of item paths we might
398 /// construct. The basic interface is that components get pushed: the
399 /// instance can also customize how we handle the root of a crate.
400 pub trait ItemPathBuffer {
401     fn root_mode(&self) -> &RootMode;
402     fn push(&mut self, text: &str);
403 }
404
405 #[derive(Debug)]
406 pub enum RootMode {
407     /// Try to make a path relative to the local crate.  In
408     /// particular, local paths have no prefix, and if the path comes
409     /// from an extern crate, start with the path to the `extern
410     /// crate` declaration.
411     Local,
412
413     /// Always prepend the crate name to the path, forming an absolute
414     /// path from within a given set of crates.
415     Absolute,
416 }
417
418 #[derive(Debug)]
419 struct LocalPathBuffer {
420     root_mode: RootMode,
421     str: String,
422 }
423
424 impl LocalPathBuffer {
425     fn new(root_mode: RootMode) -> LocalPathBuffer {
426         LocalPathBuffer {
427             root_mode,
428             str: String::new(),
429         }
430     }
431
432     fn into_string(self) -> String {
433         self.str
434     }
435 }
436
437 impl ItemPathBuffer for LocalPathBuffer {
438     fn root_mode(&self) -> &RootMode {
439         &self.root_mode
440     }
441
442     fn push(&mut self, text: &str) {
443         if !self.str.is_empty() {
444             self.str.push_str("::");
445         }
446         self.str.push_str(text);
447     }
448 }