]> git.lizzy.rs Git - rust.git/blob - src/librustdoc/html/render.rs
Auto merge of #43651 - petrochenkov:foreign-life, r=eddyb
[rust.git] / src / librustdoc / html / render.rs
1 // Copyright 2013-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 //! Rustdoc's HTML Rendering module
12 //!
13 //! This modules contains the bulk of the logic necessary for rendering a
14 //! rustdoc `clean::Crate` instance to a set of static HTML pages. This
15 //! rendering process is largely driven by the `format!` syntax extension to
16 //! perform all I/O into files and streams.
17 //!
18 //! The rendering process is largely driven by the `Context` and `Cache`
19 //! structures. The cache is pre-populated by crawling the crate in question,
20 //! and then it is shared among the various rendering threads. The cache is meant
21 //! to be a fairly large structure not implementing `Clone` (because it's shared
22 //! among threads). The context, however, should be a lightweight structure. This
23 //! is cloned per-thread and contains information about what is currently being
24 //! rendered.
25 //!
26 //! In order to speed up rendering (mostly because of markdown rendering), the
27 //! rendering process has been parallelized. This parallelization is only
28 //! exposed through the `crate` method on the context, and then also from the
29 //! fact that the shared cache is stored in TLS (and must be accessed as such).
30 //!
31 //! In addition to rendering the crate itself, this module is also responsible
32 //! for creating the corresponding search index and source file renderings.
33 //! These threads are not parallelized (they haven't been a bottleneck yet), and
34 //! both occur before the crate is rendered.
35 pub use self::ExternalLocation::*;
36
37 use std::ascii::AsciiExt;
38 use std::cell::RefCell;
39 use std::cmp::Ordering;
40 use std::collections::BTreeMap;
41 use std::default::Default;
42 use std::error;
43 use std::fmt::{self, Display, Formatter, Write as FmtWrite};
44 use std::fs::{self, File, OpenOptions};
45 use std::io::prelude::*;
46 use std::io::{self, BufWriter, BufReader};
47 use std::iter::repeat;
48 use std::mem;
49 use std::path::{PathBuf, Path, Component};
50 use std::str;
51 use std::sync::Arc;
52
53 use externalfiles::ExternalHtml;
54
55 use serialize::json::{ToJson, Json, as_json};
56 use syntax::{abi, ast};
57 use syntax::feature_gate::UnstableFeatures;
58 use rustc::hir::def_id::{CrateNum, CRATE_DEF_INDEX, DefId};
59 use rustc::middle::privacy::AccessLevels;
60 use rustc::middle::stability;
61 use rustc::hir;
62 use rustc::util::nodemap::{FxHashMap, FxHashSet};
63 use rustc::session::config::nightly_options::is_nightly_build;
64 use rustc_data_structures::flock;
65
66 use clean::{self, AttributesExt, GetDefId, SelfTy, Mutability};
67 use doctree;
68 use fold::DocFolder;
69 use html::escape::Escape;
70 use html::format::{ConstnessSpace};
71 use html::format::{TyParamBounds, WhereClause, href, AbiSpace};
72 use html::format::{VisSpace, Method, UnsafetySpace, MutableSpace};
73 use html::format::fmt_impl_for_trait_page;
74 use html::item_type::ItemType;
75 use html::markdown::{self, Markdown, MarkdownHtml, MarkdownSummaryLine, RenderType};
76 use html::{highlight, layout};
77
78 /// A pair of name and its optional document.
79 pub type NameDoc = (String, Option<String>);
80
81 /// Major driving force in all rustdoc rendering. This contains information
82 /// about where in the tree-like hierarchy rendering is occurring and controls
83 /// how the current page is being rendered.
84 ///
85 /// It is intended that this context is a lightweight object which can be fairly
86 /// easily cloned because it is cloned per work-job (about once per item in the
87 /// rustdoc tree).
88 #[derive(Clone)]
89 pub struct Context {
90     /// Current hierarchy of components leading down to what's currently being
91     /// rendered
92     pub current: Vec<String>,
93     /// The current destination folder of where HTML artifacts should be placed.
94     /// This changes as the context descends into the module hierarchy.
95     pub dst: PathBuf,
96     /// A flag, which when `true`, will render pages which redirect to the
97     /// real location of an item. This is used to allow external links to
98     /// publicly reused items to redirect to the right location.
99     pub render_redirect_pages: bool,
100     pub shared: Arc<SharedContext>,
101     pub render_type: RenderType,
102 }
103
104 pub struct SharedContext {
105     /// The path to the crate root source minus the file name.
106     /// Used for simplifying paths to the highlighted source code files.
107     pub src_root: PathBuf,
108     /// This describes the layout of each page, and is not modified after
109     /// creation of the context (contains info like the favicon and added html).
110     pub layout: layout::Layout,
111     /// This flag indicates whether [src] links should be generated or not. If
112     /// the source files are present in the html rendering, then this will be
113     /// `true`.
114     pub include_sources: bool,
115     /// The local file sources we've emitted and their respective url-paths.
116     pub local_sources: FxHashMap<PathBuf, String>,
117     /// All the passes that were run on this crate.
118     pub passes: FxHashSet<String>,
119     /// The base-URL of the issue tracker for when an item has been tagged with
120     /// an issue number.
121     pub issue_tracker_base_url: Option<String>,
122     /// The given user css file which allow to customize the generated
123     /// documentation theme.
124     pub css_file_extension: Option<PathBuf>,
125 }
126
127 /// Indicates where an external crate can be found.
128 pub enum ExternalLocation {
129     /// Remote URL root of the external crate
130     Remote(String),
131     /// This external crate can be found in the local doc/ folder
132     Local,
133     /// The external crate could not be found.
134     Unknown,
135 }
136
137 /// Metadata about an implementor of a trait.
138 pub struct Implementor {
139     pub def_id: DefId,
140     pub stability: Option<clean::Stability>,
141     pub impl_: clean::Impl,
142 }
143
144 /// Metadata about implementations for a type.
145 #[derive(Clone)]
146 pub struct Impl {
147     pub impl_item: clean::Item,
148 }
149
150 impl Impl {
151     fn inner_impl(&self) -> &clean::Impl {
152         match self.impl_item.inner {
153             clean::ImplItem(ref impl_) => impl_,
154             _ => panic!("non-impl item found in impl")
155         }
156     }
157
158     fn trait_did(&self) -> Option<DefId> {
159         self.inner_impl().trait_.def_id()
160     }
161 }
162
163 #[derive(Debug)]
164 pub struct Error {
165     file: PathBuf,
166     error: io::Error,
167 }
168
169 impl error::Error for Error {
170     fn description(&self) -> &str {
171         self.error.description()
172     }
173 }
174
175 impl Display for Error {
176     fn fmt(&self, f: &mut Formatter) -> fmt::Result {
177         write!(f, "\"{}\": {}", self.file.display(), self.error)
178     }
179 }
180
181 impl Error {
182     pub fn new(e: io::Error, file: &Path) -> Error {
183         Error {
184             file: file.to_path_buf(),
185             error: e,
186         }
187     }
188 }
189
190 macro_rules! try_err {
191     ($e:expr, $file:expr) => ({
192         match $e {
193             Ok(e) => e,
194             Err(e) => return Err(Error::new(e, $file)),
195         }
196     })
197 }
198
199 /// This cache is used to store information about the `clean::Crate` being
200 /// rendered in order to provide more useful documentation. This contains
201 /// information like all implementors of a trait, all traits a type implements,
202 /// documentation for all known traits, etc.
203 ///
204 /// This structure purposefully does not implement `Clone` because it's intended
205 /// to be a fairly large and expensive structure to clone. Instead this adheres
206 /// to `Send` so it may be stored in a `Arc` instance and shared among the various
207 /// rendering threads.
208 #[derive(Default)]
209 pub struct Cache {
210     /// Mapping of typaram ids to the name of the type parameter. This is used
211     /// when pretty-printing a type (so pretty printing doesn't have to
212     /// painfully maintain a context like this)
213     pub typarams: FxHashMap<DefId, String>,
214
215     /// Maps a type id to all known implementations for that type. This is only
216     /// recognized for intra-crate `ResolvedPath` types, and is used to print
217     /// out extra documentation on the page of an enum/struct.
218     ///
219     /// The values of the map are a list of implementations and documentation
220     /// found on that implementation.
221     pub impls: FxHashMap<DefId, Vec<Impl>>,
222
223     /// Maintains a mapping of local crate node ids to the fully qualified name
224     /// and "short type description" of that node. This is used when generating
225     /// URLs when a type is being linked to. External paths are not located in
226     /// this map because the `External` type itself has all the information
227     /// necessary.
228     pub paths: FxHashMap<DefId, (Vec<String>, ItemType)>,
229
230     /// Similar to `paths`, but only holds external paths. This is only used for
231     /// generating explicit hyperlinks to other crates.
232     pub external_paths: FxHashMap<DefId, (Vec<String>, ItemType)>,
233
234     /// This map contains information about all known traits of this crate.
235     /// Implementations of a crate should inherit the documentation of the
236     /// parent trait if no extra documentation is specified, and default methods
237     /// should show up in documentation about trait implementations.
238     pub traits: FxHashMap<DefId, clean::Trait>,
239
240     /// When rendering traits, it's often useful to be able to list all
241     /// implementors of the trait, and this mapping is exactly, that: a mapping
242     /// of trait ids to the list of known implementors of the trait
243     pub implementors: FxHashMap<DefId, Vec<Implementor>>,
244
245     /// Cache of where external crate documentation can be found.
246     pub extern_locations: FxHashMap<CrateNum, (String, PathBuf, ExternalLocation)>,
247
248     /// Cache of where documentation for primitives can be found.
249     pub primitive_locations: FxHashMap<clean::PrimitiveType, DefId>,
250
251     // Note that external items for which `doc(hidden)` applies to are shown as
252     // non-reachable while local items aren't. This is because we're reusing
253     // the access levels from crateanalysis.
254     pub access_levels: Arc<AccessLevels<DefId>>,
255
256     // Private fields only used when initially crawling a crate to build a cache
257
258     stack: Vec<String>,
259     parent_stack: Vec<DefId>,
260     parent_is_trait_impl: bool,
261     search_index: Vec<IndexItem>,
262     stripped_mod: bool,
263     deref_trait_did: Option<DefId>,
264     deref_mut_trait_did: Option<DefId>,
265     owned_box_did: Option<DefId>,
266
267     // In rare case where a structure is defined in one module but implemented
268     // in another, if the implementing module is parsed before defining module,
269     // then the fully qualified name of the structure isn't presented in `paths`
270     // yet when its implementation methods are being indexed. Caches such methods
271     // and their parent id here and indexes them at the end of crate parsing.
272     orphan_impl_items: Vec<(DefId, clean::Item)>,
273 }
274
275 /// Temporary storage for data obtained during `RustdocVisitor::clean()`.
276 /// Later on moved into `CACHE_KEY`.
277 #[derive(Default)]
278 pub struct RenderInfo {
279     pub inlined: FxHashSet<DefId>,
280     pub external_paths: ::core::ExternalPaths,
281     pub external_typarams: FxHashMap<DefId, String>,
282     pub deref_trait_did: Option<DefId>,
283     pub deref_mut_trait_did: Option<DefId>,
284     pub owned_box_did: Option<DefId>,
285 }
286
287 /// Helper struct to render all source code to HTML pages
288 struct SourceCollector<'a> {
289     scx: &'a mut SharedContext,
290
291     /// Root destination to place all HTML output into
292     dst: PathBuf,
293 }
294
295 /// Wrapper struct to render the source code of a file. This will do things like
296 /// adding line numbers to the left-hand side.
297 struct Source<'a>(&'a str);
298
299 // Helper structs for rendering items/sidebars and carrying along contextual
300 // information
301
302 #[derive(Copy, Clone)]
303 struct Item<'a> {
304     cx: &'a Context,
305     item: &'a clean::Item,
306 }
307
308 struct Sidebar<'a> { cx: &'a Context, item: &'a clean::Item, }
309
310 /// Struct representing one entry in the JS search index. These are all emitted
311 /// by hand to a large JS file at the end of cache-creation.
312 struct IndexItem {
313     ty: ItemType,
314     name: String,
315     path: String,
316     desc: String,
317     parent: Option<DefId>,
318     parent_idx: Option<usize>,
319     search_type: Option<IndexItemFunctionType>,
320 }
321
322 impl ToJson for IndexItem {
323     fn to_json(&self) -> Json {
324         assert_eq!(self.parent.is_some(), self.parent_idx.is_some());
325
326         let mut data = Vec::with_capacity(6);
327         data.push((self.ty as usize).to_json());
328         data.push(self.name.to_json());
329         data.push(self.path.to_json());
330         data.push(self.desc.to_json());
331         data.push(self.parent_idx.to_json());
332         data.push(self.search_type.to_json());
333
334         Json::Array(data)
335     }
336 }
337
338 /// A type used for the search index.
339 struct Type {
340     name: Option<String>,
341 }
342
343 impl ToJson for Type {
344     fn to_json(&self) -> Json {
345         match self.name {
346             Some(ref name) => {
347                 let mut data = BTreeMap::new();
348                 data.insert("name".to_owned(), name.to_json());
349                 Json::Object(data)
350             },
351             None => Json::Null
352         }
353     }
354 }
355
356 /// Full type of functions/methods in the search index.
357 struct IndexItemFunctionType {
358     inputs: Vec<Type>,
359     output: Option<Type>
360 }
361
362 impl ToJson for IndexItemFunctionType {
363     fn to_json(&self) -> Json {
364         // If we couldn't figure out a type, just write `null`.
365         if self.inputs.iter().chain(self.output.iter()).any(|ref i| i.name.is_none()) {
366             Json::Null
367         } else {
368             let mut data = BTreeMap::new();
369             data.insert("inputs".to_owned(), self.inputs.to_json());
370             data.insert("output".to_owned(), self.output.to_json());
371             Json::Object(data)
372         }
373     }
374 }
375
376 // TLS keys used to carry information around during rendering.
377
378 thread_local!(static CACHE_KEY: RefCell<Arc<Cache>> = Default::default());
379 thread_local!(pub static CURRENT_LOCATION_KEY: RefCell<Vec<String>> =
380                     RefCell::new(Vec::new()));
381 thread_local!(static USED_ID_MAP: RefCell<FxHashMap<String, usize>> =
382                     RefCell::new(init_ids()));
383
384 fn init_ids() -> FxHashMap<String, usize> {
385     [
386      "main",
387      "search",
388      "help",
389      "TOC",
390      "render-detail",
391      "associated-types",
392      "associated-const",
393      "required-methods",
394      "provided-methods",
395      "implementors",
396      "implementors-list",
397      "methods",
398      "deref-methods",
399      "implementations",
400      ].into_iter().map(|id| (String::from(*id), 1)).collect()
401 }
402
403 /// This method resets the local table of used ID attributes. This is typically
404 /// used at the beginning of rendering an entire HTML page to reset from the
405 /// previous state (if any).
406 pub fn reset_ids(embedded: bool) {
407     USED_ID_MAP.with(|s| {
408         *s.borrow_mut() = if embedded {
409             init_ids()
410         } else {
411             FxHashMap()
412         };
413     });
414 }
415
416 pub fn derive_id(candidate: String) -> String {
417     USED_ID_MAP.with(|map| {
418         let id = match map.borrow_mut().get_mut(&candidate) {
419             None => candidate,
420             Some(a) => {
421                 let id = format!("{}-{}", candidate, *a);
422                 *a += 1;
423                 id
424             }
425         };
426
427         map.borrow_mut().insert(id.clone(), 1);
428         id
429     })
430 }
431
432 /// Generates the documentation for `crate` into the directory `dst`
433 pub fn run(mut krate: clean::Crate,
434            external_html: &ExternalHtml,
435            playground_url: Option<String>,
436            dst: PathBuf,
437            passes: FxHashSet<String>,
438            css_file_extension: Option<PathBuf>,
439            renderinfo: RenderInfo,
440            render_type: RenderType) -> Result<(), Error> {
441     let src_root = match krate.src.parent() {
442         Some(p) => p.to_path_buf(),
443         None => PathBuf::new(),
444     };
445     let mut scx = SharedContext {
446         src_root: src_root,
447         passes: passes,
448         include_sources: true,
449         local_sources: FxHashMap(),
450         issue_tracker_base_url: None,
451         layout: layout::Layout {
452             logo: "".to_string(),
453             favicon: "".to_string(),
454             external_html: external_html.clone(),
455             krate: krate.name.clone(),
456         },
457         css_file_extension: css_file_extension.clone(),
458     };
459
460     // If user passed in `--playground-url` arg, we fill in crate name here
461     if let Some(url) = playground_url {
462         markdown::PLAYGROUND.with(|slot| {
463             *slot.borrow_mut() = Some((Some(krate.name.clone()), url));
464         });
465     }
466
467     // Crawl the crate attributes looking for attributes which control how we're
468     // going to emit HTML
469     if let Some(attrs) = krate.module.as_ref().map(|m| &m.attrs) {
470         for attr in attrs.lists("doc") {
471             let name = attr.name().map(|s| s.as_str());
472             match (name.as_ref().map(|s| &s[..]), attr.value_str()) {
473                 (Some("html_favicon_url"), Some(s)) => {
474                     scx.layout.favicon = s.to_string();
475                 }
476                 (Some("html_logo_url"), Some(s)) => {
477                     scx.layout.logo = s.to_string();
478                 }
479                 (Some("html_playground_url"), Some(s)) => {
480                     markdown::PLAYGROUND.with(|slot| {
481                         let name = krate.name.clone();
482                         *slot.borrow_mut() = Some((Some(name), s.to_string()));
483                     });
484                 }
485                 (Some("issue_tracker_base_url"), Some(s)) => {
486                     scx.issue_tracker_base_url = Some(s.to_string());
487                 }
488                 (Some("html_no_source"), None) if attr.is_word() => {
489                     scx.include_sources = false;
490                 }
491                 _ => {}
492             }
493         }
494     }
495     try_err!(fs::create_dir_all(&dst), &dst);
496     krate = render_sources(&dst, &mut scx, krate)?;
497     let cx = Context {
498         current: Vec::new(),
499         dst: dst,
500         render_redirect_pages: false,
501         shared: Arc::new(scx),
502         render_type: render_type,
503     };
504
505     // Crawl the crate to build various caches used for the output
506     let RenderInfo {
507         inlined: _,
508         external_paths,
509         external_typarams,
510         deref_trait_did,
511         deref_mut_trait_did,
512         owned_box_did,
513     } = renderinfo;
514
515     let external_paths = external_paths.into_iter()
516         .map(|(k, (v, t))| (k, (v, ItemType::from(t))))
517         .collect();
518
519     let mut cache = Cache {
520         impls: FxHashMap(),
521         external_paths: external_paths,
522         paths: FxHashMap(),
523         implementors: FxHashMap(),
524         stack: Vec::new(),
525         parent_stack: Vec::new(),
526         search_index: Vec::new(),
527         parent_is_trait_impl: false,
528         extern_locations: FxHashMap(),
529         primitive_locations: FxHashMap(),
530         stripped_mod: false,
531         access_levels: krate.access_levels.clone(),
532         orphan_impl_items: Vec::new(),
533         traits: mem::replace(&mut krate.external_traits, FxHashMap()),
534         deref_trait_did: deref_trait_did,
535         deref_mut_trait_did: deref_mut_trait_did,
536         owned_box_did: owned_box_did,
537         typarams: external_typarams,
538     };
539
540     // Cache where all our extern crates are located
541     for &(n, ref e) in &krate.externs {
542         let src_root = match Path::new(&e.src).parent() {
543             Some(p) => p.to_path_buf(),
544             None => PathBuf::new(),
545         };
546         cache.extern_locations.insert(n, (e.name.clone(), src_root,
547                                           extern_location(e, &cx.dst)));
548
549         let did = DefId { krate: n, index: CRATE_DEF_INDEX };
550         cache.external_paths.insert(did, (vec![e.name.to_string()], ItemType::Module));
551     }
552
553     // Cache where all known primitives have their documentation located.
554     //
555     // Favor linking to as local extern as possible, so iterate all crates in
556     // reverse topological order.
557     for &(_, ref e) in krate.externs.iter().rev() {
558         for &(def_id, prim, _) in &e.primitives {
559             cache.primitive_locations.insert(prim, def_id);
560         }
561     }
562     for &(def_id, prim, _) in &krate.primitives {
563         cache.primitive_locations.insert(prim, def_id);
564     }
565
566     cache.stack.push(krate.name.clone());
567     krate = cache.fold_crate(krate);
568
569     // Build our search index
570     let index = build_index(&krate, &mut cache);
571
572     // Freeze the cache now that the index has been built. Put an Arc into TLS
573     // for future parallelization opportunities
574     let cache = Arc::new(cache);
575     CACHE_KEY.with(|v| *v.borrow_mut() = cache.clone());
576     CURRENT_LOCATION_KEY.with(|s| s.borrow_mut().clear());
577
578     write_shared(&cx, &krate, &*cache, index)?;
579
580     // And finally render the whole crate's documentation
581     cx.krate(krate)
582 }
583
584 /// Build the search index from the collected metadata
585 fn build_index(krate: &clean::Crate, cache: &mut Cache) -> String {
586     let mut nodeid_to_pathid = FxHashMap();
587     let mut crate_items = Vec::with_capacity(cache.search_index.len());
588     let mut crate_paths = Vec::<Json>::new();
589
590     let Cache { ref mut search_index,
591                 ref orphan_impl_items,
592                 ref mut paths, .. } = *cache;
593
594     // Attach all orphan items to the type's definition if the type
595     // has since been learned.
596     for &(did, ref item) in orphan_impl_items {
597         if let Some(&(ref fqp, _)) = paths.get(&did) {
598             search_index.push(IndexItem {
599                 ty: item.type_(),
600                 name: item.name.clone().unwrap(),
601                 path: fqp[..fqp.len() - 1].join("::"),
602                 desc: plain_summary_line(item.doc_value()),
603                 parent: Some(did),
604                 parent_idx: None,
605                 search_type: get_index_search_type(&item),
606             });
607         }
608     }
609
610     // Reduce `NodeId` in paths into smaller sequential numbers,
611     // and prune the paths that do not appear in the index.
612     let mut lastpath = String::new();
613     let mut lastpathid = 0usize;
614
615     for item in search_index {
616         item.parent_idx = item.parent.map(|nodeid| {
617             if nodeid_to_pathid.contains_key(&nodeid) {
618                 *nodeid_to_pathid.get(&nodeid).unwrap()
619             } else {
620                 let pathid = lastpathid;
621                 nodeid_to_pathid.insert(nodeid, pathid);
622                 lastpathid += 1;
623
624                 let &(ref fqp, short) = paths.get(&nodeid).unwrap();
625                 crate_paths.push(((short as usize), fqp.last().unwrap().clone()).to_json());
626                 pathid
627             }
628         });
629
630         // Omit the parent path if it is same to that of the prior item.
631         if lastpath == item.path {
632             item.path.clear();
633         } else {
634             lastpath = item.path.clone();
635         }
636         crate_items.push(item.to_json());
637     }
638
639     let crate_doc = krate.module.as_ref().map(|module| {
640         plain_summary_line(module.doc_value())
641     }).unwrap_or(String::new());
642
643     let mut crate_data = BTreeMap::new();
644     crate_data.insert("doc".to_owned(), Json::String(crate_doc));
645     crate_data.insert("items".to_owned(), Json::Array(crate_items));
646     crate_data.insert("paths".to_owned(), Json::Array(crate_paths));
647
648     // Collect the index into a string
649     format!("searchIndex[{}] = {};",
650             as_json(&krate.name),
651             Json::Object(crate_data))
652 }
653
654 fn write_shared(cx: &Context,
655                 krate: &clean::Crate,
656                 cache: &Cache,
657                 search_index: String) -> Result<(), Error> {
658     // Write out the shared files. Note that these are shared among all rustdoc
659     // docs placed in the output directory, so this needs to be a synchronized
660     // operation with respect to all other rustdocs running around.
661     try_err!(fs::create_dir_all(&cx.dst), &cx.dst);
662     let _lock = flock::Lock::panicking_new(&cx.dst.join(".lock"), true, true, true);
663
664     // Add all the static files. These may already exist, but we just
665     // overwrite them anyway to make sure that they're fresh and up-to-date.
666
667     write(cx.dst.join("main.js"),
668           include_bytes!("static/main.js"))?;
669     write(cx.dst.join("rustdoc.css"),
670           include_bytes!("static/rustdoc.css"))?;
671     write(cx.dst.join("main.css"),
672           include_bytes!("static/styles/main.css"))?;
673     if let Some(ref css) = cx.shared.css_file_extension {
674         let mut content = String::new();
675         let css = css.as_path();
676         let mut f = try_err!(File::open(css), css);
677
678         try_err!(f.read_to_string(&mut content), css);
679         let css = cx.dst.join("theme.css");
680         let css = css.as_path();
681         let mut f = try_err!(File::create(css), css);
682         try_err!(write!(f, "{}", &content), css);
683     }
684     write(cx.dst.join("normalize.css"),
685           include_bytes!("static/normalize.css"))?;
686     write(cx.dst.join("FiraSans-Regular.woff"),
687           include_bytes!("static/FiraSans-Regular.woff"))?;
688     write(cx.dst.join("FiraSans-Medium.woff"),
689           include_bytes!("static/FiraSans-Medium.woff"))?;
690     write(cx.dst.join("FiraSans-LICENSE.txt"),
691           include_bytes!("static/FiraSans-LICENSE.txt"))?;
692     write(cx.dst.join("Heuristica-Italic.woff"),
693           include_bytes!("static/Heuristica-Italic.woff"))?;
694     write(cx.dst.join("Heuristica-LICENSE.txt"),
695           include_bytes!("static/Heuristica-LICENSE.txt"))?;
696     write(cx.dst.join("SourceSerifPro-Regular.woff"),
697           include_bytes!("static/SourceSerifPro-Regular.woff"))?;
698     write(cx.dst.join("SourceSerifPro-Bold.woff"),
699           include_bytes!("static/SourceSerifPro-Bold.woff"))?;
700     write(cx.dst.join("SourceSerifPro-LICENSE.txt"),
701           include_bytes!("static/SourceSerifPro-LICENSE.txt"))?;
702     write(cx.dst.join("SourceCodePro-Regular.woff"),
703           include_bytes!("static/SourceCodePro-Regular.woff"))?;
704     write(cx.dst.join("SourceCodePro-Semibold.woff"),
705           include_bytes!("static/SourceCodePro-Semibold.woff"))?;
706     write(cx.dst.join("SourceCodePro-LICENSE.txt"),
707           include_bytes!("static/SourceCodePro-LICENSE.txt"))?;
708     write(cx.dst.join("LICENSE-MIT.txt"),
709           include_bytes!("static/LICENSE-MIT.txt"))?;
710     write(cx.dst.join("LICENSE-APACHE.txt"),
711           include_bytes!("static/LICENSE-APACHE.txt"))?;
712     write(cx.dst.join("COPYRIGHT.txt"),
713           include_bytes!("static/COPYRIGHT.txt"))?;
714
715     fn collect(path: &Path, krate: &str,
716                key: &str) -> io::Result<Vec<String>> {
717         let mut ret = Vec::new();
718         if path.exists() {
719             for line in BufReader::new(File::open(path)?).lines() {
720                 let line = line?;
721                 if !line.starts_with(key) {
722                     continue;
723                 }
724                 if line.starts_with(&format!(r#"{}["{}"]"#, key, krate)) {
725                     continue;
726                 }
727                 ret.push(line.to_string());
728             }
729         }
730         Ok(ret)
731     }
732
733     // Update the search index
734     let dst = cx.dst.join("search-index.js");
735     let mut all_indexes = try_err!(collect(&dst, &krate.name, "searchIndex"), &dst);
736     all_indexes.push(search_index);
737     // Sort the indexes by crate so the file will be generated identically even
738     // with rustdoc running in parallel.
739     all_indexes.sort();
740     let mut w = try_err!(File::create(&dst), &dst);
741     try_err!(writeln!(&mut w, "var searchIndex = {{}};"), &dst);
742     for index in &all_indexes {
743         try_err!(writeln!(&mut w, "{}", *index), &dst);
744     }
745     try_err!(writeln!(&mut w, "initSearch(searchIndex);"), &dst);
746
747     // Update the list of all implementors for traits
748     let dst = cx.dst.join("implementors");
749     for (&did, imps) in &cache.implementors {
750         // Private modules can leak through to this phase of rustdoc, which
751         // could contain implementations for otherwise private types. In some
752         // rare cases we could find an implementation for an item which wasn't
753         // indexed, so we just skip this step in that case.
754         //
755         // FIXME: this is a vague explanation for why this can't be a `get`, in
756         //        theory it should be...
757         let &(ref remote_path, remote_item_type) = match cache.paths.get(&did) {
758             Some(p) => p,
759             None => match cache.external_paths.get(&did) {
760                 Some(p) => p,
761                 None => continue,
762             }
763         };
764
765         let mut have_impls = false;
766         let mut implementors = format!(r#"implementors["{}"] = ["#, krate.name);
767         for imp in imps {
768             // If the trait and implementation are in the same crate, then
769             // there's no need to emit information about it (there's inlining
770             // going on). If they're in different crates then the crate defining
771             // the trait will be interested in our implementation.
772             if imp.def_id.krate == did.krate { continue }
773             // If the implementation is from another crate then that crate
774             // should add it.
775             if !imp.def_id.is_local() { continue }
776             have_impls = true;
777             write!(implementors, "{},", as_json(&imp.impl_.to_string())).unwrap();
778         }
779         implementors.push_str("];");
780
781         // Only create a js file if we have impls to add to it. If the trait is
782         // documented locally though we always create the file to avoid dead
783         // links.
784         if !have_impls && !cache.paths.contains_key(&did) {
785             continue;
786         }
787
788         let mut mydst = dst.clone();
789         for part in &remote_path[..remote_path.len() - 1] {
790             mydst.push(part);
791         }
792         try_err!(fs::create_dir_all(&mydst), &mydst);
793         mydst.push(&format!("{}.{}.js",
794                             remote_item_type.css_class(),
795                             remote_path[remote_path.len() - 1]));
796
797         let mut all_implementors = try_err!(collect(&mydst, &krate.name, "implementors"), &mydst);
798         all_implementors.push(implementors);
799         // Sort the implementors by crate so the file will be generated
800         // identically even with rustdoc running in parallel.
801         all_implementors.sort();
802
803         let mut f = try_err!(File::create(&mydst), &mydst);
804         try_err!(writeln!(&mut f, "(function() {{var implementors = {{}};"), &mydst);
805         for implementor in &all_implementors {
806             try_err!(writeln!(&mut f, "{}", *implementor), &mydst);
807         }
808         try_err!(writeln!(&mut f, "{}", r"
809             if (window.register_implementors) {
810                 window.register_implementors(implementors);
811             } else {
812                 window.pending_implementors = implementors;
813             }
814         "), &mydst);
815         try_err!(writeln!(&mut f, r"}})()"), &mydst);
816     }
817     Ok(())
818 }
819
820 fn render_sources(dst: &Path, scx: &mut SharedContext,
821                   krate: clean::Crate) -> Result<clean::Crate, Error> {
822     info!("emitting source files");
823     let dst = dst.join("src").join(&krate.name);
824     try_err!(fs::create_dir_all(&dst), &dst);
825     let mut folder = SourceCollector {
826         dst: dst,
827         scx: scx,
828     };
829     Ok(folder.fold_crate(krate))
830 }
831
832 /// Writes the entire contents of a string to a destination, not attempting to
833 /// catch any errors.
834 fn write(dst: PathBuf, contents: &[u8]) -> Result<(), Error> {
835     Ok(try_err!(try_err!(File::create(&dst), &dst).write_all(contents), &dst))
836 }
837
838 /// Takes a path to a source file and cleans the path to it. This canonicalizes
839 /// things like ".." to components which preserve the "top down" hierarchy of a
840 /// static HTML tree. Each component in the cleaned path will be passed as an
841 /// argument to `f`. The very last component of the path (ie the file name) will
842 /// be passed to `f` if `keep_filename` is true, and ignored otherwise.
843 // FIXME (#9639): The closure should deal with &[u8] instead of &str
844 // FIXME (#9639): This is too conservative, rejecting non-UTF-8 paths
845 fn clean_srcpath<F>(src_root: &Path, p: &Path, keep_filename: bool, mut f: F) where
846     F: FnMut(&str),
847 {
848     // make it relative, if possible
849     let p = p.strip_prefix(src_root).unwrap_or(p);
850
851     let mut iter = p.components().peekable();
852
853     while let Some(c) = iter.next() {
854         if !keep_filename && iter.peek().is_none() {
855             break;
856         }
857
858         match c {
859             Component::ParentDir => f("up"),
860             Component::Normal(c) => f(c.to_str().unwrap()),
861             _ => continue,
862         }
863     }
864 }
865
866 /// Attempts to find where an external crate is located, given that we're
867 /// rendering in to the specified source destination.
868 fn extern_location(e: &clean::ExternalCrate, dst: &Path) -> ExternalLocation {
869     // See if there's documentation generated into the local directory
870     let local_location = dst.join(&e.name);
871     if local_location.is_dir() {
872         return Local;
873     }
874
875     // Failing that, see if there's an attribute specifying where to find this
876     // external crate
877     e.attrs.lists("doc")
878      .filter(|a| a.check_name("html_root_url"))
879      .filter_map(|a| a.value_str())
880      .map(|url| {
881         let mut url = url.to_string();
882         if !url.ends_with("/") {
883             url.push('/')
884         }
885         Remote(url)
886     }).next().unwrap_or(Unknown) // Well, at least we tried.
887 }
888
889 impl<'a> DocFolder for SourceCollector<'a> {
890     fn fold_item(&mut self, item: clean::Item) -> Option<clean::Item> {
891         // If we're including source files, and we haven't seen this file yet,
892         // then we need to render it out to the filesystem.
893         if self.scx.include_sources
894             // skip all invalid spans
895             && item.source.filename != ""
896             // skip non-local items
897             && item.def_id.is_local()
898             // Macros from other libraries get special filenames which we can
899             // safely ignore.
900             && !(item.source.filename.starts_with("<")
901                 && item.source.filename.ends_with("macros>")) {
902
903             // If it turns out that we couldn't read this file, then we probably
904             // can't read any of the files (generating html output from json or
905             // something like that), so just don't include sources for the
906             // entire crate. The other option is maintaining this mapping on a
907             // per-file basis, but that's probably not worth it...
908             self.scx
909                 .include_sources = match self.emit_source(&item.source.filename) {
910                 Ok(()) => true,
911                 Err(e) => {
912                     println!("warning: source code was requested to be rendered, \
913                               but processing `{}` had an error: {}",
914                              item.source.filename, e);
915                     println!("         skipping rendering of source code");
916                     false
917                 }
918             };
919         }
920         self.fold_item_recur(item)
921     }
922 }
923
924 impl<'a> SourceCollector<'a> {
925     /// Renders the given filename into its corresponding HTML source file.
926     fn emit_source(&mut self, filename: &str) -> io::Result<()> {
927         let p = PathBuf::from(filename);
928         if self.scx.local_sources.contains_key(&p) {
929             // We've already emitted this source
930             return Ok(());
931         }
932
933         let mut contents = Vec::new();
934         File::open(&p).and_then(|mut f| f.read_to_end(&mut contents))?;
935
936         let contents = str::from_utf8(&contents).unwrap();
937
938         // Remove the utf-8 BOM if any
939         let contents = if contents.starts_with("\u{feff}") {
940             &contents[3..]
941         } else {
942             contents
943         };
944
945         // Create the intermediate directories
946         let mut cur = self.dst.clone();
947         let mut root_path = String::from("../../");
948         let mut href = String::new();
949         clean_srcpath(&self.scx.src_root, &p, false, |component| {
950             cur.push(component);
951             fs::create_dir_all(&cur).unwrap();
952             root_path.push_str("../");
953             href.push_str(component);
954             href.push('/');
955         });
956         let mut fname = p.file_name().expect("source has no filename")
957                          .to_os_string();
958         fname.push(".html");
959         cur.push(&fname);
960         href.push_str(&fname.to_string_lossy());
961
962         let mut w = BufWriter::new(File::create(&cur)?);
963         let title = format!("{} -- source", cur.file_name().unwrap()
964                                                .to_string_lossy());
965         let desc = format!("Source to the Rust file `{}`.", filename);
966         let page = layout::Page {
967             title: &title,
968             css_class: "source",
969             root_path: &root_path,
970             description: &desc,
971             keywords: BASIC_KEYWORDS,
972         };
973         layout::render(&mut w, &self.scx.layout,
974                        &page, &(""), &Source(contents),
975                        self.scx.css_file_extension.is_some())?;
976         w.flush()?;
977         self.scx.local_sources.insert(p, href);
978         Ok(())
979     }
980 }
981
982 impl DocFolder for Cache {
983     fn fold_item(&mut self, item: clean::Item) -> Option<clean::Item> {
984         // If this is a stripped module,
985         // we don't want it or its children in the search index.
986         let orig_stripped_mod = match item.inner {
987             clean::StrippedItem(box clean::ModuleItem(..)) => {
988                 mem::replace(&mut self.stripped_mod, true)
989             }
990             _ => self.stripped_mod,
991         };
992
993         // Register any generics to their corresponding string. This is used
994         // when pretty-printing types.
995         if let Some(generics) = item.inner.generics() {
996             self.generics(generics);
997         }
998
999         // Propagate a trait method's documentation to all implementors of the
1000         // trait.
1001         if let clean::TraitItem(ref t) = item.inner {
1002             self.traits.entry(item.def_id).or_insert_with(|| t.clone());
1003         }
1004
1005         // Collect all the implementors of traits.
1006         if let clean::ImplItem(ref i) = item.inner {
1007             if let Some(did) = i.trait_.def_id() {
1008                 self.implementors.entry(did).or_insert(vec![]).push(Implementor {
1009                     def_id: item.def_id,
1010                     stability: item.stability.clone(),
1011                     impl_: i.clone(),
1012                 });
1013             }
1014         }
1015
1016         // Index this method for searching later on.
1017         if let Some(ref s) = item.name {
1018             let (parent, is_inherent_impl_item) = match item.inner {
1019                 clean::StrippedItem(..) => ((None, None), false),
1020                 clean::AssociatedConstItem(..) |
1021                 clean::TypedefItem(_, true) if self.parent_is_trait_impl => {
1022                     // skip associated items in trait impls
1023                     ((None, None), false)
1024                 }
1025                 clean::AssociatedTypeItem(..) |
1026                 clean::TyMethodItem(..) |
1027                 clean::StructFieldItem(..) |
1028                 clean::VariantItem(..) => {
1029                     ((Some(*self.parent_stack.last().unwrap()),
1030                       Some(&self.stack[..self.stack.len() - 1])),
1031                      false)
1032                 }
1033                 clean::MethodItem(..) | clean::AssociatedConstItem(..) => {
1034                     if self.parent_stack.is_empty() {
1035                         ((None, None), false)
1036                     } else {
1037                         let last = self.parent_stack.last().unwrap();
1038                         let did = *last;
1039                         let path = match self.paths.get(&did) {
1040                             // The current stack not necessarily has correlation
1041                             // for where the type was defined. On the other
1042                             // hand, `paths` always has the right
1043                             // information if present.
1044                             Some(&(ref fqp, ItemType::Trait)) |
1045                             Some(&(ref fqp, ItemType::Struct)) |
1046                             Some(&(ref fqp, ItemType::Union)) |
1047                             Some(&(ref fqp, ItemType::Enum)) =>
1048                                 Some(&fqp[..fqp.len() - 1]),
1049                             Some(..) => Some(&*self.stack),
1050                             None => None
1051                         };
1052                         ((Some(*last), path), true)
1053                     }
1054                 }
1055                 _ => ((None, Some(&*self.stack)), false)
1056             };
1057
1058             match parent {
1059                 (parent, Some(path)) if is_inherent_impl_item || (!self.stripped_mod) => {
1060                     debug_assert!(!item.is_stripped());
1061
1062                     // A crate has a module at its root, containing all items,
1063                     // which should not be indexed. The crate-item itself is
1064                     // inserted later on when serializing the search-index.
1065                     if item.def_id.index != CRATE_DEF_INDEX {
1066                         self.search_index.push(IndexItem {
1067                             ty: item.type_(),
1068                             name: s.to_string(),
1069                             path: path.join("::").to_string(),
1070                             desc: plain_summary_line(item.doc_value()),
1071                             parent: parent,
1072                             parent_idx: None,
1073                             search_type: get_index_search_type(&item),
1074                         });
1075                     }
1076                 }
1077                 (Some(parent), None) if is_inherent_impl_item => {
1078                     // We have a parent, but we don't know where they're
1079                     // defined yet. Wait for later to index this item.
1080                     self.orphan_impl_items.push((parent, item.clone()));
1081                 }
1082                 _ => {}
1083             }
1084         }
1085
1086         // Keep track of the fully qualified path for this item.
1087         let pushed = match item.name {
1088             Some(ref n) if !n.is_empty() => {
1089                 self.stack.push(n.to_string());
1090                 true
1091             }
1092             _ => false,
1093         };
1094
1095         match item.inner {
1096             clean::StructItem(..) | clean::EnumItem(..) |
1097             clean::TypedefItem(..) | clean::TraitItem(..) |
1098             clean::FunctionItem(..) | clean::ModuleItem(..) |
1099             clean::ForeignFunctionItem(..) | clean::ForeignStaticItem(..) |
1100             clean::ConstantItem(..) | clean::StaticItem(..) |
1101             clean::UnionItem(..)
1102             if !self.stripped_mod => {
1103                 // Reexported items mean that the same id can show up twice
1104                 // in the rustdoc ast that we're looking at. We know,
1105                 // however, that a reexported item doesn't show up in the
1106                 // `public_items` map, so we can skip inserting into the
1107                 // paths map if there was already an entry present and we're
1108                 // not a public item.
1109                 if
1110                     !self.paths.contains_key(&item.def_id) ||
1111                     self.access_levels.is_public(item.def_id)
1112                 {
1113                     self.paths.insert(item.def_id,
1114                                       (self.stack.clone(), item.type_()));
1115                 }
1116             }
1117             // Link variants to their parent enum because pages aren't emitted
1118             // for each variant.
1119             clean::VariantItem(..) if !self.stripped_mod => {
1120                 let mut stack = self.stack.clone();
1121                 stack.pop();
1122                 self.paths.insert(item.def_id, (stack, ItemType::Enum));
1123             }
1124
1125             clean::PrimitiveItem(..) if item.visibility.is_some() => {
1126                 self.paths.insert(item.def_id, (self.stack.clone(),
1127                                                 item.type_()));
1128             }
1129
1130             _ => {}
1131         }
1132
1133         // Maintain the parent stack
1134         let orig_parent_is_trait_impl = self.parent_is_trait_impl;
1135         let parent_pushed = match item.inner {
1136             clean::TraitItem(..) | clean::EnumItem(..) |
1137             clean::StructItem(..) | clean::UnionItem(..) => {
1138                 self.parent_stack.push(item.def_id);
1139                 self.parent_is_trait_impl = false;
1140                 true
1141             }
1142             clean::ImplItem(ref i) => {
1143                 self.parent_is_trait_impl = i.trait_.is_some();
1144                 match i.for_ {
1145                     clean::ResolvedPath{ did, .. } => {
1146                         self.parent_stack.push(did);
1147                         true
1148                     }
1149                     ref t => {
1150                         let prim_did = t.primitive_type().and_then(|t| {
1151                             self.primitive_locations.get(&t).cloned()
1152                         });
1153                         match prim_did {
1154                             Some(did) => {
1155                                 self.parent_stack.push(did);
1156                                 true
1157                             }
1158                             None => false,
1159                         }
1160                     }
1161                 }
1162             }
1163             _ => false
1164         };
1165
1166         // Once we've recursively found all the generics, hoard off all the
1167         // implementations elsewhere.
1168         let ret = self.fold_item_recur(item).and_then(|item| {
1169             if let clean::Item { inner: clean::ImplItem(_), .. } = item {
1170                 // Figure out the id of this impl. This may map to a
1171                 // primitive rather than always to a struct/enum.
1172                 // Note: matching twice to restrict the lifetime of the `i` borrow.
1173                 let did = if let clean::Item { inner: clean::ImplItem(ref i), .. } = item {
1174                     match i.for_ {
1175                         clean::ResolvedPath { did, .. } |
1176                         clean::BorrowedRef {
1177                             type_: box clean::ResolvedPath { did, .. }, ..
1178                         } => {
1179                             Some(did)
1180                         }
1181                         ref t => {
1182                             t.primitive_type().and_then(|t| {
1183                                 self.primitive_locations.get(&t).cloned()
1184                             })
1185                         }
1186                     }
1187                 } else {
1188                     unreachable!()
1189                 };
1190                 if let Some(did) = did {
1191                     self.impls.entry(did).or_insert(vec![]).push(Impl {
1192                         impl_item: item,
1193                     });
1194                 }
1195                 None
1196             } else {
1197                 Some(item)
1198             }
1199         });
1200
1201         if pushed { self.stack.pop().unwrap(); }
1202         if parent_pushed { self.parent_stack.pop().unwrap(); }
1203         self.stripped_mod = orig_stripped_mod;
1204         self.parent_is_trait_impl = orig_parent_is_trait_impl;
1205         ret
1206     }
1207 }
1208
1209 impl<'a> Cache {
1210     fn generics(&mut self, generics: &clean::Generics) {
1211         for typ in &generics.type_params {
1212             self.typarams.insert(typ.did, typ.name.clone());
1213         }
1214     }
1215 }
1216
1217 impl Context {
1218     /// String representation of how to get back to the root path of the 'doc/'
1219     /// folder in terms of a relative URL.
1220     fn root_path(&self) -> String {
1221         repeat("../").take(self.current.len()).collect::<String>()
1222     }
1223
1224     /// Recurse in the directory structure and change the "root path" to make
1225     /// sure it always points to the top (relatively).
1226     fn recurse<T, F>(&mut self, s: String, f: F) -> T where
1227         F: FnOnce(&mut Context) -> T,
1228     {
1229         if s.is_empty() {
1230             panic!("Unexpected empty destination: {:?}", self.current);
1231         }
1232         let prev = self.dst.clone();
1233         self.dst.push(&s);
1234         self.current.push(s);
1235
1236         info!("Recursing into {}", self.dst.display());
1237
1238         let ret = f(self);
1239
1240         info!("Recursed; leaving {}", self.dst.display());
1241
1242         // Go back to where we were at
1243         self.dst = prev;
1244         self.current.pop().unwrap();
1245
1246         ret
1247     }
1248
1249     /// Main method for rendering a crate.
1250     ///
1251     /// This currently isn't parallelized, but it'd be pretty easy to add
1252     /// parallelization to this function.
1253     fn krate(self, mut krate: clean::Crate) -> Result<(), Error> {
1254         let mut item = match krate.module.take() {
1255             Some(i) => i,
1256             None => return Ok(()),
1257         };
1258         item.name = Some(krate.name);
1259
1260         // Render the crate documentation
1261         let mut work = vec![(self, item)];
1262
1263         while let Some((mut cx, item)) = work.pop() {
1264             cx.item(item, |cx, item| {
1265                 work.push((cx.clone(), item))
1266             })?
1267         }
1268         Ok(())
1269     }
1270
1271     fn render_item(&self,
1272                    writer: &mut io::Write,
1273                    it: &clean::Item,
1274                    pushname: bool)
1275                    -> io::Result<()> {
1276         // A little unfortunate that this is done like this, but it sure
1277         // does make formatting *a lot* nicer.
1278         CURRENT_LOCATION_KEY.with(|slot| {
1279             *slot.borrow_mut() = self.current.clone();
1280         });
1281
1282         let mut title = if it.is_primitive() {
1283             // No need to include the namespace for primitive types
1284             String::new()
1285         } else {
1286             self.current.join("::")
1287         };
1288         if pushname {
1289             if !title.is_empty() {
1290                 title.push_str("::");
1291             }
1292             title.push_str(it.name.as_ref().unwrap());
1293         }
1294         title.push_str(" - Rust");
1295         let tyname = it.type_().css_class();
1296         let desc = if it.is_crate() {
1297             format!("API documentation for the Rust `{}` crate.",
1298                     self.shared.layout.krate)
1299         } else {
1300             format!("API documentation for the Rust `{}` {} in crate `{}`.",
1301                     it.name.as_ref().unwrap(), tyname, self.shared.layout.krate)
1302         };
1303         let keywords = make_item_keywords(it);
1304         let page = layout::Page {
1305             css_class: tyname,
1306             root_path: &self.root_path(),
1307             title: &title,
1308             description: &desc,
1309             keywords: &keywords,
1310         };
1311
1312         reset_ids(true);
1313
1314         if !self.render_redirect_pages {
1315             layout::render(writer, &self.shared.layout, &page,
1316                            &Sidebar{ cx: self, item: it },
1317                            &Item{ cx: self, item: it },
1318                            self.shared.css_file_extension.is_some())?;
1319         } else {
1320             let mut url = self.root_path();
1321             if let Some(&(ref names, ty)) = cache().paths.get(&it.def_id) {
1322                 for name in &names[..names.len() - 1] {
1323                     url.push_str(name);
1324                     url.push_str("/");
1325                 }
1326                 url.push_str(&item_path(ty, names.last().unwrap()));
1327                 layout::redirect(writer, &url)?;
1328             }
1329         }
1330         Ok(())
1331     }
1332
1333     /// Non-parallelized version of rendering an item. This will take the input
1334     /// item, render its contents, and then invoke the specified closure with
1335     /// all sub-items which need to be rendered.
1336     ///
1337     /// The rendering driver uses this closure to queue up more work.
1338     fn item<F>(&mut self, item: clean::Item, mut f: F) -> Result<(), Error> where
1339         F: FnMut(&mut Context, clean::Item),
1340     {
1341         // Stripped modules survive the rustdoc passes (i.e. `strip-private`)
1342         // if they contain impls for public types. These modules can also
1343         // contain items such as publicly reexported structures.
1344         //
1345         // External crates will provide links to these structures, so
1346         // these modules are recursed into, but not rendered normally
1347         // (a flag on the context).
1348         if !self.render_redirect_pages {
1349             self.render_redirect_pages = item.is_stripped();
1350         }
1351
1352         if item.is_mod() {
1353             // modules are special because they add a namespace. We also need to
1354             // recurse into the items of the module as well.
1355             let name = item.name.as_ref().unwrap().to_string();
1356             let mut item = Some(item);
1357             self.recurse(name, |this| {
1358                 let item = item.take().unwrap();
1359
1360                 let mut buf = Vec::new();
1361                 this.render_item(&mut buf, &item, false).unwrap();
1362                 // buf will be empty if the module is stripped and there is no redirect for it
1363                 if !buf.is_empty() {
1364                     let joint_dst = this.dst.join("index.html");
1365                     try_err!(fs::create_dir_all(&this.dst), &this.dst);
1366                     let mut dst = try_err!(File::create(&joint_dst), &joint_dst);
1367                     try_err!(dst.write_all(&buf), &joint_dst);
1368                 }
1369
1370                 let m = match item.inner {
1371                     clean::StrippedItem(box clean::ModuleItem(m)) |
1372                     clean::ModuleItem(m) => m,
1373                     _ => unreachable!()
1374                 };
1375
1376                 // Render sidebar-items.js used throughout this module.
1377                 if !this.render_redirect_pages {
1378                     let items = this.build_sidebar_items(&m);
1379                     let js_dst = this.dst.join("sidebar-items.js");
1380                     let mut js_out = BufWriter::new(try_err!(File::create(&js_dst), &js_dst));
1381                     try_err!(write!(&mut js_out, "initSidebarItems({});",
1382                                     as_json(&items)), &js_dst);
1383                 }
1384
1385                 for item in m.items {
1386                     f(this,item);
1387                 }
1388
1389                 Ok(())
1390             })?;
1391         } else if item.name.is_some() {
1392             let mut buf = Vec::new();
1393             self.render_item(&mut buf, &item, true).unwrap();
1394             // buf will be empty if the item is stripped and there is no redirect for it
1395             if !buf.is_empty() {
1396                 let name = item.name.as_ref().unwrap();
1397                 let item_type = item.type_();
1398                 let file_name = &item_path(item_type, name);
1399                 let joint_dst = self.dst.join(file_name);
1400                 try_err!(fs::create_dir_all(&self.dst), &self.dst);
1401                 let mut dst = try_err!(File::create(&joint_dst), &joint_dst);
1402                 try_err!(dst.write_all(&buf), &joint_dst);
1403
1404                 // Redirect from a sane URL using the namespace to Rustdoc's
1405                 // URL for the page.
1406                 let redir_name = format!("{}.{}.html", name, item_type.name_space());
1407                 let redir_dst = self.dst.join(redir_name);
1408                 if let Ok(mut redirect_out) = OpenOptions::new().create_new(true)
1409                                                                 .write(true)
1410                                                                 .open(&redir_dst) {
1411                     try_err!(layout::redirect(&mut redirect_out, file_name), &redir_dst);
1412                 }
1413
1414                 // If the item is a macro, redirect from the old macro URL (with !)
1415                 // to the new one (without).
1416                 // FIXME(#35705) remove this redirect.
1417                 if item_type == ItemType::Macro {
1418                     let redir_name = format!("{}.{}!.html", item_type, name);
1419                     let redir_dst = self.dst.join(redir_name);
1420                     let mut redirect_out = try_err!(File::create(&redir_dst), &redir_dst);
1421                     try_err!(layout::redirect(&mut redirect_out, file_name), &redir_dst);
1422                 }
1423             }
1424         }
1425         Ok(())
1426     }
1427
1428     fn build_sidebar_items(&self, m: &clean::Module) -> BTreeMap<String, Vec<NameDoc>> {
1429         // BTreeMap instead of HashMap to get a sorted output
1430         let mut map = BTreeMap::new();
1431         for item in &m.items {
1432             if item.is_stripped() { continue }
1433
1434             let short = item.type_().css_class();
1435             let myname = match item.name {
1436                 None => continue,
1437                 Some(ref s) => s.to_string(),
1438             };
1439             let short = short.to_string();
1440             map.entry(short).or_insert(vec![])
1441                 .push((myname, Some(plain_summary_line(item.doc_value()))));
1442         }
1443
1444         for (_, items) in &mut map {
1445             items.sort();
1446         }
1447         map
1448     }
1449 }
1450
1451 impl<'a> Item<'a> {
1452     /// Generate a url appropriate for an `href` attribute back to the source of
1453     /// this item.
1454     ///
1455     /// The url generated, when clicked, will redirect the browser back to the
1456     /// original source code.
1457     ///
1458     /// If `None` is returned, then a source link couldn't be generated. This
1459     /// may happen, for example, with externally inlined items where the source
1460     /// of their crate documentation isn't known.
1461     fn src_href(&self) -> Option<String> {
1462         let mut root = self.cx.root_path();
1463
1464         let cache = cache();
1465         let mut path = String::new();
1466         let (krate, path) = if self.item.def_id.is_local() {
1467             let path = PathBuf::from(&self.item.source.filename);
1468             if let Some(path) = self.cx.shared.local_sources.get(&path) {
1469                 (&self.cx.shared.layout.krate, path)
1470             } else {
1471                 return None;
1472             }
1473         } else {
1474             // Macros from other libraries get special filenames which we can
1475             // safely ignore.
1476             if self.item.source.filename.starts_with("<") &&
1477                self.item.source.filename.ends_with("macros>") {
1478                 return None;
1479             }
1480
1481             let (krate, src_root) = match cache.extern_locations.get(&self.item.def_id.krate) {
1482                 Some(&(ref name, ref src, Local)) => (name, src),
1483                 Some(&(ref name, ref src, Remote(ref s))) => {
1484                     root = s.to_string();
1485                     (name, src)
1486                 }
1487                 Some(&(_, _, Unknown)) | None => return None,
1488             };
1489
1490             let file = Path::new(&self.item.source.filename);
1491             clean_srcpath(&src_root, file, false, |component| {
1492                 path.push_str(component);
1493                 path.push('/');
1494             });
1495             let mut fname = file.file_name().expect("source has no filename")
1496                                 .to_os_string();
1497             fname.push(".html");
1498             path.push_str(&fname.to_string_lossy());
1499             (krate, &path)
1500         };
1501
1502         let lines = if self.item.source.loline == self.item.source.hiline {
1503             format!("{}", self.item.source.loline)
1504         } else {
1505             format!("{}-{}", self.item.source.loline, self.item.source.hiline)
1506         };
1507         Some(format!("{root}src/{krate}/{path}#{lines}",
1508                      root = root,
1509                      krate = krate,
1510                      path = path,
1511                      lines = lines))
1512     }
1513 }
1514
1515 impl<'a> fmt::Display for Item<'a> {
1516     fn fmt(&self, fmt: &mut fmt::Formatter) -> fmt::Result {
1517         debug_assert!(!self.item.is_stripped());
1518         // Write the breadcrumb trail header for the top
1519         write!(fmt, "\n<h1 class='fqn'><span class='in-band'>")?;
1520         match self.item.inner {
1521             clean::ModuleItem(ref m) => if m.is_crate {
1522                     write!(fmt, "Crate ")?;
1523                 } else {
1524                     write!(fmt, "Module ")?;
1525                 },
1526             clean::FunctionItem(..) | clean::ForeignFunctionItem(..) =>
1527                 write!(fmt, "Function ")?,
1528             clean::TraitItem(..) => write!(fmt, "Trait ")?,
1529             clean::StructItem(..) => write!(fmt, "Struct ")?,
1530             clean::UnionItem(..) => write!(fmt, "Union ")?,
1531             clean::EnumItem(..) => write!(fmt, "Enum ")?,
1532             clean::TypedefItem(..) => write!(fmt, "Type Definition ")?,
1533             clean::MacroItem(..) => write!(fmt, "Macro ")?,
1534             clean::PrimitiveItem(..) => write!(fmt, "Primitive Type ")?,
1535             clean::StaticItem(..) | clean::ForeignStaticItem(..) =>
1536                 write!(fmt, "Static ")?,
1537             clean::ConstantItem(..) => write!(fmt, "Constant ")?,
1538             _ => {
1539                 // We don't generate pages for any other type.
1540                 unreachable!();
1541             }
1542         }
1543         if !self.item.is_primitive() {
1544             let cur = &self.cx.current;
1545             let amt = if self.item.is_mod() { cur.len() - 1 } else { cur.len() };
1546             for (i, component) in cur.iter().enumerate().take(amt) {
1547                 write!(fmt, "<a href='{}index.html'>{}</a>::<wbr>",
1548                        repeat("../").take(cur.len() - i - 1)
1549                                     .collect::<String>(),
1550                        component)?;
1551             }
1552         }
1553         write!(fmt, "<a class=\"{}\" href=''>{}</a>",
1554                self.item.type_(), self.item.name.as_ref().unwrap())?;
1555
1556         write!(fmt, "</span>")?; // in-band
1557         write!(fmt, "<span class='out-of-band'>")?;
1558         if let Some(version) = self.item.stable_since() {
1559             write!(fmt, "<span class='since' title='Stable since Rust version {0}'>{0}</span>",
1560                    version)?;
1561         }
1562         write!(fmt,
1563                r##"<span id='render-detail'>
1564                    <a id="toggle-all-docs" href="javascript:void(0)" title="collapse all docs">
1565                        [<span class='inner'>&#x2212;</span>]
1566                    </a>
1567                </span>"##)?;
1568
1569         // Write `src` tag
1570         //
1571         // When this item is part of a `pub use` in a downstream crate, the
1572         // [src] link in the downstream documentation will actually come back to
1573         // this page, and this link will be auto-clicked. The `id` attribute is
1574         // used to find the link to auto-click.
1575         if self.cx.shared.include_sources && !self.item.is_primitive() {
1576             if let Some(l) = self.src_href() {
1577                 write!(fmt, "<a class='srclink' href='{}' title='{}'>[src]</a>",
1578                        l, "goto source code")?;
1579             }
1580         }
1581
1582         write!(fmt, "</span>")?; // out-of-band
1583
1584         write!(fmt, "</h1>\n")?;
1585
1586         match self.item.inner {
1587             clean::ModuleItem(ref m) => {
1588                 item_module(fmt, self.cx, self.item, &m.items)
1589             }
1590             clean::FunctionItem(ref f) | clean::ForeignFunctionItem(ref f) =>
1591                 item_function(fmt, self.cx, self.item, f),
1592             clean::TraitItem(ref t) => item_trait(fmt, self.cx, self.item, t),
1593             clean::StructItem(ref s) => item_struct(fmt, self.cx, self.item, s),
1594             clean::UnionItem(ref s) => item_union(fmt, self.cx, self.item, s),
1595             clean::EnumItem(ref e) => item_enum(fmt, self.cx, self.item, e),
1596             clean::TypedefItem(ref t, _) => item_typedef(fmt, self.cx, self.item, t),
1597             clean::MacroItem(ref m) => item_macro(fmt, self.cx, self.item, m),
1598             clean::PrimitiveItem(ref p) => item_primitive(fmt, self.cx, self.item, p),
1599             clean::StaticItem(ref i) | clean::ForeignStaticItem(ref i) =>
1600                 item_static(fmt, self.cx, self.item, i),
1601             clean::ConstantItem(ref c) => item_constant(fmt, self.cx, self.item, c),
1602             _ => {
1603                 // We don't generate pages for any other type.
1604                 unreachable!();
1605             }
1606         }
1607     }
1608 }
1609
1610 fn item_path(ty: ItemType, name: &str) -> String {
1611     match ty {
1612         ItemType::Module => format!("{}/index.html", name),
1613         _ => format!("{}.{}.html", ty.css_class(), name),
1614     }
1615 }
1616
1617 fn full_path(cx: &Context, item: &clean::Item) -> String {
1618     let mut s = cx.current.join("::");
1619     s.push_str("::");
1620     s.push_str(item.name.as_ref().unwrap());
1621     s
1622 }
1623
1624 fn shorter<'a>(s: Option<&'a str>) -> String {
1625     match s {
1626         Some(s) => s.lines().take_while(|line|{
1627             (*line).chars().any(|chr|{
1628                 !chr.is_whitespace()
1629             })
1630         }).collect::<Vec<_>>().join("\n"),
1631         None => "".to_string()
1632     }
1633 }
1634
1635 #[inline]
1636 fn plain_summary_line(s: Option<&str>) -> String {
1637     let line = shorter(s).replace("\n", " ");
1638     markdown::plain_summary_line(&line[..])
1639 }
1640
1641 fn document(w: &mut fmt::Formatter, cx: &Context, item: &clean::Item) -> fmt::Result {
1642     document_stability(w, cx, item)?;
1643     let prefix = render_assoc_const_value(item);
1644     document_full(w, item, cx.render_type, &prefix)?;
1645     Ok(())
1646 }
1647
1648 fn document_short(w: &mut fmt::Formatter, item: &clean::Item, link: AssocItemLink,
1649                   render_type: RenderType, prefix: &str) -> fmt::Result {
1650     if let Some(s) = item.doc_value() {
1651         let markdown = if s.contains('\n') {
1652             format!("{} [Read more]({})",
1653                     &plain_summary_line(Some(s)), naive_assoc_href(item, link))
1654         } else {
1655             format!("{}", &plain_summary_line(Some(s)))
1656         };
1657         write!(w, "<div class='docblock'>{}{}</div>", prefix, Markdown(&markdown, render_type))?;
1658     } else if !prefix.is_empty() {
1659         write!(w, "<div class='docblock'>{}</div>", prefix)?;
1660     }
1661     Ok(())
1662 }
1663
1664 fn render_assoc_const_value(item: &clean::Item) -> String {
1665     match item.inner {
1666         clean::AssociatedConstItem(ref ty, Some(ref default)) => {
1667             highlight::render_with_highlighting(
1668                 &format!("{}: {:#} = {}", item.name.as_ref().unwrap(), ty, default),
1669                 None,
1670                 None,
1671                 None,
1672             )
1673         }
1674         _ => String::new(),
1675     }
1676 }
1677
1678 fn document_full(w: &mut fmt::Formatter, item: &clean::Item,
1679                  render_type: RenderType, prefix: &str) -> fmt::Result {
1680     if let Some(s) = item.doc_value() {
1681         write!(w, "<div class='docblock'>{}{}</div>", prefix, Markdown(s, render_type))?;
1682     } else if !prefix.is_empty() {
1683         write!(w, "<div class='docblock'>{}</div>", prefix)?;
1684     }
1685     Ok(())
1686 }
1687
1688 fn document_stability(w: &mut fmt::Formatter, cx: &Context, item: &clean::Item) -> fmt::Result {
1689     let stabilities = short_stability(item, cx, true);
1690     if !stabilities.is_empty() {
1691         write!(w, "<div class='stability'>")?;
1692         for stability in stabilities {
1693             write!(w, "{}", stability)?;
1694         }
1695         write!(w, "</div>")?;
1696     }
1697     Ok(())
1698 }
1699
1700 fn name_key(name: &str) -> (&str, u64, usize) {
1701     // find number at end
1702     let split = name.bytes().rposition(|b| b < b'0' || b'9' < b).map_or(0, |s| s + 1);
1703
1704     // count leading zeroes
1705     let after_zeroes =
1706         name[split..].bytes().position(|b| b != b'0').map_or(name.len(), |extra| split + extra);
1707
1708     // sort leading zeroes last
1709     let num_zeroes = after_zeroes - split;
1710
1711     match name[split..].parse() {
1712         Ok(n) => (&name[..split], n, num_zeroes),
1713         Err(_) => (name, 0, num_zeroes),
1714     }
1715 }
1716
1717 fn item_module(w: &mut fmt::Formatter, cx: &Context,
1718                item: &clean::Item, items: &[clean::Item]) -> fmt::Result {
1719     document(w, cx, item)?;
1720
1721     let mut indices = (0..items.len()).filter(|i| {
1722         if let clean::DefaultImplItem(..) = items[*i].inner {
1723             return false;
1724         }
1725         !items[*i].is_stripped()
1726     }).collect::<Vec<usize>>();
1727
1728     // the order of item types in the listing
1729     fn reorder(ty: ItemType) -> u8 {
1730         match ty {
1731             ItemType::ExternCrate     => 0,
1732             ItemType::Import          => 1,
1733             ItemType::Primitive       => 2,
1734             ItemType::Module          => 3,
1735             ItemType::Macro           => 4,
1736             ItemType::Struct          => 5,
1737             ItemType::Enum            => 6,
1738             ItemType::Constant        => 7,
1739             ItemType::Static          => 8,
1740             ItemType::Trait           => 9,
1741             ItemType::Function        => 10,
1742             ItemType::Typedef         => 12,
1743             ItemType::Union           => 13,
1744             _                         => 14 + ty as u8,
1745         }
1746     }
1747
1748     fn cmp(i1: &clean::Item, i2: &clean::Item, idx1: usize, idx2: usize) -> Ordering {
1749         let ty1 = i1.type_();
1750         let ty2 = i2.type_();
1751         if ty1 != ty2 {
1752             return (reorder(ty1), idx1).cmp(&(reorder(ty2), idx2))
1753         }
1754         let s1 = i1.stability.as_ref().map(|s| s.level);
1755         let s2 = i2.stability.as_ref().map(|s| s.level);
1756         match (s1, s2) {
1757             (Some(stability::Unstable), Some(stability::Stable)) => return Ordering::Greater,
1758             (Some(stability::Stable), Some(stability::Unstable)) => return Ordering::Less,
1759             _ => {}
1760         }
1761         let lhs = i1.name.as_ref().map_or("", |s| &**s);
1762         let rhs = i2.name.as_ref().map_or("", |s| &**s);
1763         name_key(lhs).cmp(&name_key(rhs))
1764     }
1765
1766     indices.sort_by(|&i1, &i2| cmp(&items[i1], &items[i2], i1, i2));
1767
1768     debug!("{:?}", indices);
1769     let mut curty = None;
1770     for &idx in &indices {
1771         let myitem = &items[idx];
1772         if myitem.is_stripped() {
1773             continue;
1774         }
1775
1776         let myty = Some(myitem.type_());
1777         if curty == Some(ItemType::ExternCrate) && myty == Some(ItemType::Import) {
1778             // Put `extern crate` and `use` re-exports in the same section.
1779             curty = myty;
1780         } else if myty != curty {
1781             if curty.is_some() {
1782                 write!(w, "</table>")?;
1783             }
1784             curty = myty;
1785             let (short, name) = match myty.unwrap() {
1786                 ItemType::ExternCrate |
1787                 ItemType::Import          => ("reexports", "Reexports"),
1788                 ItemType::Module          => ("modules", "Modules"),
1789                 ItemType::Struct          => ("structs", "Structs"),
1790                 ItemType::Union           => ("unions", "Unions"),
1791                 ItemType::Enum            => ("enums", "Enums"),
1792                 ItemType::Function        => ("functions", "Functions"),
1793                 ItemType::Typedef         => ("types", "Type Definitions"),
1794                 ItemType::Static          => ("statics", "Statics"),
1795                 ItemType::Constant        => ("constants", "Constants"),
1796                 ItemType::Trait           => ("traits", "Traits"),
1797                 ItemType::Impl            => ("impls", "Implementations"),
1798                 ItemType::TyMethod        => ("tymethods", "Type Methods"),
1799                 ItemType::Method          => ("methods", "Methods"),
1800                 ItemType::StructField     => ("fields", "Struct Fields"),
1801                 ItemType::Variant         => ("variants", "Variants"),
1802                 ItemType::Macro           => ("macros", "Macros"),
1803                 ItemType::Primitive       => ("primitives", "Primitive Types"),
1804                 ItemType::AssociatedType  => ("associated-types", "Associated Types"),
1805                 ItemType::AssociatedConst => ("associated-consts", "Associated Constants"),
1806             };
1807             write!(w, "<h2 id='{id}' class='section-header'>\
1808                        <a href=\"#{id}\">{name}</a></h2>\n<table>",
1809                    id = derive_id(short.to_owned()), name = name)?;
1810         }
1811
1812         match myitem.inner {
1813             clean::ExternCrateItem(ref name, ref src) => {
1814                 use html::format::HRef;
1815
1816                 match *src {
1817                     Some(ref src) => {
1818                         write!(w, "<tr><td><code>{}extern crate {} as {};",
1819                                VisSpace(&myitem.visibility),
1820                                HRef::new(myitem.def_id, src),
1821                                name)?
1822                     }
1823                     None => {
1824                         write!(w, "<tr><td><code>{}extern crate {};",
1825                                VisSpace(&myitem.visibility),
1826                                HRef::new(myitem.def_id, name))?
1827                     }
1828                 }
1829                 write!(w, "</code></td></tr>")?;
1830             }
1831
1832             clean::ImportItem(ref import) => {
1833                 write!(w, "<tr><td><code>{}{}</code></td></tr>",
1834                        VisSpace(&myitem.visibility), *import)?;
1835             }
1836
1837             _ => {
1838                 if myitem.name.is_none() { continue }
1839
1840                 let stabilities = short_stability(myitem, cx, false);
1841
1842                 let stab_docs = if !stabilities.is_empty() {
1843                     stabilities.iter()
1844                                .map(|s| format!("[{}]", s))
1845                                .collect::<Vec<_>>()
1846                                .as_slice()
1847                                .join(" ")
1848                 } else {
1849                     String::new()
1850                 };
1851
1852                 let unsafety_flag = match myitem.inner {
1853                     clean::FunctionItem(ref func) | clean::ForeignFunctionItem(ref func)
1854                     if func.unsafety == hir::Unsafety::Unsafe => {
1855                         "<a title='unsafe function' href='#'><sup>âš </sup></a>"
1856                     }
1857                     _ => "",
1858                 };
1859
1860                 let doc_value = myitem.doc_value().unwrap_or("");
1861                 write!(w, "
1862                        <tr class='{stab} module-item'>
1863                            <td><a class=\"{class}\" href=\"{href}\"
1864                                   title='{title_type} {title}'>{name}</a>{unsafety_flag}</td>
1865                            <td class='docblock-short'>
1866                                {stab_docs} {docs}
1867                            </td>
1868                        </tr>",
1869                        name = *myitem.name.as_ref().unwrap(),
1870                        stab_docs = stab_docs,
1871                        docs = if cx.render_type == RenderType::Hoedown {
1872                            format!("{}",
1873                                    shorter(Some(&Markdown(doc_value,
1874                                                           RenderType::Hoedown).to_string())))
1875                        } else {
1876                            format!("{}", MarkdownSummaryLine(doc_value))
1877                        },
1878                        class = myitem.type_(),
1879                        stab = myitem.stability_class().unwrap_or("".to_string()),
1880                        unsafety_flag = unsafety_flag,
1881                        href = item_path(myitem.type_(), myitem.name.as_ref().unwrap()),
1882                        title_type = myitem.type_(),
1883                        title = full_path(cx, myitem))?;
1884             }
1885         }
1886     }
1887
1888     if curty.is_some() {
1889         write!(w, "</table>")?;
1890     }
1891     Ok(())
1892 }
1893
1894 fn short_stability(item: &clean::Item, cx: &Context, show_reason: bool) -> Vec<String> {
1895     let mut stability = vec![];
1896
1897     if let Some(stab) = item.stability.as_ref() {
1898         let deprecated_reason = if show_reason && !stab.deprecated_reason.is_empty() {
1899             format!(": {}", stab.deprecated_reason)
1900         } else {
1901             String::new()
1902         };
1903         if !stab.deprecated_since.is_empty() {
1904             let since = if show_reason {
1905                 format!(" since {}", Escape(&stab.deprecated_since))
1906             } else {
1907                 String::new()
1908             };
1909             let text = format!("Deprecated{}{}",
1910                                since,
1911                                MarkdownHtml(&deprecated_reason, cx.render_type));
1912             stability.push(format!("<div class='stab deprecated'>{}</div>", text))
1913         };
1914
1915         if stab.level == stability::Unstable {
1916             if show_reason {
1917                 let unstable_extra = match (!stab.feature.is_empty(),
1918                                             &cx.shared.issue_tracker_base_url,
1919                                             stab.issue) {
1920                     (true, &Some(ref tracker_url), Some(issue_no)) if issue_no > 0 =>
1921                         format!(" (<code>{} </code><a href=\"{}{}\">#{}</a>)",
1922                                 Escape(&stab.feature), tracker_url, issue_no, issue_no),
1923                     (false, &Some(ref tracker_url), Some(issue_no)) if issue_no > 0 =>
1924                         format!(" (<a href=\"{}{}\">#{}</a>)", Escape(&tracker_url), issue_no,
1925                                 issue_no),
1926                     (true, ..) =>
1927                         format!(" (<code>{}</code>)", Escape(&stab.feature)),
1928                     _ => String::new(),
1929                 };
1930                 if stab.unstable_reason.is_empty() {
1931                     stability.push(format!("<div class='stab unstable'>\
1932                                             <span class=microscope>🔬</span> \
1933                                             This is a nightly-only experimental API. {}\
1934                                             </div>",
1935                                            unstable_extra));
1936                 } else {
1937                     let text = format!("<summary><span class=microscope>🔬</span> \
1938                                         This is a nightly-only experimental API. {}\
1939                                         </summary>{}",
1940                                        unstable_extra,
1941                                        MarkdownHtml(&stab.unstable_reason, cx.render_type));
1942                     stability.push(format!("<div class='stab unstable'><details>{}</details></div>",
1943                                    text));
1944                 }
1945             } else {
1946                 stability.push(format!("<div class='stab unstable'>Experimental</div>"))
1947             }
1948         };
1949     } else if let Some(depr) = item.deprecation.as_ref() {
1950         let note = if show_reason && !depr.note.is_empty() {
1951             format!(": {}", depr.note)
1952         } else {
1953             String::new()
1954         };
1955         let since = if show_reason && !depr.since.is_empty() {
1956             format!(" since {}", Escape(&depr.since))
1957         } else {
1958             String::new()
1959         };
1960
1961         let text = format!("Deprecated{}{}", since, MarkdownHtml(&note, cx.render_type));
1962         stability.push(format!("<div class='stab deprecated'>{}</div>", text))
1963     }
1964
1965     if let Some(ref cfg) = item.attrs.cfg {
1966         stability.push(format!("<div class='stab portability'>{}</div>", if show_reason {
1967             cfg.render_long_html()
1968         } else {
1969             cfg.render_short_html()
1970         }));
1971     }
1972
1973     stability
1974 }
1975
1976 struct Initializer<'a>(&'a str);
1977
1978 impl<'a> fmt::Display for Initializer<'a> {
1979     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1980         let Initializer(s) = *self;
1981         if s.is_empty() { return Ok(()); }
1982         write!(f, "<code> = </code>")?;
1983         write!(f, "<code>{}</code>", Escape(s))
1984     }
1985 }
1986
1987 fn item_constant(w: &mut fmt::Formatter, cx: &Context, it: &clean::Item,
1988                  c: &clean::Constant) -> fmt::Result {
1989     write!(w, "<pre class='rust const'>")?;
1990     render_attributes(w, it)?;
1991     write!(w, "{vis}const \
1992                {name}: {typ}{init}</pre>",
1993            vis = VisSpace(&it.visibility),
1994            name = it.name.as_ref().unwrap(),
1995            typ = c.type_,
1996            init = Initializer(&c.expr))?;
1997     document(w, cx, it)
1998 }
1999
2000 fn item_static(w: &mut fmt::Formatter, cx: &Context, it: &clean::Item,
2001                s: &clean::Static) -> fmt::Result {
2002     write!(w, "<pre class='rust static'>")?;
2003     render_attributes(w, it)?;
2004     write!(w, "{vis}static {mutability}\
2005                {name}: {typ}{init}</pre>",
2006            vis = VisSpace(&it.visibility),
2007            mutability = MutableSpace(s.mutability),
2008            name = it.name.as_ref().unwrap(),
2009            typ = s.type_,
2010            init = Initializer(&s.expr))?;
2011     document(w, cx, it)
2012 }
2013
2014 fn item_function(w: &mut fmt::Formatter, cx: &Context, it: &clean::Item,
2015                  f: &clean::Function) -> fmt::Result {
2016     // FIXME(#24111): remove when `const_fn` is stabilized
2017     let vis_constness = match UnstableFeatures::from_environment() {
2018         UnstableFeatures::Allow => f.constness,
2019         _ => hir::Constness::NotConst
2020     };
2021     let name_len = format!("{}{}{}{:#}fn {}{:#}",
2022                            VisSpace(&it.visibility),
2023                            ConstnessSpace(vis_constness),
2024                            UnsafetySpace(f.unsafety),
2025                            AbiSpace(f.abi),
2026                            it.name.as_ref().unwrap(),
2027                            f.generics).len();
2028     write!(w, "<pre class='rust fn'>")?;
2029     render_attributes(w, it)?;
2030     write!(w, "{vis}{constness}{unsafety}{abi}fn \
2031                {name}{generics}{decl}{where_clause}</pre>",
2032            vis = VisSpace(&it.visibility),
2033            constness = ConstnessSpace(vis_constness),
2034            unsafety = UnsafetySpace(f.unsafety),
2035            abi = AbiSpace(f.abi),
2036            name = it.name.as_ref().unwrap(),
2037            generics = f.generics,
2038            where_clause = WhereClause { gens: &f.generics, indent: 0, end_newline: true },
2039            decl = Method {
2040                decl: &f.decl,
2041                name_len: name_len,
2042                indent: 0,
2043            })?;
2044     document(w, cx, it)
2045 }
2046
2047 fn item_trait(w: &mut fmt::Formatter, cx: &Context, it: &clean::Item,
2048               t: &clean::Trait) -> fmt::Result {
2049     let mut bounds = String::new();
2050     let mut bounds_plain = String::new();
2051     if !t.bounds.is_empty() {
2052         if !bounds.is_empty() {
2053             bounds.push(' ');
2054             bounds_plain.push(' ');
2055         }
2056         bounds.push_str(": ");
2057         bounds_plain.push_str(": ");
2058         for (i, p) in t.bounds.iter().enumerate() {
2059             if i > 0 {
2060                 bounds.push_str(" + ");
2061                 bounds_plain.push_str(" + ");
2062             }
2063             bounds.push_str(&format!("{}", *p));
2064             bounds_plain.push_str(&format!("{:#}", *p));
2065         }
2066     }
2067
2068     // Output the trait definition
2069     write!(w, "<pre class='rust trait'>")?;
2070     render_attributes(w, it)?;
2071     write!(w, "{}{}trait {}{}{}",
2072            VisSpace(&it.visibility),
2073            UnsafetySpace(t.unsafety),
2074            it.name.as_ref().unwrap(),
2075            t.generics,
2076            bounds)?;
2077
2078     if !t.generics.where_predicates.is_empty() {
2079         write!(w, "{}", WhereClause { gens: &t.generics, indent: 0, end_newline: true })?;
2080     } else {
2081         write!(w, " ")?;
2082     }
2083
2084     let types = t.items.iter().filter(|m| m.is_associated_type()).collect::<Vec<_>>();
2085     let consts = t.items.iter().filter(|m| m.is_associated_const()).collect::<Vec<_>>();
2086     let required = t.items.iter().filter(|m| m.is_ty_method()).collect::<Vec<_>>();
2087     let provided = t.items.iter().filter(|m| m.is_method()).collect::<Vec<_>>();
2088
2089     if t.items.is_empty() {
2090         write!(w, "{{ }}")?;
2091     } else {
2092         // FIXME: we should be using a derived_id for the Anchors here
2093         write!(w, "{{\n")?;
2094         for t in &types {
2095             write!(w, "    ")?;
2096             render_assoc_item(w, t, AssocItemLink::Anchor(None), ItemType::Trait)?;
2097             write!(w, ";\n")?;
2098         }
2099         if !types.is_empty() && !consts.is_empty() {
2100             w.write_str("\n")?;
2101         }
2102         for t in &consts {
2103             write!(w, "    ")?;
2104             render_assoc_item(w, t, AssocItemLink::Anchor(None), ItemType::Trait)?;
2105             write!(w, ";\n")?;
2106         }
2107         if !consts.is_empty() && !required.is_empty() {
2108             w.write_str("\n")?;
2109         }
2110         for (pos, m) in required.iter().enumerate() {
2111             write!(w, "    ")?;
2112             render_assoc_item(w, m, AssocItemLink::Anchor(None), ItemType::Trait)?;
2113             write!(w, ";\n")?;
2114
2115             if pos < required.len() - 1 {
2116                write!(w, "<div class='item-spacer'></div>")?;
2117             }
2118         }
2119         if !required.is_empty() && !provided.is_empty() {
2120             w.write_str("\n")?;
2121         }
2122         for (pos, m) in provided.iter().enumerate() {
2123             write!(w, "    ")?;
2124             render_assoc_item(w, m, AssocItemLink::Anchor(None), ItemType::Trait)?;
2125             match m.inner {
2126                 clean::MethodItem(ref inner) if !inner.generics.where_predicates.is_empty() => {
2127                     write!(w, ",\n    {{ ... }}\n")?;
2128                 },
2129                 _ => {
2130                     write!(w, " {{ ... }}\n")?;
2131                 },
2132             }
2133             if pos < provided.len() - 1 {
2134                write!(w, "<div class='item-spacer'></div>")?;
2135             }
2136         }
2137         write!(w, "}}")?;
2138     }
2139     write!(w, "</pre>")?;
2140
2141     // Trait documentation
2142     document(w, cx, it)?;
2143
2144     fn trait_item(w: &mut fmt::Formatter, cx: &Context, m: &clean::Item, t: &clean::Item)
2145                   -> fmt::Result {
2146         let name = m.name.as_ref().unwrap();
2147         let item_type = m.type_();
2148         let id = derive_id(format!("{}.{}", item_type, name));
2149         let ns_id = derive_id(format!("{}.{}", name, item_type.name_space()));
2150         write!(w, "<h3 id='{id}' class='method'>\
2151                    <span id='{ns_id}' class='invisible'><code>",
2152                id = id,
2153                ns_id = ns_id)?;
2154         render_assoc_item(w, m, AssocItemLink::Anchor(Some(&id)), ItemType::Impl)?;
2155         write!(w, "</code>")?;
2156         render_stability_since(w, m, t)?;
2157         write!(w, "</span></h3>")?;
2158         document(w, cx, m)?;
2159         Ok(())
2160     }
2161
2162     if !types.is_empty() {
2163         write!(w, "
2164             <h2 id='associated-types' class='small-section-header'>
2165               Associated Types<a href='#associated-types' class='anchor'></a>
2166             </h2>
2167             <div class='methods'>
2168         ")?;
2169         for t in &types {
2170             trait_item(w, cx, *t, it)?;
2171         }
2172         write!(w, "</div>")?;
2173     }
2174
2175     if !consts.is_empty() {
2176         write!(w, "
2177             <h2 id='associated-const' class='small-section-header'>
2178               Associated Constants<a href='#associated-const' class='anchor'></a>
2179             </h2>
2180             <div class='methods'>
2181         ")?;
2182         for t in &consts {
2183             trait_item(w, cx, *t, it)?;
2184         }
2185         write!(w, "</div>")?;
2186     }
2187
2188     // Output the documentation for each function individually
2189     if !required.is_empty() {
2190         write!(w, "
2191             <h2 id='required-methods' class='small-section-header'>
2192               Required Methods<a href='#required-methods' class='anchor'></a>
2193             </h2>
2194             <div class='methods'>
2195         ")?;
2196         for m in &required {
2197             trait_item(w, cx, *m, it)?;
2198         }
2199         write!(w, "</div>")?;
2200     }
2201     if !provided.is_empty() {
2202         write!(w, "
2203             <h2 id='provided-methods' class='small-section-header'>
2204               Provided Methods<a href='#provided-methods' class='anchor'></a>
2205             </h2>
2206             <div class='methods'>
2207         ")?;
2208         for m in &provided {
2209             trait_item(w, cx, *m, it)?;
2210         }
2211         write!(w, "</div>")?;
2212     }
2213
2214     // If there are methods directly on this trait object, render them here.
2215     render_assoc_items(w, cx, it, it.def_id, AssocItemRender::All)?;
2216
2217     let cache = cache();
2218     write!(w, "
2219         <h2 id='implementors' class='small-section-header'>
2220           Implementors<a href='#implementors' class='anchor'></a>
2221         </h2>
2222         <ul class='item-list' id='implementors-list'>
2223     ")?;
2224     if let Some(implementors) = cache.implementors.get(&it.def_id) {
2225         // The DefId is for the first Type found with that name. The bool is
2226         // if any Types with the same name but different DefId have been found.
2227         let mut implementor_dups: FxHashMap<&str, (DefId, bool)> = FxHashMap();
2228         for implementor in implementors {
2229             match implementor.impl_.for_ {
2230                 clean::ResolvedPath { ref path, did, is_generic: false, .. } |
2231                 clean::BorrowedRef {
2232                     type_: box clean::ResolvedPath { ref path, did, is_generic: false, .. },
2233                     ..
2234                 } => {
2235                     let &mut (prev_did, ref mut has_duplicates) =
2236                         implementor_dups.entry(path.last_name()).or_insert((did, false));
2237                     if prev_did != did {
2238                         *has_duplicates = true;
2239                     }
2240                 }
2241                 _ => {}
2242             }
2243         }
2244
2245         for implementor in implementors {
2246             write!(w, "<li><code>")?;
2247             // If there's already another implementor that has the same abbridged name, use the
2248             // full path, for example in `std::iter::ExactSizeIterator`
2249             let use_absolute = match implementor.impl_.for_ {
2250                 clean::ResolvedPath { ref path, is_generic: false, .. } |
2251                 clean::BorrowedRef {
2252                     type_: box clean::ResolvedPath { ref path, is_generic: false, .. },
2253                     ..
2254                 } => implementor_dups[path.last_name()].1,
2255                 _ => false,
2256             };
2257             fmt_impl_for_trait_page(&implementor.impl_, w, use_absolute)?;
2258             for it in &implementor.impl_.items {
2259                 if let clean::TypedefItem(ref tydef, _) = it.inner {
2260                     write!(w, "<span class=\"where fmt-newline\">  ")?;
2261                     assoc_type(w, it, &vec![], Some(&tydef.type_), AssocItemLink::Anchor(None))?;
2262                     write!(w, ";</span>")?;
2263                 }
2264             }
2265             writeln!(w, "</code></li>")?;
2266         }
2267     }
2268     write!(w, "</ul>")?;
2269     write!(w, r#"<script type="text/javascript" async
2270                          src="{root_path}/implementors/{path}/{ty}.{name}.js">
2271                  </script>"#,
2272            root_path = vec![".."; cx.current.len()].join("/"),
2273            path = if it.def_id.is_local() {
2274                cx.current.join("/")
2275            } else {
2276                let (ref path, _) = cache.external_paths[&it.def_id];
2277                path[..path.len() - 1].join("/")
2278            },
2279            ty = it.type_().css_class(),
2280            name = *it.name.as_ref().unwrap())?;
2281     Ok(())
2282 }
2283
2284 fn naive_assoc_href(it: &clean::Item, link: AssocItemLink) -> String {
2285     use html::item_type::ItemType::*;
2286
2287     let name = it.name.as_ref().unwrap();
2288     let ty = match it.type_() {
2289         Typedef | AssociatedType => AssociatedType,
2290         s@_ => s,
2291     };
2292
2293     let anchor = format!("#{}.{}", ty, name);
2294     match link {
2295         AssocItemLink::Anchor(Some(ref id)) => format!("#{}", id),
2296         AssocItemLink::Anchor(None) => anchor,
2297         AssocItemLink::GotoSource(did, _) => {
2298             href(did).map(|p| format!("{}{}", p.0, anchor)).unwrap_or(anchor)
2299         }
2300     }
2301 }
2302
2303 fn assoc_const(w: &mut fmt::Formatter,
2304                it: &clean::Item,
2305                ty: &clean::Type,
2306                _default: Option<&String>,
2307                link: AssocItemLink) -> fmt::Result {
2308     write!(w, "const <a href='{}' class=\"constant\"><b>{}</b></a>: {}",
2309            naive_assoc_href(it, link),
2310            it.name.as_ref().unwrap(),
2311            ty)?;
2312     Ok(())
2313 }
2314
2315 fn assoc_type(w: &mut fmt::Formatter, it: &clean::Item,
2316               bounds: &Vec<clean::TyParamBound>,
2317               default: Option<&clean::Type>,
2318               link: AssocItemLink) -> fmt::Result {
2319     write!(w, "type <a href='{}' class=\"type\">{}</a>",
2320            naive_assoc_href(it, link),
2321            it.name.as_ref().unwrap())?;
2322     if !bounds.is_empty() {
2323         write!(w, ": {}", TyParamBounds(bounds))?
2324     }
2325     if let Some(default) = default {
2326         write!(w, " = {}", default)?;
2327     }
2328     Ok(())
2329 }
2330
2331 fn render_stability_since_raw<'a>(w: &mut fmt::Formatter,
2332                                   ver: Option<&'a str>,
2333                                   containing_ver: Option<&'a str>) -> fmt::Result {
2334     if let Some(v) = ver {
2335         if containing_ver != ver && v.len() > 0 {
2336             write!(w, "<div class='since' title='Stable since Rust version {0}'>{0}</div>",
2337                    v)?
2338         }
2339     }
2340     Ok(())
2341 }
2342
2343 fn render_stability_since(w: &mut fmt::Formatter,
2344                           item: &clean::Item,
2345                           containing_item: &clean::Item) -> fmt::Result {
2346     render_stability_since_raw(w, item.stable_since(), containing_item.stable_since())
2347 }
2348
2349 fn render_assoc_item(w: &mut fmt::Formatter,
2350                      item: &clean::Item,
2351                      link: AssocItemLink,
2352                      parent: ItemType) -> fmt::Result {
2353     fn method(w: &mut fmt::Formatter,
2354               meth: &clean::Item,
2355               unsafety: hir::Unsafety,
2356               constness: hir::Constness,
2357               abi: abi::Abi,
2358               g: &clean::Generics,
2359               d: &clean::FnDecl,
2360               link: AssocItemLink,
2361               parent: ItemType)
2362               -> fmt::Result {
2363         let name = meth.name.as_ref().unwrap();
2364         let anchor = format!("#{}.{}", meth.type_(), name);
2365         let href = match link {
2366             AssocItemLink::Anchor(Some(ref id)) => format!("#{}", id),
2367             AssocItemLink::Anchor(None) => anchor,
2368             AssocItemLink::GotoSource(did, provided_methods) => {
2369                 // We're creating a link from an impl-item to the corresponding
2370                 // trait-item and need to map the anchored type accordingly.
2371                 let ty = if provided_methods.contains(name) {
2372                     ItemType::Method
2373                 } else {
2374                     ItemType::TyMethod
2375                 };
2376
2377                 href(did).map(|p| format!("{}#{}.{}", p.0, ty, name)).unwrap_or(anchor)
2378             }
2379         };
2380         // FIXME(#24111): remove when `const_fn` is stabilized
2381         let vis_constness = if is_nightly_build() {
2382             constness
2383         } else {
2384             hir::Constness::NotConst
2385         };
2386         let mut head_len = format!("{}{}{:#}fn {}{:#}",
2387                                    ConstnessSpace(vis_constness),
2388                                    UnsafetySpace(unsafety),
2389                                    AbiSpace(abi),
2390                                    name,
2391                                    *g).len();
2392         let (indent, end_newline) = if parent == ItemType::Trait {
2393             head_len += 4;
2394             (4, false)
2395         } else {
2396             (0, true)
2397         };
2398         write!(w, "{}{}{}fn <a href='{href}' class='fnname'>{name}</a>\
2399                    {generics}{decl}{where_clause}",
2400                ConstnessSpace(vis_constness),
2401                UnsafetySpace(unsafety),
2402                AbiSpace(abi),
2403                href = href,
2404                name = name,
2405                generics = *g,
2406                decl = Method {
2407                    decl: d,
2408                    name_len: head_len,
2409                    indent: indent,
2410                },
2411                where_clause = WhereClause {
2412                    gens: g,
2413                    indent: indent,
2414                    end_newline: end_newline,
2415                })
2416     }
2417     match item.inner {
2418         clean::StrippedItem(..) => Ok(()),
2419         clean::TyMethodItem(ref m) => {
2420             method(w, item, m.unsafety, hir::Constness::NotConst,
2421                    m.abi, &m.generics, &m.decl, link, parent)
2422         }
2423         clean::MethodItem(ref m) => {
2424             method(w, item, m.unsafety, m.constness,
2425                    m.abi, &m.generics, &m.decl, link, parent)
2426         }
2427         clean::AssociatedConstItem(ref ty, ref default) => {
2428             assoc_const(w, item, ty, default.as_ref(), link)
2429         }
2430         clean::AssociatedTypeItem(ref bounds, ref default) => {
2431             assoc_type(w, item, bounds, default.as_ref(), link)
2432         }
2433         _ => panic!("render_assoc_item called on non-associated-item")
2434     }
2435 }
2436
2437 fn item_struct(w: &mut fmt::Formatter, cx: &Context, it: &clean::Item,
2438                s: &clean::Struct) -> fmt::Result {
2439     write!(w, "<pre class='rust struct'>")?;
2440     render_attributes(w, it)?;
2441     render_struct(w,
2442                   it,
2443                   Some(&s.generics),
2444                   s.struct_type,
2445                   &s.fields,
2446                   "",
2447                   true)?;
2448     write!(w, "</pre>")?;
2449
2450     document(w, cx, it)?;
2451     let mut fields = s.fields.iter().filter_map(|f| {
2452         match f.inner {
2453             clean::StructFieldItem(ref ty) => Some((f, ty)),
2454             _ => None,
2455         }
2456     }).peekable();
2457     if let doctree::Plain = s.struct_type {
2458         if fields.peek().is_some() {
2459             write!(w, "<h2 id='fields' class='fields small-section-header'>
2460                        Fields<a href='#fields' class='anchor'></a></h2>")?;
2461             for (field, ty) in fields {
2462                 let id = derive_id(format!("{}.{}",
2463                                            ItemType::StructField,
2464                                            field.name.as_ref().unwrap()));
2465                 let ns_id = derive_id(format!("{}.{}",
2466                                               field.name.as_ref().unwrap(),
2467                                               ItemType::StructField.name_space()));
2468                 write!(w, "<span id='{id}' class=\"{item_type}\">
2469                            <span id='{ns_id}' class='invisible'>
2470                            <code>{name}: {ty}</code>
2471                            </span></span>",
2472                        item_type = ItemType::StructField,
2473                        id = id,
2474                        ns_id = ns_id,
2475                        name = field.name.as_ref().unwrap(),
2476                        ty = ty)?;
2477                 if let Some(stability_class) = field.stability_class() {
2478                     write!(w, "<span class='stab {stab}'></span>",
2479                         stab = stability_class)?;
2480                 }
2481                 document(w, cx, field)?;
2482             }
2483         }
2484     }
2485     render_assoc_items(w, cx, it, it.def_id, AssocItemRender::All)
2486 }
2487
2488 fn item_union(w: &mut fmt::Formatter, cx: &Context, it: &clean::Item,
2489                s: &clean::Union) -> fmt::Result {
2490     write!(w, "<pre class='rust union'>")?;
2491     render_attributes(w, it)?;
2492     render_union(w,
2493                  it,
2494                  Some(&s.generics),
2495                  &s.fields,
2496                  "",
2497                  true)?;
2498     write!(w, "</pre>")?;
2499
2500     document(w, cx, it)?;
2501     let mut fields = s.fields.iter().filter_map(|f| {
2502         match f.inner {
2503             clean::StructFieldItem(ref ty) => Some((f, ty)),
2504             _ => None,
2505         }
2506     }).peekable();
2507     if fields.peek().is_some() {
2508         write!(w, "<h2 id='fields' class='fields small-section-header'>
2509                    Fields<a href='#fields' class='anchor'></a></h2>")?;
2510         for (field, ty) in fields {
2511             write!(w, "<span id='{shortty}.{name}' class=\"{shortty}\"><code>{name}: {ty}</code>
2512                        </span>",
2513                    shortty = ItemType::StructField,
2514                    name = field.name.as_ref().unwrap(),
2515                    ty = ty)?;
2516             if let Some(stability_class) = field.stability_class() {
2517                 write!(w, "<span class='stab {stab}'></span>",
2518                     stab = stability_class)?;
2519             }
2520             document(w, cx, field)?;
2521         }
2522     }
2523     render_assoc_items(w, cx, it, it.def_id, AssocItemRender::All)
2524 }
2525
2526 fn item_enum(w: &mut fmt::Formatter, cx: &Context, it: &clean::Item,
2527              e: &clean::Enum) -> fmt::Result {
2528     write!(w, "<pre class='rust enum'>")?;
2529     render_attributes(w, it)?;
2530     write!(w, "{}enum {}{}{}",
2531            VisSpace(&it.visibility),
2532            it.name.as_ref().unwrap(),
2533            e.generics,
2534            WhereClause { gens: &e.generics, indent: 0, end_newline: true })?;
2535     if e.variants.is_empty() && !e.variants_stripped {
2536         write!(w, " {{}}")?;
2537     } else {
2538         write!(w, " {{\n")?;
2539         for v in &e.variants {
2540             write!(w, "    ")?;
2541             let name = v.name.as_ref().unwrap();
2542             match v.inner {
2543                 clean::VariantItem(ref var) => {
2544                     match var.kind {
2545                         clean::VariantKind::CLike => write!(w, "{}", name)?,
2546                         clean::VariantKind::Tuple(ref tys) => {
2547                             write!(w, "{}(", name)?;
2548                             for (i, ty) in tys.iter().enumerate() {
2549                                 if i > 0 {
2550                                     write!(w, ",&nbsp;")?
2551                                 }
2552                                 write!(w, "{}", *ty)?;
2553                             }
2554                             write!(w, ")")?;
2555                         }
2556                         clean::VariantKind::Struct(ref s) => {
2557                             render_struct(w,
2558                                           v,
2559                                           None,
2560                                           s.struct_type,
2561                                           &s.fields,
2562                                           "    ",
2563                                           false)?;
2564                         }
2565                     }
2566                 }
2567                 _ => unreachable!()
2568             }
2569             write!(w, ",\n")?;
2570         }
2571
2572         if e.variants_stripped {
2573             write!(w, "    // some variants omitted\n")?;
2574         }
2575         write!(w, "}}")?;
2576     }
2577     write!(w, "</pre>")?;
2578
2579     document(w, cx, it)?;
2580     if !e.variants.is_empty() {
2581         write!(w, "<h2 id='variants' class='variants small-section-header'>
2582                    Variants<a href='#variants' class='anchor'></a></h2>\n")?;
2583         for variant in &e.variants {
2584             let id = derive_id(format!("{}.{}",
2585                                        ItemType::Variant,
2586                                        variant.name.as_ref().unwrap()));
2587             let ns_id = derive_id(format!("{}.{}",
2588                                           variant.name.as_ref().unwrap(),
2589                                           ItemType::Variant.name_space()));
2590             write!(w, "<span id='{id}' class='variant'>\
2591                        <span id='{ns_id}' class='invisible'><code>{name}",
2592                    id = id,
2593                    ns_id = ns_id,
2594                    name = variant.name.as_ref().unwrap())?;
2595             if let clean::VariantItem(ref var) = variant.inner {
2596                 if let clean::VariantKind::Tuple(ref tys) = var.kind {
2597                     write!(w, "(")?;
2598                     for (i, ty) in tys.iter().enumerate() {
2599                         if i > 0 {
2600                             write!(w, ",&nbsp;")?;
2601                         }
2602                         write!(w, "{}", *ty)?;
2603                     }
2604                     write!(w, ")")?;
2605                 }
2606             }
2607             write!(w, "</code></span></span>")?;
2608             document(w, cx, variant)?;
2609
2610             use clean::{Variant, VariantKind};
2611             if let clean::VariantItem(Variant {
2612                 kind: VariantKind::Struct(ref s)
2613             }) = variant.inner {
2614                 let variant_id = derive_id(format!("{}.{}.fields",
2615                                                    ItemType::Variant,
2616                                                    variant.name.as_ref().unwrap()));
2617                 write!(w, "<span class='docblock autohide sub-variant' id='{id}'>",
2618                        id = variant_id)?;
2619                 write!(w, "<h3 class='fields'>Fields of <code>{name}</code></h3>\n
2620                            <table>", name = variant.name.as_ref().unwrap())?;
2621                 for field in &s.fields {
2622                     use clean::StructFieldItem;
2623                     if let StructFieldItem(ref ty) = field.inner {
2624                         let id = derive_id(format!("variant.{}.field.{}",
2625                                                    variant.name.as_ref().unwrap(),
2626                                                    field.name.as_ref().unwrap()));
2627                         let ns_id = derive_id(format!("{}.{}.{}.{}",
2628                                                       variant.name.as_ref().unwrap(),
2629                                                       ItemType::Variant.name_space(),
2630                                                       field.name.as_ref().unwrap(),
2631                                                       ItemType::StructField.name_space()));
2632                         write!(w, "<tr><td \
2633                                    id='{id}'>\
2634                                    <span id='{ns_id}' class='invisible'>\
2635                                    <code>{f}:&nbsp;{t}</code></span></td><td>",
2636                                id = id,
2637                                ns_id = ns_id,
2638                                f = field.name.as_ref().unwrap(),
2639                                t = *ty)?;
2640                         document(w, cx, field)?;
2641                         write!(w, "</td></tr>")?;
2642                     }
2643                 }
2644                 write!(w, "</table></span>")?;
2645             }
2646             render_stability_since(w, variant, it)?;
2647         }
2648     }
2649     render_assoc_items(w, cx, it, it.def_id, AssocItemRender::All)?;
2650     Ok(())
2651 }
2652
2653 fn render_attribute(attr: &ast::MetaItem) -> Option<String> {
2654     let name = attr.name();
2655
2656     if attr.is_word() {
2657         Some(format!("{}", name))
2658     } else if let Some(v) = attr.value_str() {
2659         Some(format!("{} = {:?}", name, v.as_str()))
2660     } else if let Some(values) = attr.meta_item_list() {
2661         let display: Vec<_> = values.iter().filter_map(|attr| {
2662             attr.meta_item().and_then(|mi| render_attribute(mi))
2663         }).collect();
2664
2665         if display.len() > 0 {
2666             Some(format!("{}({})", name, display.join(", ")))
2667         } else {
2668             None
2669         }
2670     } else {
2671         None
2672     }
2673 }
2674
2675 const ATTRIBUTE_WHITELIST: &'static [&'static str] = &[
2676     "export_name",
2677     "lang",
2678     "link_section",
2679     "must_use",
2680     "no_mangle",
2681     "repr",
2682     "unsafe_destructor_blind_to_params"
2683 ];
2684
2685 fn render_attributes(w: &mut fmt::Formatter, it: &clean::Item) -> fmt::Result {
2686     let mut attrs = String::new();
2687
2688     for attr in &it.attrs.other_attrs {
2689         let name = attr.name().unwrap();
2690         if !ATTRIBUTE_WHITELIST.contains(&&*name.as_str()) {
2691             continue;
2692         }
2693         if let Some(s) = render_attribute(&attr.meta().unwrap()) {
2694             attrs.push_str(&format!("#[{}]\n", s));
2695         }
2696     }
2697     if attrs.len() > 0 {
2698         write!(w, "<div class=\"docblock attributes\">{}</div>", &attrs)?;
2699     }
2700     Ok(())
2701 }
2702
2703 fn render_struct(w: &mut fmt::Formatter, it: &clean::Item,
2704                  g: Option<&clean::Generics>,
2705                  ty: doctree::StructType,
2706                  fields: &[clean::Item],
2707                  tab: &str,
2708                  structhead: bool) -> fmt::Result {
2709     write!(w, "{}{}{}",
2710            VisSpace(&it.visibility),
2711            if structhead {"struct "} else {""},
2712            it.name.as_ref().unwrap())?;
2713     if let Some(g) = g {
2714         write!(w, "{}", g)?
2715     }
2716     match ty {
2717         doctree::Plain => {
2718             if let Some(g) = g {
2719                 write!(w, "{}", WhereClause { gens: g, indent: 0, end_newline: true })?
2720             }
2721             let mut has_visible_fields = false;
2722             write!(w, " {{")?;
2723             for field in fields {
2724                 if let clean::StructFieldItem(ref ty) = field.inner {
2725                     write!(w, "\n{}    {}{}: {},",
2726                            tab,
2727                            VisSpace(&field.visibility),
2728                            field.name.as_ref().unwrap(),
2729                            *ty)?;
2730                     has_visible_fields = true;
2731                 }
2732             }
2733
2734             if has_visible_fields {
2735                 if it.has_stripped_fields().unwrap() {
2736                     write!(w, "\n{}    // some fields omitted", tab)?;
2737                 }
2738                 write!(w, "\n{}", tab)?;
2739             } else if it.has_stripped_fields().unwrap() {
2740                 // If there are no visible fields we can just display
2741                 // `{ /* fields omitted */ }` to save space.
2742                 write!(w, " /* fields omitted */ ")?;
2743             }
2744             write!(w, "}}")?;
2745         }
2746         doctree::Tuple => {
2747             write!(w, "(")?;
2748             for (i, field) in fields.iter().enumerate() {
2749                 if i > 0 {
2750                     write!(w, ", ")?;
2751                 }
2752                 match field.inner {
2753                     clean::StrippedItem(box clean::StructFieldItem(..)) => {
2754                         write!(w, "_")?
2755                     }
2756                     clean::StructFieldItem(ref ty) => {
2757                         write!(w, "{}{}", VisSpace(&field.visibility), *ty)?
2758                     }
2759                     _ => unreachable!()
2760                 }
2761             }
2762             write!(w, ")")?;
2763             if let Some(g) = g {
2764                 write!(w, "{}", WhereClause { gens: g, indent: 0, end_newline: false })?
2765             }
2766             write!(w, ";")?;
2767         }
2768         doctree::Unit => {
2769             // Needed for PhantomData.
2770             if let Some(g) = g {
2771                 write!(w, "{}", WhereClause { gens: g, indent: 0, end_newline: false })?
2772             }
2773             write!(w, ";")?;
2774         }
2775     }
2776     Ok(())
2777 }
2778
2779 fn render_union(w: &mut fmt::Formatter, it: &clean::Item,
2780                 g: Option<&clean::Generics>,
2781                 fields: &[clean::Item],
2782                 tab: &str,
2783                 structhead: bool) -> fmt::Result {
2784     write!(w, "{}{}{}",
2785            VisSpace(&it.visibility),
2786            if structhead {"union "} else {""},
2787            it.name.as_ref().unwrap())?;
2788     if let Some(g) = g {
2789         write!(w, "{}", g)?;
2790         write!(w, "{}", WhereClause { gens: g, indent: 0, end_newline: true })?;
2791     }
2792
2793     write!(w, " {{\n{}", tab)?;
2794     for field in fields {
2795         if let clean::StructFieldItem(ref ty) = field.inner {
2796             write!(w, "    {}{}: {},\n{}",
2797                    VisSpace(&field.visibility),
2798                    field.name.as_ref().unwrap(),
2799                    *ty,
2800                    tab)?;
2801         }
2802     }
2803
2804     if it.has_stripped_fields().unwrap() {
2805         write!(w, "    // some fields omitted\n{}", tab)?;
2806     }
2807     write!(w, "}}")?;
2808     Ok(())
2809 }
2810
2811 #[derive(Copy, Clone)]
2812 enum AssocItemLink<'a> {
2813     Anchor(Option<&'a str>),
2814     GotoSource(DefId, &'a FxHashSet<String>),
2815 }
2816
2817 impl<'a> AssocItemLink<'a> {
2818     fn anchor(&self, id: &'a String) -> Self {
2819         match *self {
2820             AssocItemLink::Anchor(_) => { AssocItemLink::Anchor(Some(&id)) },
2821             ref other => *other,
2822         }
2823     }
2824 }
2825
2826 enum AssocItemRender<'a> {
2827     All,
2828     DerefFor { trait_: &'a clean::Type, type_: &'a clean::Type, deref_mut_: bool }
2829 }
2830
2831 #[derive(Copy, Clone, PartialEq)]
2832 enum RenderMode {
2833     Normal,
2834     ForDeref { mut_: bool },
2835 }
2836
2837 fn render_assoc_items(w: &mut fmt::Formatter,
2838                       cx: &Context,
2839                       containing_item: &clean::Item,
2840                       it: DefId,
2841                       what: AssocItemRender) -> fmt::Result {
2842     let c = cache();
2843     let v = match c.impls.get(&it) {
2844         Some(v) => v,
2845         None => return Ok(()),
2846     };
2847     let (non_trait, traits): (Vec<_>, _) = v.iter().partition(|i| {
2848         i.inner_impl().trait_.is_none()
2849     });
2850     if !non_trait.is_empty() {
2851         let render_mode = match what {
2852             AssocItemRender::All => {
2853                 write!(w, "
2854                     <h2 id='methods' class='small-section-header'>
2855                       Methods<a href='#methods' class='anchor'></a>
2856                     </h2>
2857                 ")?;
2858                 RenderMode::Normal
2859             }
2860             AssocItemRender::DerefFor { trait_, type_, deref_mut_ } => {
2861                 write!(w, "
2862                     <h2 id='deref-methods' class='small-section-header'>
2863                       Methods from {}&lt;Target = {}&gt;<a href='#deref-methods' class='anchor'></a>
2864                     </h2>
2865                 ", trait_, type_)?;
2866                 RenderMode::ForDeref { mut_: deref_mut_ }
2867             }
2868         };
2869         for i in &non_trait {
2870             render_impl(w, cx, i, AssocItemLink::Anchor(None), render_mode,
2871                         containing_item.stable_since())?;
2872         }
2873     }
2874     if let AssocItemRender::DerefFor { .. } = what {
2875         return Ok(());
2876     }
2877     if !traits.is_empty() {
2878         let deref_impl = traits.iter().find(|t| {
2879             t.inner_impl().trait_.def_id() == c.deref_trait_did
2880         });
2881         if let Some(impl_) = deref_impl {
2882             let has_deref_mut = traits.iter().find(|t| {
2883                 t.inner_impl().trait_.def_id() == c.deref_mut_trait_did
2884             }).is_some();
2885             render_deref_methods(w, cx, impl_, containing_item, has_deref_mut)?;
2886         }
2887         write!(w, "
2888             <h2 id='implementations' class='small-section-header'>
2889               Trait Implementations<a href='#implementations' class='anchor'></a>
2890             </h2>
2891         ")?;
2892         for i in &traits {
2893             let did = i.trait_did().unwrap();
2894             let assoc_link = AssocItemLink::GotoSource(did, &i.inner_impl().provided_trait_methods);
2895             render_impl(w, cx, i, assoc_link,
2896                         RenderMode::Normal, containing_item.stable_since())?;
2897         }
2898     }
2899     Ok(())
2900 }
2901
2902 fn render_deref_methods(w: &mut fmt::Formatter, cx: &Context, impl_: &Impl,
2903                         container_item: &clean::Item, deref_mut: bool) -> fmt::Result {
2904     let deref_type = impl_.inner_impl().trait_.as_ref().unwrap();
2905     let target = impl_.inner_impl().items.iter().filter_map(|item| {
2906         match item.inner {
2907             clean::TypedefItem(ref t, true) => Some(&t.type_),
2908             _ => None,
2909         }
2910     }).next().expect("Expected associated type binding");
2911     let what = AssocItemRender::DerefFor { trait_: deref_type, type_: target,
2912                                            deref_mut_: deref_mut };
2913     if let Some(did) = target.def_id() {
2914         render_assoc_items(w, cx, container_item, did, what)
2915     } else {
2916         if let Some(prim) = target.primitive_type() {
2917             if let Some(&did) = cache().primitive_locations.get(&prim) {
2918                 render_assoc_items(w, cx, container_item, did, what)?;
2919             }
2920         }
2921         Ok(())
2922     }
2923 }
2924
2925 fn render_impl(w: &mut fmt::Formatter, cx: &Context, i: &Impl, link: AssocItemLink,
2926                render_mode: RenderMode, outer_version: Option<&str>) -> fmt::Result {
2927     if render_mode == RenderMode::Normal {
2928         write!(w, "<h3 class='impl'><span class='in-band'><code>{}</code>", i.inner_impl())?;
2929         write!(w, "</span><span class='out-of-band'>")?;
2930         let since = i.impl_item.stability.as_ref().map(|s| &s.since[..]);
2931         if let Some(l) = (Item { item: &i.impl_item, cx: cx }).src_href() {
2932             write!(w, "<div class='ghost'></div>")?;
2933             render_stability_since_raw(w, since, outer_version)?;
2934             write!(w, "<a class='srclink' href='{}' title='{}'>[src]</a>",
2935                    l, "goto source code")?;
2936         } else {
2937             render_stability_since_raw(w, since, outer_version)?;
2938         }
2939         write!(w, "</span>")?;
2940         write!(w, "</h3>\n")?;
2941         if let Some(ref dox) = i.impl_item.doc_value() {
2942             write!(w, "<div class='docblock'>{}</div>", Markdown(dox, cx.render_type))?;
2943         }
2944     }
2945
2946     fn doc_impl_item(w: &mut fmt::Formatter, cx: &Context, item: &clean::Item,
2947                      link: AssocItemLink, render_mode: RenderMode,
2948                      is_default_item: bool, outer_version: Option<&str>,
2949                      trait_: Option<&clean::Trait>) -> fmt::Result {
2950         let item_type = item.type_();
2951         let name = item.name.as_ref().unwrap();
2952
2953         let render_method_item: bool = match render_mode {
2954             RenderMode::Normal => true,
2955             RenderMode::ForDeref { mut_: deref_mut_ } => {
2956                 let self_type_opt = match item.inner {
2957                     clean::MethodItem(ref method) => method.decl.self_type(),
2958                     clean::TyMethodItem(ref method) => method.decl.self_type(),
2959                     _ => None
2960                 };
2961
2962                 if let Some(self_ty) = self_type_opt {
2963                     let (by_mut_ref, by_box) = match self_ty {
2964                         SelfTy::SelfBorrowed(_, mutability) |
2965                         SelfTy::SelfExplicit(clean::BorrowedRef { mutability, .. }) => {
2966                             (mutability == Mutability::Mutable, false)
2967                         },
2968                         SelfTy::SelfExplicit(clean::ResolvedPath { did, .. }) => {
2969                             (false, Some(did) == cache().owned_box_did)
2970                         },
2971                         _ => (false, false),
2972                     };
2973
2974                     (deref_mut_ || !by_mut_ref) && !by_box
2975                 } else {
2976                     false
2977                 }
2978             },
2979         };
2980
2981         match item.inner {
2982             clean::MethodItem(..) | clean::TyMethodItem(..) => {
2983                 // Only render when the method is not static or we allow static methods
2984                 if render_method_item {
2985                     let id = derive_id(format!("{}.{}", item_type, name));
2986                     let ns_id = derive_id(format!("{}.{}", name, item_type.name_space()));
2987                     write!(w, "<h4 id='{}' class=\"{}\">", id, item_type)?;
2988                     write!(w, "<span id='{}' class='invisible'>", ns_id)?;
2989                     write!(w, "<code>")?;
2990                     render_assoc_item(w, item, link.anchor(&id), ItemType::Impl)?;
2991                     write!(w, "</code>")?;
2992                     if let Some(l) = (Item { cx, item }).src_href() {
2993                         write!(w, "</span><span class='out-of-band'>")?;
2994                         write!(w, "<div class='ghost'></div>")?;
2995                         render_stability_since_raw(w, item.stable_since(), outer_version)?;
2996                         write!(w, "<a class='srclink' href='{}' title='{}'>[src]</a>",
2997                                l, "goto source code")?;
2998                     } else {
2999                         render_stability_since_raw(w, item.stable_since(), outer_version)?;
3000                     }
3001                     write!(w, "</span></h4>\n")?;
3002                 }
3003             }
3004             clean::TypedefItem(ref tydef, _) => {
3005                 let id = derive_id(format!("{}.{}", ItemType::AssociatedType, name));
3006                 let ns_id = derive_id(format!("{}.{}", name, item_type.name_space()));
3007                 write!(w, "<h4 id='{}' class=\"{}\">", id, item_type)?;
3008                 write!(w, "<span id='{}' class='invisible'><code>", ns_id)?;
3009                 assoc_type(w, item, &Vec::new(), Some(&tydef.type_), link.anchor(&id))?;
3010                 write!(w, "</code></span></h4>\n")?;
3011             }
3012             clean::AssociatedConstItem(ref ty, ref default) => {
3013                 let id = derive_id(format!("{}.{}", item_type, name));
3014                 let ns_id = derive_id(format!("{}.{}", name, item_type.name_space()));
3015                 write!(w, "<h4 id='{}' class=\"{}\">", id, item_type)?;
3016                 write!(w, "<span id='{}' class='invisible'><code>", ns_id)?;
3017                 assoc_const(w, item, ty, default.as_ref(), link.anchor(&id))?;
3018                 write!(w, "</code></span></h4>\n")?;
3019             }
3020             clean::AssociatedTypeItem(ref bounds, ref default) => {
3021                 let id = derive_id(format!("{}.{}", item_type, name));
3022                 let ns_id = derive_id(format!("{}.{}", name, item_type.name_space()));
3023                 write!(w, "<h4 id='{}' class=\"{}\">", id, item_type)?;
3024                 write!(w, "<span id='{}' class='invisible'><code>", ns_id)?;
3025                 assoc_type(w, item, bounds, default.as_ref(), link.anchor(&id))?;
3026                 write!(w, "</code></span></h4>\n")?;
3027             }
3028             clean::StrippedItem(..) => return Ok(()),
3029             _ => panic!("can't make docs for trait item with name {:?}", item.name)
3030         }
3031
3032         if render_method_item || render_mode == RenderMode::Normal {
3033             let prefix = render_assoc_const_value(item);
3034             if !is_default_item {
3035                 if let Some(t) = trait_ {
3036                     // The trait item may have been stripped so we might not
3037                     // find any documentation or stability for it.
3038                     if let Some(it) = t.items.iter().find(|i| i.name == item.name) {
3039                         // We need the stability of the item from the trait
3040                         // because impls can't have a stability.
3041                         document_stability(w, cx, it)?;
3042                         if item.doc_value().is_some() {
3043                             document_full(w, item, cx.render_type, &prefix)?;
3044                         } else {
3045                             // In case the item isn't documented,
3046                             // provide short documentation from the trait.
3047                             document_short(w, it, link, cx.render_type, &prefix)?;
3048                         }
3049                     }
3050                 } else {
3051                     document_stability(w, cx, item)?;
3052                     document_full(w, item, cx.render_type, &prefix)?;
3053                 }
3054             } else {
3055                 document_stability(w, cx, item)?;
3056                 document_short(w, item, link, cx.render_type, &prefix)?;
3057             }
3058         }
3059         Ok(())
3060     }
3061
3062     let traits = &cache().traits;
3063     let trait_ = i.trait_did().and_then(|did| traits.get(&did));
3064
3065     write!(w, "<div class='impl-items'>")?;
3066     for trait_item in &i.inner_impl().items {
3067         doc_impl_item(w, cx, trait_item, link, render_mode,
3068                       false, outer_version, trait_)?;
3069     }
3070
3071     fn render_default_items(w: &mut fmt::Formatter,
3072                             cx: &Context,
3073                             t: &clean::Trait,
3074                             i: &clean::Impl,
3075                             render_mode: RenderMode,
3076                             outer_version: Option<&str>) -> fmt::Result {
3077         for trait_item in &t.items {
3078             let n = trait_item.name.clone();
3079             if i.items.iter().find(|m| m.name == n).is_some() {
3080                 continue;
3081             }
3082             let did = i.trait_.as_ref().unwrap().def_id().unwrap();
3083             let assoc_link = AssocItemLink::GotoSource(did, &i.provided_trait_methods);
3084
3085             doc_impl_item(w, cx, trait_item, assoc_link, render_mode, true,
3086                           outer_version, None)?;
3087         }
3088         Ok(())
3089     }
3090
3091     // If we've implemented a trait, then also emit documentation for all
3092     // default items which weren't overridden in the implementation block.
3093     if let Some(t) = trait_ {
3094         render_default_items(w, cx, t, &i.inner_impl(), render_mode, outer_version)?;
3095     }
3096     write!(w, "</div>")?;
3097     Ok(())
3098 }
3099
3100 fn item_typedef(w: &mut fmt::Formatter, cx: &Context, it: &clean::Item,
3101                 t: &clean::Typedef) -> fmt::Result {
3102     write!(w, "<pre class='rust typedef'>")?;
3103     render_attributes(w, it)?;
3104     write!(w, "type {}{}{where_clause} = {type_};</pre>",
3105            it.name.as_ref().unwrap(),
3106            t.generics,
3107            where_clause = WhereClause { gens: &t.generics, indent: 0, end_newline: true },
3108            type_ = t.type_)?;
3109
3110     document(w, cx, it)?;
3111
3112     // Render any items associated directly to this alias, as otherwise they
3113     // won't be visible anywhere in the docs. It would be nice to also show
3114     // associated items from the aliased type (see discussion in #32077), but
3115     // we need #14072 to make sense of the generics.
3116     render_assoc_items(w, cx, it, it.def_id, AssocItemRender::All)
3117 }
3118
3119 impl<'a> fmt::Display for Sidebar<'a> {
3120     fn fmt(&self, fmt: &mut fmt::Formatter) -> fmt::Result {
3121         let cx = self.cx;
3122         let it = self.item;
3123         let parentlen = cx.current.len() - if it.is_mod() {1} else {0};
3124
3125         if it.is_struct() || it.is_trait() || it.is_primitive() || it.is_union()
3126             || it.is_enum() || it.is_mod() || it.is_typedef()
3127         {
3128             write!(fmt, "<p class='location'>")?;
3129             match it.inner {
3130                 clean::StructItem(..) => write!(fmt, "Struct ")?,
3131                 clean::TraitItem(..) => write!(fmt, "Trait ")?,
3132                 clean::PrimitiveItem(..) => write!(fmt, "Primitive Type ")?,
3133                 clean::UnionItem(..) => write!(fmt, "Union ")?,
3134                 clean::EnumItem(..) => write!(fmt, "Enum ")?,
3135                 clean::TypedefItem(..) => write!(fmt, "Type Definition ")?,
3136                 clean::ModuleItem(..) => if it.is_crate() {
3137                     write!(fmt, "Crate ")?;
3138                 } else {
3139                     write!(fmt, "Module ")?;
3140                 },
3141                 _ => (),
3142             }
3143             write!(fmt, "{}", it.name.as_ref().unwrap())?;
3144             write!(fmt, "</p>")?;
3145
3146             match it.inner {
3147                 clean::StructItem(ref s) => sidebar_struct(fmt, it, s)?,
3148                 clean::TraitItem(ref t) => sidebar_trait(fmt, it, t)?,
3149                 clean::PrimitiveItem(ref p) => sidebar_primitive(fmt, it, p)?,
3150                 clean::UnionItem(ref u) => sidebar_union(fmt, it, u)?,
3151                 clean::EnumItem(ref e) => sidebar_enum(fmt, it, e)?,
3152                 clean::TypedefItem(ref t, _) => sidebar_typedef(fmt, it, t)?,
3153                 clean::ModuleItem(ref m) => sidebar_module(fmt, it, &m.items)?,
3154                 _ => (),
3155             }
3156         }
3157
3158         // The sidebar is designed to display sibling functions, modules and
3159         // other miscellaneous information. since there are lots of sibling
3160         // items (and that causes quadratic growth in large modules),
3161         // we refactor common parts into a shared JavaScript file per module.
3162         // still, we don't move everything into JS because we want to preserve
3163         // as much HTML as possible in order to allow non-JS-enabled browsers
3164         // to navigate the documentation (though slightly inefficiently).
3165
3166         write!(fmt, "<p class='location'>")?;
3167         for (i, name) in cx.current.iter().take(parentlen).enumerate() {
3168             if i > 0 {
3169                 write!(fmt, "::<wbr>")?;
3170             }
3171             write!(fmt, "<a href='{}index.html'>{}</a>",
3172                    &cx.root_path()[..(cx.current.len() - i - 1) * 3],
3173                    *name)?;
3174         }
3175         write!(fmt, "</p>")?;
3176
3177         // Sidebar refers to the enclosing module, not this module.
3178         let relpath = if it.is_mod() { "../" } else { "" };
3179         write!(fmt,
3180                "<script>window.sidebarCurrent = {{\
3181                    name: '{name}', \
3182                    ty: '{ty}', \
3183                    relpath: '{path}'\
3184                 }};</script>",
3185                name = it.name.as_ref().map(|x| &x[..]).unwrap_or(""),
3186                ty = it.type_().css_class(),
3187                path = relpath)?;
3188         if parentlen == 0 {
3189             // There is no sidebar-items.js beyond the crate root path
3190             // FIXME maybe dynamic crate loading can be merged here
3191         } else {
3192             write!(fmt, "<script defer src=\"{path}sidebar-items.js\"></script>",
3193                    path = relpath)?;
3194         }
3195
3196         Ok(())
3197     }
3198 }
3199
3200 fn sidebar_assoc_items(it: &clean::Item) -> String {
3201     let mut out = String::new();
3202     let c = cache();
3203     if let Some(v) = c.impls.get(&it.def_id) {
3204         if v.iter().any(|i| i.inner_impl().trait_.is_none()) {
3205             out.push_str("<li><a href=\"#methods\">Methods</a></li>");
3206         }
3207
3208         if v.iter().any(|i| i.inner_impl().trait_.is_some()) {
3209             if let Some(impl_) = v.iter()
3210                                   .filter(|i| i.inner_impl().trait_.is_some())
3211                                   .find(|i| i.inner_impl().trait_.def_id() == c.deref_trait_did) {
3212                 if let Some(target) = impl_.inner_impl().items.iter().filter_map(|item| {
3213                     match item.inner {
3214                         clean::TypedefItem(ref t, true) => Some(&t.type_),
3215                         _ => None,
3216                     }
3217                 }).next() {
3218                     let inner_impl = target.def_id().or(target.primitive_type().and_then(|prim| {
3219                         c.primitive_locations.get(&prim).cloned()
3220                     })).and_then(|did| c.impls.get(&did));
3221                     if inner_impl.is_some() {
3222                         out.push_str("<li><a href=\"#deref-methods\">");
3223                         out.push_str(&format!("Methods from {:#}&lt;Target={:#}&gt;",
3224                                                   impl_.inner_impl().trait_.as_ref().unwrap(),
3225                                                   target));
3226                         out.push_str("</a></li>");
3227                     }
3228                 }
3229             }
3230             out.push_str("<li><a href=\"#implementations\">Trait Implementations</a></li>");
3231         }
3232     }
3233
3234     out
3235 }
3236
3237 fn sidebar_struct(fmt: &mut fmt::Formatter, it: &clean::Item,
3238                   s: &clean::Struct) -> fmt::Result {
3239     let mut sidebar = String::new();
3240
3241     if s.fields.iter()
3242                .any(|f| if let clean::StructFieldItem(..) = f.inner { true } else { false }) {
3243         if let doctree::Plain = s.struct_type {
3244             sidebar.push_str("<li><a href=\"#fields\">Fields</a></li>");
3245         }
3246     }
3247
3248     sidebar.push_str(&sidebar_assoc_items(it));
3249
3250     if !sidebar.is_empty() {
3251         write!(fmt, "<div class=\"block items\"><ul>{}</ul></div>", sidebar)?;
3252     }
3253     Ok(())
3254 }
3255
3256 fn sidebar_trait(fmt: &mut fmt::Formatter, it: &clean::Item,
3257                  t: &clean::Trait) -> fmt::Result {
3258     let mut sidebar = String::new();
3259
3260     let has_types = t.items.iter().any(|m| m.is_associated_type());
3261     let has_consts = t.items.iter().any(|m| m.is_associated_const());
3262     let has_required = t.items.iter().any(|m| m.is_ty_method());
3263     let has_provided = t.items.iter().any(|m| m.is_method());
3264
3265     if has_types {
3266         sidebar.push_str("<li><a href=\"#associated-types\">Associated Types</a></li>");
3267     }
3268     if has_consts {
3269         sidebar.push_str("<li><a href=\"#associated-const\">Associated Constants</a></li>");
3270     }
3271     if has_required {
3272         sidebar.push_str("<li><a href=\"#required-methods\">Required Methods</a></li>");
3273     }
3274     if has_provided {
3275         sidebar.push_str("<li><a href=\"#provided-methods\">Provided Methods</a></li>");
3276     }
3277
3278     sidebar.push_str(&sidebar_assoc_items(it));
3279
3280     sidebar.push_str("<li><a href=\"#implementors\">Implementors</a></li>");
3281
3282     write!(fmt, "<div class=\"block items\"><ul>{}</ul></div>", sidebar)
3283 }
3284
3285 fn sidebar_primitive(fmt: &mut fmt::Formatter, it: &clean::Item,
3286                      _p: &clean::PrimitiveType) -> fmt::Result {
3287     let sidebar = sidebar_assoc_items(it);
3288
3289     if !sidebar.is_empty() {
3290         write!(fmt, "<div class=\"block items\"><ul>{}</ul></div>", sidebar)?;
3291     }
3292     Ok(())
3293 }
3294
3295 fn sidebar_typedef(fmt: &mut fmt::Formatter, it: &clean::Item,
3296                    _t: &clean::Typedef) -> fmt::Result {
3297     let sidebar = sidebar_assoc_items(it);
3298
3299     if !sidebar.is_empty() {
3300         write!(fmt, "<div class=\"block items\"><ul>{}</ul></div>", sidebar)?;
3301     }
3302     Ok(())
3303 }
3304
3305 fn sidebar_union(fmt: &mut fmt::Formatter, it: &clean::Item,
3306                  u: &clean::Union) -> fmt::Result {
3307     let mut sidebar = String::new();
3308
3309     if u.fields.iter()
3310                .any(|f| if let clean::StructFieldItem(..) = f.inner { true } else { false }) {
3311         sidebar.push_str("<li><a href=\"#fields\">Fields</a></li>");
3312     }
3313
3314     sidebar.push_str(&sidebar_assoc_items(it));
3315
3316     if !sidebar.is_empty() {
3317         write!(fmt, "<div class=\"block items\"><ul>{}</ul></div>", sidebar)?;
3318     }
3319     Ok(())
3320 }
3321
3322 fn sidebar_enum(fmt: &mut fmt::Formatter, it: &clean::Item,
3323                 e: &clean::Enum) -> fmt::Result {
3324     let mut sidebar = String::new();
3325
3326     if !e.variants.is_empty() {
3327         sidebar.push_str("<li><a href=\"#variants\">Variants</a></li>");
3328     }
3329
3330     sidebar.push_str(&sidebar_assoc_items(it));
3331
3332     if !sidebar.is_empty() {
3333         write!(fmt, "<div class=\"block items\"><ul>{}</ul></div>", sidebar)?;
3334     }
3335     Ok(())
3336 }
3337
3338 fn sidebar_module(fmt: &mut fmt::Formatter, _it: &clean::Item,
3339                   items: &[clean::Item]) -> fmt::Result {
3340     let mut sidebar = String::new();
3341
3342     if items.iter().any(|it| it.type_() == ItemType::ExternCrate ||
3343                              it.type_() == ItemType::Import) {
3344         sidebar.push_str(&format!("<li><a href=\"#{id}\">{name}</a></li>",
3345                                   id = "reexports",
3346                                   name = "Reexports"));
3347     }
3348
3349     // ordering taken from item_module, reorder, where it prioritized elements in a certain order
3350     // to print its headings
3351     for &myty in &[ItemType::Primitive, ItemType::Module, ItemType::Macro, ItemType::Struct,
3352                    ItemType::Enum, ItemType::Constant, ItemType::Static, ItemType::Trait,
3353                    ItemType::Function, ItemType::Typedef, ItemType::Union, ItemType::Impl,
3354                    ItemType::TyMethod, ItemType::Method, ItemType::StructField, ItemType::Variant,
3355                    ItemType::AssociatedType, ItemType::AssociatedConst] {
3356         if items.iter().any(|it| {
3357             if let clean::DefaultImplItem(..) = it.inner {
3358                 false
3359             } else {
3360                 !it.is_stripped() && it.type_() == myty
3361             }
3362         }) {
3363             let (short, name) = match myty {
3364                 ItemType::ExternCrate |
3365                 ItemType::Import          => ("reexports", "Reexports"),
3366                 ItemType::Module          => ("modules", "Modules"),
3367                 ItemType::Struct          => ("structs", "Structs"),
3368                 ItemType::Union           => ("unions", "Unions"),
3369                 ItemType::Enum            => ("enums", "Enums"),
3370                 ItemType::Function        => ("functions", "Functions"),
3371                 ItemType::Typedef         => ("types", "Type Definitions"),
3372                 ItemType::Static          => ("statics", "Statics"),
3373                 ItemType::Constant        => ("constants", "Constants"),
3374                 ItemType::Trait           => ("traits", "Traits"),
3375                 ItemType::Impl            => ("impls", "Implementations"),
3376                 ItemType::TyMethod        => ("tymethods", "Type Methods"),
3377                 ItemType::Method          => ("methods", "Methods"),
3378                 ItemType::StructField     => ("fields", "Struct Fields"),
3379                 ItemType::Variant         => ("variants", "Variants"),
3380                 ItemType::Macro           => ("macros", "Macros"),
3381                 ItemType::Primitive       => ("primitives", "Primitive Types"),
3382                 ItemType::AssociatedType  => ("associated-types", "Associated Types"),
3383                 ItemType::AssociatedConst => ("associated-consts", "Associated Constants"),
3384             };
3385             sidebar.push_str(&format!("<li><a href=\"#{id}\">{name}</a></li>",
3386                                       id = short,
3387                                       name = name));
3388         }
3389     }
3390
3391     if !sidebar.is_empty() {
3392         write!(fmt, "<div class=\"block items\"><ul>{}</ul></div>", sidebar)?;
3393     }
3394     Ok(())
3395 }
3396
3397 impl<'a> fmt::Display for Source<'a> {
3398     fn fmt(&self, fmt: &mut fmt::Formatter) -> fmt::Result {
3399         let Source(s) = *self;
3400         let lines = s.lines().count();
3401         let mut cols = 0;
3402         let mut tmp = lines;
3403         while tmp > 0 {
3404             cols += 1;
3405             tmp /= 10;
3406         }
3407         write!(fmt, "<pre class=\"line-numbers\">")?;
3408         for i in 1..lines + 1 {
3409             write!(fmt, "<span id=\"{0}\">{0:1$}</span>\n", i, cols)?;
3410         }
3411         write!(fmt, "</pre>")?;
3412         write!(fmt, "{}", highlight::render_with_highlighting(s, None, None, None))?;
3413         Ok(())
3414     }
3415 }
3416
3417 fn item_macro(w: &mut fmt::Formatter, cx: &Context, it: &clean::Item,
3418               t: &clean::Macro) -> fmt::Result {
3419     w.write_str(&highlight::render_with_highlighting(&t.source,
3420                                                      Some("macro"),
3421                                                      None,
3422                                                      None))?;
3423     document(w, cx, it)
3424 }
3425
3426 fn item_primitive(w: &mut fmt::Formatter, cx: &Context,
3427                   it: &clean::Item,
3428                   _p: &clean::PrimitiveType) -> fmt::Result {
3429     document(w, cx, it)?;
3430     render_assoc_items(w, cx, it, it.def_id, AssocItemRender::All)
3431 }
3432
3433 const BASIC_KEYWORDS: &'static str = "rust, rustlang, rust-lang";
3434
3435 fn make_item_keywords(it: &clean::Item) -> String {
3436     format!("{}, {}", BASIC_KEYWORDS, it.name.as_ref().unwrap())
3437 }
3438
3439 fn get_index_search_type(item: &clean::Item) -> Option<IndexItemFunctionType> {
3440     let decl = match item.inner {
3441         clean::FunctionItem(ref f) => &f.decl,
3442         clean::MethodItem(ref m) => &m.decl,
3443         clean::TyMethodItem(ref m) => &m.decl,
3444         _ => return None
3445     };
3446
3447     let inputs = decl.inputs.values.iter().map(|arg| get_index_type(&arg.type_)).collect();
3448     let output = match decl.output {
3449         clean::FunctionRetTy::Return(ref return_type) => Some(get_index_type(return_type)),
3450         _ => None
3451     };
3452
3453     Some(IndexItemFunctionType { inputs: inputs, output: output })
3454 }
3455
3456 fn get_index_type(clean_type: &clean::Type) -> Type {
3457     Type { name: get_index_type_name(clean_type).map(|s| s.to_ascii_lowercase()) }
3458 }
3459
3460 fn get_index_type_name(clean_type: &clean::Type) -> Option<String> {
3461     match *clean_type {
3462         clean::ResolvedPath { ref path, .. } => {
3463             let segments = &path.segments;
3464             Some(segments[segments.len() - 1].name.clone())
3465         },
3466         clean::Generic(ref s) => Some(s.clone()),
3467         clean::Primitive(ref p) => Some(format!("{:?}", p)),
3468         clean::BorrowedRef { ref type_, .. } => get_index_type_name(type_),
3469         // FIXME: add all from clean::Type.
3470         _ => None
3471     }
3472 }
3473
3474 pub fn cache() -> Arc<Cache> {
3475     CACHE_KEY.with(|c| c.borrow().clone())
3476 }
3477
3478 #[cfg(test)]
3479 #[test]
3480 fn test_unique_id() {
3481     let input = ["foo", "examples", "examples", "method.into_iter","examples",
3482                  "method.into_iter", "foo", "main", "search", "methods",
3483                  "examples", "method.into_iter", "assoc_type.Item", "assoc_type.Item"];
3484     let expected = ["foo", "examples", "examples-1", "method.into_iter", "examples-2",
3485                     "method.into_iter-1", "foo-1", "main-1", "search-1", "methods-1",
3486                     "examples-3", "method.into_iter-2", "assoc_type.Item", "assoc_type.Item-1"];
3487
3488     let test = || {
3489         let actual: Vec<String> = input.iter().map(|s| derive_id(s.to_string())).collect();
3490         assert_eq!(&actual[..], expected);
3491     };
3492     test();
3493     reset_ids(true);
3494     test();
3495 }
3496
3497 #[cfg(test)]
3498 #[test]
3499 fn test_name_key() {
3500     assert_eq!(name_key("0"), ("", 0, 1));
3501     assert_eq!(name_key("123"), ("", 123, 0));
3502     assert_eq!(name_key("Fruit"), ("Fruit", 0, 0));
3503     assert_eq!(name_key("Fruit0"), ("Fruit", 0, 1));
3504     assert_eq!(name_key("Fruit0000"), ("Fruit", 0, 4));
3505     assert_eq!(name_key("Fruit01"), ("Fruit", 1, 1));
3506     assert_eq!(name_key("Fruit10"), ("Fruit", 10, 0));
3507     assert_eq!(name_key("Fruit123"), ("Fruit", 123, 0));
3508 }
3509
3510 #[cfg(test)]
3511 #[test]
3512 fn test_name_sorting() {
3513     let names = ["Apple",
3514                  "Banana",
3515                  "Fruit", "Fruit0", "Fruit00",
3516                  "Fruit1", "Fruit01",
3517                  "Fruit2", "Fruit02",
3518                  "Fruit20",
3519                  "Fruit100",
3520                  "Pear"];
3521     let mut sorted = names.to_owned();
3522     sorted.sort_by_key(|&s| name_key(s));
3523     assert_eq!(names, sorted);
3524 }