]> git.lizzy.rs Git - rust.git/blob - src/librustdoc/formats/cache.rs
6b9ccd37cfb371196476b7c65fb1738541202d33
[rust.git] / src / librustdoc / formats / cache.rs
1 use std::mem;
2
3 use rustc_data_structures::fx::{FxHashMap, FxHashSet};
4 use rustc_hir::def_id::{CrateNum, DefId, CRATE_DEF_INDEX};
5 use rustc_middle::middle::privacy::AccessLevels;
6 use rustc_middle::ty::TyCtxt;
7 use rustc_span::symbol::sym;
8
9 use crate::clean::{self, types::ExternalLocation, ExternalCrate, ItemId, PrimitiveType};
10 use crate::core::DocContext;
11 use crate::fold::DocFolder;
12 use crate::formats::item_type::ItemType;
13 use crate::formats::Impl;
14 use crate::html::markdown::short_markdown_summary;
15 use crate::html::render::search_index::get_function_type_for_search;
16 use crate::html::render::IndexItem;
17
18 /// This cache is used to store information about the [`clean::Crate`] being
19 /// rendered in order to provide more useful documentation. This contains
20 /// information like all implementors of a trait, all traits a type implements,
21 /// documentation for all known traits, etc.
22 ///
23 /// This structure purposefully does not implement `Clone` because it's intended
24 /// to be a fairly large and expensive structure to clone. Instead this adheres
25 /// to `Send` so it may be stored in an `Arc` instance and shared among the various
26 /// rendering threads.
27 #[derive(Default)]
28 crate struct Cache {
29     /// Maps a type ID to all known implementations for that type. This is only
30     /// recognized for intra-crate [`clean::Type::Path`]s, and is used to print
31     /// out extra documentation on the page of an enum/struct.
32     ///
33     /// The values of the map are a list of implementations and documentation
34     /// found on that implementation.
35     crate impls: FxHashMap<DefId, Vec<Impl>>,
36
37     /// Maintains a mapping of local crate `DefId`s to the fully qualified name
38     /// and "short type description" of that node. This is used when generating
39     /// URLs when a type is being linked to. External paths are not located in
40     /// this map because the `External` type itself has all the information
41     /// necessary.
42     crate paths: FxHashMap<DefId, (Vec<String>, ItemType)>,
43
44     /// Similar to `paths`, but only holds external paths. This is only used for
45     /// generating explicit hyperlinks to other crates.
46     crate external_paths: FxHashMap<DefId, (Vec<String>, ItemType)>,
47
48     /// Maps local `DefId`s of exported types to fully qualified paths.
49     /// Unlike 'paths', this mapping ignores any renames that occur
50     /// due to 'use' statements.
51     ///
52     /// This map is used when writing out the special 'implementors'
53     /// javascript file. By using the exact path that the type
54     /// is declared with, we ensure that each path will be identical
55     /// to the path used if the corresponding type is inlined. By
56     /// doing this, we can detect duplicate impls on a trait page, and only display
57     /// the impl for the inlined type.
58     crate exact_paths: FxHashMap<DefId, Vec<String>>,
59
60     /// This map contains information about all known traits of this crate.
61     /// Implementations of a crate should inherit the documentation of the
62     /// parent trait if no extra documentation is specified, and default methods
63     /// should show up in documentation about trait implementations.
64     crate traits: FxHashMap<DefId, clean::TraitWithExtraInfo>,
65
66     /// When rendering traits, it's often useful to be able to list all
67     /// implementors of the trait, and this mapping is exactly, that: a mapping
68     /// of trait ids to the list of known implementors of the trait
69     crate implementors: FxHashMap<DefId, Vec<Impl>>,
70
71     /// Cache of where external crate documentation can be found.
72     crate extern_locations: FxHashMap<CrateNum, ExternalLocation>,
73
74     /// Cache of where documentation for primitives can be found.
75     crate primitive_locations: FxHashMap<clean::PrimitiveType, DefId>,
76
77     // Note that external items for which `doc(hidden)` applies to are shown as
78     // non-reachable while local items aren't. This is because we're reusing
79     // the access levels from the privacy check pass.
80     crate access_levels: AccessLevels<DefId>,
81
82     /// The version of the crate being documented, if given from the `--crate-version` flag.
83     crate crate_version: Option<String>,
84
85     /// Whether to document private items.
86     /// This is stored in `Cache` so it doesn't need to be passed through all rustdoc functions.
87     crate document_private: bool,
88
89     /// Crates marked with [`#[doc(masked)]`][doc_masked].
90     ///
91     /// [doc_masked]: https://doc.rust-lang.org/nightly/unstable-book/language-features/doc-masked.html
92     crate masked_crates: FxHashSet<CrateNum>,
93
94     // Private fields only used when initially crawling a crate to build a cache
95     stack: Vec<String>,
96     parent_stack: Vec<DefId>,
97     parent_is_trait_impl: bool,
98     stripped_mod: bool,
99
100     crate search_index: Vec<IndexItem>,
101
102     // In rare case where a structure is defined in one module but implemented
103     // in another, if the implementing module is parsed before defining module,
104     // then the fully qualified name of the structure isn't presented in `paths`
105     // yet when its implementation methods are being indexed. Caches such methods
106     // and their parent id here and indexes them at the end of crate parsing.
107     crate orphan_impl_items: Vec<(DefId, clean::Item)>,
108
109     // Similarly to `orphan_impl_items`, sometimes trait impls are picked up
110     // even though the trait itself is not exported. This can happen if a trait
111     // was defined in function/expression scope, since the impl will be picked
112     // up by `collect-trait-impls` but the trait won't be scraped out in the HIR
113     // crawl. In order to prevent crashes when looking for notable traits or
114     // when gathering trait documentation on a type, hold impls here while
115     // folding and add them to the cache later on if we find the trait.
116     orphan_trait_impls: Vec<(DefId, FxHashSet<DefId>, Impl)>,
117
118     /// All intra-doc links resolved so far.
119     ///
120     /// Links are indexed by the DefId of the item they document.
121     crate intra_doc_links: FxHashMap<ItemId, Vec<clean::ItemLink>>,
122     /// Cfg that have been hidden via #![doc(cfg_hide(...))]
123     crate hidden_cfg: FxHashSet<clean::cfg::Cfg>,
124 }
125
126 /// This struct is used to wrap the `cache` and `tcx` in order to run `DocFolder`.
127 struct CacheBuilder<'a, 'tcx> {
128     cache: &'a mut Cache,
129     tcx: TyCtxt<'tcx>,
130 }
131
132 impl Cache {
133     crate fn new(access_levels: AccessLevels<DefId>, document_private: bool) -> Self {
134         Cache { access_levels, document_private, ..Cache::default() }
135     }
136
137     /// Populates the `Cache` with more data. The returned `Crate` will be missing some data that was
138     /// in `krate` due to the data being moved into the `Cache`.
139     crate fn populate(cx: &mut DocContext<'_>, mut krate: clean::Crate) -> clean::Crate {
140         let tcx = cx.tcx;
141
142         // Crawl the crate to build various caches used for the output
143         debug!(?cx.cache.crate_version);
144         cx.cache.traits = krate.external_traits.take();
145
146         // Cache where all our extern crates are located
147         // FIXME: this part is specific to HTML so it'd be nice to remove it from the common code
148         for &crate_num in cx.tcx.crates(()) {
149             let e = ExternalCrate { crate_num };
150
151             let name = e.name(tcx);
152             let render_options = &cx.render_options;
153             let extern_url = render_options.extern_html_root_urls.get(name.as_str()).map(|u| &**u);
154             let extern_url_takes_precedence = render_options.extern_html_root_takes_precedence;
155             let dst = &render_options.output;
156             let location = e.location(extern_url, extern_url_takes_precedence, dst, tcx);
157             cx.cache.extern_locations.insert(e.crate_num, location);
158             cx.cache.external_paths.insert(e.def_id(), (vec![name.to_string()], ItemType::Module));
159         }
160
161         // FIXME: avoid this clone (requires implementing Default manually)
162         cx.cache.primitive_locations = PrimitiveType::primitive_locations(tcx).clone();
163         for (prim, &def_id) in &cx.cache.primitive_locations {
164             let crate_name = tcx.crate_name(def_id.krate);
165             // Recall that we only allow primitive modules to be at the root-level of the crate.
166             // If that restriction is ever lifted, this will have to include the relative paths instead.
167             cx.cache.external_paths.insert(
168                 def_id,
169                 (vec![crate_name.to_string(), prim.as_sym().to_string()], ItemType::Primitive),
170             );
171         }
172
173         krate = CacheBuilder { tcx, cache: &mut cx.cache }.fold_crate(krate);
174
175         for (trait_did, dids, impl_) in cx.cache.orphan_trait_impls.drain(..) {
176             if cx.cache.traits.contains_key(&trait_did) {
177                 for did in dids {
178                     cx.cache.impls.entry(did).or_default().push(impl_.clone());
179                 }
180             }
181         }
182
183         krate
184     }
185 }
186
187 impl<'a, 'tcx> DocFolder for CacheBuilder<'a, 'tcx> {
188     fn fold_item(&mut self, item: clean::Item) -> Option<clean::Item> {
189         if item.def_id.is_local() {
190             debug!("folding {} \"{:?}\", id {:?}", item.type_(), item.name, item.def_id);
191         }
192
193         // If this is a stripped module,
194         // we don't want it or its children in the search index.
195         let orig_stripped_mod = match *item.kind {
196             clean::StrippedItem(box clean::ModuleItem(..)) => {
197                 mem::replace(&mut self.cache.stripped_mod, true)
198             }
199             _ => self.cache.stripped_mod,
200         };
201
202         // If the impl is from a masked crate or references something from a
203         // masked crate then remove it completely.
204         if let clean::ImplItem(ref i) = *item.kind {
205             if self.cache.masked_crates.contains(&item.def_id.krate())
206                 || i.trait_
207                     .as_ref()
208                     .map_or(false, |t| self.cache.masked_crates.contains(&t.def_id().krate))
209                 || i.for_
210                     .def_id(self.cache)
211                     .map_or(false, |d| self.cache.masked_crates.contains(&d.krate))
212             {
213                 return None;
214             }
215         }
216
217         // Propagate a trait method's documentation to all implementors of the
218         // trait.
219         if let clean::TraitItem(ref t) = *item.kind {
220             self.cache.traits.entry(item.def_id.expect_def_id()).or_insert_with(|| {
221                 clean::TraitWithExtraInfo {
222                     trait_: t.clone(),
223                     is_notable: item.attrs.has_doc_flag(sym::notable_trait),
224                 }
225             });
226         }
227
228         // Collect all the implementors of traits.
229         if let clean::ImplItem(ref i) = *item.kind {
230             if let Some(trait_) = &i.trait_ {
231                 if !i.kind.is_blanket() {
232                     self.cache
233                         .implementors
234                         .entry(trait_.def_id())
235                         .or_default()
236                         .push(Impl { impl_item: item.clone() });
237                 }
238             }
239         }
240
241         // Index this method for searching later on.
242         if let Some(ref s) = item.name {
243             let (parent, is_inherent_impl_item) = match *item.kind {
244                 clean::StrippedItem(..) => ((None, None), false),
245                 clean::AssocConstItem(..) | clean::TypedefItem(_, true)
246                     if self.cache.parent_is_trait_impl =>
247                 {
248                     // skip associated items in trait impls
249                     ((None, None), false)
250                 }
251                 clean::AssocTypeItem(..)
252                 | clean::TyMethodItem(..)
253                 | clean::StructFieldItem(..)
254                 | clean::VariantItem(..) => (
255                     (
256                         Some(*self.cache.parent_stack.last().expect("parent_stack is empty")),
257                         Some(&self.cache.stack[..self.cache.stack.len() - 1]),
258                     ),
259                     false,
260                 ),
261                 clean::MethodItem(..) | clean::AssocConstItem(..) => {
262                     if self.cache.parent_stack.is_empty() {
263                         ((None, None), false)
264                     } else {
265                         let last = self.cache.parent_stack.last().expect("parent_stack is empty 2");
266                         let did = *last;
267                         let path = match self.cache.paths.get(&did) {
268                             // The current stack not necessarily has correlation
269                             // for where the type was defined. On the other
270                             // hand, `paths` always has the right
271                             // information if present.
272                             Some(&(
273                                 ref fqp,
274                                 ItemType::Trait
275                                 | ItemType::Struct
276                                 | ItemType::Union
277                                 | ItemType::Enum,
278                             )) => Some(&fqp[..fqp.len() - 1]),
279                             Some(..) => Some(&*self.cache.stack),
280                             None => None,
281                         };
282                         ((Some(*last), path), true)
283                     }
284                 }
285                 _ => ((None, Some(&*self.cache.stack)), false),
286             };
287
288             match parent {
289                 (parent, Some(path)) if is_inherent_impl_item || !self.cache.stripped_mod => {
290                     debug_assert!(!item.is_stripped());
291
292                     // A crate has a module at its root, containing all items,
293                     // which should not be indexed. The crate-item itself is
294                     // inserted later on when serializing the search-index.
295                     if item.def_id.index().map_or(false, |idx| idx != CRATE_DEF_INDEX) {
296                         let desc = item.doc_value().map_or_else(String::new, |x| {
297                             short_markdown_summary(x.as_str(), &item.link_names(self.cache))
298                         });
299                         self.cache.search_index.push(IndexItem {
300                             ty: item.type_(),
301                             name: s.to_string(),
302                             path: path.join("::"),
303                             desc,
304                             parent,
305                             parent_idx: None,
306                             search_type: get_function_type_for_search(&item, self.tcx),
307                             aliases: item.attrs.get_doc_aliases(),
308                         });
309                     }
310                 }
311                 (Some(parent), None) if is_inherent_impl_item => {
312                     // We have a parent, but we don't know where they're
313                     // defined yet. Wait for later to index this item.
314                     self.cache.orphan_impl_items.push((parent, item.clone()));
315                 }
316                 _ => {}
317             }
318         }
319
320         // Keep track of the fully qualified path for this item.
321         let pushed = match item.name {
322             Some(n) if !n.is_empty() => {
323                 self.cache.stack.push(n.to_string());
324                 true
325             }
326             _ => false,
327         };
328
329         match *item.kind {
330             clean::StructItem(..)
331             | clean::EnumItem(..)
332             | clean::TypedefItem(..)
333             | clean::TraitItem(..)
334             | clean::TraitAliasItem(..)
335             | clean::FunctionItem(..)
336             | clean::ModuleItem(..)
337             | clean::ForeignFunctionItem(..)
338             | clean::ForeignStaticItem(..)
339             | clean::ConstantItem(..)
340             | clean::StaticItem(..)
341             | clean::UnionItem(..)
342             | clean::ForeignTypeItem
343             | clean::MacroItem(..)
344             | clean::ProcMacroItem(..)
345             | clean::VariantItem(..) => {
346                 if !self.cache.stripped_mod {
347                     // Re-exported items mean that the same id can show up twice
348                     // in the rustdoc ast that we're looking at. We know,
349                     // however, that a re-exported item doesn't show up in the
350                     // `public_items` map, so we can skip inserting into the
351                     // paths map if there was already an entry present and we're
352                     // not a public item.
353                     if !self.cache.paths.contains_key(&item.def_id.expect_def_id())
354                         || self.cache.access_levels.is_public(item.def_id.expect_def_id())
355                     {
356                         self.cache.paths.insert(
357                             item.def_id.expect_def_id(),
358                             (self.cache.stack.clone(), item.type_()),
359                         );
360                     }
361                 }
362             }
363             clean::PrimitiveItem(..) => {
364                 self.cache
365                     .paths
366                     .insert(item.def_id.expect_def_id(), (self.cache.stack.clone(), item.type_()));
367             }
368
369             clean::ExternCrateItem { .. }
370             | clean::ImportItem(..)
371             | clean::OpaqueTyItem(..)
372             | clean::ImplItem(..)
373             | clean::TyMethodItem(..)
374             | clean::MethodItem(..)
375             | clean::StructFieldItem(..)
376             | clean::AssocConstItem(..)
377             | clean::AssocTypeItem(..)
378             | clean::StrippedItem(..)
379             | clean::KeywordItem(..) => {
380                 // FIXME: Do these need handling?
381                 // The person writing this comment doesn't know.
382                 // So would rather leave them to an expert,
383                 // as at least the list is better than `_ => {}`.
384             }
385         }
386
387         // Maintain the parent stack
388         let orig_parent_is_trait_impl = self.cache.parent_is_trait_impl;
389         let parent_pushed = match *item.kind {
390             clean::TraitItem(..)
391             | clean::EnumItem(..)
392             | clean::ForeignTypeItem
393             | clean::StructItem(..)
394             | clean::UnionItem(..)
395             | clean::VariantItem(..) => {
396                 self.cache.parent_stack.push(item.def_id.expect_def_id());
397                 self.cache.parent_is_trait_impl = false;
398                 true
399             }
400             clean::ImplItem(ref i) => {
401                 self.cache.parent_is_trait_impl = i.trait_.is_some();
402                 match i.for_ {
403                     clean::Type::Path { ref path } => {
404                         self.cache.parent_stack.push(path.def_id());
405                         true
406                     }
407                     clean::DynTrait(ref bounds, _)
408                     | clean::BorrowedRef { type_: box clean::DynTrait(ref bounds, _), .. } => {
409                         self.cache.parent_stack.push(bounds[0].trait_.def_id());
410                         true
411                     }
412                     ref t => {
413                         let prim_did = t
414                             .primitive_type()
415                             .and_then(|t| self.cache.primitive_locations.get(&t).cloned());
416                         match prim_did {
417                             Some(did) => {
418                                 self.cache.parent_stack.push(did);
419                                 true
420                             }
421                             None => false,
422                         }
423                     }
424                 }
425             }
426             _ => false,
427         };
428
429         // Once we've recursively found all the generics, hoard off all the
430         // implementations elsewhere.
431         let item = self.fold_item_recur(item);
432         let ret = if let clean::Item { kind: box clean::ImplItem(ref i), .. } = item {
433             // Figure out the id of this impl. This may map to a
434             // primitive rather than always to a struct/enum.
435             // Note: matching twice to restrict the lifetime of the `i` borrow.
436             let mut dids = FxHashSet::default();
437             match i.for_ {
438                 clean::Type::Path { ref path }
439                 | clean::BorrowedRef { type_: box clean::Type::Path { ref path }, .. } => {
440                     dids.insert(path.def_id());
441                 }
442                 clean::DynTrait(ref bounds, _)
443                 | clean::BorrowedRef { type_: box clean::DynTrait(ref bounds, _), .. } => {
444                     dids.insert(bounds[0].trait_.def_id());
445                 }
446                 ref t => {
447                     let did = t
448                         .primitive_type()
449                         .and_then(|t| self.cache.primitive_locations.get(&t).cloned());
450
451                     if let Some(did) = did {
452                         dids.insert(did);
453                     }
454                 }
455             }
456
457             if let Some(generics) = i.trait_.as_ref().and_then(|t| t.generics()) {
458                 for bound in generics {
459                     if let Some(did) = bound.def_id(self.cache) {
460                         dids.insert(did);
461                     }
462                 }
463             }
464             let impl_item = Impl { impl_item: item };
465             if impl_item.trait_did().map_or(true, |d| self.cache.traits.contains_key(&d)) {
466                 for did in dids {
467                     self.cache.impls.entry(did).or_insert_with(Vec::new).push(impl_item.clone());
468                 }
469             } else {
470                 let trait_did = impl_item.trait_did().expect("no trait did");
471                 self.cache.orphan_trait_impls.push((trait_did, dids, impl_item));
472             }
473             None
474         } else {
475             Some(item)
476         };
477
478         if pushed {
479             self.cache.stack.pop().expect("stack already empty");
480         }
481         if parent_pushed {
482             self.cache.parent_stack.pop().expect("parent stack already empty");
483         }
484         self.cache.stripped_mod = orig_stripped_mod;
485         self.cache.parent_is_trait_impl = orig_parent_is_trait_impl;
486         ret
487     }
488 }