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