]> git.lizzy.rs Git - rust.git/blob - src/librustdoc/html/render.rs
41c08dbf4ab6552121e50eed28eeb3b689978795
[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
36 pub use self::ExternalLocation::*;
37
38 use std::borrow::Cow;
39 use std::cell::RefCell;
40 use std::cmp::Ordering;
41 use std::collections::{BTreeMap, HashSet, VecDeque};
42 use std::default::Default;
43 use std::error;
44 use std::fmt::{self, Display, Formatter, Write as FmtWrite};
45 use std::ffi::OsStr;
46 use std::fs::{self, File, OpenOptions};
47 use std::io::prelude::*;
48 use std::io::{self, BufWriter, BufReader};
49 use std::iter::repeat;
50 use std::mem;
51 use std::path::{PathBuf, Path, Component};
52 use std::str;
53 use std::sync::Arc;
54
55 use externalfiles::ExternalHtml;
56
57 use serialize::json::{ToJson, Json, as_json};
58 use syntax::ast;
59 use syntax::codemap::FileName;
60 use rustc::hir::def_id::{CrateNum, CRATE_DEF_INDEX, DefId};
61 use rustc::middle::privacy::AccessLevels;
62 use rustc::middle::stability;
63 use rustc::hir;
64 use rustc::util::nodemap::{FxHashMap, FxHashSet};
65 use rustc_data_structures::flock;
66
67 use clean::{self, AttributesExt, GetDefId, SelfTy, Mutability};
68 use doctree;
69 use fold::DocFolder;
70 use html::escape::Escape;
71 use html::format::{AsyncSpace, ConstnessSpace};
72 use html::format::{GenericBounds, WhereClause, href, AbiSpace};
73 use html::format::{VisSpace, Method, UnsafetySpace, MutableSpace};
74 use html::format::fmt_impl_for_trait_page;
75 use html::item_type::ItemType;
76 use html::markdown::{self, Markdown, MarkdownHtml, MarkdownSummaryLine};
77 use html::{highlight, layout};
78
79 use minifier;
80
81 /// A pair of name and its optional document.
82 pub type NameDoc = (String, Option<String>);
83
84 /// Major driving force in all rustdoc rendering. This contains information
85 /// about where in the tree-like hierarchy rendering is occurring and controls
86 /// how the current page is being rendered.
87 ///
88 /// It is intended that this context is a lightweight object which can be fairly
89 /// easily cloned because it is cloned per work-job (about once per item in the
90 /// rustdoc tree).
91 #[derive(Clone)]
92 pub struct Context {
93     /// Current hierarchy of components leading down to what's currently being
94     /// rendered
95     pub current: Vec<String>,
96     /// The current destination folder of where HTML artifacts should be placed.
97     /// This changes as the context descends into the module hierarchy.
98     pub dst: PathBuf,
99     /// A flag, which when `true`, will render pages which redirect to the
100     /// real location of an item. This is used to allow external links to
101     /// publicly reused items to redirect to the right location.
102     pub render_redirect_pages: bool,
103     pub shared: Arc<SharedContext>,
104 }
105
106 pub struct SharedContext {
107     /// The path to the crate root source minus the file name.
108     /// Used for simplifying paths to the highlighted source code files.
109     pub src_root: PathBuf,
110     /// This describes the layout of each page, and is not modified after
111     /// creation of the context (contains info like the favicon and added html).
112     pub layout: layout::Layout,
113     /// This flag indicates whether `[src]` links should be generated or not. If
114     /// the source files are present in the html rendering, then this will be
115     /// `true`.
116     pub include_sources: bool,
117     /// The local file sources we've emitted and their respective url-paths.
118     pub local_sources: FxHashMap<PathBuf, String>,
119     /// All the passes that were run on this crate.
120     pub passes: FxHashSet<String>,
121     /// The base-URL of the issue tracker for when an item has been tagged with
122     /// an issue number.
123     pub issue_tracker_base_url: Option<String>,
124     /// The given user css file which allow to customize the generated
125     /// documentation theme.
126     pub css_file_extension: Option<PathBuf>,
127     /// The directories that have already been created in this doc run. Used to reduce the number
128     /// of spurious `create_dir_all` calls.
129     pub created_dirs: RefCell<FxHashSet<PathBuf>>,
130     /// This flag indicates whether listings of modules (in the side bar and documentation itself)
131     /// should be ordered alphabetically or in order of appearance (in the source code).
132     pub sort_modules_alphabetically: bool,
133     /// Additional themes to be added to the generated docs.
134     pub themes: Vec<PathBuf>,
135     /// Suffix to be added on resource files (if suffix is "-v2" then "light.css" becomes
136     /// "light-v2.css").
137     pub resource_suffix: String,
138 }
139
140 impl SharedContext {
141     fn ensure_dir(&self, dst: &Path) -> io::Result<()> {
142         let mut dirs = self.created_dirs.borrow_mut();
143         if !dirs.contains(dst) {
144             fs::create_dir_all(dst)?;
145             dirs.insert(dst.to_path_buf());
146         }
147
148         Ok(())
149     }
150 }
151
152 impl SharedContext {
153     /// Returns whether the `collapse-docs` pass was run on this crate.
154     pub fn was_collapsed(&self) -> bool {
155         self.passes.contains("collapse-docs")
156     }
157
158     /// Based on whether the `collapse-docs` pass was run, return either the `doc_value` or the
159     /// `collapsed_doc_value` of the given item.
160     pub fn maybe_collapsed_doc_value<'a>(&self, item: &'a clean::Item) -> Option<Cow<'a, str>> {
161         if self.was_collapsed() {
162             item.collapsed_doc_value().map(|s| s.into())
163         } else {
164             item.doc_value().map(|s| s.into())
165         }
166     }
167 }
168
169 /// Indicates where an external crate can be found.
170 pub enum ExternalLocation {
171     /// Remote URL root of the external crate
172     Remote(String),
173     /// This external crate can be found in the local doc/ folder
174     Local,
175     /// The external crate could not be found.
176     Unknown,
177 }
178
179 /// Metadata about implementations for a type or trait.
180 #[derive(Clone)]
181 pub struct Impl {
182     pub impl_item: clean::Item,
183 }
184
185 impl Impl {
186     fn inner_impl(&self) -> &clean::Impl {
187         match self.impl_item.inner {
188             clean::ImplItem(ref impl_) => impl_,
189             _ => panic!("non-impl item found in impl")
190         }
191     }
192
193     fn trait_did(&self) -> Option<DefId> {
194         self.inner_impl().trait_.def_id()
195     }
196 }
197
198 #[derive(Debug)]
199 pub struct Error {
200     file: PathBuf,
201     error: io::Error,
202 }
203
204 impl error::Error for Error {
205     fn description(&self) -> &str {
206         self.error.description()
207     }
208 }
209
210 impl Display for Error {
211     fn fmt(&self, f: &mut Formatter) -> fmt::Result {
212         write!(f, "\"{}\": {}", self.file.display(), self.error)
213     }
214 }
215
216 impl Error {
217     pub fn new(e: io::Error, file: &Path) -> Error {
218         Error {
219             file: file.to_path_buf(),
220             error: e,
221         }
222     }
223 }
224
225 macro_rules! try_none {
226     ($e:expr, $file:expr) => ({
227         use std::io;
228         match $e {
229             Some(e) => e,
230             None => return Err(Error::new(io::Error::new(io::ErrorKind::Other, "not found"),
231                                           $file))
232         }
233     })
234 }
235
236 macro_rules! try_err {
237     ($e:expr, $file:expr) => ({
238         match $e {
239             Ok(e) => e,
240             Err(e) => return Err(Error::new(e, $file)),
241         }
242     })
243 }
244
245 /// This cache is used to store information about the `clean::Crate` being
246 /// rendered in order to provide more useful documentation. This contains
247 /// information like all implementors of a trait, all traits a type implements,
248 /// documentation for all known traits, etc.
249 ///
250 /// This structure purposefully does not implement `Clone` because it's intended
251 /// to be a fairly large and expensive structure to clone. Instead this adheres
252 /// to `Send` so it may be stored in a `Arc` instance and shared among the various
253 /// rendering threads.
254 #[derive(Default)]
255 pub struct Cache {
256     /// Mapping of typaram ids to the name of the type parameter. This is used
257     /// when pretty-printing a type (so pretty printing doesn't have to
258     /// painfully maintain a context like this)
259     pub typarams: FxHashMap<DefId, String>,
260
261     /// Maps a type id to all known implementations for that type. This is only
262     /// recognized for intra-crate `ResolvedPath` types, and is used to print
263     /// out extra documentation on the page of an enum/struct.
264     ///
265     /// The values of the map are a list of implementations and documentation
266     /// found on that implementation.
267     pub impls: FxHashMap<DefId, Vec<Impl>>,
268
269     /// Maintains a mapping of local crate node ids to the fully qualified name
270     /// and "short type description" of that node. This is used when generating
271     /// URLs when a type is being linked to. External paths are not located in
272     /// this map because the `External` type itself has all the information
273     /// necessary.
274     pub paths: FxHashMap<DefId, (Vec<String>, ItemType)>,
275
276     /// Similar to `paths`, but only holds external paths. This is only used for
277     /// generating explicit hyperlinks to other crates.
278     pub external_paths: FxHashMap<DefId, (Vec<String>, ItemType)>,
279
280     /// Maps local def ids of exported types to fully qualified paths.
281     /// Unlike 'paths', this mapping ignores any renames that occur
282     /// due to 'use' statements.
283     ///
284     /// This map is used when writing out the special 'implementors'
285     /// javascript file. By using the exact path that the type
286     /// is declared with, we ensure that each path will be identical
287     /// to the path used if the corresponding type is inlined. By
288     /// doing this, we can detect duplicate impls on a trait page, and only display
289     /// the impl for the inlined type.
290     pub exact_paths: FxHashMap<DefId, Vec<String>>,
291
292     /// This map contains information about all known traits of this crate.
293     /// Implementations of a crate should inherit the documentation of the
294     /// parent trait if no extra documentation is specified, and default methods
295     /// should show up in documentation about trait implementations.
296     pub traits: FxHashMap<DefId, clean::Trait>,
297
298     /// When rendering traits, it's often useful to be able to list all
299     /// implementors of the trait, and this mapping is exactly, that: a mapping
300     /// of trait ids to the list of known implementors of the trait
301     pub implementors: FxHashMap<DefId, Vec<Impl>>,
302
303     /// Cache of where external crate documentation can be found.
304     pub extern_locations: FxHashMap<CrateNum, (String, PathBuf, ExternalLocation)>,
305
306     /// Cache of where documentation for primitives can be found.
307     pub primitive_locations: FxHashMap<clean::PrimitiveType, DefId>,
308
309     // Note that external items for which `doc(hidden)` applies to are shown as
310     // non-reachable while local items aren't. This is because we're reusing
311     // the access levels from crateanalysis.
312     pub access_levels: Arc<AccessLevels<DefId>>,
313
314     /// The version of the crate being documented, if given fron the `--crate-version` flag.
315     pub crate_version: Option<String>,
316
317     // Private fields only used when initially crawling a crate to build a cache
318
319     stack: Vec<String>,
320     parent_stack: Vec<DefId>,
321     parent_is_trait_impl: bool,
322     search_index: Vec<IndexItem>,
323     stripped_mod: bool,
324     deref_trait_did: Option<DefId>,
325     deref_mut_trait_did: Option<DefId>,
326     owned_box_did: Option<DefId>,
327     masked_crates: FxHashSet<CrateNum>,
328
329     // In rare case where a structure is defined in one module but implemented
330     // in another, if the implementing module is parsed before defining module,
331     // then the fully qualified name of the structure isn't presented in `paths`
332     // yet when its implementation methods are being indexed. Caches such methods
333     // and their parent id here and indexes them at the end of crate parsing.
334     orphan_impl_items: Vec<(DefId, clean::Item)>,
335
336     /// Aliases added through `#[doc(alias = "...")]`. Since a few items can have the same alias,
337     /// we need the alias element to have an array of items.
338     aliases: FxHashMap<String, Vec<IndexItem>>,
339 }
340
341 /// Temporary storage for data obtained during `RustdocVisitor::clean()`.
342 /// Later on moved into `CACHE_KEY`.
343 #[derive(Default)]
344 pub struct RenderInfo {
345     pub inlined: FxHashSet<DefId>,
346     pub external_paths: ::core::ExternalPaths,
347     pub external_typarams: FxHashMap<DefId, String>,
348     pub exact_paths: FxHashMap<DefId, Vec<String>>,
349     pub deref_trait_did: Option<DefId>,
350     pub deref_mut_trait_did: Option<DefId>,
351     pub owned_box_did: Option<DefId>,
352 }
353
354 /// Helper struct to render all source code to HTML pages
355 struct SourceCollector<'a> {
356     scx: &'a mut SharedContext,
357
358     /// Root destination to place all HTML output into
359     dst: PathBuf,
360 }
361
362 /// Wrapper struct to render the source code of a file. This will do things like
363 /// adding line numbers to the left-hand side.
364 struct Source<'a>(&'a str);
365
366 // Helper structs for rendering items/sidebars and carrying along contextual
367 // information
368
369 #[derive(Copy, Clone)]
370 struct Item<'a> {
371     cx: &'a Context,
372     item: &'a clean::Item,
373 }
374
375 struct Sidebar<'a> { cx: &'a Context, item: &'a clean::Item, }
376
377 /// Struct representing one entry in the JS search index. These are all emitted
378 /// by hand to a large JS file at the end of cache-creation.
379 #[derive(Debug)]
380 struct IndexItem {
381     ty: ItemType,
382     name: String,
383     path: String,
384     desc: String,
385     parent: Option<DefId>,
386     parent_idx: Option<usize>,
387     search_type: Option<IndexItemFunctionType>,
388 }
389
390 impl ToJson for IndexItem {
391     fn to_json(&self) -> Json {
392         assert_eq!(self.parent.is_some(), self.parent_idx.is_some());
393
394         let mut data = Vec::with_capacity(6);
395         data.push((self.ty as usize).to_json());
396         data.push(self.name.to_json());
397         data.push(self.path.to_json());
398         data.push(self.desc.to_json());
399         data.push(self.parent_idx.to_json());
400         data.push(self.search_type.to_json());
401
402         Json::Array(data)
403     }
404 }
405
406 /// A type used for the search index.
407 #[derive(Debug)]
408 struct Type {
409     name: Option<String>,
410     generics: Option<Vec<String>>,
411 }
412
413 impl ToJson for Type {
414     fn to_json(&self) -> Json {
415         match self.name {
416             Some(ref name) => {
417                 let mut data = Vec::with_capacity(2);
418                 data.push(name.to_json());
419                 if let Some(ref generics) = self.generics {
420                     data.push(generics.to_json());
421                 }
422                 Json::Array(data)
423             }
424             None => Json::Null
425         }
426     }
427 }
428
429 /// Full type of functions/methods in the search index.
430 #[derive(Debug)]
431 struct IndexItemFunctionType {
432     inputs: Vec<Type>,
433     output: Option<Type>,
434 }
435
436 impl ToJson for IndexItemFunctionType {
437     fn to_json(&self) -> Json {
438         // If we couldn't figure out a type, just write `null`.
439         if self.inputs.iter().chain(self.output.iter()).any(|ref i| i.name.is_none()) {
440             Json::Null
441         } else {
442             let mut data = Vec::with_capacity(2);
443             data.push(self.inputs.to_json());
444             if let Some(ref output) = self.output {
445                 data.push(output.to_json());
446             }
447             Json::Array(data)
448         }
449     }
450 }
451
452 thread_local!(static CACHE_KEY: RefCell<Arc<Cache>> = Default::default());
453 thread_local!(pub static CURRENT_LOCATION_KEY: RefCell<Vec<String>> = RefCell::new(Vec::new()));
454 thread_local!(pub static USED_ID_MAP: RefCell<FxHashMap<String, usize>> = RefCell::new(init_ids()));
455
456 fn init_ids() -> FxHashMap<String, usize> {
457     [
458      "main",
459      "search",
460      "help",
461      "TOC",
462      "render-detail",
463      "associated-types",
464      "associated-const",
465      "required-methods",
466      "provided-methods",
467      "implementors",
468      "synthetic-implementors",
469      "implementors-list",
470      "synthetic-implementors-list",
471      "methods",
472      "deref-methods",
473      "implementations",
474     ].into_iter().map(|id| (String::from(*id), 1)).collect()
475 }
476
477 /// This method resets the local table of used ID attributes. This is typically
478 /// used at the beginning of rendering an entire HTML page to reset from the
479 /// previous state (if any).
480 pub fn reset_ids(embedded: bool) {
481     USED_ID_MAP.with(|s| {
482         *s.borrow_mut() = if embedded {
483             init_ids()
484         } else {
485             FxHashMap()
486         };
487     });
488 }
489
490 pub fn derive_id(candidate: String) -> String {
491     USED_ID_MAP.with(|map| {
492         let id = match map.borrow_mut().get_mut(&candidate) {
493             None => candidate,
494             Some(a) => {
495                 let id = format!("{}-{}", candidate, *a);
496                 *a += 1;
497                 id
498             }
499         };
500
501         map.borrow_mut().insert(id.clone(), 1);
502         id
503     })
504 }
505
506 /// Generates the documentation for `crate` into the directory `dst`
507 pub fn run(mut krate: clean::Crate,
508            external_html: &ExternalHtml,
509            playground_url: Option<String>,
510            dst: PathBuf,
511            resource_suffix: String,
512            passes: FxHashSet<String>,
513            css_file_extension: Option<PathBuf>,
514            renderinfo: RenderInfo,
515            sort_modules_alphabetically: bool,
516            themes: Vec<PathBuf>,
517            enable_minification: bool) -> Result<(), Error> {
518     let src_root = match krate.src {
519         FileName::Real(ref p) => match p.parent() {
520             Some(p) => p.to_path_buf(),
521             None => PathBuf::new(),
522         },
523         _ => PathBuf::new(),
524     };
525     let mut scx = SharedContext {
526         src_root,
527         passes,
528         include_sources: true,
529         local_sources: FxHashMap(),
530         issue_tracker_base_url: None,
531         layout: layout::Layout {
532             logo: "".to_string(),
533             favicon: "".to_string(),
534             external_html: external_html.clone(),
535             krate: krate.name.clone(),
536         },
537         css_file_extension: css_file_extension.clone(),
538         created_dirs: RefCell::new(FxHashSet()),
539         sort_modules_alphabetically,
540         themes,
541         resource_suffix,
542     };
543
544     // If user passed in `--playground-url` arg, we fill in crate name here
545     if let Some(url) = playground_url {
546         markdown::PLAYGROUND.with(|slot| {
547             *slot.borrow_mut() = Some((Some(krate.name.clone()), url));
548         });
549     }
550
551     // Crawl the crate attributes looking for attributes which control how we're
552     // going to emit HTML
553     if let Some(attrs) = krate.module.as_ref().map(|m| &m.attrs) {
554         for attr in attrs.lists("doc") {
555             let name = attr.name().map(|s| s.as_str());
556             match (name.as_ref().map(|s| &s[..]), attr.value_str()) {
557                 (Some("html_favicon_url"), Some(s)) => {
558                     scx.layout.favicon = s.to_string();
559                 }
560                 (Some("html_logo_url"), Some(s)) => {
561                     scx.layout.logo = s.to_string();
562                 }
563                 (Some("html_playground_url"), Some(s)) => {
564                     markdown::PLAYGROUND.with(|slot| {
565                         let name = krate.name.clone();
566                         *slot.borrow_mut() = Some((Some(name), s.to_string()));
567                     });
568                 }
569                 (Some("issue_tracker_base_url"), Some(s)) => {
570                     scx.issue_tracker_base_url = Some(s.to_string());
571                 }
572                 (Some("html_no_source"), None) if attr.is_word() => {
573                     scx.include_sources = false;
574                 }
575                 _ => {}
576             }
577         }
578     }
579     try_err!(fs::create_dir_all(&dst), &dst);
580     krate = render_sources(&dst, &mut scx, krate)?;
581     let cx = Context {
582         current: Vec::new(),
583         dst,
584         render_redirect_pages: false,
585         shared: Arc::new(scx),
586     };
587
588     // Crawl the crate to build various caches used for the output
589     let RenderInfo {
590         inlined: _,
591         external_paths,
592         external_typarams,
593         exact_paths,
594         deref_trait_did,
595         deref_mut_trait_did,
596         owned_box_did,
597     } = renderinfo;
598
599     let external_paths = external_paths.into_iter()
600         .map(|(k, (v, t))| (k, (v, ItemType::from(t))))
601         .collect();
602
603     let mut cache = Cache {
604         impls: FxHashMap(),
605         external_paths,
606         exact_paths,
607         paths: FxHashMap(),
608         implementors: FxHashMap(),
609         stack: Vec::new(),
610         parent_stack: Vec::new(),
611         search_index: Vec::new(),
612         parent_is_trait_impl: false,
613         extern_locations: FxHashMap(),
614         primitive_locations: FxHashMap(),
615         stripped_mod: false,
616         access_levels: krate.access_levels.clone(),
617         crate_version: krate.version.take(),
618         orphan_impl_items: Vec::new(),
619         traits: mem::replace(&mut krate.external_traits, FxHashMap()),
620         deref_trait_did,
621         deref_mut_trait_did,
622         owned_box_did,
623         masked_crates: mem::replace(&mut krate.masked_crates, FxHashSet()),
624         typarams: external_typarams,
625         aliases: FxHashMap(),
626     };
627
628     // Cache where all our extern crates are located
629     for &(n, ref e) in &krate.externs {
630         let src_root = match e.src {
631             FileName::Real(ref p) => match p.parent() {
632                 Some(p) => p.to_path_buf(),
633                 None => PathBuf::new(),
634             },
635             _ => PathBuf::new(),
636         };
637         cache.extern_locations.insert(n, (e.name.clone(), src_root,
638                                           extern_location(e, &cx.dst)));
639
640         let did = DefId { krate: n, index: CRATE_DEF_INDEX };
641         cache.external_paths.insert(did, (vec![e.name.to_string()], ItemType::Module));
642     }
643
644     // Cache where all known primitives have their documentation located.
645     //
646     // Favor linking to as local extern as possible, so iterate all crates in
647     // reverse topological order.
648     for &(_, ref e) in krate.externs.iter().rev() {
649         for &(def_id, prim, _) in &e.primitives {
650             cache.primitive_locations.insert(prim, def_id);
651         }
652     }
653     for &(def_id, prim, _) in &krate.primitives {
654         cache.primitive_locations.insert(prim, def_id);
655     }
656
657     cache.stack.push(krate.name.clone());
658     krate = cache.fold_crate(krate);
659
660     // Build our search index
661     let index = build_index(&krate, &mut cache);
662
663     // Freeze the cache now that the index has been built. Put an Arc into TLS
664     // for future parallelization opportunities
665     let cache = Arc::new(cache);
666     CACHE_KEY.with(|v| *v.borrow_mut() = cache.clone());
667     CURRENT_LOCATION_KEY.with(|s| s.borrow_mut().clear());
668
669     write_shared(&cx, &krate, &*cache, index, enable_minification)?;
670
671     // And finally render the whole crate's documentation
672     cx.krate(krate)
673 }
674
675 /// Build the search index from the collected metadata
676 fn build_index(krate: &clean::Crate, cache: &mut Cache) -> String {
677     let mut nodeid_to_pathid = FxHashMap();
678     let mut crate_items = Vec::with_capacity(cache.search_index.len());
679     let mut crate_paths = Vec::<Json>::new();
680
681     let Cache { ref mut search_index,
682                 ref orphan_impl_items,
683                 ref mut paths, .. } = *cache;
684
685     // Attach all orphan items to the type's definition if the type
686     // has since been learned.
687     for &(did, ref item) in orphan_impl_items {
688         if let Some(&(ref fqp, _)) = paths.get(&did) {
689             search_index.push(IndexItem {
690                 ty: item.type_(),
691                 name: item.name.clone().unwrap(),
692                 path: fqp[..fqp.len() - 1].join("::"),
693                 desc: plain_summary_line(item.doc_value()),
694                 parent: Some(did),
695                 parent_idx: None,
696                 search_type: get_index_search_type(&item),
697             });
698         }
699     }
700
701     // Reduce `NodeId` in paths into smaller sequential numbers,
702     // and prune the paths that do not appear in the index.
703     let mut lastpath = String::new();
704     let mut lastpathid = 0usize;
705
706     for item in search_index {
707         item.parent_idx = item.parent.map(|nodeid| {
708             if nodeid_to_pathid.contains_key(&nodeid) {
709                 *nodeid_to_pathid.get(&nodeid).unwrap()
710             } else {
711                 let pathid = lastpathid;
712                 nodeid_to_pathid.insert(nodeid, pathid);
713                 lastpathid += 1;
714
715                 let &(ref fqp, short) = paths.get(&nodeid).unwrap();
716                 crate_paths.push(((short as usize), fqp.last().unwrap().clone()).to_json());
717                 pathid
718             }
719         });
720
721         // Omit the parent path if it is same to that of the prior item.
722         if lastpath == item.path {
723             item.path.clear();
724         } else {
725             lastpath = item.path.clone();
726         }
727         crate_items.push(item.to_json());
728     }
729
730     let crate_doc = krate.module.as_ref().map(|module| {
731         plain_summary_line(module.doc_value())
732     }).unwrap_or(String::new());
733
734     let mut crate_data = BTreeMap::new();
735     crate_data.insert("doc".to_owned(), Json::String(crate_doc));
736     crate_data.insert("items".to_owned(), Json::Array(crate_items));
737     crate_data.insert("paths".to_owned(), Json::Array(crate_paths));
738
739     // Collect the index into a string
740     format!("searchIndex[{}] = {};",
741             as_json(&krate.name),
742             Json::Object(crate_data))
743 }
744
745 fn write_shared(cx: &Context,
746                 krate: &clean::Crate,
747                 cache: &Cache,
748                 search_index: String,
749                 enable_minification: bool) -> Result<(), Error> {
750     // Write out the shared files. Note that these are shared among all rustdoc
751     // docs placed in the output directory, so this needs to be a synchronized
752     // operation with respect to all other rustdocs running around.
753     let _lock = flock::Lock::panicking_new(&cx.dst.join(".lock"), true, true, true);
754
755     // Add all the static files. These may already exist, but we just
756     // overwrite them anyway to make sure that they're fresh and up-to-date.
757
758     write_minify(cx.dst.join(&format!("rustdoc{}.css", cx.shared.resource_suffix)),
759                  include_str!("static/rustdoc.css"),
760                  enable_minification)?;
761     write_minify(cx.dst.join(&format!("settings{}.css", cx.shared.resource_suffix)),
762                  include_str!("static/settings.css"),
763                  enable_minification)?;
764
765     // To avoid "light.css" to be overwritten, we'll first run over the received themes and only
766     // then we'll run over the "official" styles.
767     let mut themes: HashSet<String> = HashSet::new();
768
769     for entry in &cx.shared.themes {
770         let mut content = Vec::with_capacity(100000);
771
772         let mut f = try_err!(File::open(&entry), &entry);
773         try_err!(f.read_to_end(&mut content), &entry);
774         let theme = try_none!(try_none!(entry.file_stem(), &entry).to_str(), &entry);
775         let extension = try_none!(try_none!(entry.extension(), &entry).to_str(), &entry);
776         write(cx.dst.join(format!("{}{}.{}", theme, cx.shared.resource_suffix, extension)),
777               content.as_slice())?;
778         themes.insert(theme.to_owned());
779     }
780
781     write(cx.dst.join(&format!("brush{}.svg", cx.shared.resource_suffix)),
782           include_bytes!("static/brush.svg"))?;
783     write(cx.dst.join(&format!("wheel{}.svg", cx.shared.resource_suffix)),
784           include_bytes!("static/wheel.svg"))?;
785     write_minify(cx.dst.join(&format!("light{}.css", cx.shared.resource_suffix)),
786                  include_str!("static/themes/light.css"),
787                  enable_minification)?;
788     themes.insert("light".to_owned());
789     write_minify(cx.dst.join(&format!("dark{}.css", cx.shared.resource_suffix)),
790                  include_str!("static/themes/dark.css"),
791                  enable_minification)?;
792     themes.insert("dark".to_owned());
793
794     let mut themes: Vec<&String> = themes.iter().collect();
795     themes.sort();
796     // To avoid theme switch latencies as much as possible, we put everything theme related
797     // at the beginning of the html files into another js file.
798     write(cx.dst.join(&format!("theme{}.js", cx.shared.resource_suffix)),
799           format!(
800 r#"var themes = document.getElementById("theme-choices");
801 var themePicker = document.getElementById("theme-picker");
802
803 function switchThemeButtonState() {{
804     if (themes.style.display === "block") {{
805         themes.style.display = "none";
806         themePicker.style.borderBottomRightRadius = "3px";
807         themePicker.style.borderBottomLeftRadius = "3px";
808     }} else {{
809         themes.style.display = "block";
810         themePicker.style.borderBottomRightRadius = "0";
811         themePicker.style.borderBottomLeftRadius = "0";
812     }}
813 }};
814
815 function handleThemeButtonsBlur(e) {{
816     var active = document.activeElement;
817     var related = e.relatedTarget;
818
819     if (active.id !== "themePicker" &&
820         (!active.parentNode || active.parentNode.id !== "theme-choices") &&
821         (!related ||
822          (related.id !== "themePicker" &&
823           (!related.parentNode || related.parentNode.id !== "theme-choices")))) {{
824         switchThemeButtonState();
825     }}
826 }}
827
828 themePicker.onclick = switchThemeButtonState;
829 themePicker.onblur = handleThemeButtonsBlur;
830 [{}].forEach(function(item) {{
831     var but = document.createElement('button');
832     but.innerHTML = item;
833     but.onclick = function(el) {{
834         switchTheme(currentTheme, mainTheme, item);
835     }};
836     but.onblur = handleThemeButtonsBlur;
837     themes.appendChild(but);
838 }});"#,
839                  themes.iter()
840                        .map(|s| format!("\"{}\"", s))
841                        .collect::<Vec<String>>()
842                        .join(",")).as_bytes(),
843     )?;
844
845     write_minify(cx.dst.join(&format!("main{}.js", cx.shared.resource_suffix)),
846                  include_str!("static/main.js"),
847                  enable_minification)?;
848     write_minify(cx.dst.join(&format!("settings{}.js", cx.shared.resource_suffix)),
849                  include_str!("static/settings.js"),
850                  enable_minification)?;
851
852     {
853         let mut data = format!("var resourcesSuffix = \"{}\";\n",
854                                cx.shared.resource_suffix);
855         data.push_str(include_str!("static/storage.js"));
856         write_minify(cx.dst.join(&format!("storage{}.js", cx.shared.resource_suffix)),
857                      &data,
858                      enable_minification)?;
859     }
860
861     if let Some(ref css) = cx.shared.css_file_extension {
862         let out = cx.dst.join(&format!("theme{}.css", cx.shared.resource_suffix));
863         if !enable_minification {
864             try_err!(fs::copy(css, out), css);
865         } else {
866             let mut f = try_err!(File::open(css), css);
867             let mut buffer = String::with_capacity(1000);
868
869             try_err!(f.read_to_string(&mut buffer), css);
870             write_minify(out, &buffer, enable_minification)?;
871         }
872     }
873     write_minify(cx.dst.join(&format!("normalize{}.css", cx.shared.resource_suffix)),
874                  include_str!("static/normalize.css"),
875                  enable_minification)?;
876     write(cx.dst.join("FiraSans-Regular.woff"),
877           include_bytes!("static/FiraSans-Regular.woff"))?;
878     write(cx.dst.join("FiraSans-Medium.woff"),
879           include_bytes!("static/FiraSans-Medium.woff"))?;
880     write(cx.dst.join("FiraSans-LICENSE.txt"),
881           include_bytes!("static/FiraSans-LICENSE.txt"))?;
882     write(cx.dst.join("Heuristica-Italic.woff"),
883           include_bytes!("static/Heuristica-Italic.woff"))?;
884     write(cx.dst.join("Heuristica-LICENSE.txt"),
885           include_bytes!("static/Heuristica-LICENSE.txt"))?;
886     write(cx.dst.join("SourceSerifPro-Regular.woff"),
887           include_bytes!("static/SourceSerifPro-Regular.woff"))?;
888     write(cx.dst.join("SourceSerifPro-Bold.woff"),
889           include_bytes!("static/SourceSerifPro-Bold.woff"))?;
890     write(cx.dst.join("SourceSerifPro-LICENSE.txt"),
891           include_bytes!("static/SourceSerifPro-LICENSE.txt"))?;
892     write(cx.dst.join("SourceCodePro-Regular.woff"),
893           include_bytes!("static/SourceCodePro-Regular.woff"))?;
894     write(cx.dst.join("SourceCodePro-Semibold.woff"),
895           include_bytes!("static/SourceCodePro-Semibold.woff"))?;
896     write(cx.dst.join("SourceCodePro-LICENSE.txt"),
897           include_bytes!("static/SourceCodePro-LICENSE.txt"))?;
898     write(cx.dst.join("LICENSE-MIT.txt"),
899           include_bytes!("static/LICENSE-MIT.txt"))?;
900     write(cx.dst.join("LICENSE-APACHE.txt"),
901           include_bytes!("static/LICENSE-APACHE.txt"))?;
902     write(cx.dst.join("COPYRIGHT.txt"),
903           include_bytes!("static/COPYRIGHT.txt"))?;
904
905     fn collect(path: &Path, krate: &str, key: &str) -> io::Result<Vec<String>> {
906         let mut ret = Vec::new();
907         if path.exists() {
908             for line in BufReader::new(File::open(path)?).lines() {
909                 let line = line?;
910                 if !line.starts_with(key) {
911                     continue;
912                 }
913                 if line.starts_with(&format!(r#"{}["{}"]"#, key, krate)) {
914                     continue;
915                 }
916                 ret.push(line.to_string());
917             }
918         }
919         Ok(ret)
920     }
921
922     fn show_item(item: &IndexItem, krate: &str) -> String {
923         format!("{{'crate':'{}','ty':{},'name':'{}','desc':'{}','p':'{}'{}}}",
924                 krate, item.ty as usize, item.name, item.desc.replace("'", "\\'"), item.path,
925                 if let Some(p) = item.parent_idx {
926                     format!(",'parent':{}", p)
927                 } else {
928                     String::new()
929                 })
930     }
931
932     let dst = cx.dst.join("aliases.js");
933     {
934         let mut all_aliases = try_err!(collect(&dst, &krate.name, "ALIASES"), &dst);
935         let mut w = try_err!(File::create(&dst), &dst);
936         let mut output = String::with_capacity(100);
937         for (alias, items) in &cache.aliases {
938             if items.is_empty() {
939                 continue
940             }
941             output.push_str(&format!("\"{}\":[{}],",
942                                      alias,
943                                      items.iter()
944                                           .map(|v| show_item(v, &krate.name))
945                                           .collect::<Vec<_>>()
946                                           .join(",")));
947         }
948         all_aliases.push(format!("ALIASES['{}'] = {{{}}};", krate.name, output));
949         all_aliases.sort();
950         try_err!(writeln!(&mut w, "var ALIASES = {{}};"), &dst);
951         for aliases in &all_aliases {
952             try_err!(writeln!(&mut w, "{}", aliases), &dst);
953         }
954     }
955
956     // Update the search index
957     let dst = cx.dst.join("search-index.js");
958     let mut all_indexes = try_err!(collect(&dst, &krate.name, "searchIndex"), &dst);
959     all_indexes.push(search_index);
960     // Sort the indexes by crate so the file will be generated identically even
961     // with rustdoc running in parallel.
962     all_indexes.sort();
963     let mut w = try_err!(File::create(&dst), &dst);
964     try_err!(writeln!(&mut w, "var N = null;var searchIndex = {{}};"), &dst);
965     for index in &all_indexes {
966         try_err!(write_minify_replacer(&mut w, &*index, enable_minification,
967                                        &[(minifier::js::Keyword::Null, "N")]),
968                  &dst);
969     }
970     try_err!(writeln!(&mut w, "initSearch(searchIndex);"), &dst);
971
972     // Update the list of all implementors for traits
973     let dst = cx.dst.join("implementors");
974     for (&did, imps) in &cache.implementors {
975         // Private modules can leak through to this phase of rustdoc, which
976         // could contain implementations for otherwise private types. In some
977         // rare cases we could find an implementation for an item which wasn't
978         // indexed, so we just skip this step in that case.
979         //
980         // FIXME: this is a vague explanation for why this can't be a `get`, in
981         //        theory it should be...
982         let &(ref remote_path, remote_item_type) = match cache.paths.get(&did) {
983             Some(p) => p,
984             None => match cache.external_paths.get(&did) {
985                 Some(p) => p,
986                 None => continue,
987             }
988         };
989
990         let mut have_impls = false;
991         let mut implementors = format!(r#"implementors["{}"] = ["#, krate.name);
992         for imp in imps {
993             // If the trait and implementation are in the same crate, then
994             // there's no need to emit information about it (there's inlining
995             // going on). If they're in different crates then the crate defining
996             // the trait will be interested in our implementation.
997             if imp.impl_item.def_id.krate == did.krate { continue }
998             // If the implementation is from another crate then that crate
999             // should add it.
1000             if !imp.impl_item.def_id.is_local() { continue }
1001             have_impls = true;
1002             write!(implementors, "{{text:{},synthetic:{},types:{}}},",
1003                    as_json(&imp.inner_impl().to_string()),
1004                    imp.inner_impl().synthetic,
1005                    as_json(&collect_paths_for_type(imp.inner_impl().for_.clone()))).unwrap();
1006         }
1007         implementors.push_str("];");
1008
1009         // Only create a js file if we have impls to add to it. If the trait is
1010         // documented locally though we always create the file to avoid dead
1011         // links.
1012         if !have_impls && !cache.paths.contains_key(&did) {
1013             continue;
1014         }
1015
1016         let mut mydst = dst.clone();
1017         for part in &remote_path[..remote_path.len() - 1] {
1018             mydst.push(part);
1019         }
1020         try_err!(fs::create_dir_all(&mydst), &mydst);
1021         mydst.push(&format!("{}.{}.js",
1022                             remote_item_type.css_class(),
1023                             remote_path[remote_path.len() - 1]));
1024
1025         let mut all_implementors = try_err!(collect(&mydst, &krate.name, "implementors"), &mydst);
1026         all_implementors.push(implementors);
1027         // Sort the implementors by crate so the file will be generated
1028         // identically even with rustdoc running in parallel.
1029         all_implementors.sort();
1030
1031         let mut f = try_err!(File::create(&mydst), &mydst);
1032         try_err!(writeln!(&mut f, "(function() {{var implementors = {{}};"), &mydst);
1033         for implementor in &all_implementors {
1034             try_err!(writeln!(&mut f, "{}", *implementor), &mydst);
1035         }
1036         try_err!(writeln!(&mut f, "{}", r"
1037             if (window.register_implementors) {
1038                 window.register_implementors(implementors);
1039             } else {
1040                 window.pending_implementors = implementors;
1041             }
1042         "), &mydst);
1043         try_err!(writeln!(&mut f, r"}})()"), &mydst);
1044     }
1045     Ok(())
1046 }
1047
1048 fn render_sources(dst: &Path, scx: &mut SharedContext,
1049                   krate: clean::Crate) -> Result<clean::Crate, Error> {
1050     info!("emitting source files");
1051     let dst = dst.join("src").join(&krate.name);
1052     try_err!(fs::create_dir_all(&dst), &dst);
1053     let mut folder = SourceCollector {
1054         dst,
1055         scx,
1056     };
1057     Ok(folder.fold_crate(krate))
1058 }
1059
1060 /// Writes the entire contents of a string to a destination, not attempting to
1061 /// catch any errors.
1062 fn write(dst: PathBuf, contents: &[u8]) -> Result<(), Error> {
1063     Ok(try_err!(fs::write(&dst, contents), &dst))
1064 }
1065
1066 fn write_minify(dst: PathBuf, contents: &str, enable_minification: bool) -> Result<(), Error> {
1067     if enable_minification {
1068         if dst.extension() == Some(&OsStr::new("css")) {
1069             let res = try_none!(minifier::css::minify(contents).ok(), &dst);
1070             write(dst, res.as_bytes())
1071         } else {
1072             write(dst, minifier::js::minify(contents).as_bytes())
1073         }
1074     } else {
1075         write(dst, contents.as_bytes())
1076     }
1077 }
1078
1079 fn write_minify_replacer<W: Write>(dst: &mut W,
1080                                    contents: &str,
1081                                    enable_minification: bool,
1082                                    keywords_to_replace: &[(minifier::js::Keyword, &str)])
1083                                    -> io::Result<()> {
1084     if enable_minification {
1085         writeln!(dst, "{}",
1086                  minifier::js::minify_and_replace_keywords(contents, keywords_to_replace))
1087     } else {
1088         writeln!(dst, "{}", contents)
1089     }
1090 }
1091
1092 /// Takes a path to a source file and cleans the path to it. This canonicalizes
1093 /// things like ".." to components which preserve the "top down" hierarchy of a
1094 /// static HTML tree. Each component in the cleaned path will be passed as an
1095 /// argument to `f`. The very last component of the path (ie the file name) will
1096 /// be passed to `f` if `keep_filename` is true, and ignored otherwise.
1097 // FIXME (#9639): The closure should deal with &[u8] instead of &str
1098 // FIXME (#9639): This is too conservative, rejecting non-UTF-8 paths
1099 fn clean_srcpath<F>(src_root: &Path, p: &Path, keep_filename: bool, mut f: F) where
1100     F: FnMut(&str),
1101 {
1102     // make it relative, if possible
1103     let p = p.strip_prefix(src_root).unwrap_or(p);
1104
1105     let mut iter = p.components().peekable();
1106
1107     while let Some(c) = iter.next() {
1108         if !keep_filename && iter.peek().is_none() {
1109             break;
1110         }
1111
1112         match c {
1113             Component::ParentDir => f("up"),
1114             Component::Normal(c) => f(c.to_str().unwrap()),
1115             _ => continue,
1116         }
1117     }
1118 }
1119
1120 /// Attempts to find where an external crate is located, given that we're
1121 /// rendering in to the specified source destination.
1122 fn extern_location(e: &clean::ExternalCrate, dst: &Path) -> ExternalLocation {
1123     // See if there's documentation generated into the local directory
1124     let local_location = dst.join(&e.name);
1125     if local_location.is_dir() {
1126         return Local;
1127     }
1128
1129     // Failing that, see if there's an attribute specifying where to find this
1130     // external crate
1131     e.attrs.lists("doc")
1132      .filter(|a| a.check_name("html_root_url"))
1133      .filter_map(|a| a.value_str())
1134      .map(|url| {
1135         let mut url = url.to_string();
1136         if !url.ends_with("/") {
1137             url.push('/')
1138         }
1139         Remote(url)
1140     }).next().unwrap_or(Unknown) // Well, at least we tried.
1141 }
1142
1143 impl<'a> DocFolder for SourceCollector<'a> {
1144     fn fold_item(&mut self, item: clean::Item) -> Option<clean::Item> {
1145         // If we're including source files, and we haven't seen this file yet,
1146         // then we need to render it out to the filesystem.
1147         if self.scx.include_sources
1148             // skip all invalid or macro spans
1149             && item.source.filename.is_real()
1150             // skip non-local items
1151             && item.def_id.is_local() {
1152
1153             // If it turns out that we couldn't read this file, then we probably
1154             // can't read any of the files (generating html output from json or
1155             // something like that), so just don't include sources for the
1156             // entire crate. The other option is maintaining this mapping on a
1157             // per-file basis, but that's probably not worth it...
1158             self.scx
1159                 .include_sources = match self.emit_source(&item.source.filename) {
1160                 Ok(()) => true,
1161                 Err(e) => {
1162                     println!("warning: source code was requested to be rendered, \
1163                               but processing `{}` had an error: {}",
1164                              item.source.filename, e);
1165                     println!("         skipping rendering of source code");
1166                     false
1167                 }
1168             };
1169         }
1170         self.fold_item_recur(item)
1171     }
1172 }
1173
1174 impl<'a> SourceCollector<'a> {
1175     /// Renders the given filename into its corresponding HTML source file.
1176     fn emit_source(&mut self, filename: &FileName) -> io::Result<()> {
1177         let p = match *filename {
1178             FileName::Real(ref file) => file,
1179             _ => return Ok(()),
1180         };
1181         if self.scx.local_sources.contains_key(&**p) {
1182             // We've already emitted this source
1183             return Ok(());
1184         }
1185
1186         let contents = fs::read_to_string(&p)?;
1187
1188         // Remove the utf-8 BOM if any
1189         let contents = if contents.starts_with("\u{feff}") {
1190             &contents[3..]
1191         } else {
1192             &contents[..]
1193         };
1194
1195         // Create the intermediate directories
1196         let mut cur = self.dst.clone();
1197         let mut root_path = String::from("../../");
1198         let mut href = String::new();
1199         clean_srcpath(&self.scx.src_root, &p, false, |component| {
1200             cur.push(component);
1201             fs::create_dir_all(&cur).unwrap();
1202             root_path.push_str("../");
1203             href.push_str(component);
1204             href.push('/');
1205         });
1206         let mut fname = p.file_name()
1207                          .expect("source has no filename")
1208                          .to_os_string();
1209         fname.push(".html");
1210         cur.push(&fname);
1211         href.push_str(&fname.to_string_lossy());
1212
1213         let mut w = BufWriter::new(File::create(&cur)?);
1214         let title = format!("{} -- source", cur.file_name().unwrap()
1215                                                .to_string_lossy());
1216         let desc = format!("Source to the Rust file `{}`.", filename);
1217         let page = layout::Page {
1218             title: &title,
1219             css_class: "source",
1220             root_path: &root_path,
1221             description: &desc,
1222             keywords: BASIC_KEYWORDS,
1223             resource_suffix: &self.scx.resource_suffix,
1224         };
1225         layout::render(&mut w, &self.scx.layout,
1226                        &page, &(""), &Source(contents),
1227                        self.scx.css_file_extension.is_some(),
1228                        &self.scx.themes)?;
1229         w.flush()?;
1230         self.scx.local_sources.insert(p.clone(), href);
1231         Ok(())
1232     }
1233 }
1234
1235 impl DocFolder for Cache {
1236     fn fold_item(&mut self, item: clean::Item) -> Option<clean::Item> {
1237         // If this is a stripped module,
1238         // we don't want it or its children in the search index.
1239         let orig_stripped_mod = match item.inner {
1240             clean::StrippedItem(box clean::ModuleItem(..)) => {
1241                 mem::replace(&mut self.stripped_mod, true)
1242             }
1243             _ => self.stripped_mod,
1244         };
1245
1246         // If the impl is from a masked crate or references something from a
1247         // masked crate then remove it completely.
1248         if let clean::ImplItem(ref i) = item.inner {
1249             if self.masked_crates.contains(&item.def_id.krate) ||
1250                i.trait_.def_id().map_or(false, |d| self.masked_crates.contains(&d.krate)) ||
1251                i.for_.def_id().map_or(false, |d| self.masked_crates.contains(&d.krate)) {
1252                 return None;
1253             }
1254         }
1255
1256         // Register any generics to their corresponding string. This is used
1257         // when pretty-printing types.
1258         if let Some(generics) = item.inner.generics() {
1259             self.generics(generics);
1260         }
1261
1262         // Propagate a trait method's documentation to all implementors of the
1263         // trait.
1264         if let clean::TraitItem(ref t) = item.inner {
1265             self.traits.entry(item.def_id).or_insert_with(|| t.clone());
1266         }
1267
1268         // Collect all the implementors of traits.
1269         if let clean::ImplItem(ref i) = item.inner {
1270             if let Some(did) = i.trait_.def_id() {
1271                 self.implementors.entry(did).or_insert(vec![]).push(Impl {
1272                     impl_item: item.clone(),
1273                 });
1274             }
1275         }
1276
1277         // Index this method for searching later on.
1278         if let Some(ref s) = item.name {
1279             let (parent, is_inherent_impl_item) = match item.inner {
1280                 clean::StrippedItem(..) => ((None, None), false),
1281                 clean::AssociatedConstItem(..) |
1282                 clean::TypedefItem(_, true) if self.parent_is_trait_impl => {
1283                     // skip associated items in trait impls
1284                     ((None, None), false)
1285                 }
1286                 clean::AssociatedTypeItem(..) |
1287                 clean::TyMethodItem(..) |
1288                 clean::StructFieldItem(..) |
1289                 clean::VariantItem(..) => {
1290                     ((Some(*self.parent_stack.last().unwrap()),
1291                       Some(&self.stack[..self.stack.len() - 1])),
1292                      false)
1293                 }
1294                 clean::MethodItem(..) | clean::AssociatedConstItem(..) => {
1295                     if self.parent_stack.is_empty() {
1296                         ((None, None), false)
1297                     } else {
1298                         let last = self.parent_stack.last().unwrap();
1299                         let did = *last;
1300                         let path = match self.paths.get(&did) {
1301                             // The current stack not necessarily has correlation
1302                             // for where the type was defined. On the other
1303                             // hand, `paths` always has the right
1304                             // information if present.
1305                             Some(&(ref fqp, ItemType::Trait)) |
1306                             Some(&(ref fqp, ItemType::Struct)) |
1307                             Some(&(ref fqp, ItemType::Union)) |
1308                             Some(&(ref fqp, ItemType::Enum)) =>
1309                                 Some(&fqp[..fqp.len() - 1]),
1310                             Some(..) => Some(&*self.stack),
1311                             None => None
1312                         };
1313                         ((Some(*last), path), true)
1314                     }
1315                 }
1316                 _ => ((None, Some(&*self.stack)), false)
1317             };
1318
1319             match parent {
1320                 (parent, Some(path)) if is_inherent_impl_item || (!self.stripped_mod) => {
1321                     debug_assert!(!item.is_stripped());
1322
1323                     // A crate has a module at its root, containing all items,
1324                     // which should not be indexed. The crate-item itself is
1325                     // inserted later on when serializing the search-index.
1326                     if item.def_id.index != CRATE_DEF_INDEX {
1327                         self.search_index.push(IndexItem {
1328                             ty: item.type_(),
1329                             name: s.to_string(),
1330                             path: path.join("::").to_string(),
1331                             desc: plain_summary_line(item.doc_value()),
1332                             parent,
1333                             parent_idx: None,
1334                             search_type: get_index_search_type(&item),
1335                         });
1336                     }
1337                 }
1338                 (Some(parent), None) if is_inherent_impl_item => {
1339                     // We have a parent, but we don't know where they're
1340                     // defined yet. Wait for later to index this item.
1341                     self.orphan_impl_items.push((parent, item.clone()));
1342                 }
1343                 _ => {}
1344             }
1345         }
1346
1347         // Keep track of the fully qualified path for this item.
1348         let pushed = match item.name {
1349             Some(ref n) if !n.is_empty() => {
1350                 self.stack.push(n.to_string());
1351                 true
1352             }
1353             _ => false,
1354         };
1355
1356         match item.inner {
1357             clean::StructItem(..) | clean::EnumItem(..) |
1358             clean::TypedefItem(..) | clean::TraitItem(..) |
1359             clean::FunctionItem(..) | clean::ModuleItem(..) |
1360             clean::ForeignFunctionItem(..) | clean::ForeignStaticItem(..) |
1361             clean::ConstantItem(..) | clean::StaticItem(..) |
1362             clean::UnionItem(..) | clean::ForeignTypeItem | clean::MacroItem(..)
1363             if !self.stripped_mod => {
1364                 // Re-exported items mean that the same id can show up twice
1365                 // in the rustdoc ast that we're looking at. We know,
1366                 // however, that a re-exported item doesn't show up in the
1367                 // `public_items` map, so we can skip inserting into the
1368                 // paths map if there was already an entry present and we're
1369                 // not a public item.
1370                 if !self.paths.contains_key(&item.def_id) ||
1371                    self.access_levels.is_public(item.def_id)
1372                 {
1373                     self.paths.insert(item.def_id,
1374                                       (self.stack.clone(), item.type_()));
1375                 }
1376                 self.add_aliases(&item);
1377             }
1378             // Link variants to their parent enum because pages aren't emitted
1379             // for each variant.
1380             clean::VariantItem(..) if !self.stripped_mod => {
1381                 let mut stack = self.stack.clone();
1382                 stack.pop();
1383                 self.paths.insert(item.def_id, (stack, ItemType::Enum));
1384             }
1385
1386             clean::PrimitiveItem(..) if item.visibility.is_some() => {
1387                 self.add_aliases(&item);
1388                 self.paths.insert(item.def_id, (self.stack.clone(),
1389                                                 item.type_()));
1390             }
1391
1392             _ => {}
1393         }
1394
1395         // Maintain the parent stack
1396         let orig_parent_is_trait_impl = self.parent_is_trait_impl;
1397         let parent_pushed = match item.inner {
1398             clean::TraitItem(..) | clean::EnumItem(..) | clean::ForeignTypeItem |
1399             clean::StructItem(..) | clean::UnionItem(..) => {
1400                 self.parent_stack.push(item.def_id);
1401                 self.parent_is_trait_impl = false;
1402                 true
1403             }
1404             clean::ImplItem(ref i) => {
1405                 self.parent_is_trait_impl = i.trait_.is_some();
1406                 match i.for_ {
1407                     clean::ResolvedPath{ did, .. } => {
1408                         self.parent_stack.push(did);
1409                         true
1410                     }
1411                     ref t => {
1412                         let prim_did = t.primitive_type().and_then(|t| {
1413                             self.primitive_locations.get(&t).cloned()
1414                         });
1415                         match prim_did {
1416                             Some(did) => {
1417                                 self.parent_stack.push(did);
1418                                 true
1419                             }
1420                             None => false,
1421                         }
1422                     }
1423                 }
1424             }
1425             _ => false
1426         };
1427
1428         // Once we've recursively found all the generics, hoard off all the
1429         // implementations elsewhere.
1430         let ret = self.fold_item_recur(item).and_then(|item| {
1431             if let clean::Item { inner: clean::ImplItem(_), .. } = item {
1432                 // Figure out the id of this impl. This may map to a
1433                 // primitive rather than always to a struct/enum.
1434                 // Note: matching twice to restrict the lifetime of the `i` borrow.
1435                 let mut dids = FxHashSet();
1436                 if let clean::Item { inner: clean::ImplItem(ref i), .. } = item {
1437                     match i.for_ {
1438                         clean::ResolvedPath { did, .. } |
1439                         clean::BorrowedRef {
1440                             type_: box clean::ResolvedPath { did, .. }, ..
1441                         } => {
1442                             dids.insert(did);
1443                         }
1444                         ref t => {
1445                             let did = t.primitive_type().and_then(|t| {
1446                                 self.primitive_locations.get(&t).cloned()
1447                             });
1448
1449                             if let Some(did) = did {
1450                                 dids.insert(did);
1451                             }
1452                         }
1453                     }
1454
1455                     if let Some(generics) = i.trait_.as_ref().and_then(|t| t.generics()) {
1456                         for bound in generics {
1457                             if let Some(did) = bound.def_id() {
1458                                 dids.insert(did);
1459                             }
1460                         }
1461                     }
1462                 } else {
1463                     unreachable!()
1464                 };
1465                 for did in dids {
1466                     self.impls.entry(did).or_insert(vec![]).push(Impl {
1467                         impl_item: item.clone(),
1468                     });
1469                 }
1470                 None
1471             } else {
1472                 Some(item)
1473             }
1474         });
1475
1476         if pushed { self.stack.pop().unwrap(); }
1477         if parent_pushed { self.parent_stack.pop().unwrap(); }
1478         self.stripped_mod = orig_stripped_mod;
1479         self.parent_is_trait_impl = orig_parent_is_trait_impl;
1480         ret
1481     }
1482 }
1483
1484 impl<'a> Cache {
1485     fn generics(&mut self, generics: &clean::Generics) {
1486         for param in &generics.params {
1487             match param.kind {
1488                 clean::GenericParamDefKind::Lifetime => {}
1489                 clean::GenericParamDefKind::Type { did, .. } => {
1490                     self.typarams.insert(did, param.name.clone());
1491                 }
1492             }
1493         }
1494     }
1495
1496     fn add_aliases(&mut self, item: &clean::Item) {
1497         if item.def_id.index == CRATE_DEF_INDEX {
1498             return
1499         }
1500         if let Some(ref item_name) = item.name {
1501             let path = self.paths.get(&item.def_id)
1502                                  .map(|p| p.0[..p.0.len() - 1].join("::"))
1503                                  .unwrap_or("std".to_owned());
1504             for alias in item.attrs.lists("doc")
1505                                    .filter(|a| a.check_name("alias"))
1506                                    .filter_map(|a| a.value_str()
1507                                                     .map(|s| s.to_string().replace("\"", "")))
1508                                    .filter(|v| !v.is_empty())
1509                                    .collect::<FxHashSet<_>>()
1510                                    .into_iter() {
1511                 self.aliases.entry(alias)
1512                             .or_insert(Vec::with_capacity(1))
1513                             .push(IndexItem {
1514                                 ty: item.type_(),
1515                                 name: item_name.to_string(),
1516                                 path: path.clone(),
1517                                 desc: plain_summary_line(item.doc_value()),
1518                                 parent: None,
1519                                 parent_idx: None,
1520                                 search_type: get_index_search_type(&item),
1521                             });
1522             }
1523         }
1524     }
1525 }
1526
1527 #[derive(Debug, Eq, PartialEq, Hash)]
1528 struct ItemEntry {
1529     url: String,
1530     name: String,
1531 }
1532
1533 impl ItemEntry {
1534     fn new(mut url: String, name: String) -> ItemEntry {
1535         while url.starts_with('/') {
1536             url.remove(0);
1537         }
1538         ItemEntry {
1539             url,
1540             name,
1541         }
1542     }
1543 }
1544
1545 impl fmt::Display for ItemEntry {
1546     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1547         write!(f, "<a href='{}'>{}</a>", self.url, Escape(&self.name))
1548     }
1549 }
1550
1551 impl PartialOrd for ItemEntry {
1552     fn partial_cmp(&self, other: &ItemEntry) -> Option<::std::cmp::Ordering> {
1553         Some(self.cmp(other))
1554     }
1555 }
1556
1557 impl Ord for ItemEntry {
1558     fn cmp(&self, other: &ItemEntry) -> ::std::cmp::Ordering {
1559         self.name.cmp(&other.name)
1560     }
1561 }
1562
1563 #[derive(Debug)]
1564 struct AllTypes {
1565     structs: HashSet<ItemEntry>,
1566     enums: HashSet<ItemEntry>,
1567     unions: HashSet<ItemEntry>,
1568     primitives: HashSet<ItemEntry>,
1569     traits: HashSet<ItemEntry>,
1570     macros: HashSet<ItemEntry>,
1571     functions: HashSet<ItemEntry>,
1572     typedefs: HashSet<ItemEntry>,
1573     statics: HashSet<ItemEntry>,
1574     constants: HashSet<ItemEntry>,
1575     keywords: HashSet<ItemEntry>,
1576 }
1577
1578 impl AllTypes {
1579     fn new() -> AllTypes {
1580         AllTypes {
1581             structs: HashSet::with_capacity(100),
1582             enums: HashSet::with_capacity(100),
1583             unions: HashSet::with_capacity(100),
1584             primitives: HashSet::with_capacity(26),
1585             traits: HashSet::with_capacity(100),
1586             macros: HashSet::with_capacity(100),
1587             functions: HashSet::with_capacity(100),
1588             typedefs: HashSet::with_capacity(100),
1589             statics: HashSet::with_capacity(100),
1590             constants: HashSet::with_capacity(100),
1591             keywords: HashSet::with_capacity(100),
1592         }
1593     }
1594
1595     fn append(&mut self, item_name: String, item_type: &ItemType) {
1596         let mut url: Vec<_> = item_name.split("::").skip(1).collect();
1597         if let Some(name) = url.pop() {
1598             let new_url = format!("{}/{}.{}.html", url.join("/"), item_type, name);
1599             url.push(name);
1600             let name = url.join("::");
1601             match *item_type {
1602                 ItemType::Struct => self.structs.insert(ItemEntry::new(new_url, name)),
1603                 ItemType::Enum => self.enums.insert(ItemEntry::new(new_url, name)),
1604                 ItemType::Union => self.unions.insert(ItemEntry::new(new_url, name)),
1605                 ItemType::Primitive => self.primitives.insert(ItemEntry::new(new_url, name)),
1606                 ItemType::Trait => self.traits.insert(ItemEntry::new(new_url, name)),
1607                 ItemType::Macro => self.macros.insert(ItemEntry::new(new_url, name)),
1608                 ItemType::Function => self.functions.insert(ItemEntry::new(new_url, name)),
1609                 ItemType::Typedef => self.typedefs.insert(ItemEntry::new(new_url, name)),
1610                 ItemType::Static => self.statics.insert(ItemEntry::new(new_url, name)),
1611                 ItemType::Constant => self.constants.insert(ItemEntry::new(new_url, name)),
1612                 _ => true,
1613             };
1614         }
1615     }
1616 }
1617
1618 fn print_entries(f: &mut fmt::Formatter, e: &HashSet<ItemEntry>, title: &str,
1619                  class: &str) -> fmt::Result {
1620     if !e.is_empty() {
1621         let mut e: Vec<&ItemEntry> = e.iter().collect();
1622         e.sort();
1623         write!(f, "<h3 id='{}'>{}</h3><ul class='{} docblock'>{}</ul>",
1624                title,
1625                Escape(title),
1626                class,
1627                e.iter().map(|s| format!("<li>{}</li>", s)).collect::<String>())?;
1628     }
1629     Ok(())
1630 }
1631
1632 impl fmt::Display for AllTypes {
1633     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1634         write!(f,
1635 "<h1 class='fqn'>\
1636      <span class='in-band'>List of all items</span>\
1637      <span class='out-of-band'>\
1638          <span id='render-detail'>\
1639              <a id=\"toggle-all-docs\" href=\"javascript:void(0)\" title=\"collapse all docs\">\
1640                  [<span class='inner'>&#x2212;</span>]\
1641              </a>\
1642          </span>
1643      </span>
1644 </h1>")?;
1645         print_entries(f, &self.structs, "Structs", "structs")?;
1646         print_entries(f, &self.enums, "Enums", "enums")?;
1647         print_entries(f, &self.unions, "Unions", "unions")?;
1648         print_entries(f, &self.primitives, "Primitives", "primitives")?;
1649         print_entries(f, &self.traits, "Traits", "traits")?;
1650         print_entries(f, &self.macros, "Macros", "macros")?;
1651         print_entries(f, &self.functions, "Functions", "functions")?;
1652         print_entries(f, &self.typedefs, "Typedefs", "typedefs")?;
1653         print_entries(f, &self.statics, "Statics", "statics")?;
1654         print_entries(f, &self.constants, "Constants", "constants")
1655     }
1656 }
1657
1658 #[derive(Debug)]
1659 struct Settings<'a> {
1660     // (id, explanation, default value)
1661     settings: Vec<(&'static str, &'static str, bool)>,
1662     root_path: &'a str,
1663     suffix: &'a str,
1664 }
1665
1666 impl<'a> Settings<'a> {
1667     pub fn new(root_path: &'a str, suffix: &'a str) -> Settings<'a> {
1668         Settings {
1669             settings: vec![
1670                 ("item-declarations", "Auto-hide item declarations.", true),
1671                 ("item-attributes", "Auto-hide item attributes.", true),
1672                 ("trait-implementations", "Auto-hide trait implementations documentation",
1673                  true),
1674                 ("go-to-only-result", "Directly go to item in search if there is only one result",
1675                  false),
1676             ],
1677             root_path,
1678             suffix,
1679         }
1680     }
1681 }
1682
1683 impl<'a> fmt::Display for Settings<'a> {
1684     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
1685         write!(f,
1686 "<h1 class='fqn'>\
1687      <span class='in-band'>Rustdoc settings</span>\
1688 </h1>\
1689 <div class='settings'>{}</div>\
1690 <script src='{}settings{}.js'></script>",
1691                self.settings.iter()
1692                             .map(|(id, text, enabled)| {
1693                                 format!("<div class='setting-line'>\
1694                                              <label class='toggle'>\
1695                                                 <input type='checkbox' id='{}' {}>\
1696                                                 <span class='slider'></span>\
1697                                              </label>\
1698                                              <div>{}</div>\
1699                                          </div>", id, if *enabled { " checked" } else { "" }, text)
1700                             })
1701                             .collect::<String>(),
1702                self.root_path,
1703                self.suffix)
1704     }
1705 }
1706
1707 impl Context {
1708     /// String representation of how to get back to the root path of the 'doc/'
1709     /// folder in terms of a relative URL.
1710     fn root_path(&self) -> String {
1711         repeat("../").take(self.current.len()).collect::<String>()
1712     }
1713
1714     /// Recurse in the directory structure and change the "root path" to make
1715     /// sure it always points to the top (relatively).
1716     fn recurse<T, F>(&mut self, s: String, f: F) -> T where
1717         F: FnOnce(&mut Context) -> T,
1718     {
1719         if s.is_empty() {
1720             panic!("Unexpected empty destination: {:?}", self.current);
1721         }
1722         let prev = self.dst.clone();
1723         self.dst.push(&s);
1724         self.current.push(s);
1725
1726         info!("Recursing into {}", self.dst.display());
1727
1728         let ret = f(self);
1729
1730         info!("Recursed; leaving {}", self.dst.display());
1731
1732         // Go back to where we were at
1733         self.dst = prev;
1734         self.current.pop().unwrap();
1735
1736         ret
1737     }
1738
1739     /// Main method for rendering a crate.
1740     ///
1741     /// This currently isn't parallelized, but it'd be pretty easy to add
1742     /// parallelization to this function.
1743     fn krate(self, mut krate: clean::Crate) -> Result<(), Error> {
1744         let mut item = match krate.module.take() {
1745             Some(i) => i,
1746             None => return Ok(()),
1747         };
1748         let final_file = self.dst.join(&krate.name)
1749                                  .join("all.html");
1750         let settings_file = self.dst.join("settings.html");
1751
1752         let crate_name = krate.name.clone();
1753         item.name = Some(krate.name);
1754
1755         let mut all = AllTypes::new();
1756
1757         {
1758             // Render the crate documentation
1759             let mut work = vec![(self.clone(), item)];
1760
1761             while let Some((mut cx, item)) = work.pop() {
1762                 cx.item(item, &mut all, |cx, item| {
1763                     work.push((cx.clone(), item))
1764                 })?
1765             }
1766         }
1767
1768         let mut w = BufWriter::new(try_err!(File::create(&final_file), &final_file));
1769         let mut root_path = self.dst.to_str().expect("invalid path").to_owned();
1770         if !root_path.ends_with('/') {
1771             root_path.push('/');
1772         }
1773         let mut page = layout::Page {
1774             title: "List of all items in this crate",
1775             css_class: "mod",
1776             root_path: "../",
1777             description: "List of all items in this crate",
1778             keywords: BASIC_KEYWORDS,
1779             resource_suffix: &self.shared.resource_suffix,
1780         };
1781         let sidebar = if let Some(ref version) = cache().crate_version {
1782             format!("<p class='location'>Crate {}</p>\
1783                      <div class='block version'>\
1784                          <p>Version {}</p>\
1785                      </div>\
1786                      <a id='all-types' href='index.html'><p>Back to index</p></a>",
1787                     crate_name, version)
1788         } else {
1789             String::new()
1790         };
1791         try_err!(layout::render(&mut w, &self.shared.layout,
1792                                 &page, &sidebar, &all,
1793                                 self.shared.css_file_extension.is_some(),
1794                                 &self.shared.themes),
1795                  &final_file);
1796
1797         // Generating settings page.
1798         let settings = Settings::new("./", &self.shared.resource_suffix);
1799         page.title = "Rustdoc settings";
1800         page.description = "Settings of Rustdoc";
1801         page.root_path = "./";
1802
1803         let mut w = BufWriter::new(try_err!(File::create(&settings_file), &settings_file));
1804         let mut themes = self.shared.themes.clone();
1805         let sidebar = "<p class='location'>Settings</p><div class='sidebar-elems'></div>";
1806         themes.push(PathBuf::from("settings.css"));
1807         let mut layout = self.shared.layout.clone();
1808         layout.krate = String::new();
1809         layout.logo = String::new();
1810         layout.favicon = String::new();
1811         try_err!(layout::render(&mut w, &layout,
1812                                 &page, &sidebar, &settings,
1813                                 self.shared.css_file_extension.is_some(),
1814                                 &themes),
1815                  &settings_file);
1816
1817         Ok(())
1818     }
1819
1820     fn render_item(&self,
1821                    writer: &mut io::Write,
1822                    it: &clean::Item,
1823                    pushname: bool)
1824                    -> io::Result<()> {
1825         // A little unfortunate that this is done like this, but it sure
1826         // does make formatting *a lot* nicer.
1827         CURRENT_LOCATION_KEY.with(|slot| {
1828             *slot.borrow_mut() = self.current.clone();
1829         });
1830
1831         let mut title = if it.is_primitive() {
1832             // No need to include the namespace for primitive types
1833             String::new()
1834         } else {
1835             self.current.join("::")
1836         };
1837         if pushname {
1838             if !title.is_empty() {
1839                 title.push_str("::");
1840             }
1841             title.push_str(it.name.as_ref().unwrap());
1842         }
1843         title.push_str(" - Rust");
1844         let tyname = it.type_().css_class();
1845         let desc = if it.is_crate() {
1846             format!("API documentation for the Rust `{}` crate.",
1847                     self.shared.layout.krate)
1848         } else {
1849             format!("API documentation for the Rust `{}` {} in crate `{}`.",
1850                     it.name.as_ref().unwrap(), tyname, self.shared.layout.krate)
1851         };
1852         let keywords = make_item_keywords(it);
1853         let page = layout::Page {
1854             css_class: tyname,
1855             root_path: &self.root_path(),
1856             title: &title,
1857             description: &desc,
1858             keywords: &keywords,
1859             resource_suffix: &self.shared.resource_suffix,
1860         };
1861
1862         reset_ids(true);
1863
1864         if !self.render_redirect_pages {
1865             layout::render(writer, &self.shared.layout, &page,
1866                            &Sidebar{ cx: self, item: it },
1867                            &Item{ cx: self, item: it },
1868                            self.shared.css_file_extension.is_some(),
1869                            &self.shared.themes)?;
1870         } else {
1871             let mut url = self.root_path();
1872             if let Some(&(ref names, ty)) = cache().paths.get(&it.def_id) {
1873                 for name in &names[..names.len() - 1] {
1874                     url.push_str(name);
1875                     url.push_str("/");
1876                 }
1877                 url.push_str(&item_path(ty, names.last().unwrap()));
1878                 layout::redirect(writer, &url)?;
1879             }
1880         }
1881         Ok(())
1882     }
1883
1884     /// Non-parallelized version of rendering an item. This will take the input
1885     /// item, render its contents, and then invoke the specified closure with
1886     /// all sub-items which need to be rendered.
1887     ///
1888     /// The rendering driver uses this closure to queue up more work.
1889     fn item<F>(&mut self, item: clean::Item, all: &mut AllTypes, mut f: F) -> Result<(), Error>
1890         where F: FnMut(&mut Context, clean::Item),
1891     {
1892         // Stripped modules survive the rustdoc passes (i.e. `strip-private`)
1893         // if they contain impls for public types. These modules can also
1894         // contain items such as publicly re-exported structures.
1895         //
1896         // External crates will provide links to these structures, so
1897         // these modules are recursed into, but not rendered normally
1898         // (a flag on the context).
1899         if !self.render_redirect_pages {
1900             self.render_redirect_pages = item.is_stripped();
1901         }
1902
1903         if item.is_mod() {
1904             // modules are special because they add a namespace. We also need to
1905             // recurse into the items of the module as well.
1906             let name = item.name.as_ref().unwrap().to_string();
1907             let mut item = Some(item);
1908             self.recurse(name, |this| {
1909                 let item = item.take().unwrap();
1910
1911                 let mut buf = Vec::new();
1912                 this.render_item(&mut buf, &item, false).unwrap();
1913                 // buf will be empty if the module is stripped and there is no redirect for it
1914                 if !buf.is_empty() {
1915                     try_err!(this.shared.ensure_dir(&this.dst), &this.dst);
1916                     let joint_dst = this.dst.join("index.html");
1917                     let mut dst = try_err!(File::create(&joint_dst), &joint_dst);
1918                     try_err!(dst.write_all(&buf), &joint_dst);
1919                 }
1920
1921                 let m = match item.inner {
1922                     clean::StrippedItem(box clean::ModuleItem(m)) |
1923                     clean::ModuleItem(m) => m,
1924                     _ => unreachable!()
1925                 };
1926
1927                 // Render sidebar-items.js used throughout this module.
1928                 if !this.render_redirect_pages {
1929                     let items = this.build_sidebar_items(&m);
1930                     let js_dst = this.dst.join("sidebar-items.js");
1931                     let mut js_out = BufWriter::new(try_err!(File::create(&js_dst), &js_dst));
1932                     try_err!(write!(&mut js_out, "initSidebarItems({});",
1933                                     as_json(&items)), &js_dst);
1934                 }
1935
1936                 for item in m.items {
1937                     f(this, item);
1938                 }
1939
1940                 Ok(())
1941             })?;
1942         } else if item.name.is_some() {
1943             let mut buf = Vec::new();
1944             self.render_item(&mut buf, &item, true).unwrap();
1945             // buf will be empty if the item is stripped and there is no redirect for it
1946             if !buf.is_empty() {
1947                 let name = item.name.as_ref().unwrap();
1948                 let item_type = item.type_();
1949                 let file_name = &item_path(item_type, name);
1950                 try_err!(self.shared.ensure_dir(&self.dst), &self.dst);
1951                 let joint_dst = self.dst.join(file_name);
1952                 let mut dst = try_err!(File::create(&joint_dst), &joint_dst);
1953                 try_err!(dst.write_all(&buf), &joint_dst);
1954
1955                 if !self.render_redirect_pages {
1956                     all.append(full_path(self, &item), &item_type);
1957                 }
1958                 // Redirect from a sane URL using the namespace to Rustdoc's
1959                 // URL for the page.
1960                 let redir_name = format!("{}.{}.html", name, item_type.name_space());
1961                 let redir_dst = self.dst.join(redir_name);
1962                 if let Ok(redirect_out) = OpenOptions::new().create_new(true)
1963                                                             .write(true)
1964                                                             .open(&redir_dst) {
1965                     let mut redirect_out = BufWriter::new(redirect_out);
1966                     try_err!(layout::redirect(&mut redirect_out, file_name), &redir_dst);
1967                 }
1968
1969                 // If the item is a macro, redirect from the old macro URL (with !)
1970                 // to the new one (without).
1971                 // FIXME(#35705) remove this redirect.
1972                 if item_type == ItemType::Macro {
1973                     let redir_name = format!("{}.{}!.html", item_type, name);
1974                     let redir_dst = self.dst.join(redir_name);
1975                     let redirect_out = try_err!(File::create(&redir_dst), &redir_dst);
1976                     let mut redirect_out = BufWriter::new(redirect_out);
1977                     try_err!(layout::redirect(&mut redirect_out, file_name), &redir_dst);
1978                 }
1979             }
1980         }
1981         Ok(())
1982     }
1983
1984     fn build_sidebar_items(&self, m: &clean::Module) -> BTreeMap<String, Vec<NameDoc>> {
1985         // BTreeMap instead of HashMap to get a sorted output
1986         let mut map = BTreeMap::new();
1987         for item in &m.items {
1988             if item.is_stripped() { continue }
1989
1990             let short = item.type_().css_class();
1991             let myname = match item.name {
1992                 None => continue,
1993                 Some(ref s) => s.to_string(),
1994             };
1995             let short = short.to_string();
1996             map.entry(short).or_insert(vec![])
1997                 .push((myname, Some(plain_summary_line(item.doc_value()))));
1998         }
1999
2000         if self.shared.sort_modules_alphabetically {
2001             for (_, items) in &mut map {
2002                 items.sort();
2003             }
2004         }
2005         map
2006     }
2007 }
2008
2009 impl<'a> Item<'a> {
2010     /// Generate a url appropriate for an `href` attribute back to the source of
2011     /// this item.
2012     ///
2013     /// The url generated, when clicked, will redirect the browser back to the
2014     /// original source code.
2015     ///
2016     /// If `None` is returned, then a source link couldn't be generated. This
2017     /// may happen, for example, with externally inlined items where the source
2018     /// of their crate documentation isn't known.
2019     fn src_href(&self) -> Option<String> {
2020         let mut root = self.cx.root_path();
2021
2022         let cache = cache();
2023         let mut path = String::new();
2024
2025         // We can safely ignore macros from other libraries
2026         let file = match self.item.source.filename {
2027             FileName::Real(ref path) => path,
2028             _ => return None,
2029         };
2030
2031         let (krate, path) = if self.item.def_id.is_local() {
2032             if let Some(path) = self.cx.shared.local_sources.get(file) {
2033                 (&self.cx.shared.layout.krate, path)
2034             } else {
2035                 return None;
2036             }
2037         } else {
2038             let (krate, src_root) = match cache.extern_locations.get(&self.item.def_id.krate) {
2039                 Some(&(ref name, ref src, Local)) => (name, src),
2040                 Some(&(ref name, ref src, Remote(ref s))) => {
2041                     root = s.to_string();
2042                     (name, src)
2043                 }
2044                 Some(&(_, _, Unknown)) | None => return None,
2045             };
2046
2047             clean_srcpath(&src_root, file, false, |component| {
2048                 path.push_str(component);
2049                 path.push('/');
2050             });
2051             let mut fname = file.file_name().expect("source has no filename")
2052                                 .to_os_string();
2053             fname.push(".html");
2054             path.push_str(&fname.to_string_lossy());
2055             (krate, &path)
2056         };
2057
2058         let lines = if self.item.source.loline == self.item.source.hiline {
2059             format!("{}", self.item.source.loline)
2060         } else {
2061             format!("{}-{}", self.item.source.loline, self.item.source.hiline)
2062         };
2063         Some(format!("{root}src/{krate}/{path}#{lines}",
2064                      root = Escape(&root),
2065                      krate = krate,
2066                      path = path,
2067                      lines = lines))
2068     }
2069 }
2070
2071 fn wrap_into_docblock<F>(w: &mut fmt::Formatter,
2072                          f: F) -> fmt::Result
2073 where F: Fn(&mut fmt::Formatter) -> fmt::Result {
2074     write!(w, "<div class=\"docblock type-decl\">")?;
2075     f(w)?;
2076     write!(w, "</div>")
2077 }
2078
2079 impl<'a> fmt::Display for Item<'a> {
2080     fn fmt(&self, fmt: &mut fmt::Formatter) -> fmt::Result {
2081         debug_assert!(!self.item.is_stripped());
2082         // Write the breadcrumb trail header for the top
2083         write!(fmt, "<h1 class='fqn'><span class='in-band'>")?;
2084         match self.item.inner {
2085             clean::ModuleItem(ref m) => if m.is_crate {
2086                     write!(fmt, "Crate ")?;
2087                 } else {
2088                     write!(fmt, "Module ")?;
2089                 },
2090             clean::FunctionItem(..) | clean::ForeignFunctionItem(..) => write!(fmt, "Function ")?,
2091             clean::TraitItem(..) => write!(fmt, "Trait ")?,
2092             clean::StructItem(..) => write!(fmt, "Struct ")?,
2093             clean::UnionItem(..) => write!(fmt, "Union ")?,
2094             clean::EnumItem(..) => write!(fmt, "Enum ")?,
2095             clean::TypedefItem(..) => write!(fmt, "Type Definition ")?,
2096             clean::MacroItem(..) => write!(fmt, "Macro ")?,
2097             clean::PrimitiveItem(..) => write!(fmt, "Primitive Type ")?,
2098             clean::StaticItem(..) | clean::ForeignStaticItem(..) => write!(fmt, "Static ")?,
2099             clean::ConstantItem(..) => write!(fmt, "Constant ")?,
2100             clean::ForeignTypeItem => write!(fmt, "Foreign Type ")?,
2101             clean::KeywordItem(..) => write!(fmt, "Keyword ")?,
2102             _ => {
2103                 // We don't generate pages for any other type.
2104                 unreachable!();
2105             }
2106         }
2107         if !self.item.is_primitive() && !self.item.is_keyword() {
2108             let cur = &self.cx.current;
2109             let amt = if self.item.is_mod() { cur.len() - 1 } else { cur.len() };
2110             for (i, component) in cur.iter().enumerate().take(amt) {
2111                 write!(fmt, "<a href='{}index.html'>{}</a>::<wbr>",
2112                        repeat("../").take(cur.len() - i - 1)
2113                                     .collect::<String>(),
2114                        component)?;
2115             }
2116         }
2117         write!(fmt, "<a class=\"{}\" href=''>{}</a>",
2118                self.item.type_(), self.item.name.as_ref().unwrap())?;
2119
2120         write!(fmt, "</span>")?; // in-band
2121         write!(fmt, "<span class='out-of-band'>")?;
2122         if let Some(version) = self.item.stable_since() {
2123             write!(fmt, "<span class='since' title='Stable since Rust version {0}'>{0}</span>",
2124                    version)?;
2125         }
2126         write!(fmt,
2127                "<span id='render-detail'>\
2128                    <a id=\"toggle-all-docs\" href=\"javascript:void(0)\" \
2129                       title=\"collapse all docs\">\
2130                        [<span class='inner'>&#x2212;</span>]\
2131                    </a>\
2132                </span>")?;
2133
2134         // Write `src` tag
2135         //
2136         // When this item is part of a `pub use` in a downstream crate, the
2137         // [src] link in the downstream documentation will actually come back to
2138         // this page, and this link will be auto-clicked. The `id` attribute is
2139         // used to find the link to auto-click.
2140         if self.cx.shared.include_sources && !self.item.is_primitive() {
2141             if let Some(l) = self.src_href() {
2142                 write!(fmt, "<a class='srclink' href='{}' title='{}'>[src]</a>",
2143                        l, "goto source code")?;
2144             }
2145         }
2146
2147         write!(fmt, "</span></h1>")?; // out-of-band
2148
2149         match self.item.inner {
2150             clean::ModuleItem(ref m) =>
2151                 item_module(fmt, self.cx, self.item, &m.items),
2152             clean::FunctionItem(ref f) | clean::ForeignFunctionItem(ref f) =>
2153                 item_function(fmt, self.cx, self.item, f),
2154             clean::TraitItem(ref t) => item_trait(fmt, self.cx, self.item, t),
2155             clean::StructItem(ref s) => item_struct(fmt, self.cx, self.item, s),
2156             clean::UnionItem(ref s) => item_union(fmt, self.cx, self.item, s),
2157             clean::EnumItem(ref e) => item_enum(fmt, self.cx, self.item, e),
2158             clean::TypedefItem(ref t, _) => item_typedef(fmt, self.cx, self.item, t),
2159             clean::MacroItem(ref m) => item_macro(fmt, self.cx, self.item, m),
2160             clean::PrimitiveItem(ref p) => item_primitive(fmt, self.cx, self.item, p),
2161             clean::StaticItem(ref i) | clean::ForeignStaticItem(ref i) =>
2162                 item_static(fmt, self.cx, self.item, i),
2163             clean::ConstantItem(ref c) => item_constant(fmt, self.cx, self.item, c),
2164             clean::ForeignTypeItem => item_foreign_type(fmt, self.cx, self.item),
2165             clean::KeywordItem(ref k) => item_keyword(fmt, self.cx, self.item, k),
2166             _ => {
2167                 // We don't generate pages for any other type.
2168                 unreachable!();
2169             }
2170         }
2171     }
2172 }
2173
2174 fn item_path(ty: ItemType, name: &str) -> String {
2175     match ty {
2176         ItemType::Module => format!("{}/index.html", name),
2177         _ => format!("{}.{}.html", ty.css_class(), name),
2178     }
2179 }
2180
2181 fn full_path(cx: &Context, item: &clean::Item) -> String {
2182     let mut s = cx.current.join("::");
2183     s.push_str("::");
2184     s.push_str(item.name.as_ref().unwrap());
2185     s
2186 }
2187
2188 fn shorter<'a>(s: Option<&'a str>) -> String {
2189     match s {
2190         Some(s) => s.lines()
2191             .skip_while(|s| s.chars().all(|c| c.is_whitespace()))
2192             .take_while(|line|{
2193             (*line).chars().any(|chr|{
2194                 !chr.is_whitespace()
2195             })
2196         }).collect::<Vec<_>>().join("\n"),
2197         None => "".to_string()
2198     }
2199 }
2200
2201 #[inline]
2202 fn plain_summary_line(s: Option<&str>) -> String {
2203     let line = shorter(s).replace("\n", " ");
2204     markdown::plain_summary_line(&line[..])
2205 }
2206
2207 fn document(w: &mut fmt::Formatter, cx: &Context, item: &clean::Item) -> fmt::Result {
2208     if let Some(ref name) = item.name {
2209         info!("Documenting {}", name);
2210     }
2211     document_stability(w, cx, item)?;
2212     let prefix = render_assoc_const_value(item);
2213     document_full(w, item, cx, &prefix)?;
2214     Ok(())
2215 }
2216
2217 /// Render md_text as markdown.
2218 fn render_markdown(w: &mut fmt::Formatter,
2219                    md_text: &str,
2220                    links: Vec<(String, String)>,
2221                    prefix: &str,)
2222                    -> fmt::Result {
2223     write!(w, "<div class='docblock'>{}{}</div>", prefix, Markdown(md_text, &links))
2224 }
2225
2226 fn document_short(w: &mut fmt::Formatter, item: &clean::Item, link: AssocItemLink,
2227                   prefix: &str) -> fmt::Result {
2228     if let Some(s) = item.doc_value() {
2229         let markdown = if s.contains('\n') {
2230             format!("{} [Read more]({})",
2231                     &plain_summary_line(Some(s)), naive_assoc_href(item, link))
2232         } else {
2233             format!("{}", &plain_summary_line(Some(s)))
2234         };
2235         render_markdown(w, &markdown, item.links(), prefix)?;
2236     } else if !prefix.is_empty() {
2237         write!(w, "<div class='docblock'>{}</div>", prefix)?;
2238     }
2239     Ok(())
2240 }
2241
2242 fn render_assoc_const_value(item: &clean::Item) -> String {
2243     match item.inner {
2244         clean::AssociatedConstItem(ref ty, Some(ref default)) => {
2245             highlight::render_with_highlighting(
2246                 &format!("{}: {:#} = {}", item.name.as_ref().unwrap(), ty, default),
2247                 None,
2248                 None,
2249                 None,
2250                 None,
2251             )
2252         }
2253         _ => String::new(),
2254     }
2255 }
2256
2257 fn document_full(w: &mut fmt::Formatter, item: &clean::Item,
2258                  cx: &Context, prefix: &str) -> fmt::Result {
2259     if let Some(s) = cx.shared.maybe_collapsed_doc_value(item) {
2260         debug!("Doc block: =====\n{}\n=====", s);
2261         render_markdown(w, &*s, item.links(), prefix)?;
2262     } else if !prefix.is_empty() {
2263         write!(w, "<div class='docblock'>{}</div>", prefix)?;
2264     }
2265     Ok(())
2266 }
2267
2268 fn document_stability(w: &mut fmt::Formatter, cx: &Context, item: &clean::Item) -> fmt::Result {
2269     let stabilities = short_stability(item, cx, true);
2270     if !stabilities.is_empty() {
2271         write!(w, "<div class='stability'>")?;
2272         for stability in stabilities {
2273             write!(w, "{}", stability)?;
2274         }
2275         write!(w, "</div>")?;
2276     }
2277     Ok(())
2278 }
2279
2280 fn name_key(name: &str) -> (&str, u64, usize) {
2281     // find number at end
2282     let split = name.bytes().rposition(|b| b < b'0' || b'9' < b).map_or(0, |s| s + 1);
2283
2284     // count leading zeroes
2285     let after_zeroes =
2286         name[split..].bytes().position(|b| b != b'0').map_or(name.len(), |extra| split + extra);
2287
2288     // sort leading zeroes last
2289     let num_zeroes = after_zeroes - split;
2290
2291     match name[split..].parse() {
2292         Ok(n) => (&name[..split], n, num_zeroes),
2293         Err(_) => (name, 0, num_zeroes),
2294     }
2295 }
2296
2297 fn item_module(w: &mut fmt::Formatter, cx: &Context,
2298                item: &clean::Item, items: &[clean::Item]) -> fmt::Result {
2299     document(w, cx, item)?;
2300
2301     let mut indices = (0..items.len()).filter(|i| !items[*i].is_stripped()).collect::<Vec<usize>>();
2302
2303     // the order of item types in the listing
2304     fn reorder(ty: ItemType) -> u8 {
2305         match ty {
2306             ItemType::ExternCrate     => 0,
2307             ItemType::Import          => 1,
2308             ItemType::Primitive       => 2,
2309             ItemType::Module          => 3,
2310             ItemType::Macro           => 4,
2311             ItemType::Struct          => 5,
2312             ItemType::Enum            => 6,
2313             ItemType::Constant        => 7,
2314             ItemType::Static          => 8,
2315             ItemType::Trait           => 9,
2316             ItemType::Function        => 10,
2317             ItemType::Typedef         => 12,
2318             ItemType::Union           => 13,
2319             _                         => 14 + ty as u8,
2320         }
2321     }
2322
2323     fn cmp(i1: &clean::Item, i2: &clean::Item, idx1: usize, idx2: usize) -> Ordering {
2324         let ty1 = i1.type_();
2325         let ty2 = i2.type_();
2326         if ty1 != ty2 {
2327             return (reorder(ty1), idx1).cmp(&(reorder(ty2), idx2))
2328         }
2329         let s1 = i1.stability.as_ref().map(|s| s.level);
2330         let s2 = i2.stability.as_ref().map(|s| s.level);
2331         match (s1, s2) {
2332             (Some(stability::Unstable), Some(stability::Stable)) => return Ordering::Greater,
2333             (Some(stability::Stable), Some(stability::Unstable)) => return Ordering::Less,
2334             _ => {}
2335         }
2336         let lhs = i1.name.as_ref().map_or("", |s| &**s);
2337         let rhs = i2.name.as_ref().map_or("", |s| &**s);
2338         name_key(lhs).cmp(&name_key(rhs))
2339     }
2340
2341     if cx.shared.sort_modules_alphabetically {
2342         indices.sort_by(|&i1, &i2| cmp(&items[i1], &items[i2], i1, i2));
2343     }
2344     // This call is to remove re-export duplicates in cases such as:
2345     //
2346     // ```
2347     // pub mod foo {
2348     //     pub mod bar {
2349     //         pub trait Double { fn foo(); }
2350     //     }
2351     // }
2352     //
2353     // pub use foo::bar::*;
2354     // pub use foo::*;
2355     // ```
2356     //
2357     // `Double` will appear twice in the generated docs.
2358     //
2359     // FIXME: This code is quite ugly and could be improved. Small issue: DefId
2360     // can be identical even if the elements are different (mostly in imports).
2361     // So in case this is an import, we keep everything by adding a "unique id"
2362     // (which is the position in the vector).
2363     indices.dedup_by_key(|i| (items[*i].def_id,
2364                               if items[*i].name.as_ref().is_some() {
2365                                   Some(full_path(cx, &items[*i]).clone())
2366                               } else {
2367                                   None
2368                               },
2369                               items[*i].type_(),
2370                               if items[*i].is_import() {
2371                                   *i
2372                               } else {
2373                                   0
2374                               }));
2375
2376     debug!("{:?}", indices);
2377     let mut curty = None;
2378     for &idx in &indices {
2379         let myitem = &items[idx];
2380         if myitem.is_stripped() {
2381             continue;
2382         }
2383
2384         let myty = Some(myitem.type_());
2385         if curty == Some(ItemType::ExternCrate) && myty == Some(ItemType::Import) {
2386             // Put `extern crate` and `use` re-exports in the same section.
2387             curty = myty;
2388         } else if myty != curty {
2389             if curty.is_some() {
2390                 write!(w, "</table>")?;
2391             }
2392             curty = myty;
2393             let (short, name) = item_ty_to_strs(&myty.unwrap());
2394             write!(w, "<h2 id='{id}' class='section-header'>\
2395                        <a href=\"#{id}\">{name}</a></h2>\n<table>",
2396                    id = derive_id(short.to_owned()), name = name)?;
2397         }
2398
2399         match myitem.inner {
2400             clean::ExternCrateItem(ref name, ref src) => {
2401                 use html::format::HRef;
2402
2403                 match *src {
2404                     Some(ref src) => {
2405                         write!(w, "<tr><td><code>{}extern crate {} as {};",
2406                                VisSpace(&myitem.visibility),
2407                                HRef::new(myitem.def_id, src),
2408                                name)?
2409                     }
2410                     None => {
2411                         write!(w, "<tr><td><code>{}extern crate {};",
2412                                VisSpace(&myitem.visibility),
2413                                HRef::new(myitem.def_id, name))?
2414                     }
2415                 }
2416                 write!(w, "</code></td></tr>")?;
2417             }
2418
2419             clean::ImportItem(ref import) => {
2420                 write!(w, "<tr><td><code>{}{}</code></td></tr>",
2421                        VisSpace(&myitem.visibility), *import)?;
2422             }
2423
2424             _ => {
2425                 if myitem.name.is_none() { continue }
2426
2427                 let stabilities = short_stability(myitem, cx, false);
2428
2429                 let stab_docs = if !stabilities.is_empty() {
2430                     stabilities.iter()
2431                                .map(|s| format!("[{}]", s))
2432                                .collect::<Vec<_>>()
2433                                .as_slice()
2434                                .join(" ")
2435                 } else {
2436                     String::new()
2437                 };
2438
2439                 let unsafety_flag = match myitem.inner {
2440                     clean::FunctionItem(ref func) | clean::ForeignFunctionItem(ref func)
2441                     if func.header.unsafety == hir::Unsafety::Unsafe => {
2442                         "<a title='unsafe function' href='#'><sup>âš </sup></a>"
2443                     }
2444                     _ => "",
2445                 };
2446
2447                 let doc_value = myitem.doc_value().unwrap_or("");
2448                 write!(w, "
2449                        <tr class='{stab} module-item'>
2450                            <td><a class=\"{class}\" href=\"{href}\"
2451                                   title='{title_type} {title}'>{name}</a>{unsafety_flag}</td>
2452                            <td class='docblock-short'>
2453                                {stab_docs} {docs}
2454                            </td>
2455                        </tr>",
2456                        name = *myitem.name.as_ref().unwrap(),
2457                        stab_docs = stab_docs,
2458                        docs = MarkdownSummaryLine(doc_value, &myitem.links()),
2459                        class = myitem.type_(),
2460                        stab = myitem.stability_class().unwrap_or("".to_string()),
2461                        unsafety_flag = unsafety_flag,
2462                        href = item_path(myitem.type_(), myitem.name.as_ref().unwrap()),
2463                        title_type = myitem.type_(),
2464                        title = full_path(cx, myitem))?;
2465             }
2466         }
2467     }
2468
2469     if curty.is_some() {
2470         write!(w, "</table>")?;
2471     }
2472     Ok(())
2473 }
2474
2475 fn short_stability(item: &clean::Item, cx: &Context, show_reason: bool) -> Vec<String> {
2476     let mut stability = vec![];
2477
2478     if let Some(stab) = item.stability.as_ref() {
2479         let deprecated_reason = if show_reason && !stab.deprecated_reason.is_empty() {
2480             format!(": {}", stab.deprecated_reason)
2481         } else {
2482             String::new()
2483         };
2484         if !stab.deprecated_since.is_empty() {
2485             let since = if show_reason {
2486                 format!(" since {}", Escape(&stab.deprecated_since))
2487             } else {
2488                 String::new()
2489             };
2490             let text = if stability::deprecation_in_effect(&stab.deprecated_since) {
2491                 format!("Deprecated{}{}",
2492                         since,
2493                         MarkdownHtml(&deprecated_reason))
2494             } else {
2495                 format!("Deprecating in {}{}",
2496                         Escape(&stab.deprecated_since),
2497                         MarkdownHtml(&deprecated_reason))
2498             };
2499             stability.push(format!("<div class='stab deprecated'>{}</div>", text))
2500         };
2501
2502         if stab.level == stability::Unstable {
2503             if show_reason {
2504                 let unstable_extra = match (!stab.feature.is_empty(),
2505                                             &cx.shared.issue_tracker_base_url,
2506                                             stab.issue) {
2507                     (true, &Some(ref tracker_url), Some(issue_no)) if issue_no > 0 =>
2508                         format!(" (<code>{} </code><a href=\"{}{}\">#{}</a>)",
2509                                 Escape(&stab.feature), tracker_url, issue_no, issue_no),
2510                     (false, &Some(ref tracker_url), Some(issue_no)) if issue_no > 0 =>
2511                         format!(" (<a href=\"{}{}\">#{}</a>)", Escape(&tracker_url), issue_no,
2512                                 issue_no),
2513                     (true, ..) =>
2514                         format!(" (<code>{}</code>)", Escape(&stab.feature)),
2515                     _ => String::new(),
2516                 };
2517                 if stab.unstable_reason.is_empty() {
2518                     stability.push(format!("<div class='stab unstable'>\
2519                                             <span class=microscope>🔬</span> \
2520                                             This is a nightly-only experimental API. {}\
2521                                             </div>",
2522                                            unstable_extra));
2523                 } else {
2524                     let text = format!("<summary><span class=microscope>🔬</span> \
2525                                         This is a nightly-only experimental API. {}\
2526                                         </summary>{}",
2527                                        unstable_extra,
2528                                        MarkdownHtml(&stab.unstable_reason));
2529                     stability.push(format!("<div class='stab unstable'><details>{}</details></div>",
2530                                    text));
2531                 }
2532             } else {
2533                 stability.push(format!("<div class='stab unstable'>Experimental</div>"))
2534             }
2535         };
2536     } else if let Some(depr) = item.deprecation.as_ref() {
2537         let note = if show_reason && !depr.note.is_empty() {
2538             format!(": {}", depr.note)
2539         } else {
2540             String::new()
2541         };
2542         let since = if show_reason && !depr.since.is_empty() {
2543             format!(" since {}", Escape(&depr.since))
2544         } else {
2545             String::new()
2546         };
2547
2548         let text = if stability::deprecation_in_effect(&depr.since) {
2549             format!("Deprecated{}{}",
2550                     since,
2551                     MarkdownHtml(&note))
2552         } else {
2553             format!("Deprecating in {}{}",
2554                     Escape(&depr.since),
2555                     MarkdownHtml(&note))
2556         };
2557         stability.push(format!("<div class='stab deprecated'>{}</div>", text))
2558     }
2559
2560     if let Some(ref cfg) = item.attrs.cfg {
2561         stability.push(format!("<div class='stab portability'>{}</div>", if show_reason {
2562             cfg.render_long_html()
2563         } else {
2564             cfg.render_short_html()
2565         }));
2566     }
2567
2568     stability
2569 }
2570
2571 struct Initializer<'a>(&'a str);
2572
2573 impl<'a> fmt::Display for Initializer<'a> {
2574     fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
2575         let Initializer(s) = *self;
2576         if s.is_empty() { return Ok(()); }
2577         write!(f, "<code> = </code>")?;
2578         write!(f, "<code>{}</code>", Escape(s))
2579     }
2580 }
2581
2582 fn item_constant(w: &mut fmt::Formatter, cx: &Context, it: &clean::Item,
2583                  c: &clean::Constant) -> fmt::Result {
2584     write!(w, "<pre class='rust const'>")?;
2585     render_attributes(w, it)?;
2586     write!(w, "{vis}const \
2587                {name}: {typ}{init}</pre>",
2588            vis = VisSpace(&it.visibility),
2589            name = it.name.as_ref().unwrap(),
2590            typ = c.type_,
2591            init = Initializer(&c.expr))?;
2592     document(w, cx, it)
2593 }
2594
2595 fn item_static(w: &mut fmt::Formatter, cx: &Context, it: &clean::Item,
2596                s: &clean::Static) -> fmt::Result {
2597     write!(w, "<pre class='rust static'>")?;
2598     render_attributes(w, it)?;
2599     write!(w, "{vis}static {mutability}\
2600                {name}: {typ}{init}</pre>",
2601            vis = VisSpace(&it.visibility),
2602            mutability = MutableSpace(s.mutability),
2603            name = it.name.as_ref().unwrap(),
2604            typ = s.type_,
2605            init = Initializer(&s.expr))?;
2606     document(w, cx, it)
2607 }
2608
2609 fn item_function(w: &mut fmt::Formatter, cx: &Context, it: &clean::Item,
2610                  f: &clean::Function) -> fmt::Result {
2611     let name_len = format!("{}{}{}{}{:#}fn {}{:#}",
2612                            VisSpace(&it.visibility),
2613                            ConstnessSpace(f.header.constness),
2614                            UnsafetySpace(f.header.unsafety),
2615                            AsyncSpace(f.header.asyncness),
2616                            AbiSpace(f.header.abi),
2617                            it.name.as_ref().unwrap(),
2618                            f.generics).len();
2619     write!(w, "{}<pre class='rust fn'>", render_spotlight_traits(it)?)?;
2620     render_attributes(w, it)?;
2621     write!(w,
2622            "{vis}{constness}{unsafety}{asyncness}{abi}fn \
2623            {name}{generics}{decl}{where_clause}</pre>",
2624            vis = VisSpace(&it.visibility),
2625            constness = ConstnessSpace(f.header.constness),
2626            unsafety = UnsafetySpace(f.header.unsafety),
2627            asyncness = AsyncSpace(f.header.asyncness),
2628            abi = AbiSpace(f.header.abi),
2629            name = it.name.as_ref().unwrap(),
2630            generics = f.generics,
2631            where_clause = WhereClause { gens: &f.generics, indent: 0, end_newline: true },
2632            decl = Method {
2633               decl: &f.decl,
2634               name_len,
2635               indent: 0,
2636            })?;
2637     document(w, cx, it)
2638 }
2639
2640 fn render_implementor(cx: &Context, implementor: &Impl, w: &mut fmt::Formatter,
2641                       implementor_dups: &FxHashMap<&str, (DefId, bool)>) -> fmt::Result {
2642     write!(w, "<li><table class='table-display'><tbody><tr><td><code>")?;
2643     // If there's already another implementor that has the same abbridged name, use the
2644     // full path, for example in `std::iter::ExactSizeIterator`
2645     let use_absolute = match implementor.inner_impl().for_ {
2646         clean::ResolvedPath { ref path, is_generic: false, .. } |
2647         clean::BorrowedRef {
2648             type_: box clean::ResolvedPath { ref path, is_generic: false, .. },
2649             ..
2650         } => implementor_dups[path.last_name()].1,
2651         _ => false,
2652     };
2653     fmt_impl_for_trait_page(&implementor.inner_impl(), w, use_absolute)?;
2654     for it in &implementor.inner_impl().items {
2655         if let clean::TypedefItem(ref tydef, _) = it.inner {
2656             write!(w, "<span class=\"where fmt-newline\">  ")?;
2657             assoc_type(w, it, &vec![], Some(&tydef.type_), AssocItemLink::Anchor(None))?;
2658             write!(w, ";</span>")?;
2659         }
2660     }
2661     write!(w, "</code><td>")?;
2662     if let Some(l) = (Item { cx, item: &implementor.impl_item }).src_href() {
2663         write!(w, "<div class='out-of-band'>")?;
2664         write!(w, "<a class='srclink' href='{}' title='{}'>[src]</a>",
2665                     l, "goto source code")?;
2666         write!(w, "</div>")?;
2667     }
2668     writeln!(w, "</td></tr></tbody></table></li>")?;
2669     Ok(())
2670 }
2671
2672 fn render_impls(cx: &Context, w: &mut fmt::Formatter,
2673                 traits: &[&&Impl],
2674                 containing_item: &clean::Item) -> fmt::Result {
2675     for i in traits {
2676         let did = i.trait_did().unwrap();
2677         let assoc_link = AssocItemLink::GotoSource(did, &i.inner_impl().provided_trait_methods);
2678         render_impl(w, cx, i, assoc_link,
2679                     RenderMode::Normal, containing_item.stable_since(), true)?;
2680     }
2681     Ok(())
2682 }
2683
2684 fn item_trait(w: &mut fmt::Formatter, cx: &Context, it: &clean::Item,
2685               t: &clean::Trait) -> fmt::Result {
2686     let mut bounds = String::new();
2687     let mut bounds_plain = String::new();
2688     if !t.bounds.is_empty() {
2689         if !bounds.is_empty() {
2690             bounds.push(' ');
2691             bounds_plain.push(' ');
2692         }
2693         bounds.push_str(": ");
2694         bounds_plain.push_str(": ");
2695         for (i, p) in t.bounds.iter().enumerate() {
2696             if i > 0 {
2697                 bounds.push_str(" + ");
2698                 bounds_plain.push_str(" + ");
2699             }
2700             bounds.push_str(&format!("{}", *p));
2701             bounds_plain.push_str(&format!("{:#}", *p));
2702         }
2703     }
2704
2705     let types = t.items.iter().filter(|m| m.is_associated_type()).collect::<Vec<_>>();
2706     let consts = t.items.iter().filter(|m| m.is_associated_const()).collect::<Vec<_>>();
2707     let required = t.items.iter().filter(|m| m.is_ty_method()).collect::<Vec<_>>();
2708     let provided = t.items.iter().filter(|m| m.is_method()).collect::<Vec<_>>();
2709
2710     // Output the trait definition
2711     wrap_into_docblock(w, |w| {
2712         write!(w, "<pre class='rust trait'>")?;
2713         render_attributes(w, it)?;
2714         write!(w, "{}{}{}trait {}{}{}",
2715                VisSpace(&it.visibility),
2716                UnsafetySpace(t.unsafety),
2717                if t.is_auto { "auto " } else { "" },
2718                it.name.as_ref().unwrap(),
2719                t.generics,
2720                bounds)?;
2721
2722         if !t.generics.where_predicates.is_empty() {
2723             write!(w, "{}", WhereClause { gens: &t.generics, indent: 0, end_newline: true })?;
2724         } else {
2725             write!(w, " ")?;
2726         }
2727
2728         if t.items.is_empty() {
2729             write!(w, "{{ }}")?;
2730         } else {
2731             // FIXME: we should be using a derived_id for the Anchors here
2732             write!(w, "{{\n")?;
2733             for t in &types {
2734                 write!(w, "    ")?;
2735                 render_assoc_item(w, t, AssocItemLink::Anchor(None), ItemType::Trait)?;
2736                 write!(w, ";\n")?;
2737             }
2738             if !types.is_empty() && !consts.is_empty() {
2739                 w.write_str("\n")?;
2740             }
2741             for t in &consts {
2742                 write!(w, "    ")?;
2743                 render_assoc_item(w, t, AssocItemLink::Anchor(None), ItemType::Trait)?;
2744                 write!(w, ";\n")?;
2745             }
2746             if !consts.is_empty() && !required.is_empty() {
2747                 w.write_str("\n")?;
2748             }
2749             for (pos, m) in required.iter().enumerate() {
2750                 write!(w, "    ")?;
2751                 render_assoc_item(w, m, AssocItemLink::Anchor(None), ItemType::Trait)?;
2752                 write!(w, ";\n")?;
2753
2754                 if pos < required.len() - 1 {
2755                    write!(w, "<div class='item-spacer'></div>")?;
2756                 }
2757             }
2758             if !required.is_empty() && !provided.is_empty() {
2759                 w.write_str("\n")?;
2760             }
2761             for (pos, m) in provided.iter().enumerate() {
2762                 write!(w, "    ")?;
2763                 render_assoc_item(w, m, AssocItemLink::Anchor(None), ItemType::Trait)?;
2764                 match m.inner {
2765                     clean::MethodItem(ref inner) if !inner.generics.where_predicates.is_empty() => {
2766                         write!(w, ",\n    {{ ... }}\n")?;
2767                     },
2768                     _ => {
2769                         write!(w, " {{ ... }}\n")?;
2770                     },
2771                 }
2772                 if pos < provided.len() - 1 {
2773                    write!(w, "<div class='item-spacer'></div>")?;
2774                 }
2775             }
2776             write!(w, "}}")?;
2777         }
2778         write!(w, "</pre>")
2779     })?;
2780
2781     // Trait documentation
2782     document(w, cx, it)?;
2783
2784     fn trait_item(w: &mut fmt::Formatter, cx: &Context, m: &clean::Item, t: &clean::Item)
2785                   -> fmt::Result {
2786         let name = m.name.as_ref().unwrap();
2787         let item_type = m.type_();
2788         let id = derive_id(format!("{}.{}", item_type, name));
2789         let ns_id = derive_id(format!("{}.{}", name, item_type.name_space()));
2790         write!(w, "{extra}<h3 id='{id}' class='method'>\
2791                    <span id='{ns_id}' class='invisible'><code>",
2792                extra = render_spotlight_traits(m)?,
2793                id = id,
2794                ns_id = ns_id)?;
2795         render_assoc_item(w, m, AssocItemLink::Anchor(Some(&id)), ItemType::Impl)?;
2796         write!(w, "</code>")?;
2797         render_stability_since(w, m, t)?;
2798         write!(w, "</span></h3>")?;
2799         document(w, cx, m)?;
2800         Ok(())
2801     }
2802
2803     if !types.is_empty() {
2804         write!(w, "
2805             <h2 id='associated-types' class='small-section-header'>
2806               Associated Types<a href='#associated-types' class='anchor'></a>
2807             </h2>
2808             <div class='methods'>
2809         ")?;
2810         for t in &types {
2811             trait_item(w, cx, *t, it)?;
2812         }
2813         write!(w, "</div>")?;
2814     }
2815
2816     if !consts.is_empty() {
2817         write!(w, "
2818             <h2 id='associated-const' class='small-section-header'>
2819               Associated Constants<a href='#associated-const' class='anchor'></a>
2820             </h2>
2821             <div class='methods'>
2822         ")?;
2823         for t in &consts {
2824             trait_item(w, cx, *t, it)?;
2825         }
2826         write!(w, "</div>")?;
2827     }
2828
2829     // Output the documentation for each function individually
2830     if !required.is_empty() {
2831         write!(w, "
2832             <h2 id='required-methods' class='small-section-header'>
2833               Required Methods<a href='#required-methods' class='anchor'></a>
2834             </h2>
2835             <div class='methods'>
2836         ")?;
2837         for m in &required {
2838             trait_item(w, cx, *m, it)?;
2839         }
2840         write!(w, "</div>")?;
2841     }
2842     if !provided.is_empty() {
2843         write!(w, "
2844             <h2 id='provided-methods' class='small-section-header'>
2845               Provided Methods<a href='#provided-methods' class='anchor'></a>
2846             </h2>
2847             <div class='methods'>
2848         ")?;
2849         for m in &provided {
2850             trait_item(w, cx, *m, it)?;
2851         }
2852         write!(w, "</div>")?;
2853     }
2854
2855     // If there are methods directly on this trait object, render them here.
2856     render_assoc_items(w, cx, it, it.def_id, AssocItemRender::All)?;
2857
2858     let cache = cache();
2859     let impl_header = "
2860         <h2 id='implementors' class='small-section-header'>
2861           Implementors<a href='#implementors' class='anchor'></a>
2862         </h2>
2863         <ul class='item-list' id='implementors-list'>
2864     ";
2865
2866     let synthetic_impl_header = "
2867         <h2 id='synthetic-implementors' class='small-section-header'>
2868           Auto implementors<a href='#synthetic-implementors' class='anchor'></a>
2869         </h2>
2870         <ul class='item-list' id='synthetic-implementors-list'>
2871     ";
2872
2873     let mut synthetic_types = Vec::new();
2874
2875     if let Some(implementors) = cache.implementors.get(&it.def_id) {
2876         // The DefId is for the first Type found with that name. The bool is
2877         // if any Types with the same name but different DefId have been found.
2878         let mut implementor_dups: FxHashMap<&str, (DefId, bool)> = FxHashMap();
2879         for implementor in implementors {
2880             match implementor.inner_impl().for_ {
2881                 clean::ResolvedPath { ref path, did, is_generic: false, .. } |
2882                 clean::BorrowedRef {
2883                     type_: box clean::ResolvedPath { ref path, did, is_generic: false, .. },
2884                     ..
2885                 } => {
2886                     let &mut (prev_did, ref mut has_duplicates) =
2887                         implementor_dups.entry(path.last_name()).or_insert((did, false));
2888                     if prev_did != did {
2889                         *has_duplicates = true;
2890                     }
2891                 }
2892                 _ => {}
2893             }
2894         }
2895
2896         let (local, foreign) = implementors.iter()
2897             .partition::<Vec<_>, _>(|i| i.inner_impl().for_.def_id()
2898                                          .map_or(true, |d| cache.paths.contains_key(&d)));
2899
2900
2901         let (synthetic, concrete) = local.iter()
2902             .partition::<Vec<_>, _>(|i| i.inner_impl().synthetic);
2903
2904
2905         if !foreign.is_empty() {
2906             write!(w, "
2907                 <h2 id='foreign-impls' class='small-section-header'>
2908                   Implementations on Foreign Types<a href='#foreign-impls' class='anchor'></a>
2909                 </h2>
2910             ")?;
2911
2912             for implementor in foreign {
2913                 let assoc_link = AssocItemLink::GotoSource(
2914                     implementor.impl_item.def_id, &implementor.inner_impl().provided_trait_methods
2915                 );
2916                 render_impl(w, cx, &implementor, assoc_link,
2917                             RenderMode::Normal, implementor.impl_item.stable_since(), false)?;
2918             }
2919         }
2920
2921         write!(w, "{}", impl_header)?;
2922         for implementor in concrete {
2923             render_implementor(cx, implementor, w, &implementor_dups)?;
2924         }
2925         write!(w, "</ul>")?;
2926
2927         if t.auto {
2928             write!(w, "{}", synthetic_impl_header)?;
2929             for implementor in synthetic {
2930                 synthetic_types.extend(
2931                     collect_paths_for_type(implementor.inner_impl().for_.clone())
2932                 );
2933                 render_implementor(cx, implementor, w, &implementor_dups)?;
2934             }
2935             write!(w, "</ul>")?;
2936         }
2937     } else {
2938         // even without any implementations to write in, we still want the heading and list, so the
2939         // implementors javascript file pulled in below has somewhere to write the impls into
2940         write!(w, "{}", impl_header)?;
2941         write!(w, "</ul>")?;
2942
2943         if t.auto {
2944             write!(w, "{}", synthetic_impl_header)?;
2945             write!(w, "</ul>")?;
2946         }
2947     }
2948     write!(w, r#"<script type="text/javascript">window.inlined_types=new Set({});</script>"#,
2949            as_json(&synthetic_types))?;
2950
2951     write!(w, r#"<script type="text/javascript" async
2952                          src="{root_path}/implementors/{path}/{ty}.{name}.js">
2953                  </script>"#,
2954            root_path = vec![".."; cx.current.len()].join("/"),
2955            path = if it.def_id.is_local() {
2956                cx.current.join("/")
2957            } else {
2958                let (ref path, _) = cache.external_paths[&it.def_id];
2959                path[..path.len() - 1].join("/")
2960            },
2961            ty = it.type_().css_class(),
2962            name = *it.name.as_ref().unwrap())?;
2963     Ok(())
2964 }
2965
2966 fn naive_assoc_href(it: &clean::Item, link: AssocItemLink) -> String {
2967     use html::item_type::ItemType::*;
2968
2969     let name = it.name.as_ref().unwrap();
2970     let ty = match it.type_() {
2971         Typedef | AssociatedType => AssociatedType,
2972         s@_ => s,
2973     };
2974
2975     let anchor = format!("#{}.{}", ty, name);
2976     match link {
2977         AssocItemLink::Anchor(Some(ref id)) => format!("#{}", id),
2978         AssocItemLink::Anchor(None) => anchor,
2979         AssocItemLink::GotoSource(did, _) => {
2980             href(did).map(|p| format!("{}{}", p.0, anchor)).unwrap_or(anchor)
2981         }
2982     }
2983 }
2984
2985 fn assoc_const(w: &mut fmt::Formatter,
2986                it: &clean::Item,
2987                ty: &clean::Type,
2988                _default: Option<&String>,
2989                link: AssocItemLink) -> fmt::Result {
2990     write!(w, "{}const <a href='{}' class=\"constant\"><b>{}</b></a>: {}",
2991            VisSpace(&it.visibility),
2992            naive_assoc_href(it, link),
2993            it.name.as_ref().unwrap(),
2994            ty)?;
2995     Ok(())
2996 }
2997
2998 fn assoc_type<W: fmt::Write>(w: &mut W, it: &clean::Item,
2999                              bounds: &Vec<clean::GenericBound>,
3000                              default: Option<&clean::Type>,
3001                              link: AssocItemLink) -> fmt::Result {
3002     write!(w, "type <a href='{}' class=\"type\">{}</a>",
3003            naive_assoc_href(it, link),
3004            it.name.as_ref().unwrap())?;
3005     if !bounds.is_empty() {
3006         write!(w, ": {}", GenericBounds(bounds))?
3007     }
3008     if let Some(default) = default {
3009         write!(w, " = {}", default)?;
3010     }
3011     Ok(())
3012 }
3013
3014 fn render_stability_since_raw<'a>(w: &mut fmt::Formatter,
3015                                   ver: Option<&'a str>,
3016                                   containing_ver: Option<&'a str>) -> fmt::Result {
3017     if let Some(v) = ver {
3018         if containing_ver != ver && v.len() > 0 {
3019             write!(w, "<div class='since' title='Stable since Rust version {0}'>{0}</div>",
3020                    v)?
3021         }
3022     }
3023     Ok(())
3024 }
3025
3026 fn render_stability_since(w: &mut fmt::Formatter,
3027                           item: &clean::Item,
3028                           containing_item: &clean::Item) -> fmt::Result {
3029     render_stability_since_raw(w, item.stable_since(), containing_item.stable_since())
3030 }
3031
3032 fn render_assoc_item(w: &mut fmt::Formatter,
3033                      item: &clean::Item,
3034                      link: AssocItemLink,
3035                      parent: ItemType) -> fmt::Result {
3036     fn method(w: &mut fmt::Formatter,
3037               meth: &clean::Item,
3038               header: hir::FnHeader,
3039               g: &clean::Generics,
3040               d: &clean::FnDecl,
3041               link: AssocItemLink,
3042               parent: ItemType)
3043               -> fmt::Result {
3044         let name = meth.name.as_ref().unwrap();
3045         let anchor = format!("#{}.{}", meth.type_(), name);
3046         let href = match link {
3047             AssocItemLink::Anchor(Some(ref id)) => format!("#{}", id),
3048             AssocItemLink::Anchor(None) => anchor,
3049             AssocItemLink::GotoSource(did, provided_methods) => {
3050                 // We're creating a link from an impl-item to the corresponding
3051                 // trait-item and need to map the anchored type accordingly.
3052                 let ty = if provided_methods.contains(name) {
3053                     ItemType::Method
3054                 } else {
3055                     ItemType::TyMethod
3056                 };
3057
3058                 href(did).map(|p| format!("{}#{}.{}", p.0, ty, name)).unwrap_or(anchor)
3059             }
3060         };
3061         let mut head_len = format!("{}{}{}{}{:#}fn {}{:#}",
3062                                    VisSpace(&meth.visibility),
3063                                    ConstnessSpace(header.constness),
3064                                    UnsafetySpace(header.unsafety),
3065                                    AsyncSpace(header.asyncness),
3066                                    AbiSpace(header.abi),
3067                                    name,
3068                                    *g).len();
3069         let (indent, end_newline) = if parent == ItemType::Trait {
3070             head_len += 4;
3071             (4, false)
3072         } else {
3073             (0, true)
3074         };
3075         render_attributes(w, meth)?;
3076         write!(w, "{}{}{}{}{}fn <a href='{href}' class='fnname'>{name}</a>\
3077                    {generics}{decl}{where_clause}",
3078                VisSpace(&meth.visibility),
3079                ConstnessSpace(header.constness),
3080                UnsafetySpace(header.unsafety),
3081                AsyncSpace(header.asyncness),
3082                AbiSpace(header.abi),
3083                href = href,
3084                name = name,
3085                generics = *g,
3086                decl = Method {
3087                    decl: d,
3088                    name_len: head_len,
3089                    indent,
3090                },
3091                where_clause = WhereClause {
3092                    gens: g,
3093                    indent,
3094                    end_newline,
3095                })
3096     }
3097     match item.inner {
3098         clean::StrippedItem(..) => Ok(()),
3099         clean::TyMethodItem(ref m) => {
3100             method(w, item, m.header, &m.generics, &m.decl, link, parent)
3101         }
3102         clean::MethodItem(ref m) => {
3103             method(w, item, m.header, &m.generics, &m.decl, link, parent)
3104         }
3105         clean::AssociatedConstItem(ref ty, ref default) => {
3106             assoc_const(w, item, ty, default.as_ref(), link)
3107         }
3108         clean::AssociatedTypeItem(ref bounds, ref default) => {
3109             assoc_type(w, item, bounds, default.as_ref(), link)
3110         }
3111         _ => panic!("render_assoc_item called on non-associated-item")
3112     }
3113 }
3114
3115 fn item_struct(w: &mut fmt::Formatter, cx: &Context, it: &clean::Item,
3116                s: &clean::Struct) -> fmt::Result {
3117     wrap_into_docblock(w, |w| {
3118         write!(w, "<pre class='rust struct'>")?;
3119         render_attributes(w, it)?;
3120         render_struct(w,
3121                       it,
3122                       Some(&s.generics),
3123                       s.struct_type,
3124                       &s.fields,
3125                       "",
3126                       true)?;
3127         write!(w, "</pre>")
3128     })?;
3129
3130     document(w, cx, it)?;
3131     let mut fields = s.fields.iter().filter_map(|f| {
3132         match f.inner {
3133             clean::StructFieldItem(ref ty) => Some((f, ty)),
3134             _ => None,
3135         }
3136     }).peekable();
3137     if let doctree::Plain = s.struct_type {
3138         if fields.peek().is_some() {
3139             write!(w, "<h2 id='fields' class='fields small-section-header'>
3140                        Fields<a href='#fields' class='anchor'></a></h2>")?;
3141             for (field, ty) in fields {
3142                 let id = derive_id(format!("{}.{}",
3143                                            ItemType::StructField,
3144                                            field.name.as_ref().unwrap()));
3145                 let ns_id = derive_id(format!("{}.{}",
3146                                               field.name.as_ref().unwrap(),
3147                                               ItemType::StructField.name_space()));
3148                 write!(w, "<span id=\"{id}\" class=\"{item_type} small-section-header\">
3149                            <a href=\"#{id}\" class=\"anchor field\"></a>
3150                            <span id=\"{ns_id}\" class='invisible'>
3151                            <code>{name}: {ty}</code>
3152                            </span></span>",
3153                        item_type = ItemType::StructField,
3154                        id = id,
3155                        ns_id = ns_id,
3156                        name = field.name.as_ref().unwrap(),
3157                        ty = ty)?;
3158                 if let Some(stability_class) = field.stability_class() {
3159                     write!(w, "<span class='stab {stab}'></span>",
3160                         stab = stability_class)?;
3161                 }
3162                 document(w, cx, field)?;
3163             }
3164         }
3165     }
3166     render_assoc_items(w, cx, it, it.def_id, AssocItemRender::All)
3167 }
3168
3169 fn item_union(w: &mut fmt::Formatter, cx: &Context, it: &clean::Item,
3170                s: &clean::Union) -> fmt::Result {
3171     wrap_into_docblock(w, |w| {
3172         write!(w, "<pre class='rust union'>")?;
3173         render_attributes(w, it)?;
3174         render_union(w,
3175                      it,
3176                      Some(&s.generics),
3177                      &s.fields,
3178                      "",
3179                      true)?;
3180         write!(w, "</pre>")
3181     })?;
3182
3183     document(w, cx, it)?;
3184     let mut fields = s.fields.iter().filter_map(|f| {
3185         match f.inner {
3186             clean::StructFieldItem(ref ty) => Some((f, ty)),
3187             _ => None,
3188         }
3189     }).peekable();
3190     if fields.peek().is_some() {
3191         write!(w, "<h2 id='fields' class='fields small-section-header'>
3192                    Fields<a href='#fields' class='anchor'></a></h2>")?;
3193         for (field, ty) in fields {
3194             let name = field.name.as_ref().expect("union field name");
3195             let id = format!("{}.{}", ItemType::StructField, name);
3196             write!(w, "<span id=\"{id}\" class=\"{shortty} small-section-header\">\
3197                            <a href=\"#{id}\" class=\"anchor field\"></a>\
3198                            <span class='invisible'><code>{name}: {ty}</code></span>\
3199                        </span>",
3200                    id = id,
3201                    name = name,
3202                    shortty = ItemType::StructField,
3203                    ty = ty)?;
3204             if let Some(stability_class) = field.stability_class() {
3205                 write!(w, "<span class='stab {stab}'></span>",
3206                     stab = stability_class)?;
3207             }
3208             document(w, cx, field)?;
3209         }
3210     }
3211     render_assoc_items(w, cx, it, it.def_id, AssocItemRender::All)
3212 }
3213
3214 fn item_enum(w: &mut fmt::Formatter, cx: &Context, it: &clean::Item,
3215              e: &clean::Enum) -> fmt::Result {
3216     wrap_into_docblock(w, |w| {
3217         write!(w, "<pre class='rust enum'>")?;
3218         render_attributes(w, it)?;
3219         write!(w, "{}enum {}{}{}",
3220                VisSpace(&it.visibility),
3221                it.name.as_ref().unwrap(),
3222                e.generics,
3223                WhereClause { gens: &e.generics, indent: 0, end_newline: true })?;
3224         if e.variants.is_empty() && !e.variants_stripped {
3225             write!(w, " {{}}")?;
3226         } else {
3227             write!(w, " {{\n")?;
3228             for v in &e.variants {
3229                 write!(w, "    ")?;
3230                 let name = v.name.as_ref().unwrap();
3231                 match v.inner {
3232                     clean::VariantItem(ref var) => {
3233                         match var.kind {
3234                             clean::VariantKind::CLike => write!(w, "{}", name)?,
3235                             clean::VariantKind::Tuple(ref tys) => {
3236                                 write!(w, "{}(", name)?;
3237                                 for (i, ty) in tys.iter().enumerate() {
3238                                     if i > 0 {
3239                                         write!(w, ",&nbsp;")?
3240                                     }
3241                                     write!(w, "{}", *ty)?;
3242                                 }
3243                                 write!(w, ")")?;
3244                             }
3245                             clean::VariantKind::Struct(ref s) => {
3246                                 render_struct(w,
3247                                               v,
3248                                               None,
3249                                               s.struct_type,
3250                                               &s.fields,
3251                                               "    ",
3252                                               false)?;
3253                             }
3254                         }
3255                     }
3256                     _ => unreachable!()
3257                 }
3258                 write!(w, ",\n")?;
3259             }
3260
3261             if e.variants_stripped {
3262                 write!(w, "    // some variants omitted\n")?;
3263             }
3264             write!(w, "}}")?;
3265         }
3266         write!(w, "</pre>")
3267     })?;
3268
3269     document(w, cx, it)?;
3270     if !e.variants.is_empty() {
3271         write!(w, "<h2 id='variants' class='variants small-section-header'>
3272                    Variants<a href='#variants' class='anchor'></a></h2>\n")?;
3273         for variant in &e.variants {
3274             let id = derive_id(format!("{}.{}",
3275                                        ItemType::Variant,
3276                                        variant.name.as_ref().unwrap()));
3277             let ns_id = derive_id(format!("{}.{}",
3278                                           variant.name.as_ref().unwrap(),
3279                                           ItemType::Variant.name_space()));
3280             write!(w, "<span id=\"{id}\" class=\"variant small-section-header\">\
3281                        <a href=\"#{id}\" class=\"anchor field\"></a>\
3282                        <span id='{ns_id}' class='invisible'><code>{name}",
3283                    id = id,
3284                    ns_id = ns_id,
3285                    name = variant.name.as_ref().unwrap())?;
3286             if let clean::VariantItem(ref var) = variant.inner {
3287                 if let clean::VariantKind::Tuple(ref tys) = var.kind {
3288                     write!(w, "(")?;
3289                     for (i, ty) in tys.iter().enumerate() {
3290                         if i > 0 {
3291                             write!(w, ",&nbsp;")?;
3292                         }
3293                         write!(w, "{}", *ty)?;
3294                     }
3295                     write!(w, ")")?;
3296                 }
3297             }
3298             write!(w, "</code></span></span>")?;
3299             document(w, cx, variant)?;
3300
3301             use clean::{Variant, VariantKind};
3302             if let clean::VariantItem(Variant {
3303                 kind: VariantKind::Struct(ref s)
3304             }) = variant.inner {
3305                 let variant_id = derive_id(format!("{}.{}.fields",
3306                                                    ItemType::Variant,
3307                                                    variant.name.as_ref().unwrap()));
3308                 write!(w, "<span class='docblock autohide sub-variant' id='{id}'>",
3309                        id = variant_id)?;
3310                 write!(w, "<h3 class='fields'>Fields of <code>{name}</code></h3>\n
3311                            <table>", name = variant.name.as_ref().unwrap())?;
3312                 for field in &s.fields {
3313                     use clean::StructFieldItem;
3314                     if let StructFieldItem(ref ty) = field.inner {
3315                         let id = derive_id(format!("variant.{}.field.{}",
3316                                                    variant.name.as_ref().unwrap(),
3317                                                    field.name.as_ref().unwrap()));
3318                         let ns_id = derive_id(format!("{}.{}.{}.{}",
3319                                                       variant.name.as_ref().unwrap(),
3320                                                       ItemType::Variant.name_space(),
3321                                                       field.name.as_ref().unwrap(),
3322                                                       ItemType::StructField.name_space()));
3323                         write!(w, "<tr><td \
3324                                    id='{id}'>\
3325                                    <span id='{ns_id}' class='invisible'>\
3326                                    <code>{f}:&nbsp;{t}</code></span></td><td>",
3327                                id = id,
3328                                ns_id = ns_id,
3329                                f = field.name.as_ref().unwrap(),
3330                                t = *ty)?;
3331                         document(w, cx, field)?;
3332                         write!(w, "</td></tr>")?;
3333                     }
3334                 }
3335                 write!(w, "</table></span>")?;
3336             }
3337             render_stability_since(w, variant, it)?;
3338         }
3339     }
3340     render_assoc_items(w, cx, it, it.def_id, AssocItemRender::All)?;
3341     Ok(())
3342 }
3343
3344 fn render_attribute(attr: &ast::MetaItem) -> Option<String> {
3345     let name = attr.name();
3346
3347     if attr.is_word() {
3348         Some(format!("{}", name))
3349     } else if let Some(v) = attr.value_str() {
3350         Some(format!("{} = {:?}", name, v.as_str()))
3351     } else if let Some(values) = attr.meta_item_list() {
3352         let display: Vec<_> = values.iter().filter_map(|attr| {
3353             attr.meta_item().and_then(|mi| render_attribute(mi))
3354         }).collect();
3355
3356         if display.len() > 0 {
3357             Some(format!("{}({})", name, display.join(", ")))
3358         } else {
3359             None
3360         }
3361     } else {
3362         None
3363     }
3364 }
3365
3366 const ATTRIBUTE_WHITELIST: &'static [&'static str] = &[
3367     "export_name",
3368     "lang",
3369     "link_section",
3370     "must_use",
3371     "no_mangle",
3372     "repr",
3373     "unsafe_destructor_blind_to_params"
3374 ];
3375
3376 fn render_attributes(w: &mut fmt::Formatter, it: &clean::Item) -> fmt::Result {
3377     let mut attrs = String::new();
3378
3379     for attr in &it.attrs.other_attrs {
3380         let name = attr.name();
3381         if !ATTRIBUTE_WHITELIST.contains(&&*name.as_str()) {
3382             continue;
3383         }
3384         if let Some(s) = render_attribute(&attr.meta().unwrap()) {
3385             attrs.push_str(&format!("#[{}]\n", s));
3386         }
3387     }
3388     if attrs.len() > 0 {
3389         write!(w, "<div class=\"docblock attributes\">{}</div>", &attrs)?;
3390     }
3391     Ok(())
3392 }
3393
3394 fn render_struct(w: &mut fmt::Formatter, it: &clean::Item,
3395                  g: Option<&clean::Generics>,
3396                  ty: doctree::StructType,
3397                  fields: &[clean::Item],
3398                  tab: &str,
3399                  structhead: bool) -> fmt::Result {
3400     write!(w, "{}{}{}",
3401            VisSpace(&it.visibility),
3402            if structhead {"struct "} else {""},
3403            it.name.as_ref().unwrap())?;
3404     if let Some(g) = g {
3405         write!(w, "{}", g)?
3406     }
3407     match ty {
3408         doctree::Plain => {
3409             if let Some(g) = g {
3410                 write!(w, "{}", WhereClause { gens: g, indent: 0, end_newline: true })?
3411             }
3412             let mut has_visible_fields = false;
3413             write!(w, " {{")?;
3414             for field in fields {
3415                 if let clean::StructFieldItem(ref ty) = field.inner {
3416                     write!(w, "\n{}    {}{}: {},",
3417                            tab,
3418                            VisSpace(&field.visibility),
3419                            field.name.as_ref().unwrap(),
3420                            *ty)?;
3421                     has_visible_fields = true;
3422                 }
3423             }
3424
3425             if has_visible_fields {
3426                 if it.has_stripped_fields().unwrap() {
3427                     write!(w, "\n{}    // some fields omitted", tab)?;
3428                 }
3429                 write!(w, "\n{}", tab)?;
3430             } else if it.has_stripped_fields().unwrap() {
3431                 // If there are no visible fields we can just display
3432                 // `{ /* fields omitted */ }` to save space.
3433                 write!(w, " /* fields omitted */ ")?;
3434             }
3435             write!(w, "}}")?;
3436         }
3437         doctree::Tuple => {
3438             write!(w, "(")?;
3439             for (i, field) in fields.iter().enumerate() {
3440                 if i > 0 {
3441                     write!(w, ", ")?;
3442                 }
3443                 match field.inner {
3444                     clean::StrippedItem(box clean::StructFieldItem(..)) => {
3445                         write!(w, "_")?
3446                     }
3447                     clean::StructFieldItem(ref ty) => {
3448                         write!(w, "{}{}", VisSpace(&field.visibility), *ty)?
3449                     }
3450                     _ => unreachable!()
3451                 }
3452             }
3453             write!(w, ")")?;
3454             if let Some(g) = g {
3455                 write!(w, "{}", WhereClause { gens: g, indent: 0, end_newline: false })?
3456             }
3457             write!(w, ";")?;
3458         }
3459         doctree::Unit => {
3460             // Needed for PhantomData.
3461             if let Some(g) = g {
3462                 write!(w, "{}", WhereClause { gens: g, indent: 0, end_newline: false })?
3463             }
3464             write!(w, ";")?;
3465         }
3466     }
3467     Ok(())
3468 }
3469
3470 fn render_union(w: &mut fmt::Formatter, it: &clean::Item,
3471                 g: Option<&clean::Generics>,
3472                 fields: &[clean::Item],
3473                 tab: &str,
3474                 structhead: bool) -> fmt::Result {
3475     write!(w, "{}{}{}",
3476            VisSpace(&it.visibility),
3477            if structhead {"union "} else {""},
3478            it.name.as_ref().unwrap())?;
3479     if let Some(g) = g {
3480         write!(w, "{}", g)?;
3481         write!(w, "{}", WhereClause { gens: g, indent: 0, end_newline: true })?;
3482     }
3483
3484     write!(w, " {{\n{}", tab)?;
3485     for field in fields {
3486         if let clean::StructFieldItem(ref ty) = field.inner {
3487             write!(w, "    {}{}: {},\n{}",
3488                    VisSpace(&field.visibility),
3489                    field.name.as_ref().unwrap(),
3490                    *ty,
3491                    tab)?;
3492         }
3493     }
3494
3495     if it.has_stripped_fields().unwrap() {
3496         write!(w, "    // some fields omitted\n{}", tab)?;
3497     }
3498     write!(w, "}}")?;
3499     Ok(())
3500 }
3501
3502 #[derive(Copy, Clone)]
3503 enum AssocItemLink<'a> {
3504     Anchor(Option<&'a str>),
3505     GotoSource(DefId, &'a FxHashSet<String>),
3506 }
3507
3508 impl<'a> AssocItemLink<'a> {
3509     fn anchor(&self, id: &'a String) -> Self {
3510         match *self {
3511             AssocItemLink::Anchor(_) => { AssocItemLink::Anchor(Some(&id)) },
3512             ref other => *other,
3513         }
3514     }
3515 }
3516
3517 enum AssocItemRender<'a> {
3518     All,
3519     DerefFor { trait_: &'a clean::Type, type_: &'a clean::Type, deref_mut_: bool }
3520 }
3521
3522 #[derive(Copy, Clone, PartialEq)]
3523 enum RenderMode {
3524     Normal,
3525     ForDeref { mut_: bool },
3526 }
3527
3528 fn render_assoc_items(w: &mut fmt::Formatter,
3529                       cx: &Context,
3530                       containing_item: &clean::Item,
3531                       it: DefId,
3532                       what: AssocItemRender) -> fmt::Result {
3533     let c = cache();
3534     let v = match c.impls.get(&it) {
3535         Some(v) => v,
3536         None => return Ok(()),
3537     };
3538     let (non_trait, traits): (Vec<_>, _) = v.iter().partition(|i| {
3539         i.inner_impl().trait_.is_none()
3540     });
3541     if !non_trait.is_empty() {
3542         let render_mode = match what {
3543             AssocItemRender::All => {
3544                 write!(w, "
3545                     <h2 id='methods' class='small-section-header'>
3546                       Methods<a href='#methods' class='anchor'></a>
3547                     </h2>
3548                 ")?;
3549                 RenderMode::Normal
3550             }
3551             AssocItemRender::DerefFor { trait_, type_, deref_mut_ } => {
3552                 write!(w, "
3553                     <h2 id='deref-methods' class='small-section-header'>
3554                       Methods from {}&lt;Target = {}&gt;<a href='#deref-methods' class='anchor'></a>
3555                     </h2>
3556                 ", trait_, type_)?;
3557                 RenderMode::ForDeref { mut_: deref_mut_ }
3558             }
3559         };
3560         for i in &non_trait {
3561             render_impl(w, cx, i, AssocItemLink::Anchor(None), render_mode,
3562                         containing_item.stable_since(), true)?;
3563         }
3564     }
3565     if let AssocItemRender::DerefFor { .. } = what {
3566         return Ok(());
3567     }
3568     if !traits.is_empty() {
3569         let deref_impl = traits.iter().find(|t| {
3570             t.inner_impl().trait_.def_id() == c.deref_trait_did
3571         });
3572         if let Some(impl_) = deref_impl {
3573             let has_deref_mut = traits.iter().find(|t| {
3574                 t.inner_impl().trait_.def_id() == c.deref_mut_trait_did
3575             }).is_some();
3576             render_deref_methods(w, cx, impl_, containing_item, has_deref_mut)?;
3577         }
3578
3579         let (synthetic, concrete) = traits
3580             .iter()
3581             .partition::<Vec<_>, _>(|t| t.inner_impl().synthetic);
3582
3583         struct RendererStruct<'a, 'b, 'c>(&'a Context, Vec<&'b &'b Impl>, &'c clean::Item);
3584
3585         impl<'a, 'b, 'c> fmt::Display for RendererStruct<'a, 'b, 'c> {
3586             fn fmt(&self, fmt: &mut fmt::Formatter) -> fmt::Result {
3587                 render_impls(self.0, fmt, &self.1, self.2)
3588             }
3589         }
3590
3591         let impls = format!("{}", RendererStruct(cx, concrete, containing_item));
3592         if !impls.is_empty() {
3593             write!(w, "
3594                 <h2 id='implementations' class='small-section-header'>
3595                   Trait Implementations<a href='#implementations' class='anchor'></a>
3596                 </h2>
3597                 <div id='implementations-list'>{}</div>", impls)?;
3598         }
3599
3600         if !synthetic.is_empty() {
3601             write!(w, "
3602                 <h2 id='synthetic-implementations' class='small-section-header'>
3603                   Auto Trait Implementations<a href='#synthetic-implementations' class='anchor'></a>
3604                 </h2>
3605                 <div id='synthetic-implementations-list'>
3606             ")?;
3607             render_impls(cx, w, &synthetic, containing_item)?;
3608             write!(w, "</div>")?;
3609         }
3610     }
3611     Ok(())
3612 }
3613
3614 fn render_deref_methods(w: &mut fmt::Formatter, cx: &Context, impl_: &Impl,
3615                         container_item: &clean::Item, deref_mut: bool) -> fmt::Result {
3616     let deref_type = impl_.inner_impl().trait_.as_ref().unwrap();
3617     let target = impl_.inner_impl().items.iter().filter_map(|item| {
3618         match item.inner {
3619             clean::TypedefItem(ref t, true) => Some(&t.type_),
3620             _ => None,
3621         }
3622     }).next().expect("Expected associated type binding");
3623     let what = AssocItemRender::DerefFor { trait_: deref_type, type_: target,
3624                                            deref_mut_: deref_mut };
3625     if let Some(did) = target.def_id() {
3626         render_assoc_items(w, cx, container_item, did, what)
3627     } else {
3628         if let Some(prim) = target.primitive_type() {
3629             if let Some(&did) = cache().primitive_locations.get(&prim) {
3630                 render_assoc_items(w, cx, container_item, did, what)?;
3631             }
3632         }
3633         Ok(())
3634     }
3635 }
3636
3637 fn should_render_item(item: &clean::Item, deref_mut_: bool) -> bool {
3638     let self_type_opt = match item.inner {
3639         clean::MethodItem(ref method) => method.decl.self_type(),
3640         clean::TyMethodItem(ref method) => method.decl.self_type(),
3641         _ => None
3642     };
3643
3644     if let Some(self_ty) = self_type_opt {
3645         let (by_mut_ref, by_box, by_value) = match self_ty {
3646             SelfTy::SelfBorrowed(_, mutability) |
3647             SelfTy::SelfExplicit(clean::BorrowedRef { mutability, .. }) => {
3648                 (mutability == Mutability::Mutable, false, false)
3649             },
3650             SelfTy::SelfExplicit(clean::ResolvedPath { did, .. }) => {
3651                 (false, Some(did) == cache().owned_box_did, false)
3652             },
3653             SelfTy::SelfValue => (false, false, true),
3654             _ => (false, false, false),
3655         };
3656
3657         (deref_mut_ || !by_mut_ref) && !by_box && !by_value
3658     } else {
3659         false
3660     }
3661 }
3662
3663 fn render_spotlight_traits(item: &clean::Item) -> Result<String, fmt::Error> {
3664     let mut out = String::new();
3665
3666     match item.inner {
3667         clean::FunctionItem(clean::Function { ref decl, .. }) |
3668         clean::TyMethodItem(clean::TyMethod { ref decl, .. }) |
3669         clean::MethodItem(clean::Method { ref decl, .. }) |
3670         clean::ForeignFunctionItem(clean::Function { ref decl, .. }) => {
3671             out = spotlight_decl(decl)?;
3672         }
3673         _ => {}
3674     }
3675
3676     Ok(out)
3677 }
3678
3679 fn spotlight_decl(decl: &clean::FnDecl) -> Result<String, fmt::Error> {
3680     let mut out = String::new();
3681     let mut trait_ = String::new();
3682
3683     if let Some(did) = decl.output.def_id() {
3684         let c = cache();
3685         if let Some(impls) = c.impls.get(&did) {
3686             for i in impls {
3687                 let impl_ = i.inner_impl();
3688                 if impl_.trait_.def_id().map_or(false, |d| c.traits[&d].is_spotlight) {
3689                     if out.is_empty() {
3690                         out.push_str(
3691                             &format!("<h3 class=\"important\">Important traits for {}</h3>\
3692                                       <code class=\"content\">",
3693                                      impl_.for_));
3694                         trait_.push_str(&format!("{}", impl_.for_));
3695                     }
3696
3697                     //use the "where" class here to make it small
3698                     out.push_str(&format!("<span class=\"where fmt-newline\">{}</span>", impl_));
3699                     let t_did = impl_.trait_.def_id().unwrap();
3700                     for it in &impl_.items {
3701                         if let clean::TypedefItem(ref tydef, _) = it.inner {
3702                             out.push_str("<span class=\"where fmt-newline\">    ");
3703                             assoc_type(&mut out, it, &vec![],
3704                                        Some(&tydef.type_),
3705                                        AssocItemLink::GotoSource(t_did, &FxHashSet()))?;
3706                             out.push_str(";</span>");
3707                         }
3708                     }
3709                 }
3710             }
3711         }
3712     }
3713
3714     if !out.is_empty() {
3715         out.insert_str(0, &format!("<div class=\"important-traits\"><div class='tooltip'>ⓘ\
3716                                     <span class='tooltiptext'>Important traits for {}</span></div>\
3717                                     <div class=\"content hidden\">",
3718                                    trait_));
3719         out.push_str("</code></div></div>");
3720     }
3721
3722     Ok(out)
3723 }
3724
3725 fn render_impl(w: &mut fmt::Formatter, cx: &Context, i: &Impl, link: AssocItemLink,
3726                render_mode: RenderMode, outer_version: Option<&str>,
3727                show_def_docs: bool) -> fmt::Result {
3728     if render_mode == RenderMode::Normal {
3729         let id = derive_id(match i.inner_impl().trait_ {
3730             Some(ref t) => format!("impl-{}", small_url_encode(&format!("{:#}", t))),
3731             None => "impl".to_string(),
3732         });
3733         write!(w, "<h3 id='{}' class='impl'><span class='in-band'><table class='table-display'>\
3734                    <tbody><tr><td><code>{}</code>",
3735                id, i.inner_impl())?;
3736         write!(w, "<a href='#{}' class='anchor'></a>", id)?;
3737         write!(w, "</span></td><td><span class='out-of-band'>")?;
3738         let since = i.impl_item.stability.as_ref().map(|s| &s.since[..]);
3739         if let Some(l) = (Item { item: &i.impl_item, cx: cx }).src_href() {
3740             write!(w, "<div class='ghost'></div>")?;
3741             render_stability_since_raw(w, since, outer_version)?;
3742             write!(w, "<a class='srclink' href='{}' title='{}'>[src]</a>",
3743                    l, "goto source code")?;
3744         } else {
3745             render_stability_since_raw(w, since, outer_version)?;
3746         }
3747         write!(w, "</span></td></tr></tbody></table></h3>")?;
3748         if let Some(ref dox) = cx.shared.maybe_collapsed_doc_value(&i.impl_item) {
3749             write!(w, "<div class='docblock'>{}</div>",
3750                    Markdown(&*dox, &i.impl_item.links()))?;
3751         }
3752     }
3753
3754     fn doc_impl_item(w: &mut fmt::Formatter, cx: &Context, item: &clean::Item,
3755                      link: AssocItemLink, render_mode: RenderMode,
3756                      is_default_item: bool, outer_version: Option<&str>,
3757                      trait_: Option<&clean::Trait>, show_def_docs: bool) -> fmt::Result {
3758         let item_type = item.type_();
3759         let name = item.name.as_ref().unwrap();
3760
3761         let render_method_item: bool = match render_mode {
3762             RenderMode::Normal => true,
3763             RenderMode::ForDeref { mut_: deref_mut_ } => should_render_item(&item, deref_mut_),
3764         };
3765
3766         match item.inner {
3767             clean::MethodItem(clean::Method { ref decl, .. }) |
3768             clean::TyMethodItem(clean::TyMethod{ ref decl, .. }) => {
3769                 // Only render when the method is not static or we allow static methods
3770                 if render_method_item {
3771                     let id = derive_id(format!("{}.{}", item_type, name));
3772                     let ns_id = derive_id(format!("{}.{}", name, item_type.name_space()));
3773                     write!(w, "<h4 id='{}' class=\"{}\">", id, item_type)?;
3774                     write!(w, "{}", spotlight_decl(decl)?)?;
3775                     write!(w, "<span id='{}' class='invisible'>", ns_id)?;
3776                     write!(w, "<table class='table-display'><tbody><tr><td><code>")?;
3777                     render_assoc_item(w, item, link.anchor(&id), ItemType::Impl)?;
3778                     write!(w, "</code>")?;
3779                     if let Some(l) = (Item { cx, item }).src_href() {
3780                         write!(w, "</span></td><td><span class='out-of-band'>")?;
3781                         write!(w, "<div class='ghost'></div>")?;
3782                         render_stability_since_raw(w, item.stable_since(), outer_version)?;
3783                         write!(w, "<a class='srclink' href='{}' title='{}'>[src]</a>",
3784                                l, "goto source code")?;
3785                     } else {
3786                         write!(w, "</td><td>")?;
3787                         render_stability_since_raw(w, item.stable_since(), outer_version)?;
3788                     }
3789                     write!(w, "</td></tr></tbody></table></span></h4>")?;
3790                 }
3791             }
3792             clean::TypedefItem(ref tydef, _) => {
3793                 let id = derive_id(format!("{}.{}", ItemType::AssociatedType, name));
3794                 let ns_id = derive_id(format!("{}.{}", name, item_type.name_space()));
3795                 write!(w, "<h4 id='{}' class=\"{}\">", id, item_type)?;
3796                 write!(w, "<span id='{}' class='invisible'><code>", ns_id)?;
3797                 assoc_type(w, item, &Vec::new(), Some(&tydef.type_), link.anchor(&id))?;
3798                 write!(w, "</code></span></h4>\n")?;
3799             }
3800             clean::AssociatedConstItem(ref ty, ref default) => {
3801                 let id = derive_id(format!("{}.{}", item_type, name));
3802                 let ns_id = derive_id(format!("{}.{}", name, item_type.name_space()));
3803                 write!(w, "<h4 id='{}' class=\"{}\">", id, item_type)?;
3804                 write!(w, "<span id='{}' class='invisible'><code>", ns_id)?;
3805                 assoc_const(w, item, ty, default.as_ref(), link.anchor(&id))?;
3806                 write!(w, "</code></span></h4>\n")?;
3807             }
3808             clean::AssociatedTypeItem(ref bounds, ref default) => {
3809                 let id = derive_id(format!("{}.{}", item_type, name));
3810                 let ns_id = derive_id(format!("{}.{}", name, item_type.name_space()));
3811                 write!(w, "<h4 id='{}' class=\"{}\">", id, item_type)?;
3812                 write!(w, "<span id='{}' class='invisible'><code>", ns_id)?;
3813                 assoc_type(w, item, bounds, default.as_ref(), link.anchor(&id))?;
3814                 write!(w, "</code></span></h4>\n")?;
3815             }
3816             clean::StrippedItem(..) => return Ok(()),
3817             _ => panic!("can't make docs for trait item with name {:?}", item.name)
3818         }
3819
3820         if render_method_item || render_mode == RenderMode::Normal {
3821             let prefix = render_assoc_const_value(item);
3822
3823             if !is_default_item {
3824                 if let Some(t) = trait_ {
3825                     // The trait item may have been stripped so we might not
3826                     // find any documentation or stability for it.
3827                     if let Some(it) = t.items.iter().find(|i| i.name == item.name) {
3828                         // We need the stability of the item from the trait
3829                         // because impls can't have a stability.
3830                         document_stability(w, cx, it)?;
3831                         if item.doc_value().is_some() {
3832                             document_full(w, item, cx, &prefix)?;
3833                         } else if show_def_docs {
3834                             // In case the item isn't documented,
3835                             // provide short documentation from the trait.
3836                             document_short(w, it, link, &prefix)?;
3837                         }
3838                     }
3839                 } else {
3840                     document_stability(w, cx, item)?;
3841                     if show_def_docs {
3842                         document_full(w, item, cx, &prefix)?;
3843                     }
3844                 }
3845             } else {
3846                 document_stability(w, cx, item)?;
3847                 if show_def_docs {
3848                     document_short(w, item, link, &prefix)?;
3849                 }
3850             }
3851         }
3852         Ok(())
3853     }
3854
3855     let traits = &cache().traits;
3856     let trait_ = i.trait_did().map(|did| &traits[&did]);
3857
3858     if !show_def_docs {
3859         write!(w, "<span class='docblock autohide'>")?;
3860     }
3861
3862     write!(w, "<div class='impl-items'>")?;
3863     for trait_item in &i.inner_impl().items {
3864         doc_impl_item(w, cx, trait_item, link, render_mode,
3865                       false, outer_version, trait_, show_def_docs)?;
3866     }
3867
3868     fn render_default_items(w: &mut fmt::Formatter,
3869                             cx: &Context,
3870                             t: &clean::Trait,
3871                             i: &clean::Impl,
3872                             render_mode: RenderMode,
3873                             outer_version: Option<&str>,
3874                             show_def_docs: bool) -> fmt::Result {
3875         for trait_item in &t.items {
3876             let n = trait_item.name.clone();
3877             if i.items.iter().find(|m| m.name == n).is_some() {
3878                 continue;
3879             }
3880             let did = i.trait_.as_ref().unwrap().def_id().unwrap();
3881             let assoc_link = AssocItemLink::GotoSource(did, &i.provided_trait_methods);
3882
3883             doc_impl_item(w, cx, trait_item, assoc_link, render_mode, true,
3884                           outer_version, None, show_def_docs)?;
3885         }
3886         Ok(())
3887     }
3888
3889     // If we've implemented a trait, then also emit documentation for all
3890     // default items which weren't overridden in the implementation block.
3891     if let Some(t) = trait_ {
3892         render_default_items(w, cx, t, &i.inner_impl(),
3893                              render_mode, outer_version, show_def_docs)?;
3894     }
3895     write!(w, "</div>")?;
3896
3897     if !show_def_docs {
3898         write!(w, "</span>")?;
3899     }
3900
3901     Ok(())
3902 }
3903
3904 fn item_typedef(w: &mut fmt::Formatter, cx: &Context, it: &clean::Item,
3905                 t: &clean::Typedef) -> fmt::Result {
3906     write!(w, "<pre class='rust typedef'>")?;
3907     render_attributes(w, it)?;
3908     write!(w, "type {}{}{where_clause} = {type_};</pre>",
3909            it.name.as_ref().unwrap(),
3910            t.generics,
3911            where_clause = WhereClause { gens: &t.generics, indent: 0, end_newline: true },
3912            type_ = t.type_)?;
3913
3914     document(w, cx, it)?;
3915
3916     // Render any items associated directly to this alias, as otherwise they
3917     // won't be visible anywhere in the docs. It would be nice to also show
3918     // associated items from the aliased type (see discussion in #32077), but
3919     // we need #14072 to make sense of the generics.
3920     render_assoc_items(w, cx, it, it.def_id, AssocItemRender::All)
3921 }
3922
3923 fn item_foreign_type(w: &mut fmt::Formatter, cx: &Context, it: &clean::Item) -> fmt::Result {
3924     writeln!(w, "<pre class='rust foreigntype'>extern {{")?;
3925     render_attributes(w, it)?;
3926     write!(
3927         w,
3928         "    {}type {};\n}}</pre>",
3929         VisSpace(&it.visibility),
3930         it.name.as_ref().unwrap(),
3931     )?;
3932
3933     document(w, cx, it)?;
3934
3935     render_assoc_items(w, cx, it, it.def_id, AssocItemRender::All)
3936 }
3937
3938 impl<'a> fmt::Display for Sidebar<'a> {
3939     fn fmt(&self, fmt: &mut fmt::Formatter) -> fmt::Result {
3940         let cx = self.cx;
3941         let it = self.item;
3942         let parentlen = cx.current.len() - if it.is_mod() {1} else {0};
3943
3944         if it.is_struct() || it.is_trait() || it.is_primitive() || it.is_union()
3945             || it.is_enum() || it.is_mod() || it.is_typedef() {
3946             write!(fmt, "<p class='location'>{}{}</p>",
3947                 match it.inner {
3948                     clean::StructItem(..) => "Struct ",
3949                     clean::TraitItem(..) => "Trait ",
3950                     clean::PrimitiveItem(..) => "Primitive Type ",
3951                     clean::UnionItem(..) => "Union ",
3952                     clean::EnumItem(..) => "Enum ",
3953                     clean::TypedefItem(..) => "Type Definition ",
3954                     clean::ForeignTypeItem => "Foreign Type ",
3955                     clean::ModuleItem(..) => if it.is_crate() {
3956                         "Crate "
3957                     } else {
3958                         "Module "
3959                     },
3960                     _ => "",
3961                 },
3962                 it.name.as_ref().unwrap())?;
3963         }
3964
3965         if it.is_crate() {
3966             if let Some(ref version) = cache().crate_version {
3967                 write!(fmt,
3968                        "<div class='block version'>\
3969                         <p>Version {}</p>\
3970                         </div>
3971                         <a id='all-types' href='all.html'><p>See all {}'s items</p></a>",
3972                        version,
3973                        it.name.as_ref().unwrap())?;
3974             }
3975         }
3976
3977         write!(fmt, "<div class=\"sidebar-elems\">")?;
3978         match it.inner {
3979             clean::StructItem(ref s) => sidebar_struct(fmt, it, s)?,
3980             clean::TraitItem(ref t) => sidebar_trait(fmt, it, t)?,
3981             clean::PrimitiveItem(ref p) => sidebar_primitive(fmt, it, p)?,
3982             clean::UnionItem(ref u) => sidebar_union(fmt, it, u)?,
3983             clean::EnumItem(ref e) => sidebar_enum(fmt, it, e)?,
3984             clean::TypedefItem(ref t, _) => sidebar_typedef(fmt, it, t)?,
3985             clean::ModuleItem(ref m) => sidebar_module(fmt, it, &m.items)?,
3986             clean::ForeignTypeItem => sidebar_foreign_type(fmt, it)?,
3987             _ => (),
3988         }
3989
3990         // The sidebar is designed to display sibling functions, modules and
3991         // other miscellaneous information. since there are lots of sibling
3992         // items (and that causes quadratic growth in large modules),
3993         // we refactor common parts into a shared JavaScript file per module.
3994         // still, we don't move everything into JS because we want to preserve
3995         // as much HTML as possible in order to allow non-JS-enabled browsers
3996         // to navigate the documentation (though slightly inefficiently).
3997
3998         write!(fmt, "<p class='location'>")?;
3999         for (i, name) in cx.current.iter().take(parentlen).enumerate() {
4000             if i > 0 {
4001                 write!(fmt, "::<wbr>")?;
4002             }
4003             write!(fmt, "<a href='{}index.html'>{}</a>",
4004                    &cx.root_path()[..(cx.current.len() - i - 1) * 3],
4005                    *name)?;
4006         }
4007         write!(fmt, "</p>")?;
4008
4009         // Sidebar refers to the enclosing module, not this module.
4010         let relpath = if it.is_mod() { "../" } else { "" };
4011         write!(fmt,
4012                "<script>window.sidebarCurrent = {{\
4013                    name: '{name}', \
4014                    ty: '{ty}', \
4015                    relpath: '{path}'\
4016                 }};</script>",
4017                name = it.name.as_ref().map(|x| &x[..]).unwrap_or(""),
4018                ty = it.type_().css_class(),
4019                path = relpath)?;
4020         if parentlen == 0 {
4021             // There is no sidebar-items.js beyond the crate root path
4022             // FIXME maybe dynamic crate loading can be merged here
4023         } else {
4024             write!(fmt, "<script defer src=\"{path}sidebar-items.js\"></script>",
4025                    path = relpath)?;
4026         }
4027         // Closes sidebar-elems div.
4028         write!(fmt, "</div>")?;
4029
4030         Ok(())
4031     }
4032 }
4033
4034 fn get_methods(i: &clean::Impl, for_deref: bool) -> Vec<String> {
4035     i.items.iter().filter_map(|item| {
4036         match item.name {
4037             // Maybe check with clean::Visibility::Public as well?
4038             Some(ref name) if !name.is_empty() && item.visibility.is_some() && item.is_method() => {
4039                 if !for_deref || should_render_item(item, false) {
4040                     Some(format!("<a href=\"#method.{name}\">{name}</a>", name = name))
4041                 } else {
4042                     None
4043                 }
4044             }
4045             _ => None,
4046         }
4047     }).collect::<Vec<_>>()
4048 }
4049
4050 // The point is to url encode any potential character from a type with genericity.
4051 fn small_url_encode(s: &str) -> String {
4052     s.replace("<", "%3C")
4053      .replace(">", "%3E")
4054      .replace(" ", "%20")
4055      .replace("?", "%3F")
4056      .replace("'", "%27")
4057      .replace("&", "%26")
4058      .replace(",", "%2C")
4059      .replace(":", "%3A")
4060      .replace(";", "%3B")
4061      .replace("[", "%5B")
4062      .replace("]", "%5D")
4063      .replace("\"", "%22")
4064 }
4065
4066 fn sidebar_assoc_items(it: &clean::Item) -> String {
4067     let mut out = String::new();
4068     let c = cache();
4069     if let Some(v) = c.impls.get(&it.def_id) {
4070         let ret = v.iter()
4071                    .filter(|i| i.inner_impl().trait_.is_none())
4072                    .flat_map(|i| get_methods(i.inner_impl(), false))
4073                    .collect::<String>();
4074         if !ret.is_empty() {
4075             out.push_str(&format!("<a class=\"sidebar-title\" href=\"#methods\">Methods\
4076                                    </a><div class=\"sidebar-links\">{}</div>", ret));
4077         }
4078
4079         if v.iter().any(|i| i.inner_impl().trait_.is_some()) {
4080             if let Some(impl_) = v.iter()
4081                                   .filter(|i| i.inner_impl().trait_.is_some())
4082                                   .find(|i| i.inner_impl().trait_.def_id() == c.deref_trait_did) {
4083                 if let Some(target) = impl_.inner_impl().items.iter().filter_map(|item| {
4084                     match item.inner {
4085                         clean::TypedefItem(ref t, true) => Some(&t.type_),
4086                         _ => None,
4087                     }
4088                 }).next() {
4089                     let inner_impl = target.def_id().or(target.primitive_type().and_then(|prim| {
4090                         c.primitive_locations.get(&prim).cloned()
4091                     })).and_then(|did| c.impls.get(&did));
4092                     if let Some(impls) = inner_impl {
4093                         out.push_str("<a class=\"sidebar-title\" href=\"#deref-methods\">");
4094                         out.push_str(&format!("Methods from {}&lt;Target={}&gt;",
4095                                               Escape(&format!("{:#}",
4096                                                      impl_.inner_impl().trait_.as_ref().unwrap())),
4097                                               Escape(&format!("{:#}", target))));
4098                         out.push_str("</a>");
4099                         let ret = impls.iter()
4100                                        .filter(|i| i.inner_impl().trait_.is_none())
4101                                        .flat_map(|i| get_methods(i.inner_impl(), true))
4102                                        .collect::<String>();
4103                         out.push_str(&format!("<div class=\"sidebar-links\">{}</div>", ret));
4104                     }
4105                 }
4106             }
4107             let format_impls = |impls: Vec<&Impl>| {
4108                 let mut links = HashSet::new();
4109                 impls.iter()
4110                            .filter_map(|i| {
4111                                let is_negative_impl = is_negative_impl(i.inner_impl());
4112                                if let Some(ref i) = i.inner_impl().trait_ {
4113                                    let i_display = format!("{:#}", i);
4114                                    let out = Escape(&i_display);
4115                                    let encoded = small_url_encode(&format!("{:#}", i));
4116                                    let generated = format!("<a href=\"#impl-{}\">{}{}</a>",
4117                                                            encoded,
4118                                                            if is_negative_impl { "!" } else { "" },
4119                                                            out);
4120                                    if links.insert(generated.clone()) {
4121                                        Some(generated)
4122                                    } else {
4123                                        None
4124                                    }
4125                                } else {
4126                                    None
4127                                }
4128                            })
4129                            .collect::<String>()
4130             };
4131
4132             let (synthetic, concrete) = v
4133                 .iter()
4134                 .partition::<Vec<_>, _>(|i| i.inner_impl().synthetic);
4135
4136             let concrete_format = format_impls(concrete);
4137             let synthetic_format = format_impls(synthetic);
4138
4139             if !concrete_format.is_empty() {
4140                 out.push_str("<a class=\"sidebar-title\" href=\"#implementations\">\
4141                               Trait Implementations</a>");
4142                 out.push_str(&format!("<div class=\"sidebar-links\">{}</div>", concrete_format));
4143             }
4144
4145             if !synthetic_format.is_empty() {
4146                 out.push_str("<a class=\"sidebar-title\" href=\"#synthetic-implementations\">\
4147                               Auto Trait Implementations</a>");
4148                 out.push_str(&format!("<div class=\"sidebar-links\">{}</div>", synthetic_format));
4149             }
4150         }
4151     }
4152
4153     out
4154 }
4155
4156 fn sidebar_struct(fmt: &mut fmt::Formatter, it: &clean::Item,
4157                   s: &clean::Struct) -> fmt::Result {
4158     let mut sidebar = String::new();
4159     let fields = get_struct_fields_name(&s.fields);
4160
4161     if !fields.is_empty() {
4162         if let doctree::Plain = s.struct_type {
4163             sidebar.push_str(&format!("<a class=\"sidebar-title\" href=\"#fields\">Fields</a>\
4164                                        <div class=\"sidebar-links\">{}</div>", fields));
4165         }
4166     }
4167
4168     sidebar.push_str(&sidebar_assoc_items(it));
4169
4170     if !sidebar.is_empty() {
4171         write!(fmt, "<div class=\"block items\">{}</div>", sidebar)?;
4172     }
4173     Ok(())
4174 }
4175
4176 fn extract_for_impl_name(item: &clean::Item) -> Option<(String, String)> {
4177     match item.inner {
4178         clean::ItemEnum::ImplItem(ref i) => {
4179             if let Some(ref trait_) = i.trait_ {
4180                 Some((format!("{:#}", i.for_), format!("{:#}", trait_)))
4181             } else {
4182                 None
4183             }
4184         },
4185         _ => None,
4186     }
4187 }
4188
4189 fn is_negative_impl(i: &clean::Impl) -> bool {
4190     i.polarity == Some(clean::ImplPolarity::Negative)
4191 }
4192
4193 fn sidebar_trait(fmt: &mut fmt::Formatter, it: &clean::Item,
4194                  t: &clean::Trait) -> fmt::Result {
4195     let mut sidebar = String::new();
4196
4197     let types = t.items
4198                  .iter()
4199                  .filter_map(|m| {
4200                      match m.name {
4201                          Some(ref name) if m.is_associated_type() => {
4202                              Some(format!("<a href=\"#associatedtype.{name}\">{name}</a>",
4203                                           name=name))
4204                          }
4205                          _ => None,
4206                      }
4207                  })
4208                  .collect::<String>();
4209     let consts = t.items
4210                   .iter()
4211                   .filter_map(|m| {
4212                       match m.name {
4213                           Some(ref name) if m.is_associated_const() => {
4214                               Some(format!("<a href=\"#associatedconstant.{name}\">{name}</a>",
4215                                            name=name))
4216                           }
4217                           _ => None,
4218                       }
4219                   })
4220                   .collect::<String>();
4221     let required = t.items
4222                     .iter()
4223                     .filter_map(|m| {
4224                         match m.name {
4225                             Some(ref name) if m.is_ty_method() => {
4226                                 Some(format!("<a href=\"#tymethod.{name}\">{name}</a>",
4227                                              name=name))
4228                             }
4229                             _ => None,
4230                         }
4231                     })
4232                     .collect::<String>();
4233     let provided = t.items
4234                     .iter()
4235                     .filter_map(|m| {
4236                         match m.name {
4237                             Some(ref name) if m.is_method() => {
4238                                 Some(format!("<a href=\"#method.{name}\">{name}</a>", name=name))
4239                             }
4240                             _ => None,
4241                         }
4242                     })
4243                     .collect::<String>();
4244
4245     if !types.is_empty() {
4246         sidebar.push_str(&format!("<a class=\"sidebar-title\" href=\"#associated-types\">\
4247                                    Associated Types</a><div class=\"sidebar-links\">{}</div>",
4248                                   types));
4249     }
4250     if !consts.is_empty() {
4251         sidebar.push_str(&format!("<a class=\"sidebar-title\" href=\"#associated-const\">\
4252                                    Associated Constants</a><div class=\"sidebar-links\">{}</div>",
4253                                   consts));
4254     }
4255     if !required.is_empty() {
4256         sidebar.push_str(&format!("<a class=\"sidebar-title\" href=\"#required-methods\">\
4257                                    Required Methods</a><div class=\"sidebar-links\">{}</div>",
4258                                   required));
4259     }
4260     if !provided.is_empty() {
4261         sidebar.push_str(&format!("<a class=\"sidebar-title\" href=\"#provided-methods\">\
4262                                    Provided Methods</a><div class=\"sidebar-links\">{}</div>",
4263                                   provided));
4264     }
4265
4266     let c = cache();
4267
4268     if let Some(implementors) = c.implementors.get(&it.def_id) {
4269         let res = implementors.iter()
4270                               .filter(|i| i.inner_impl().for_.def_id()
4271                               .map_or(false, |d| !c.paths.contains_key(&d)))
4272                               .filter_map(|i| {
4273                                   match extract_for_impl_name(&i.impl_item) {
4274                                       Some((ref name, ref url)) => {
4275                                           Some(format!("<a href=\"#impl-{}\">{}</a>",
4276                                                       small_url_encode(url),
4277                                                       Escape(name)))
4278                                       }
4279                                       _ => None,
4280                                   }
4281                               })
4282                               .collect::<String>();
4283         if !res.is_empty() {
4284             sidebar.push_str(&format!("<a class=\"sidebar-title\" href=\"#foreign-impls\">\
4285                                        Implementations on Foreign Types</a><div \
4286                                        class=\"sidebar-links\">{}</div>",
4287                                       res));
4288         }
4289     }
4290
4291     sidebar.push_str("<a class=\"sidebar-title\" href=\"#implementors\">Implementors</a>");
4292     if t.auto {
4293         sidebar.push_str("<a class=\"sidebar-title\" \
4294                           href=\"#synthetic-implementors\">Auto Implementors</a>");
4295     }
4296
4297     sidebar.push_str(&sidebar_assoc_items(it));
4298
4299     write!(fmt, "<div class=\"block items\">{}</div>", sidebar)
4300 }
4301
4302 fn sidebar_primitive(fmt: &mut fmt::Formatter, it: &clean::Item,
4303                      _p: &clean::PrimitiveType) -> fmt::Result {
4304     let sidebar = sidebar_assoc_items(it);
4305
4306     if !sidebar.is_empty() {
4307         write!(fmt, "<div class=\"block items\">{}</div>", sidebar)?;
4308     }
4309     Ok(())
4310 }
4311
4312 fn sidebar_typedef(fmt: &mut fmt::Formatter, it: &clean::Item,
4313                    _t: &clean::Typedef) -> fmt::Result {
4314     let sidebar = sidebar_assoc_items(it);
4315
4316     if !sidebar.is_empty() {
4317         write!(fmt, "<div class=\"block items\">{}</div>", sidebar)?;
4318     }
4319     Ok(())
4320 }
4321
4322 fn get_struct_fields_name(fields: &[clean::Item]) -> String {
4323     fields.iter()
4324           .filter(|f| if let clean::StructFieldItem(..) = f.inner {
4325               true
4326           } else {
4327               false
4328           })
4329           .filter_map(|f| match f.name {
4330               Some(ref name) => Some(format!("<a href=\"#structfield.{name}\">\
4331                                               {name}</a>", name=name)),
4332               _ => None,
4333           })
4334           .collect()
4335 }
4336
4337 fn sidebar_union(fmt: &mut fmt::Formatter, it: &clean::Item,
4338                  u: &clean::Union) -> fmt::Result {
4339     let mut sidebar = String::new();
4340     let fields = get_struct_fields_name(&u.fields);
4341
4342     if !fields.is_empty() {
4343         sidebar.push_str(&format!("<a class=\"sidebar-title\" href=\"#fields\">Fields</a>\
4344                                    <div class=\"sidebar-links\">{}</div>", fields));
4345     }
4346
4347     sidebar.push_str(&sidebar_assoc_items(it));
4348
4349     if !sidebar.is_empty() {
4350         write!(fmt, "<div class=\"block items\">{}</div>", sidebar)?;
4351     }
4352     Ok(())
4353 }
4354
4355 fn sidebar_enum(fmt: &mut fmt::Formatter, it: &clean::Item,
4356                 e: &clean::Enum) -> fmt::Result {
4357     let mut sidebar = String::new();
4358
4359     let variants = e.variants.iter()
4360                              .filter_map(|v| match v.name {
4361                                  Some(ref name) => Some(format!("<a href=\"#variant.{name}\">{name}\
4362                                                                  </a>", name = name)),
4363                                  _ => None,
4364                              })
4365                              .collect::<String>();
4366     if !variants.is_empty() {
4367         sidebar.push_str(&format!("<a class=\"sidebar-title\" href=\"#variants\">Variants</a>\
4368                                    <div class=\"sidebar-links\">{}</div>", variants));
4369     }
4370
4371     sidebar.push_str(&sidebar_assoc_items(it));
4372
4373     if !sidebar.is_empty() {
4374         write!(fmt, "<div class=\"block items\">{}</div>", sidebar)?;
4375     }
4376     Ok(())
4377 }
4378
4379 fn item_ty_to_strs(ty: &ItemType) -> (&'static str, &'static str) {
4380     match *ty {
4381         ItemType::ExternCrate |
4382         ItemType::Import          => ("reexports", "Re-exports"),
4383         ItemType::Module          => ("modules", "Modules"),
4384         ItemType::Struct          => ("structs", "Structs"),
4385         ItemType::Union           => ("unions", "Unions"),
4386         ItemType::Enum            => ("enums", "Enums"),
4387         ItemType::Function        => ("functions", "Functions"),
4388         ItemType::Typedef         => ("types", "Type Definitions"),
4389         ItemType::Static          => ("statics", "Statics"),
4390         ItemType::Constant        => ("constants", "Constants"),
4391         ItemType::Trait           => ("traits", "Traits"),
4392         ItemType::Impl            => ("impls", "Implementations"),
4393         ItemType::TyMethod        => ("tymethods", "Type Methods"),
4394         ItemType::Method          => ("methods", "Methods"),
4395         ItemType::StructField     => ("fields", "Struct Fields"),
4396         ItemType::Variant         => ("variants", "Variants"),
4397         ItemType::Macro           => ("macros", "Macros"),
4398         ItemType::Primitive       => ("primitives", "Primitive Types"),
4399         ItemType::AssociatedType  => ("associated-types", "Associated Types"),
4400         ItemType::AssociatedConst => ("associated-consts", "Associated Constants"),
4401         ItemType::ForeignType     => ("foreign-types", "Foreign Types"),
4402         ItemType::Keyword         => ("keywords", "Keywords"),
4403     }
4404 }
4405
4406 fn sidebar_module(fmt: &mut fmt::Formatter, _it: &clean::Item,
4407                   items: &[clean::Item]) -> fmt::Result {
4408     let mut sidebar = String::new();
4409
4410     if items.iter().any(|it| it.type_() == ItemType::ExternCrate ||
4411                              it.type_() == ItemType::Import) {
4412         sidebar.push_str(&format!("<li><a href=\"#{id}\">{name}</a></li>",
4413                                   id = "reexports",
4414                                   name = "Re-exports"));
4415     }
4416
4417     // ordering taken from item_module, reorder, where it prioritized elements in a certain order
4418     // to print its headings
4419     for &myty in &[ItemType::Primitive, ItemType::Module, ItemType::Macro, ItemType::Struct,
4420                    ItemType::Enum, ItemType::Constant, ItemType::Static, ItemType::Trait,
4421                    ItemType::Function, ItemType::Typedef, ItemType::Union, ItemType::Impl,
4422                    ItemType::TyMethod, ItemType::Method, ItemType::StructField, ItemType::Variant,
4423                    ItemType::AssociatedType, ItemType::AssociatedConst, ItemType::ForeignType] {
4424         if items.iter().any(|it| !it.is_stripped() && it.type_() == myty) {
4425             let (short, name) = item_ty_to_strs(&myty);
4426             sidebar.push_str(&format!("<li><a href=\"#{id}\">{name}</a></li>",
4427                                       id = short,
4428                                       name = name));
4429         }
4430     }
4431
4432     if !sidebar.is_empty() {
4433         write!(fmt, "<div class=\"block items\"><ul>{}</ul></div>", sidebar)?;
4434     }
4435     Ok(())
4436 }
4437
4438 fn sidebar_foreign_type(fmt: &mut fmt::Formatter, it: &clean::Item) -> fmt::Result {
4439     let sidebar = sidebar_assoc_items(it);
4440     if !sidebar.is_empty() {
4441         write!(fmt, "<div class=\"block items\">{}</div>", sidebar)?;
4442     }
4443     Ok(())
4444 }
4445
4446 impl<'a> fmt::Display for Source<'a> {
4447     fn fmt(&self, fmt: &mut fmt::Formatter) -> fmt::Result {
4448         let Source(s) = *self;
4449         let lines = s.lines().count();
4450         let mut cols = 0;
4451         let mut tmp = lines;
4452         while tmp > 0 {
4453             cols += 1;
4454             tmp /= 10;
4455         }
4456         write!(fmt, "<pre class=\"line-numbers\">")?;
4457         for i in 1..lines + 1 {
4458             write!(fmt, "<span id=\"{0}\">{0:1$}</span>\n", i, cols)?;
4459         }
4460         write!(fmt, "</pre>")?;
4461         write!(fmt, "{}",
4462                highlight::render_with_highlighting(s, None, None, None, None))?;
4463         Ok(())
4464     }
4465 }
4466
4467 fn item_macro(w: &mut fmt::Formatter, cx: &Context, it: &clean::Item,
4468               t: &clean::Macro) -> fmt::Result {
4469     wrap_into_docblock(w, |w| {
4470         w.write_str(&highlight::render_with_highlighting(&t.source,
4471                                                          Some("macro"),
4472                                                          None,
4473                                                          None,
4474                                                          None))
4475     })?;
4476     document(w, cx, it)
4477 }
4478
4479 fn item_primitive(w: &mut fmt::Formatter, cx: &Context,
4480                   it: &clean::Item,
4481                   _p: &clean::PrimitiveType) -> fmt::Result {
4482     document(w, cx, it)?;
4483     render_assoc_items(w, cx, it, it.def_id, AssocItemRender::All)
4484 }
4485
4486 fn item_keyword(w: &mut fmt::Formatter, cx: &Context,
4487                 it: &clean::Item,
4488                 _p: &str) -> fmt::Result {
4489     document(w, cx, it)
4490 }
4491
4492 const BASIC_KEYWORDS: &'static str = "rust, rustlang, rust-lang";
4493
4494 fn make_item_keywords(it: &clean::Item) -> String {
4495     format!("{}, {}", BASIC_KEYWORDS, it.name.as_ref().unwrap())
4496 }
4497
4498 fn get_index_search_type(item: &clean::Item) -> Option<IndexItemFunctionType> {
4499     let decl = match item.inner {
4500         clean::FunctionItem(ref f) => &f.decl,
4501         clean::MethodItem(ref m) => &m.decl,
4502         clean::TyMethodItem(ref m) => &m.decl,
4503         _ => return None
4504     };
4505
4506     let inputs = decl.inputs.values.iter().map(|arg| get_index_type(&arg.type_)).collect();
4507     let output = match decl.output {
4508         clean::FunctionRetTy::Return(ref return_type) => Some(get_index_type(return_type)),
4509         _ => None
4510     };
4511
4512     Some(IndexItemFunctionType { inputs: inputs, output: output })
4513 }
4514
4515 fn get_index_type(clean_type: &clean::Type) -> Type {
4516     let t = Type {
4517         name: get_index_type_name(clean_type, true).map(|s| s.to_ascii_lowercase()),
4518         generics: get_generics(clean_type),
4519     };
4520     t
4521 }
4522
4523 /// Returns a list of all paths used in the type.
4524 /// This is used to help deduplicate imported impls
4525 /// for reexported types. If any of the contained
4526 /// types are re-exported, we don't use the corresponding
4527 /// entry from the js file, as inlining will have already
4528 /// picked up the impl
4529 fn collect_paths_for_type(first_ty: clean::Type) -> Vec<String> {
4530     let mut out = Vec::new();
4531     let mut visited = FxHashSet();
4532     let mut work = VecDeque::new();
4533     let cache = cache();
4534
4535     work.push_back(first_ty);
4536
4537     while let Some(ty) = work.pop_front() {
4538         if !visited.insert(ty.clone()) {
4539             continue;
4540         }
4541
4542         match ty {
4543             clean::Type::ResolvedPath { did, .. } => {
4544                 let get_extern = || cache.external_paths.get(&did).map(|s| s.0.clone());
4545                 let fqp = cache.exact_paths.get(&did).cloned().or_else(get_extern);
4546
4547                 match fqp {
4548                     Some(path) => {
4549                         out.push(path.join("::"));
4550                     },
4551                     _ => {}
4552                 };
4553
4554             },
4555             clean::Type::Tuple(tys) => {
4556                 work.extend(tys.into_iter());
4557             },
4558             clean::Type::Slice(ty) => {
4559                 work.push_back(*ty);
4560             }
4561             clean::Type::Array(ty, _) => {
4562                 work.push_back(*ty);
4563             },
4564             clean::Type::Unique(ty) => {
4565                 work.push_back(*ty);
4566             },
4567             clean::Type::RawPointer(_, ty) => {
4568                 work.push_back(*ty);
4569             },
4570             clean::Type::BorrowedRef { type_, .. } => {
4571                 work.push_back(*type_);
4572             },
4573             clean::Type::QPath { self_type, trait_, .. } => {
4574                 work.push_back(*self_type);
4575                 work.push_back(*trait_);
4576             },
4577             _ => {}
4578         }
4579     };
4580     out
4581 }
4582
4583 fn get_index_type_name(clean_type: &clean::Type, accept_generic: bool) -> Option<String> {
4584     match *clean_type {
4585         clean::ResolvedPath { ref path, .. } => {
4586             let segments = &path.segments;
4587             let path_segment = segments.into_iter().last().unwrap_or_else(|| panic!(
4588                 "get_index_type_name(clean_type: {:?}, accept_generic: {:?}) had length zero path",
4589                 clean_type, accept_generic
4590             ));
4591             Some(path_segment.name.clone())
4592         }
4593         clean::Generic(ref s) if accept_generic => Some(s.clone()),
4594         clean::Primitive(ref p) => Some(format!("{:?}", p)),
4595         clean::BorrowedRef { ref type_, .. } => get_index_type_name(type_, accept_generic),
4596         // FIXME: add all from clean::Type.
4597         _ => None
4598     }
4599 }
4600
4601 fn get_generics(clean_type: &clean::Type) -> Option<Vec<String>> {
4602     clean_type.generics()
4603               .and_then(|types| {
4604                   let r = types.iter()
4605                                .filter_map(|t| get_index_type_name(t, false))
4606                                .map(|s| s.to_ascii_lowercase())
4607                                .collect::<Vec<_>>();
4608                   if r.is_empty() {
4609                       None
4610                   } else {
4611                       Some(r)
4612                   }
4613               })
4614 }
4615
4616 pub fn cache() -> Arc<Cache> {
4617     CACHE_KEY.with(|c| c.borrow().clone())
4618 }
4619
4620 #[cfg(test)]
4621 #[test]
4622 fn test_unique_id() {
4623     let input = ["foo", "examples", "examples", "method.into_iter","examples",
4624                  "method.into_iter", "foo", "main", "search", "methods",
4625                  "examples", "method.into_iter", "assoc_type.Item", "assoc_type.Item"];
4626     let expected = ["foo", "examples", "examples-1", "method.into_iter", "examples-2",
4627                     "method.into_iter-1", "foo-1", "main-1", "search-1", "methods-1",
4628                     "examples-3", "method.into_iter-2", "assoc_type.Item", "assoc_type.Item-1"];
4629
4630     let test = || {
4631         let actual: Vec<String> = input.iter().map(|s| derive_id(s.to_string())).collect();
4632         assert_eq!(&actual[..], expected);
4633     };
4634     test();
4635     reset_ids(true);
4636     test();
4637 }
4638
4639 #[cfg(test)]
4640 #[test]
4641 fn test_name_key() {
4642     assert_eq!(name_key("0"), ("", 0, 1));
4643     assert_eq!(name_key("123"), ("", 123, 0));
4644     assert_eq!(name_key("Fruit"), ("Fruit", 0, 0));
4645     assert_eq!(name_key("Fruit0"), ("Fruit", 0, 1));
4646     assert_eq!(name_key("Fruit0000"), ("Fruit", 0, 4));
4647     assert_eq!(name_key("Fruit01"), ("Fruit", 1, 1));
4648     assert_eq!(name_key("Fruit10"), ("Fruit", 10, 0));
4649     assert_eq!(name_key("Fruit123"), ("Fruit", 123, 0));
4650 }
4651
4652 #[cfg(test)]
4653 #[test]
4654 fn test_name_sorting() {
4655     let names = ["Apple",
4656                  "Banana",
4657                  "Fruit", "Fruit0", "Fruit00",
4658                  "Fruit1", "Fruit01",
4659                  "Fruit2", "Fruit02",
4660                  "Fruit20",
4661                  "Fruit100",
4662                  "Pear"];
4663     let mut sorted = names.to_owned();
4664     sorted.sort_by_key(|&s| name_key(s));
4665     assert_eq!(names, sorted);
4666 }