]> git.lizzy.rs Git - rust.git/blob - src/librustdoc/html/render/cache.rs
Auto merge of #67742 - mark-i-m:describe-it, r=matthewjasper
[rust.git] / src / librustdoc / html / render / cache.rs
1 use crate::clean::{self, AttributesExt, GetDefId};
2 use crate::fold::DocFolder;
3 use rustc::middle::privacy::AccessLevels;
4 use rustc_data_structures::fx::{FxHashMap, FxHashSet};
5 use rustc_hir::def_id::{CrateNum, DefId, CRATE_DEF_INDEX};
6 use rustc_span::source_map::FileName;
7 use rustc_span::symbol::sym;
8 use std::collections::BTreeMap;
9 use std::mem;
10 use std::path::{Path, PathBuf};
11
12 use serde::Serialize;
13
14 use super::{plain_summary_line, shorten, Impl, IndexItem, IndexItemFunctionType, ItemType};
15 use super::{RenderInfo, Type};
16
17 /// Indicates where an external crate can be found.
18 pub enum ExternalLocation {
19     /// Remote URL root of the external crate
20     Remote(String),
21     /// This external crate can be found in the local doc/ folder
22     Local,
23     /// The external crate could not be found.
24     Unknown,
25 }
26
27 /// This cache is used to store information about the `clean::Crate` being
28 /// rendered in order to provide more useful documentation. This contains
29 /// information like all implementors of a trait, all traits a type implements,
30 /// documentation for all known traits, etc.
31 ///
32 /// This structure purposefully does not implement `Clone` because it's intended
33 /// to be a fairly large and expensive structure to clone. Instead this adheres
34 /// to `Send` so it may be stored in a `Arc` instance and shared among the various
35 /// rendering threads.
36 #[derive(Default)]
37 crate struct Cache {
38     /// Maps a type ID to all known implementations for that type. This is only
39     /// recognized for intra-crate `ResolvedPath` types, and is used to print
40     /// out extra documentation on the page of an enum/struct.
41     ///
42     /// The values of the map are a list of implementations and documentation
43     /// found on that implementation.
44     pub impls: FxHashMap<DefId, Vec<Impl>>,
45
46     /// Maintains a mapping of local crate `DefId`s to the fully qualified name
47     /// and "short type description" of that node. This is used when generating
48     /// URLs when a type is being linked to. External paths are not located in
49     /// this map because the `External` type itself has all the information
50     /// necessary.
51     pub paths: FxHashMap<DefId, (Vec<String>, ItemType)>,
52
53     /// Similar to `paths`, but only holds external paths. This is only used for
54     /// generating explicit hyperlinks to other crates.
55     pub external_paths: FxHashMap<DefId, (Vec<String>, ItemType)>,
56
57     /// Maps local `DefId`s of exported types to fully qualified paths.
58     /// Unlike 'paths', this mapping ignores any renames that occur
59     /// due to 'use' statements.
60     ///
61     /// This map is used when writing out the special 'implementors'
62     /// javascript file. By using the exact path that the type
63     /// is declared with, we ensure that each path will be identical
64     /// to the path used if the corresponding type is inlined. By
65     /// doing this, we can detect duplicate impls on a trait page, and only display
66     /// the impl for the inlined type.
67     pub exact_paths: FxHashMap<DefId, Vec<String>>,
68
69     /// This map contains information about all known traits of this crate.
70     /// Implementations of a crate should inherit the documentation of the
71     /// parent trait if no extra documentation is specified, and default methods
72     /// should show up in documentation about trait implementations.
73     pub traits: FxHashMap<DefId, clean::Trait>,
74
75     /// When rendering traits, it's often useful to be able to list all
76     /// implementors of the trait, and this mapping is exactly, that: a mapping
77     /// of trait ids to the list of known implementors of the trait
78     pub implementors: FxHashMap<DefId, Vec<Impl>>,
79
80     /// Cache of where external crate documentation can be found.
81     pub extern_locations: FxHashMap<CrateNum, (String, PathBuf, ExternalLocation)>,
82
83     /// Cache of where documentation for primitives can be found.
84     pub primitive_locations: FxHashMap<clean::PrimitiveType, DefId>,
85
86     // Note that external items for which `doc(hidden)` applies to are shown as
87     // non-reachable while local items aren't. This is because we're reusing
88     // the access levels from the privacy check pass.
89     pub access_levels: AccessLevels<DefId>,
90
91     /// The version of the crate being documented, if given from the `--crate-version` flag.
92     pub crate_version: Option<String>,
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     search_index: Vec<IndexItem>,
99     stripped_mod: bool,
100     pub deref_trait_did: Option<DefId>,
101     pub deref_mut_trait_did: Option<DefId>,
102     pub owned_box_did: Option<DefId>,
103     masked_crates: FxHashSet<CrateNum>,
104
105     // In rare case where a structure is defined in one module but implemented
106     // in another, if the implementing module is parsed before defining module,
107     // then the fully qualified name of the structure isn't presented in `paths`
108     // yet when its implementation methods are being indexed. Caches such methods
109     // and their parent id here and indexes them at the end of crate parsing.
110     orphan_impl_items: Vec<(DefId, clean::Item)>,
111
112     // Similarly to `orphan_impl_items`, sometimes trait impls are picked up
113     // even though the trait itself is not exported. This can happen if a trait
114     // was defined in function/expression scope, since the impl will be picked
115     // up by `collect-trait-impls` but the trait won't be scraped out in the HIR
116     // crawl. In order to prevent crashes when looking for spotlight traits or
117     // when gathering trait documentation on a type, hold impls here while
118     // folding and add them to the cache later on if we find the trait.
119     orphan_trait_impls: Vec<(DefId, FxHashSet<DefId>, Impl)>,
120
121     /// Aliases added through `#[doc(alias = "...")]`. Since a few items can have the same alias,
122     /// we need the alias element to have an array of items.
123     pub(super) aliases: FxHashMap<String, Vec<IndexItem>>,
124 }
125
126 impl Cache {
127     pub fn from_krate(
128         renderinfo: RenderInfo,
129         extern_html_root_urls: &BTreeMap<String, String>,
130         dst: &Path,
131         mut krate: clean::Crate,
132     ) -> (clean::Crate, String, Cache) {
133         // Crawl the crate to build various caches used for the output
134         let RenderInfo {
135             inlined: _,
136             external_paths,
137             exact_paths,
138             access_levels,
139             deref_trait_did,
140             deref_mut_trait_did,
141             owned_box_did,
142         } = renderinfo;
143
144         let external_paths =
145             external_paths.into_iter().map(|(k, (v, t))| (k, (v, ItemType::from(t)))).collect();
146
147         let mut cache = Cache {
148             impls: Default::default(),
149             external_paths,
150             exact_paths,
151             paths: Default::default(),
152             implementors: Default::default(),
153             stack: Vec::new(),
154             parent_stack: Vec::new(),
155             search_index: Vec::new(),
156             parent_is_trait_impl: false,
157             extern_locations: Default::default(),
158             primitive_locations: Default::default(),
159             stripped_mod: false,
160             access_levels,
161             crate_version: krate.version.take(),
162             orphan_impl_items: Vec::new(),
163             orphan_trait_impls: Vec::new(),
164             traits: krate.external_traits.replace(Default::default()),
165             deref_trait_did,
166             deref_mut_trait_did,
167             owned_box_did,
168             masked_crates: mem::take(&mut krate.masked_crates),
169             aliases: Default::default(),
170         };
171
172         // Cache where all our extern crates are located
173         for &(n, ref e) in &krate.externs {
174             let src_root = match e.src {
175                 FileName::Real(ref p) => match p.parent() {
176                     Some(p) => p.to_path_buf(),
177                     None => PathBuf::new(),
178                 },
179                 _ => PathBuf::new(),
180             };
181             let extern_url = extern_html_root_urls.get(&e.name).map(|u| &**u);
182             cache
183                 .extern_locations
184                 .insert(n, (e.name.clone(), src_root, extern_location(e, extern_url, &dst)));
185
186             let did = DefId { krate: n, index: CRATE_DEF_INDEX };
187             cache.external_paths.insert(did, (vec![e.name.to_string()], ItemType::Module));
188         }
189
190         // Cache where all known primitives have their documentation located.
191         //
192         // Favor linking to as local extern as possible, so iterate all crates in
193         // reverse topological order.
194         for &(_, ref e) in krate.externs.iter().rev() {
195             for &(def_id, prim, _) in &e.primitives {
196                 cache.primitive_locations.insert(prim, def_id);
197             }
198         }
199         for &(def_id, prim, _) in &krate.primitives {
200             cache.primitive_locations.insert(prim, def_id);
201         }
202
203         cache.stack.push(krate.name.clone());
204         krate = cache.fold_crate(krate);
205
206         for (trait_did, dids, impl_) in cache.orphan_trait_impls.drain(..) {
207             if cache.traits.contains_key(&trait_did) {
208                 for did in dids {
209                     cache.impls.entry(did).or_insert(vec![]).push(impl_.clone());
210                 }
211             }
212         }
213
214         // Build our search index
215         let index = build_index(&krate, &mut cache);
216
217         (krate, index, cache)
218     }
219 }
220
221 impl DocFolder for Cache {
222     fn fold_item(&mut self, item: clean::Item) -> Option<clean::Item> {
223         if item.def_id.is_local() {
224             debug!("folding {} \"{:?}\", id {:?}", item.type_(), item.name, item.def_id);
225         }
226
227         // If this is a stripped module,
228         // we don't want it or its children in the search index.
229         let orig_stripped_mod = match item.inner {
230             clean::StrippedItem(box clean::ModuleItem(..)) => {
231                 mem::replace(&mut self.stripped_mod, true)
232             }
233             _ => self.stripped_mod,
234         };
235
236         // If the impl is from a masked crate or references something from a
237         // masked crate then remove it completely.
238         if let clean::ImplItem(ref i) = item.inner {
239             if self.masked_crates.contains(&item.def_id.krate)
240                 || i.trait_.def_id().map_or(false, |d| self.masked_crates.contains(&d.krate))
241                 || i.for_.def_id().map_or(false, |d| self.masked_crates.contains(&d.krate))
242             {
243                 return None;
244             }
245         }
246
247         // Propagate a trait method's documentation to all implementors of the
248         // trait.
249         if let clean::TraitItem(ref t) = item.inner {
250             self.traits.entry(item.def_id).or_insert_with(|| t.clone());
251         }
252
253         // Collect all the implementors of traits.
254         if let clean::ImplItem(ref i) = item.inner {
255             if let Some(did) = i.trait_.def_id() {
256                 if i.blanket_impl.is_none() {
257                     self.implementors
258                         .entry(did)
259                         .or_default()
260                         .push(Impl { impl_item: item.clone() });
261                 }
262             }
263         }
264
265         // Index this method for searching later on.
266         if let Some(ref s) = item.name {
267             let (parent, is_inherent_impl_item) = match item.inner {
268                 clean::StrippedItem(..) => ((None, None), false),
269                 clean::AssocConstItem(..) | clean::TypedefItem(_, true)
270                     if self.parent_is_trait_impl =>
271                 {
272                     // skip associated items in trait impls
273                     ((None, None), false)
274                 }
275                 clean::AssocTypeItem(..)
276                 | clean::TyMethodItem(..)
277                 | clean::StructFieldItem(..)
278                 | clean::VariantItem(..) => (
279                     (
280                         Some(*self.parent_stack.last().expect("parent_stack is empty")),
281                         Some(&self.stack[..self.stack.len() - 1]),
282                     ),
283                     false,
284                 ),
285                 clean::MethodItem(..) | clean::AssocConstItem(..) => {
286                     if self.parent_stack.is_empty() {
287                         ((None, None), false)
288                     } else {
289                         let last = self.parent_stack.last().expect("parent_stack is empty 2");
290                         let did = *last;
291                         let path = match self.paths.get(&did) {
292                             // The current stack not necessarily has correlation
293                             // for where the type was defined. On the other
294                             // hand, `paths` always has the right
295                             // information if present.
296                             Some(&(ref fqp, ItemType::Trait))
297                             | Some(&(ref fqp, ItemType::Struct))
298                             | Some(&(ref fqp, ItemType::Union))
299                             | Some(&(ref fqp, ItemType::Enum)) => Some(&fqp[..fqp.len() - 1]),
300                             Some(..) => Some(&*self.stack),
301                             None => None,
302                         };
303                         ((Some(*last), path), true)
304                     }
305                 }
306                 _ => ((None, Some(&*self.stack)), false),
307             };
308
309             match parent {
310                 (parent, Some(path)) if is_inherent_impl_item || (!self.stripped_mod) => {
311                     debug_assert!(!item.is_stripped());
312
313                     // A crate has a module at its root, containing all items,
314                     // which should not be indexed. The crate-item itself is
315                     // inserted later on when serializing the search-index.
316                     if item.def_id.index != CRATE_DEF_INDEX {
317                         self.search_index.push(IndexItem {
318                             ty: item.type_(),
319                             name: s.to_string(),
320                             path: path.join("::"),
321                             desc: shorten(plain_summary_line(item.doc_value())),
322                             parent,
323                             parent_idx: None,
324                             search_type: get_index_search_type(&item),
325                         });
326                     }
327                 }
328                 (Some(parent), None) if is_inherent_impl_item => {
329                     // We have a parent, but we don't know where they're
330                     // defined yet. Wait for later to index this item.
331                     self.orphan_impl_items.push((parent, item.clone()));
332                 }
333                 _ => {}
334             }
335         }
336
337         // Keep track of the fully qualified path for this item.
338         let pushed = match item.name {
339             Some(ref n) if !n.is_empty() => {
340                 self.stack.push(n.to_string());
341                 true
342             }
343             _ => false,
344         };
345
346         match item.inner {
347             clean::StructItem(..)
348             | clean::EnumItem(..)
349             | clean::TypedefItem(..)
350             | clean::TraitItem(..)
351             | clean::FunctionItem(..)
352             | clean::ModuleItem(..)
353             | clean::ForeignFunctionItem(..)
354             | clean::ForeignStaticItem(..)
355             | clean::ConstantItem(..)
356             | clean::StaticItem(..)
357             | clean::UnionItem(..)
358             | clean::ForeignTypeItem
359             | clean::MacroItem(..)
360             | clean::ProcMacroItem(..)
361             | clean::VariantItem(..)
362                 if !self.stripped_mod =>
363             {
364                 // Re-exported items mean that the same id can show up twice
365                 // in the rustdoc ast that we're looking at. We know,
366                 // however, that a re-exported item doesn't show up in the
367                 // `public_items` map, so we can skip inserting into the
368                 // paths map if there was already an entry present and we're
369                 // not a public item.
370                 if !self.paths.contains_key(&item.def_id)
371                     || self.access_levels.is_public(item.def_id)
372                 {
373                     self.paths.insert(item.def_id, (self.stack.clone(), item.type_()));
374                 }
375                 self.add_aliases(&item);
376             }
377
378             clean::PrimitiveItem(..) => {
379                 self.add_aliases(&item);
380                 self.paths.insert(item.def_id, (self.stack.clone(), item.type_()));
381             }
382
383             _ => {}
384         }
385
386         // Maintain the parent stack
387         let orig_parent_is_trait_impl = self.parent_is_trait_impl;
388         let parent_pushed = match item.inner {
389             clean::TraitItem(..)
390             | clean::EnumItem(..)
391             | clean::ForeignTypeItem
392             | clean::StructItem(..)
393             | clean::UnionItem(..)
394             | clean::VariantItem(..) => {
395                 self.parent_stack.push(item.def_id);
396                 self.parent_is_trait_impl = false;
397                 true
398             }
399             clean::ImplItem(ref i) => {
400                 self.parent_is_trait_impl = i.trait_.is_some();
401                 match i.for_ {
402                     clean::ResolvedPath { did, .. } => {
403                         self.parent_stack.push(did);
404                         true
405                     }
406                     ref t => {
407                         let prim_did = t
408                             .primitive_type()
409                             .and_then(|t| self.primitive_locations.get(&t).cloned());
410                         match prim_did {
411                             Some(did) => {
412                                 self.parent_stack.push(did);
413                                 true
414                             }
415                             None => false,
416                         }
417                     }
418                 }
419             }
420             _ => false,
421         };
422
423         // Once we've recursively found all the generics, hoard off all the
424         // implementations elsewhere.
425         let ret = self.fold_item_recur(item).and_then(|item| {
426             if let clean::Item { inner: clean::ImplItem(_), .. } = item {
427                 // Figure out the id of this impl. This may map to a
428                 // primitive rather than always to a struct/enum.
429                 // Note: matching twice to restrict the lifetime of the `i` borrow.
430                 let mut dids = FxHashSet::default();
431                 if let clean::Item { inner: clean::ImplItem(ref i), .. } = item {
432                     match i.for_ {
433                         clean::ResolvedPath { did, .. }
434                         | clean::BorrowedRef {
435                             type_: box clean::ResolvedPath { did, .. }, ..
436                         } => {
437                             dids.insert(did);
438                         }
439                         ref t => {
440                             let did = t
441                                 .primitive_type()
442                                 .and_then(|t| self.primitive_locations.get(&t).cloned());
443
444                             if let Some(did) = did {
445                                 dids.insert(did);
446                             }
447                         }
448                     }
449
450                     if let Some(generics) = i.trait_.as_ref().and_then(|t| t.generics()) {
451                         for bound in generics {
452                             if let Some(did) = bound.def_id() {
453                                 dids.insert(did);
454                             }
455                         }
456                     }
457                 } else {
458                     unreachable!()
459                 };
460                 let impl_item = Impl { impl_item: item };
461                 if impl_item.trait_did().map_or(true, |d| self.traits.contains_key(&d)) {
462                     for did in dids {
463                         self.impls.entry(did).or_insert(vec![]).push(impl_item.clone());
464                     }
465                 } else {
466                     let trait_did = impl_item.trait_did().expect("no trait did");
467                     self.orphan_trait_impls.push((trait_did, dids, impl_item));
468                 }
469                 None
470             } else {
471                 Some(item)
472             }
473         });
474
475         if pushed {
476             self.stack.pop().expect("stack already empty");
477         }
478         if parent_pushed {
479             self.parent_stack.pop().expect("parent stack already empty");
480         }
481         self.stripped_mod = orig_stripped_mod;
482         self.parent_is_trait_impl = orig_parent_is_trait_impl;
483         ret
484     }
485 }
486
487 impl Cache {
488     fn add_aliases(&mut self, item: &clean::Item) {
489         if item.def_id.index == CRATE_DEF_INDEX {
490             return;
491         }
492         if let Some(ref item_name) = item.name {
493             let path = self
494                 .paths
495                 .get(&item.def_id)
496                 .map(|p| p.0[..p.0.len() - 1].join("::"))
497                 .unwrap_or("std".to_owned());
498             for alias in item
499                 .attrs
500                 .lists(sym::doc)
501                 .filter(|a| a.check_name(sym::alias))
502                 .filter_map(|a| a.value_str().map(|s| s.to_string().replace("\"", "")))
503                 .filter(|v| !v.is_empty())
504                 .collect::<FxHashSet<_>>()
505                 .into_iter()
506             {
507                 self.aliases.entry(alias).or_insert(Vec::with_capacity(1)).push(IndexItem {
508                     ty: item.type_(),
509                     name: item_name.to_string(),
510                     path: path.clone(),
511                     desc: shorten(plain_summary_line(item.doc_value())),
512                     parent: None,
513                     parent_idx: None,
514                     search_type: get_index_search_type(&item),
515                 });
516             }
517         }
518     }
519 }
520
521 /// Attempts to find where an external crate is located, given that we're
522 /// rendering in to the specified source destination.
523 fn extern_location(
524     e: &clean::ExternalCrate,
525     extern_url: Option<&str>,
526     dst: &Path,
527 ) -> ExternalLocation {
528     use ExternalLocation::*;
529     // See if there's documentation generated into the local directory
530     let local_location = dst.join(&e.name);
531     if local_location.is_dir() {
532         return Local;
533     }
534
535     if let Some(url) = extern_url {
536         let mut url = url.to_string();
537         if !url.ends_with("/") {
538             url.push('/');
539         }
540         return Remote(url);
541     }
542
543     // Failing that, see if there's an attribute specifying where to find this
544     // external crate
545     e.attrs
546         .lists(sym::doc)
547         .filter(|a| a.check_name(sym::html_root_url))
548         .filter_map(|a| a.value_str())
549         .map(|url| {
550             let mut url = url.to_string();
551             if !url.ends_with("/") {
552                 url.push('/')
553             }
554             Remote(url)
555         })
556         .next()
557         .unwrap_or(Unknown) // Well, at least we tried.
558 }
559
560 /// Builds the search index from the collected metadata
561 fn build_index(krate: &clean::Crate, cache: &mut Cache) -> String {
562     let mut defid_to_pathid = FxHashMap::default();
563     let mut crate_items = Vec::with_capacity(cache.search_index.len());
564     let mut crate_paths = vec![];
565
566     let Cache { ref mut search_index, ref orphan_impl_items, ref paths, .. } = *cache;
567
568     // Attach all orphan items to the type's definition if the type
569     // has since been learned.
570     for &(did, ref item) in orphan_impl_items {
571         if let Some(&(ref fqp, _)) = paths.get(&did) {
572             search_index.push(IndexItem {
573                 ty: item.type_(),
574                 name: item.name.clone().unwrap(),
575                 path: fqp[..fqp.len() - 1].join("::"),
576                 desc: shorten(plain_summary_line(item.doc_value())),
577                 parent: Some(did),
578                 parent_idx: None,
579                 search_type: get_index_search_type(&item),
580             });
581         }
582     }
583
584     // Reduce `DefId` in paths into smaller sequential numbers,
585     // and prune the paths that do not appear in the index.
586     let mut lastpath = String::new();
587     let mut lastpathid = 0usize;
588
589     for item in search_index {
590         item.parent_idx = item.parent.map(|defid| {
591             if defid_to_pathid.contains_key(&defid) {
592                 *defid_to_pathid.get(&defid).expect("no pathid")
593             } else {
594                 let pathid = lastpathid;
595                 defid_to_pathid.insert(defid, pathid);
596                 lastpathid += 1;
597
598                 let &(ref fqp, short) = paths.get(&defid).unwrap();
599                 crate_paths.push((short, fqp.last().unwrap().clone()));
600                 pathid
601             }
602         });
603
604         // Omit the parent path if it is same to that of the prior item.
605         if lastpath == item.path {
606             item.path.clear();
607         } else {
608             lastpath = item.path.clone();
609         }
610         crate_items.push(&*item);
611     }
612
613     let crate_doc = krate
614         .module
615         .as_ref()
616         .map(|module| shorten(plain_summary_line(module.doc_value())))
617         .unwrap_or(String::new());
618
619     #[derive(Serialize)]
620     struct CrateData<'a> {
621         doc: String,
622         #[serde(rename = "i")]
623         items: Vec<&'a IndexItem>,
624         #[serde(rename = "p")]
625         paths: Vec<(ItemType, String)>,
626     }
627
628     // Collect the index into a string
629     format!(
630         r#"searchIndex["{}"] = {};"#,
631         krate.name,
632         serde_json::to_string(&CrateData {
633             doc: crate_doc,
634             items: crate_items,
635             paths: crate_paths,
636         })
637         .expect("failed serde conversion")
638     )
639 }
640
641 fn get_index_search_type(item: &clean::Item) -> Option<IndexItemFunctionType> {
642     let (all_types, ret_types) = match item.inner {
643         clean::FunctionItem(ref f) => (&f.all_types, &f.ret_types),
644         clean::MethodItem(ref m) => (&m.all_types, &m.ret_types),
645         clean::TyMethodItem(ref m) => (&m.all_types, &m.ret_types),
646         _ => return None,
647     };
648
649     let inputs =
650         all_types.iter().map(|arg| get_index_type(&arg)).filter(|a| a.name.is_some()).collect();
651     let output = ret_types
652         .iter()
653         .map(|arg| get_index_type(&arg))
654         .filter(|a| a.name.is_some())
655         .collect::<Vec<_>>();
656     let output = if output.is_empty() { None } else { Some(output) };
657
658     Some(IndexItemFunctionType { inputs, output })
659 }
660
661 fn get_index_type(clean_type: &clean::Type) -> Type {
662     let t = Type {
663         name: get_index_type_name(clean_type, true).map(|s| s.to_ascii_lowercase()),
664         generics: get_generics(clean_type),
665     };
666     t
667 }
668
669 fn get_index_type_name(clean_type: &clean::Type, accept_generic: bool) -> Option<String> {
670     match *clean_type {
671         clean::ResolvedPath { ref path, .. } => {
672             let segments = &path.segments;
673             let path_segment = segments.into_iter().last().unwrap_or_else(|| panic!(
674                 "get_index_type_name(clean_type: {:?}, accept_generic: {:?}) had length zero path",
675                 clean_type, accept_generic
676             ));
677             Some(path_segment.name.clone())
678         }
679         clean::Generic(ref s) if accept_generic => Some(s.clone()),
680         clean::Primitive(ref p) => Some(format!("{:?}", p)),
681         clean::BorrowedRef { ref type_, .. } => get_index_type_name(type_, accept_generic),
682         // FIXME: add all from clean::Type.
683         _ => None,
684     }
685 }
686
687 fn get_generics(clean_type: &clean::Type) -> Option<Vec<String>> {
688     clean_type.generics().and_then(|types| {
689         let r = types
690             .iter()
691             .filter_map(|t| get_index_type_name(t, false))
692             .map(|s| s.to_ascii_lowercase())
693             .collect::<Vec<_>>();
694         if r.is_empty() { None } else { Some(r) }
695     })
696 }