]> git.lizzy.rs Git - rust.git/blob - src/librustdoc/html/format.rs
more dupe word typos
[rust.git] / src / librustdoc / html / format.rs
1 //! HTML formatting module
2 //!
3 //! This module contains a large number of `fmt::Display` implementations for
4 //! various types in `rustdoc::clean`. These implementations all currently
5 //! assume that HTML output is desired, although it may be possible to redesign
6 //! them in the future to instead emit any format desired.
7
8 use std::borrow::Cow;
9 use std::cell::Cell;
10 use std::fmt;
11 use std::iter::{self, once};
12
13 use rustc_ast as ast;
14 use rustc_attr::{ConstStability, StabilityLevel};
15 use rustc_data_structures::captures::Captures;
16 use rustc_data_structures::fx::FxHashSet;
17 use rustc_hir as hir;
18 use rustc_hir::def::DefKind;
19 use rustc_hir::def_id::DefId;
20 use rustc_metadata::creader::{CStore, LoadedMacro};
21 use rustc_middle::ty;
22 use rustc_middle::ty::DefIdTree;
23 use rustc_middle::ty::TyCtxt;
24 use rustc_span::symbol::kw;
25 use rustc_span::{sym, Symbol};
26 use rustc_target::spec::abi::Abi;
27
28 use itertools::Itertools;
29
30 use crate::clean::{
31     self, types::ExternalLocation, utils::find_nearest_parent_module, ExternalCrate, ItemId,
32     PrimitiveType,
33 };
34 use crate::formats::item_type::ItemType;
35 use crate::html::escape::Escape;
36 use crate::html::render::Context;
37
38 use super::url_parts_builder::estimate_item_path_byte_length;
39 use super::url_parts_builder::UrlPartsBuilder;
40
41 pub(crate) trait Print {
42     fn print(self, buffer: &mut Buffer);
43 }
44
45 impl<F> Print for F
46 where
47     F: FnOnce(&mut Buffer),
48 {
49     fn print(self, buffer: &mut Buffer) {
50         (self)(buffer)
51     }
52 }
53
54 impl Print for String {
55     fn print(self, buffer: &mut Buffer) {
56         buffer.write_str(&self);
57     }
58 }
59
60 impl Print for &'_ str {
61     fn print(self, buffer: &mut Buffer) {
62         buffer.write_str(self);
63     }
64 }
65
66 #[derive(Debug, Clone)]
67 pub(crate) struct Buffer {
68     for_html: bool,
69     buffer: String,
70 }
71
72 impl core::fmt::Write for Buffer {
73     #[inline]
74     fn write_str(&mut self, s: &str) -> fmt::Result {
75         self.buffer.write_str(s)
76     }
77
78     #[inline]
79     fn write_char(&mut self, c: char) -> fmt::Result {
80         self.buffer.write_char(c)
81     }
82
83     #[inline]
84     fn write_fmt(&mut self, args: fmt::Arguments<'_>) -> fmt::Result {
85         self.buffer.write_fmt(args)
86     }
87 }
88
89 impl Buffer {
90     pub(crate) fn empty_from(v: &Buffer) -> Buffer {
91         Buffer { for_html: v.for_html, buffer: String::new() }
92     }
93
94     pub(crate) fn html() -> Buffer {
95         Buffer { for_html: true, buffer: String::new() }
96     }
97
98     pub(crate) fn new() -> Buffer {
99         Buffer { for_html: false, buffer: String::new() }
100     }
101
102     pub(crate) fn is_empty(&self) -> bool {
103         self.buffer.is_empty()
104     }
105
106     pub(crate) fn into_inner(self) -> String {
107         self.buffer
108     }
109
110     pub(crate) fn insert_str(&mut self, idx: usize, s: &str) {
111         self.buffer.insert_str(idx, s);
112     }
113
114     pub(crate) fn push_str(&mut self, s: &str) {
115         self.buffer.push_str(s);
116     }
117
118     pub(crate) fn push_buffer(&mut self, other: Buffer) {
119         self.buffer.push_str(&other.buffer);
120     }
121
122     // Intended for consumption by write! and writeln! (std::fmt) but without
123     // the fmt::Result return type imposed by fmt::Write (and avoiding the trait
124     // import).
125     pub(crate) fn write_str(&mut self, s: &str) {
126         self.buffer.push_str(s);
127     }
128
129     // Intended for consumption by write! and writeln! (std::fmt) but without
130     // the fmt::Result return type imposed by fmt::Write (and avoiding the trait
131     // import).
132     pub(crate) fn write_fmt(&mut self, v: fmt::Arguments<'_>) {
133         use fmt::Write;
134         self.buffer.write_fmt(v).unwrap();
135     }
136
137     pub(crate) fn to_display<T: Print>(mut self, t: T) -> String {
138         t.print(&mut self);
139         self.into_inner()
140     }
141
142     pub(crate) fn is_for_html(&self) -> bool {
143         self.for_html
144     }
145
146     pub(crate) fn reserve(&mut self, additional: usize) {
147         self.buffer.reserve(additional)
148     }
149
150     pub(crate) fn len(&self) -> usize {
151         self.buffer.len()
152     }
153 }
154
155 pub(crate) fn comma_sep<T: fmt::Display>(
156     items: impl Iterator<Item = T>,
157     space_after_comma: bool,
158 ) -> impl fmt::Display {
159     display_fn(move |f| {
160         for (i, item) in items.enumerate() {
161             if i != 0 {
162                 write!(f, ",{}", if space_after_comma { " " } else { "" })?;
163             }
164             fmt::Display::fmt(&item, f)?;
165         }
166         Ok(())
167     })
168 }
169
170 pub(crate) fn print_generic_bounds<'a, 'tcx: 'a>(
171     bounds: &'a [clean::GenericBound],
172     cx: &'a Context<'tcx>,
173 ) -> impl fmt::Display + 'a + Captures<'tcx> {
174     display_fn(move |f| {
175         let mut bounds_dup = FxHashSet::default();
176
177         for (i, bound) in bounds.iter().filter(|b| bounds_dup.insert(b.clone())).enumerate() {
178             if i > 0 {
179                 f.write_str(" + ")?;
180             }
181             fmt::Display::fmt(&bound.print(cx), f)?;
182         }
183         Ok(())
184     })
185 }
186
187 impl clean::GenericParamDef {
188     pub(crate) fn print<'a, 'tcx: 'a>(
189         &'a self,
190         cx: &'a Context<'tcx>,
191     ) -> impl fmt::Display + 'a + Captures<'tcx> {
192         display_fn(move |f| match &self.kind {
193             clean::GenericParamDefKind::Lifetime { outlives } => {
194                 write!(f, "{}", self.name)?;
195
196                 if !outlives.is_empty() {
197                     f.write_str(": ")?;
198                     for (i, lt) in outlives.iter().enumerate() {
199                         if i != 0 {
200                             f.write_str(" + ")?;
201                         }
202                         write!(f, "{}", lt.print())?;
203                     }
204                 }
205
206                 Ok(())
207             }
208             clean::GenericParamDefKind::Type { bounds, default, .. } => {
209                 f.write_str(self.name.as_str())?;
210
211                 if !bounds.is_empty() {
212                     if f.alternate() {
213                         write!(f, ": {:#}", print_generic_bounds(bounds, cx))?;
214                     } else {
215                         write!(f, ":&nbsp;{}", print_generic_bounds(bounds, cx))?;
216                     }
217                 }
218
219                 if let Some(ref ty) = default {
220                     if f.alternate() {
221                         write!(f, " = {:#}", ty.print(cx))?;
222                     } else {
223                         write!(f, "&nbsp;=&nbsp;{}", ty.print(cx))?;
224                     }
225                 }
226
227                 Ok(())
228             }
229             clean::GenericParamDefKind::Const { ty, default, .. } => {
230                 if f.alternate() {
231                     write!(f, "const {}: {:#}", self.name, ty.print(cx))?;
232                 } else {
233                     write!(f, "const {}:&nbsp;{}", self.name, ty.print(cx))?;
234                 }
235
236                 if let Some(default) = default {
237                     if f.alternate() {
238                         write!(f, " = {:#}", default)?;
239                     } else {
240                         write!(f, "&nbsp;=&nbsp;{}", default)?;
241                     }
242                 }
243
244                 Ok(())
245             }
246         })
247     }
248 }
249
250 impl clean::Generics {
251     pub(crate) fn print<'a, 'tcx: 'a>(
252         &'a self,
253         cx: &'a Context<'tcx>,
254     ) -> impl fmt::Display + 'a + Captures<'tcx> {
255         display_fn(move |f| {
256             let mut real_params =
257                 self.params.iter().filter(|p| !p.is_synthetic_type_param()).peekable();
258             if real_params.peek().is_none() {
259                 return Ok(());
260             }
261
262             if f.alternate() {
263                 write!(f, "<{:#}>", comma_sep(real_params.map(|g| g.print(cx)), true))
264             } else {
265                 write!(f, "&lt;{}&gt;", comma_sep(real_params.map(|g| g.print(cx)), true))
266             }
267         })
268     }
269 }
270
271 #[derive(Clone, Copy, PartialEq, Eq)]
272 pub(crate) enum Ending {
273     Newline,
274     NoNewline,
275 }
276
277 /// * The Generics from which to emit a where-clause.
278 /// * The number of spaces to indent each line with.
279 /// * Whether the where-clause needs to add a comma and newline after the last bound.
280 pub(crate) fn print_where_clause<'a, 'tcx: 'a>(
281     gens: &'a clean::Generics,
282     cx: &'a Context<'tcx>,
283     indent: usize,
284     ending: Ending,
285 ) -> impl fmt::Display + 'a + Captures<'tcx> {
286     use fmt::Write;
287
288     display_fn(move |f| {
289         let mut where_predicates = gens.where_predicates.iter().filter(|pred| {
290             !matches!(pred, clean::WherePredicate::BoundPredicate { bounds, .. } if bounds.is_empty())
291         }).map(|pred| {
292             display_fn(move |f| {
293                 if f.alternate() {
294                     f.write_str(" ")?;
295                 } else {
296                     f.write_str("<br>")?;
297                 }
298
299                 match pred {
300                     clean::WherePredicate::BoundPredicate { ty, bounds, bound_params } => {
301                         let ty_cx = ty.print(cx);
302                         let generic_bounds = print_generic_bounds(bounds, cx);
303
304                         if bound_params.is_empty() {
305                             if f.alternate() {
306                                 write!(f, "{ty_cx:#}: {generic_bounds:#}")
307                             } else {
308                                 write!(f, "{ty_cx}: {generic_bounds}")
309                             }
310                         } else {
311                             if f.alternate() {
312                                 write!(
313                                     f,
314                                     "for<{:#}> {ty_cx:#}: {generic_bounds:#}",
315                                     comma_sep(bound_params.iter().map(|lt| lt.print()), true)
316                                 )
317                             } else {
318                                 write!(
319                                     f,
320                                     "for&lt;{}&gt; {ty_cx}: {generic_bounds}",
321                                     comma_sep(bound_params.iter().map(|lt| lt.print()), true)
322                                 )
323                             }
324                         }
325                     }
326                     clean::WherePredicate::RegionPredicate { lifetime, bounds } => {
327                         let mut bounds_display = String::new();
328                         for bound in bounds.iter().map(|b| b.print(cx)) {
329                             write!(bounds_display, "{bound} + ")?;
330                         }
331                         bounds_display.truncate(bounds_display.len() - " + ".len());
332                         write!(f, "{}: {bounds_display}", lifetime.print())
333                     }
334                     // FIXME(fmease): Render bound params.
335                     clean::WherePredicate::EqPredicate { lhs, rhs, bound_params: _ } => {
336                         if f.alternate() {
337                             write!(f, "{:#} == {:#}", lhs.print(cx), rhs.print(cx))
338                         } else {
339                             write!(f, "{} == {}", lhs.print(cx), rhs.print(cx))
340                         }
341                     }
342                 }
343             })
344         }).peekable();
345
346         if where_predicates.peek().is_none() {
347             return Ok(());
348         }
349
350         let where_preds = comma_sep(where_predicates, false);
351         let clause = if f.alternate() {
352             if ending == Ending::Newline {
353                 format!(" where{where_preds},")
354             } else {
355                 format!(" where{where_preds}")
356             }
357         } else {
358             let mut br_with_padding = String::with_capacity(6 * indent + 28);
359             br_with_padding.push_str("<br>");
360             for _ in 0..indent + 4 {
361                 br_with_padding.push_str("&nbsp;");
362             }
363             let where_preds = where_preds.to_string().replace("<br>", &br_with_padding);
364
365             if ending == Ending::Newline {
366                 let mut clause = "&nbsp;".repeat(indent.saturating_sub(1));
367                 write!(clause, "<span class=\"where fmt-newline\">where{where_preds},</span>")?;
368                 clause
369             } else {
370                 // insert a <br> tag after a single space but before multiple spaces at the start
371                 if indent == 0 {
372                     format!("<br><span class=\"where\">where{where_preds}</span>")
373                 } else {
374                     let mut clause = br_with_padding;
375                     clause.truncate(clause.len() - 4 * "&nbsp;".len());
376                     write!(clause, "<span class=\"where\">where{where_preds}</span>")?;
377                     clause
378                 }
379             }
380         };
381         write!(f, "{clause}")
382     })
383 }
384
385 impl clean::Lifetime {
386     pub(crate) fn print(&self) -> impl fmt::Display + '_ {
387         self.0.as_str()
388     }
389 }
390
391 impl clean::Constant {
392     pub(crate) fn print(&self, tcx: TyCtxt<'_>) -> impl fmt::Display + '_ {
393         let expr = self.expr(tcx);
394         display_fn(
395             move |f| {
396                 if f.alternate() { f.write_str(&expr) } else { write!(f, "{}", Escape(&expr)) }
397             },
398         )
399     }
400 }
401
402 impl clean::PolyTrait {
403     fn print<'a, 'tcx: 'a>(
404         &'a self,
405         cx: &'a Context<'tcx>,
406     ) -> impl fmt::Display + 'a + Captures<'tcx> {
407         display_fn(move |f| {
408             if !self.generic_params.is_empty() {
409                 if f.alternate() {
410                     write!(
411                         f,
412                         "for<{:#}> ",
413                         comma_sep(self.generic_params.iter().map(|g| g.print(cx)), true)
414                     )?;
415                 } else {
416                     write!(
417                         f,
418                         "for&lt;{}&gt; ",
419                         comma_sep(self.generic_params.iter().map(|g| g.print(cx)), true)
420                     )?;
421                 }
422             }
423             if f.alternate() {
424                 write!(f, "{:#}", self.trait_.print(cx))
425             } else {
426                 write!(f, "{}", self.trait_.print(cx))
427             }
428         })
429     }
430 }
431
432 impl clean::GenericBound {
433     pub(crate) fn print<'a, 'tcx: 'a>(
434         &'a self,
435         cx: &'a Context<'tcx>,
436     ) -> impl fmt::Display + 'a + Captures<'tcx> {
437         display_fn(move |f| match self {
438             clean::GenericBound::Outlives(lt) => write!(f, "{}", lt.print()),
439             clean::GenericBound::TraitBound(ty, modifier) => {
440                 let modifier_str = match modifier {
441                     hir::TraitBoundModifier::None => "",
442                     hir::TraitBoundModifier::Maybe => "?",
443                     // ~const is experimental; do not display those bounds in rustdoc
444                     hir::TraitBoundModifier::MaybeConst => "",
445                 };
446                 if f.alternate() {
447                     write!(f, "{}{:#}", modifier_str, ty.print(cx))
448                 } else {
449                     write!(f, "{}{}", modifier_str, ty.print(cx))
450                 }
451             }
452         })
453     }
454 }
455
456 impl clean::GenericArgs {
457     fn print<'a, 'tcx: 'a>(
458         &'a self,
459         cx: &'a Context<'tcx>,
460     ) -> impl fmt::Display + 'a + Captures<'tcx> {
461         display_fn(move |f| {
462             match self {
463                 clean::GenericArgs::AngleBracketed { args, bindings } => {
464                     if !args.is_empty() || !bindings.is_empty() {
465                         if f.alternate() {
466                             f.write_str("<")?;
467                         } else {
468                             f.write_str("&lt;")?;
469                         }
470                         let mut comma = false;
471                         for arg in args.iter() {
472                             if comma {
473                                 f.write_str(", ")?;
474                             }
475                             comma = true;
476                             if f.alternate() {
477                                 write!(f, "{:#}", arg.print(cx))?;
478                             } else {
479                                 write!(f, "{}", arg.print(cx))?;
480                             }
481                         }
482                         for binding in bindings.iter() {
483                             if comma {
484                                 f.write_str(", ")?;
485                             }
486                             comma = true;
487                             if f.alternate() {
488                                 write!(f, "{:#}", binding.print(cx))?;
489                             } else {
490                                 write!(f, "{}", binding.print(cx))?;
491                             }
492                         }
493                         if f.alternate() {
494                             f.write_str(">")?;
495                         } else {
496                             f.write_str("&gt;")?;
497                         }
498                     }
499                 }
500                 clean::GenericArgs::Parenthesized { inputs, output } => {
501                     f.write_str("(")?;
502                     let mut comma = false;
503                     for ty in inputs.iter() {
504                         if comma {
505                             f.write_str(", ")?;
506                         }
507                         comma = true;
508                         if f.alternate() {
509                             write!(f, "{:#}", ty.print(cx))?;
510                         } else {
511                             write!(f, "{}", ty.print(cx))?;
512                         }
513                     }
514                     f.write_str(")")?;
515                     if let Some(ref ty) = *output {
516                         if f.alternate() {
517                             write!(f, " -> {:#}", ty.print(cx))?;
518                         } else {
519                             write!(f, " -&gt; {}", ty.print(cx))?;
520                         }
521                     }
522                 }
523             }
524             Ok(())
525         })
526     }
527 }
528
529 // Possible errors when computing href link source for a `DefId`
530 #[derive(PartialEq, Eq)]
531 pub(crate) enum HrefError {
532     /// This item is known to rustdoc, but from a crate that does not have documentation generated.
533     ///
534     /// This can only happen for non-local items.
535     ///
536     /// # Example
537     ///
538     /// Crate `a` defines a public trait and crate `b` – the target crate that depends on `a` –
539     /// implements it for a local type.
540     /// We document `b` but **not** `a` (we only _build_ the latter – with `rustc`):
541     ///
542     /// ```sh
543     /// rustc a.rs --crate-type=lib
544     /// rustdoc b.rs --crate-type=lib --extern=a=liba.rlib
545     /// ```
546     ///
547     /// Now, the associated items in the trait impl want to link to the corresponding item in the
548     /// trait declaration (see `html::render::assoc_href_attr`) but it's not available since their
549     /// *documentation (was) not built*.
550     DocumentationNotBuilt,
551     /// This can only happen for non-local items when `--document-private-items` is not passed.
552     Private,
553     // Not in external cache, href link should be in same page
554     NotInExternalCache,
555 }
556
557 // Panics if `syms` is empty.
558 pub(crate) fn join_with_double_colon(syms: &[Symbol]) -> String {
559     let mut s = String::with_capacity(estimate_item_path_byte_length(syms.len()));
560     s.push_str(syms[0].as_str());
561     for sym in &syms[1..] {
562         s.push_str("::");
563         s.push_str(sym.as_str());
564     }
565     s
566 }
567
568 /// This function is to get the external macro path because they are not in the cache used in
569 /// `href_with_root_path`.
570 fn generate_macro_def_id_path(
571     def_id: DefId,
572     cx: &Context<'_>,
573     root_path: Option<&str>,
574 ) -> Result<(String, ItemType, Vec<Symbol>), HrefError> {
575     let tcx = cx.shared.tcx;
576     let crate_name = tcx.crate_name(def_id.krate).to_string();
577     let cache = cx.cache();
578
579     let fqp: Vec<Symbol> = tcx
580         .def_path(def_id)
581         .data
582         .into_iter()
583         .filter_map(|elem| {
584             // extern blocks (and a few others things) have an empty name.
585             match elem.data.get_opt_name() {
586                 Some(s) if !s.is_empty() => Some(s),
587                 _ => None,
588             }
589         })
590         .collect();
591     let mut relative = fqp.iter().map(|elem| elem.to_string());
592     let cstore = CStore::from_tcx(tcx);
593     // We need this to prevent a `panic` when this function is used from intra doc links...
594     if !cstore.has_crate_data(def_id.krate) {
595         debug!("No data for crate {}", crate_name);
596         return Err(HrefError::NotInExternalCache);
597     }
598     // Check to see if it is a macro 2.0 or built-in macro.
599     // More information in <https://rust-lang.github.io/rfcs/1584-macros.html>.
600     let is_macro_2 = match cstore.load_macro_untracked(def_id, tcx.sess) {
601         LoadedMacro::MacroDef(def, _) => {
602             // If `ast_def.macro_rules` is `true`, then it's not a macro 2.0.
603             matches!(&def.kind, ast::ItemKind::MacroDef(ast_def) if !ast_def.macro_rules)
604         }
605         _ => false,
606     };
607
608     let mut path = if is_macro_2 {
609         once(crate_name.clone()).chain(relative).collect()
610     } else {
611         vec![crate_name.clone(), relative.next_back().unwrap()]
612     };
613     if path.len() < 2 {
614         // The minimum we can have is the crate name followed by the macro name. If shorter, then
615         // it means that `relative` was empty, which is an error.
616         debug!("macro path cannot be empty!");
617         return Err(HrefError::NotInExternalCache);
618     }
619
620     if let Some(last) = path.last_mut() {
621         *last = format!("macro.{}.html", last);
622     }
623
624     let url = match cache.extern_locations[&def_id.krate] {
625         ExternalLocation::Remote(ref s) => {
626             // `ExternalLocation::Remote` always end with a `/`.
627             format!("{}{}", s, path.join("/"))
628         }
629         ExternalLocation::Local => {
630             // `root_path` always end with a `/`.
631             format!("{}{}/{}", root_path.unwrap_or(""), crate_name, path.join("/"))
632         }
633         ExternalLocation::Unknown => {
634             debug!("crate {} not in cache when linkifying macros", crate_name);
635             return Err(HrefError::NotInExternalCache);
636         }
637     };
638     Ok((url, ItemType::Macro, fqp))
639 }
640
641 pub(crate) fn href_with_root_path(
642     did: DefId,
643     cx: &Context<'_>,
644     root_path: Option<&str>,
645 ) -> Result<(String, ItemType, Vec<Symbol>), HrefError> {
646     let tcx = cx.tcx();
647     let def_kind = tcx.def_kind(did);
648     let did = match def_kind {
649         DefKind::AssocTy | DefKind::AssocFn | DefKind::AssocConst | DefKind::Variant => {
650             // documented on their parent's page
651             tcx.parent(did)
652         }
653         _ => did,
654     };
655     let cache = cx.cache();
656     let relative_to = &cx.current;
657     fn to_module_fqp(shortty: ItemType, fqp: &[Symbol]) -> &[Symbol] {
658         if shortty == ItemType::Module { fqp } else { &fqp[..fqp.len() - 1] }
659     }
660
661     if !did.is_local()
662         && !cache.access_levels.is_public(did)
663         && !cache.document_private
664         && !cache.primitive_locations.values().any(|&id| id == did)
665     {
666         return Err(HrefError::Private);
667     }
668
669     let mut is_remote = false;
670     let (fqp, shortty, mut url_parts) = match cache.paths.get(&did) {
671         Some(&(ref fqp, shortty)) => (fqp, shortty, {
672             let module_fqp = to_module_fqp(shortty, fqp.as_slice());
673             debug!(?fqp, ?shortty, ?module_fqp);
674             href_relative_parts(module_fqp, relative_to).collect()
675         }),
676         None => {
677             if let Some(&(ref fqp, shortty)) = cache.external_paths.get(&did) {
678                 let module_fqp = to_module_fqp(shortty, fqp);
679                 (
680                     fqp,
681                     shortty,
682                     match cache.extern_locations[&did.krate] {
683                         ExternalLocation::Remote(ref s) => {
684                             is_remote = true;
685                             let s = s.trim_end_matches('/');
686                             let mut builder = UrlPartsBuilder::singleton(s);
687                             builder.extend(module_fqp.iter().copied());
688                             builder
689                         }
690                         ExternalLocation::Local => {
691                             href_relative_parts(module_fqp, relative_to).collect()
692                         }
693                         ExternalLocation::Unknown => return Err(HrefError::DocumentationNotBuilt),
694                     },
695                 )
696             } else if matches!(def_kind, DefKind::Macro(_)) {
697                 return generate_macro_def_id_path(did, cx, root_path);
698             } else {
699                 return Err(HrefError::NotInExternalCache);
700             }
701         }
702     };
703     if !is_remote {
704         if let Some(root_path) = root_path {
705             let root = root_path.trim_end_matches('/');
706             url_parts.push_front(root);
707         }
708     }
709     debug!(?url_parts);
710     match shortty {
711         ItemType::Module => {
712             url_parts.push("index.html");
713         }
714         _ => {
715             let prefix = shortty.as_str();
716             let last = fqp.last().unwrap();
717             url_parts.push_fmt(format_args!("{}.{}.html", prefix, last));
718         }
719     }
720     Ok((url_parts.finish(), shortty, fqp.to_vec()))
721 }
722
723 pub(crate) fn href(
724     did: DefId,
725     cx: &Context<'_>,
726 ) -> Result<(String, ItemType, Vec<Symbol>), HrefError> {
727     href_with_root_path(did, cx, None)
728 }
729
730 /// Both paths should only be modules.
731 /// This is because modules get their own directories; that is, `std::vec` and `std::vec::Vec` will
732 /// both need `../iter/trait.Iterator.html` to get at the iterator trait.
733 pub(crate) fn href_relative_parts<'fqp>(
734     fqp: &'fqp [Symbol],
735     relative_to_fqp: &[Symbol],
736 ) -> Box<dyn Iterator<Item = Symbol> + 'fqp> {
737     for (i, (f, r)) in fqp.iter().zip(relative_to_fqp.iter()).enumerate() {
738         // e.g. linking to std::iter from std::vec (`dissimilar_part_count` will be 1)
739         if f != r {
740             let dissimilar_part_count = relative_to_fqp.len() - i;
741             let fqp_module = &fqp[i..fqp.len()];
742             return Box::new(
743                 iter::repeat(sym::dotdot)
744                     .take(dissimilar_part_count)
745                     .chain(fqp_module.iter().copied()),
746             );
747         }
748     }
749     // e.g. linking to std::sync::atomic from std::sync
750     if relative_to_fqp.len() < fqp.len() {
751         Box::new(fqp[relative_to_fqp.len()..fqp.len()].iter().copied())
752     // e.g. linking to std::sync from std::sync::atomic
753     } else if fqp.len() < relative_to_fqp.len() {
754         let dissimilar_part_count = relative_to_fqp.len() - fqp.len();
755         Box::new(iter::repeat(sym::dotdot).take(dissimilar_part_count))
756     // linking to the same module
757     } else {
758         Box::new(iter::empty())
759     }
760 }
761
762 /// Used to render a [`clean::Path`].
763 fn resolved_path<'cx>(
764     w: &mut fmt::Formatter<'_>,
765     did: DefId,
766     path: &clean::Path,
767     print_all: bool,
768     use_absolute: bool,
769     cx: &'cx Context<'_>,
770 ) -> fmt::Result {
771     let last = path.segments.last().unwrap();
772
773     if print_all {
774         for seg in &path.segments[..path.segments.len() - 1] {
775             write!(w, "{}::", if seg.name == kw::PathRoot { "" } else { seg.name.as_str() })?;
776         }
777     }
778     if w.alternate() {
779         write!(w, "{}{:#}", &last.name, last.args.print(cx))?;
780     } else {
781         let path = if use_absolute {
782             if let Ok((_, _, fqp)) = href(did, cx) {
783                 format!(
784                     "{}::{}",
785                     join_with_double_colon(&fqp[..fqp.len() - 1]),
786                     anchor(did, *fqp.last().unwrap(), cx)
787                 )
788             } else {
789                 last.name.to_string()
790             }
791         } else {
792             anchor(did, last.name, cx).to_string()
793         };
794         write!(w, "{}{}", path, last.args.print(cx))?;
795     }
796     Ok(())
797 }
798
799 fn primitive_link(
800     f: &mut fmt::Formatter<'_>,
801     prim: clean::PrimitiveType,
802     name: &str,
803     cx: &Context<'_>,
804 ) -> fmt::Result {
805     primitive_link_fragment(f, prim, name, "", cx)
806 }
807
808 fn primitive_link_fragment(
809     f: &mut fmt::Formatter<'_>,
810     prim: clean::PrimitiveType,
811     name: &str,
812     fragment: &str,
813     cx: &Context<'_>,
814 ) -> fmt::Result {
815     let m = &cx.cache();
816     let mut needs_termination = false;
817     if !f.alternate() {
818         match m.primitive_locations.get(&prim) {
819             Some(&def_id) if def_id.is_local() => {
820                 let len = cx.current.len();
821                 let len = if len == 0 { 0 } else { len - 1 };
822                 write!(
823                     f,
824                     "<a class=\"primitive\" href=\"{}primitive.{}.html{fragment}\">",
825                     "../".repeat(len),
826                     prim.as_sym()
827                 )?;
828                 needs_termination = true;
829             }
830             Some(&def_id) => {
831                 let loc = match m.extern_locations[&def_id.krate] {
832                     ExternalLocation::Remote(ref s) => {
833                         let cname_sym = ExternalCrate { crate_num: def_id.krate }.name(cx.tcx());
834                         let builder: UrlPartsBuilder =
835                             [s.as_str().trim_end_matches('/'), cname_sym.as_str()]
836                                 .into_iter()
837                                 .collect();
838                         Some(builder)
839                     }
840                     ExternalLocation::Local => {
841                         let cname_sym = ExternalCrate { crate_num: def_id.krate }.name(cx.tcx());
842                         Some(if cx.current.first() == Some(&cname_sym) {
843                             iter::repeat(sym::dotdot).take(cx.current.len() - 1).collect()
844                         } else {
845                             iter::repeat(sym::dotdot)
846                                 .take(cx.current.len())
847                                 .chain(iter::once(cname_sym))
848                                 .collect()
849                         })
850                     }
851                     ExternalLocation::Unknown => None,
852                 };
853                 if let Some(mut loc) = loc {
854                     loc.push_fmt(format_args!("primitive.{}.html", prim.as_sym()));
855                     write!(f, "<a class=\"primitive\" href=\"{}{fragment}\">", loc.finish())?;
856                     needs_termination = true;
857                 }
858             }
859             None => {}
860         }
861     }
862     write!(f, "{}", name)?;
863     if needs_termination {
864         write!(f, "</a>")?;
865     }
866     Ok(())
867 }
868
869 /// Helper to render type parameters
870 fn tybounds<'a, 'tcx: 'a>(
871     bounds: &'a [clean::PolyTrait],
872     lt: &'a Option<clean::Lifetime>,
873     cx: &'a Context<'tcx>,
874 ) -> impl fmt::Display + 'a + Captures<'tcx> {
875     display_fn(move |f| {
876         for (i, bound) in bounds.iter().enumerate() {
877             if i > 0 {
878                 write!(f, " + ")?;
879             }
880
881             fmt::Display::fmt(&bound.print(cx), f)?;
882         }
883
884         if let Some(lt) = lt {
885             write!(f, " + ")?;
886             fmt::Display::fmt(&lt.print(), f)?;
887         }
888         Ok(())
889     })
890 }
891
892 pub(crate) fn anchor<'a, 'cx: 'a>(
893     did: DefId,
894     text: Symbol,
895     cx: &'cx Context<'_>,
896 ) -> impl fmt::Display + 'a {
897     let parts = href(did, cx);
898     display_fn(move |f| {
899         if let Ok((url, short_ty, fqp)) = parts {
900             write!(
901                 f,
902                 r#"<a class="{}" href="{}" title="{} {}">{}</a>"#,
903                 short_ty,
904                 url,
905                 short_ty,
906                 join_with_double_colon(&fqp),
907                 text.as_str()
908             )
909         } else {
910             write!(f, "{}", text)
911         }
912     })
913 }
914
915 fn fmt_type<'cx>(
916     t: &clean::Type,
917     f: &mut fmt::Formatter<'_>,
918     use_absolute: bool,
919     cx: &'cx Context<'_>,
920 ) -> fmt::Result {
921     trace!("fmt_type(t = {:?})", t);
922
923     match *t {
924         clean::Generic(name) => write!(f, "{}", name),
925         clean::Type::Path { ref path } => {
926             // Paths like `T::Output` and `Self::Output` should be rendered with all segments.
927             let did = path.def_id();
928             resolved_path(f, did, path, path.is_assoc_ty(), use_absolute, cx)
929         }
930         clean::DynTrait(ref bounds, ref lt) => {
931             f.write_str("dyn ")?;
932             fmt::Display::fmt(&tybounds(bounds, lt, cx), f)
933         }
934         clean::Infer => write!(f, "_"),
935         clean::Primitive(clean::PrimitiveType::Never) => {
936             primitive_link(f, PrimitiveType::Never, "!", cx)
937         }
938         clean::Primitive(prim) => primitive_link(f, prim, prim.as_sym().as_str(), cx),
939         clean::BareFunction(ref decl) => {
940             if f.alternate() {
941                 write!(
942                     f,
943                     "{:#}{}{:#}fn{:#}",
944                     decl.print_hrtb_with_space(cx),
945                     decl.unsafety.print_with_space(),
946                     print_abi_with_space(decl.abi),
947                     decl.decl.print(cx),
948                 )
949             } else {
950                 write!(
951                     f,
952                     "{}{}{}",
953                     decl.print_hrtb_with_space(cx),
954                     decl.unsafety.print_with_space(),
955                     print_abi_with_space(decl.abi)
956                 )?;
957                 primitive_link(f, PrimitiveType::Fn, "fn", cx)?;
958                 write!(f, "{}", decl.decl.print(cx))
959             }
960         }
961         clean::Tuple(ref typs) => {
962             match &typs[..] {
963                 &[] => primitive_link(f, PrimitiveType::Unit, "()", cx),
964                 &[ref one] => {
965                     if let clean::Generic(name) = one {
966                         primitive_link(f, PrimitiveType::Tuple, &format!("({name},)"), cx)
967                     } else {
968                         write!(f, "(")?;
969                         // Carry `f.alternate()` into this display w/o branching manually.
970                         fmt::Display::fmt(&one.print(cx), f)?;
971                         write!(f, ",)")
972                     }
973                 }
974                 many => {
975                     let generic_names: Vec<Symbol> = many
976                         .iter()
977                         .filter_map(|t| match t {
978                             clean::Generic(name) => Some(*name),
979                             _ => None,
980                         })
981                         .collect();
982                     let is_generic = generic_names.len() == many.len();
983                     if is_generic {
984                         primitive_link(
985                             f,
986                             PrimitiveType::Tuple,
987                             &format!("({})", generic_names.iter().map(|s| s.as_str()).join(", ")),
988                             cx,
989                         )
990                     } else {
991                         write!(f, "(")?;
992                         for (i, item) in many.iter().enumerate() {
993                             if i != 0 {
994                                 write!(f, ", ")?;
995                             }
996                             // Carry `f.alternate()` into this display w/o branching manually.
997                             fmt::Display::fmt(&item.print(cx), f)?;
998                         }
999                         write!(f, ")")
1000                     }
1001                 }
1002             }
1003         }
1004         clean::Slice(ref t) => match **t {
1005             clean::Generic(name) => {
1006                 primitive_link(f, PrimitiveType::Slice, &format!("[{name}]"), cx)
1007             }
1008             _ => {
1009                 write!(f, "[")?;
1010                 fmt::Display::fmt(&t.print(cx), f)?;
1011                 write!(f, "]")
1012             }
1013         },
1014         clean::Array(ref t, ref n) => match **t {
1015             clean::Generic(name) if !f.alternate() => primitive_link(
1016                 f,
1017                 PrimitiveType::Array,
1018                 &format!("[{name}; {n}]", n = Escape(n)),
1019                 cx,
1020             ),
1021             _ => {
1022                 write!(f, "[")?;
1023                 fmt::Display::fmt(&t.print(cx), f)?;
1024                 if f.alternate() {
1025                     write!(f, "; {n}")?;
1026                 } else {
1027                     write!(f, "; ")?;
1028                     primitive_link(f, PrimitiveType::Array, &format!("{n}", n = Escape(n)), cx)?;
1029                 }
1030                 write!(f, "]")
1031             }
1032         },
1033         clean::RawPointer(m, ref t) => {
1034             let m = match m {
1035                 hir::Mutability::Mut => "mut",
1036                 hir::Mutability::Not => "const",
1037             };
1038
1039             if matches!(**t, clean::Generic(_)) || t.is_assoc_ty() {
1040                 let text = if f.alternate() {
1041                     format!("*{} {:#}", m, t.print(cx))
1042                 } else {
1043                     format!("*{} {}", m, t.print(cx))
1044                 };
1045                 primitive_link(f, clean::PrimitiveType::RawPointer, &text, cx)
1046             } else {
1047                 primitive_link(f, clean::PrimitiveType::RawPointer, &format!("*{} ", m), cx)?;
1048                 fmt::Display::fmt(&t.print(cx), f)
1049             }
1050         }
1051         clean::BorrowedRef { lifetime: ref l, mutability, type_: ref ty } => {
1052             let lt = match l {
1053                 Some(l) => format!("{} ", l.print()),
1054                 _ => String::new(),
1055             };
1056             let m = mutability.print_with_space();
1057             let amp = if f.alternate() { "&".to_string() } else { "&amp;".to_string() };
1058             match **ty {
1059                 clean::DynTrait(ref bounds, ref trait_lt)
1060                     if bounds.len() > 1 || trait_lt.is_some() =>
1061                 {
1062                     write!(f, "{}{}{}(", amp, lt, m)?;
1063                     fmt_type(ty, f, use_absolute, cx)?;
1064                     write!(f, ")")
1065                 }
1066                 clean::Generic(..) => {
1067                     primitive_link(
1068                         f,
1069                         PrimitiveType::Reference,
1070                         &format!("{}{}{}", amp, lt, m),
1071                         cx,
1072                     )?;
1073                     fmt_type(ty, f, use_absolute, cx)
1074                 }
1075                 _ => {
1076                     write!(f, "{}{}{}", amp, lt, m)?;
1077                     fmt_type(ty, f, use_absolute, cx)
1078                 }
1079             }
1080         }
1081         clean::ImplTrait(ref bounds) => {
1082             if f.alternate() {
1083                 write!(f, "impl {:#}", print_generic_bounds(bounds, cx))
1084             } else {
1085                 write!(f, "impl {}", print_generic_bounds(bounds, cx))
1086             }
1087         }
1088         clean::QPath(box clean::QPathData {
1089             ref assoc,
1090             ref self_type,
1091             ref trait_,
1092             should_show_cast,
1093         }) => {
1094             if f.alternate() {
1095                 if should_show_cast {
1096                     write!(f, "<{:#} as {:#}>::", self_type.print(cx), trait_.print(cx))?
1097                 } else {
1098                     write!(f, "{:#}::", self_type.print(cx))?
1099                 }
1100             } else {
1101                 if should_show_cast {
1102                     write!(f, "&lt;{} as {}&gt;::", self_type.print(cx), trait_.print(cx))?
1103                 } else {
1104                     write!(f, "{}::", self_type.print(cx))?
1105                 }
1106             };
1107             // It's pretty unsightly to look at `<A as B>::C` in output, and
1108             // we've got hyperlinking on our side, so try to avoid longer
1109             // notation as much as possible by making `C` a hyperlink to trait
1110             // `B` to disambiguate.
1111             //
1112             // FIXME: this is still a lossy conversion and there should probably
1113             //        be a better way of representing this in general? Most of
1114             //        the ugliness comes from inlining across crates where
1115             //        everything comes in as a fully resolved QPath (hard to
1116             //        look at).
1117             match href(trait_.def_id(), cx) {
1118                 Ok((ref url, _, ref path)) if !f.alternate() => {
1119                     write!(
1120                         f,
1121                         "<a class=\"associatedtype\" href=\"{url}#{shortty}.{name}\" \
1122                                     title=\"type {path}::{name}\">{name}</a>{args}",
1123                         url = url,
1124                         shortty = ItemType::AssocType,
1125                         name = assoc.name,
1126                         path = join_with_double_colon(path),
1127                         args = assoc.args.print(cx),
1128                     )?;
1129                 }
1130                 _ => write!(f, "{}{:#}", assoc.name, assoc.args.print(cx))?,
1131             }
1132             Ok(())
1133         }
1134     }
1135 }
1136
1137 impl clean::Type {
1138     pub(crate) fn print<'b, 'a: 'b, 'tcx: 'a>(
1139         &'a self,
1140         cx: &'a Context<'tcx>,
1141     ) -> impl fmt::Display + 'b + Captures<'tcx> {
1142         display_fn(move |f| fmt_type(self, f, false, cx))
1143     }
1144 }
1145
1146 impl clean::Path {
1147     pub(crate) fn print<'b, 'a: 'b, 'tcx: 'a>(
1148         &'a self,
1149         cx: &'a Context<'tcx>,
1150     ) -> impl fmt::Display + 'b + Captures<'tcx> {
1151         display_fn(move |f| resolved_path(f, self.def_id(), self, false, false, cx))
1152     }
1153 }
1154
1155 impl clean::Impl {
1156     pub(crate) fn print<'a, 'tcx: 'a>(
1157         &'a self,
1158         use_absolute: bool,
1159         cx: &'a Context<'tcx>,
1160     ) -> impl fmt::Display + 'a + Captures<'tcx> {
1161         display_fn(move |f| {
1162             if f.alternate() {
1163                 write!(f, "impl{:#} ", self.generics.print(cx))?;
1164             } else {
1165                 write!(f, "impl{} ", self.generics.print(cx))?;
1166             }
1167
1168             if let Some(ref ty) = self.trait_ {
1169                 match self.polarity {
1170                     ty::ImplPolarity::Positive | ty::ImplPolarity::Reservation => {}
1171                     ty::ImplPolarity::Negative => write!(f, "!")?,
1172                 }
1173                 fmt::Display::fmt(&ty.print(cx), f)?;
1174                 write!(f, " for ")?;
1175             }
1176
1177             if let clean::Type::Tuple(types) = &self.for_ &&
1178                 let [clean::Type::Generic(name)] = &types[..] &&
1179                 (self.kind.is_fake_variadic() || self.kind.is_auto())
1180             {
1181                 // Hardcoded anchor library/core/src/primitive_docs.rs
1182                 // Link should match `# Trait implementations`
1183                 primitive_link_fragment(f, PrimitiveType::Tuple, &format!("({name}₁, {name}₂, …, {name}ₙ)"), "#trait-implementations-1", cx)?;
1184             } else if let clean::BareFunction(bare_fn) = &self.for_ &&
1185                 let [clean::Argument { type_: clean::Type::Generic(name), .. }] = &bare_fn.decl.inputs.values[..] &&
1186                 (self.kind.is_fake_variadic() || self.kind.is_auto())
1187             {
1188                 // Hardcoded anchor library/core/src/primitive_docs.rs
1189                 // Link should match `# Trait implementations`
1190
1191                 let hrtb = bare_fn.print_hrtb_with_space(cx);
1192                 let unsafety = bare_fn.unsafety.print_with_space();
1193                 let abi = print_abi_with_space(bare_fn.abi);
1194                 if f.alternate() {
1195                     write!(
1196                         f,
1197                         "{hrtb:#}{unsafety}{abi:#}",
1198                     )?;
1199                 } else {
1200                     write!(
1201                         f,
1202                         "{hrtb}{unsafety}{abi}",
1203                     )?;
1204                 }
1205                 let ellipsis = if bare_fn.decl.c_variadic {
1206                     ", ..."
1207                 } else {
1208                     ""
1209                 };
1210                 primitive_link_fragment(f, PrimitiveType::Tuple, &format!("fn ({name}₁, {name}₂, …, {name}ₙ{ellipsis})"), "#trait-implementations-1", cx)?;
1211                 // Write output.
1212                 if let clean::FnRetTy::Return(ty) = &bare_fn.decl.output {
1213                     write!(f, " -> ")?;
1214                     fmt_type(ty, f, use_absolute, cx)?;
1215                 }
1216             } else if let Some(ty) = self.kind.as_blanket_ty() {
1217                 fmt_type(ty, f, use_absolute, cx)?;
1218             } else {
1219                 fmt_type(&self.for_, f, use_absolute, cx)?;
1220             }
1221
1222             fmt::Display::fmt(&print_where_clause(&self.generics, cx, 0, Ending::Newline), f)?;
1223             Ok(())
1224         })
1225     }
1226 }
1227
1228 impl clean::Arguments {
1229     pub(crate) fn print<'a, 'tcx: 'a>(
1230         &'a self,
1231         cx: &'a Context<'tcx>,
1232     ) -> impl fmt::Display + 'a + Captures<'tcx> {
1233         display_fn(move |f| {
1234             for (i, input) in self.values.iter().enumerate() {
1235                 if !input.name.is_empty() {
1236                     write!(f, "{}: ", input.name)?;
1237                 }
1238                 if f.alternate() {
1239                     write!(f, "{:#}", input.type_.print(cx))?;
1240                 } else {
1241                     write!(f, "{}", input.type_.print(cx))?;
1242                 }
1243                 if i + 1 < self.values.len() {
1244                     write!(f, ", ")?;
1245                 }
1246             }
1247             Ok(())
1248         })
1249     }
1250 }
1251
1252 impl clean::FnRetTy {
1253     pub(crate) fn print<'a, 'tcx: 'a>(
1254         &'a self,
1255         cx: &'a Context<'tcx>,
1256     ) -> impl fmt::Display + 'a + Captures<'tcx> {
1257         display_fn(move |f| match self {
1258             clean::Return(clean::Tuple(tys)) if tys.is_empty() => Ok(()),
1259             clean::Return(ty) if f.alternate() => {
1260                 write!(f, " -> {:#}", ty.print(cx))
1261             }
1262             clean::Return(ty) => write!(f, " -&gt; {}", ty.print(cx)),
1263             clean::DefaultReturn => Ok(()),
1264         })
1265     }
1266 }
1267
1268 impl clean::BareFunctionDecl {
1269     fn print_hrtb_with_space<'a, 'tcx: 'a>(
1270         &'a self,
1271         cx: &'a Context<'tcx>,
1272     ) -> impl fmt::Display + 'a + Captures<'tcx> {
1273         display_fn(move |f| {
1274             if !self.generic_params.is_empty() {
1275                 write!(
1276                     f,
1277                     "for&lt;{}&gt; ",
1278                     comma_sep(self.generic_params.iter().map(|g| g.print(cx)), true)
1279                 )
1280             } else {
1281                 Ok(())
1282             }
1283         })
1284     }
1285 }
1286
1287 impl clean::FnDecl {
1288     pub(crate) fn print<'b, 'a: 'b, 'tcx: 'a>(
1289         &'a self,
1290         cx: &'a Context<'tcx>,
1291     ) -> impl fmt::Display + 'b + Captures<'tcx> {
1292         display_fn(move |f| {
1293             let ellipsis = if self.c_variadic { ", ..." } else { "" };
1294             if f.alternate() {
1295                 write!(
1296                     f,
1297                     "({args:#}{ellipsis}){arrow:#}",
1298                     args = self.inputs.print(cx),
1299                     ellipsis = ellipsis,
1300                     arrow = self.output.print(cx)
1301                 )
1302             } else {
1303                 write!(
1304                     f,
1305                     "({args}{ellipsis}){arrow}",
1306                     args = self.inputs.print(cx),
1307                     ellipsis = ellipsis,
1308                     arrow = self.output.print(cx)
1309                 )
1310             }
1311         })
1312     }
1313
1314     /// * `header_len`: The length of the function header and name. In other words, the number of
1315     ///   characters in the function declaration up to but not including the parentheses.
1316     ///   <br>Used to determine line-wrapping.
1317     /// * `indent`: The number of spaces to indent each successive line with, if line-wrapping is
1318     ///   necessary.
1319     pub(crate) fn full_print<'a, 'tcx: 'a>(
1320         &'a self,
1321         header_len: usize,
1322         indent: usize,
1323         cx: &'a Context<'tcx>,
1324     ) -> impl fmt::Display + 'a + Captures<'tcx> {
1325         display_fn(move |f| self.inner_full_print(header_len, indent, f, cx))
1326     }
1327
1328     fn inner_full_print(
1329         &self,
1330         header_len: usize,
1331         indent: usize,
1332         f: &mut fmt::Formatter<'_>,
1333         cx: &Context<'_>,
1334     ) -> fmt::Result {
1335         let amp = if f.alternate() { "&" } else { "&amp;" };
1336         let mut args = Buffer::html();
1337         let mut args_plain = Buffer::new();
1338         for (i, input) in self.inputs.values.iter().enumerate() {
1339             if let Some(selfty) = input.to_self() {
1340                 match selfty {
1341                     clean::SelfValue => {
1342                         args.push_str("self");
1343                         args_plain.push_str("self");
1344                     }
1345                     clean::SelfBorrowed(Some(ref lt), mtbl) => {
1346                         write!(args, "{}{} {}self", amp, lt.print(), mtbl.print_with_space());
1347                         write!(args_plain, "&{} {}self", lt.print(), mtbl.print_with_space());
1348                     }
1349                     clean::SelfBorrowed(None, mtbl) => {
1350                         write!(args, "{}{}self", amp, mtbl.print_with_space());
1351                         write!(args_plain, "&{}self", mtbl.print_with_space());
1352                     }
1353                     clean::SelfExplicit(ref typ) => {
1354                         if f.alternate() {
1355                             write!(args, "self: {:#}", typ.print(cx));
1356                         } else {
1357                             write!(args, "self: {}", typ.print(cx));
1358                         }
1359                         write!(args_plain, "self: {:#}", typ.print(cx));
1360                     }
1361                 }
1362             } else {
1363                 if i > 0 {
1364                     args.push_str("<br>");
1365                 }
1366                 if input.is_const {
1367                     args.push_str("const ");
1368                     args_plain.push_str("const ");
1369                 }
1370                 if !input.name.is_empty() {
1371                     write!(args, "{}: ", input.name);
1372                     write!(args_plain, "{}: ", input.name);
1373                 }
1374
1375                 if f.alternate() {
1376                     write!(args, "{:#}", input.type_.print(cx));
1377                 } else {
1378                     write!(args, "{}", input.type_.print(cx));
1379                 }
1380                 write!(args_plain, "{:#}", input.type_.print(cx));
1381             }
1382             if i + 1 < self.inputs.values.len() {
1383                 args.push_str(",");
1384                 args_plain.push_str(",");
1385             }
1386         }
1387
1388         let mut args_plain = format!("({})", args_plain.into_inner());
1389         let mut args = args.into_inner();
1390
1391         if self.c_variadic {
1392             args.push_str(",<br> ...");
1393             args_plain.push_str(", ...");
1394         }
1395
1396         let arrow_plain = format!("{:#}", self.output.print(cx));
1397         let arrow =
1398             if f.alternate() { arrow_plain.clone() } else { format!("{}", self.output.print(cx)) };
1399
1400         let declaration_len = header_len + args_plain.len() + arrow_plain.len();
1401         let output = if declaration_len > 80 {
1402             let full_pad = format!("<br>{}", "&nbsp;".repeat(indent + 4));
1403             let close_pad = format!("<br>{}", "&nbsp;".repeat(indent));
1404             format!(
1405                 "({pad}{args}{close}){arrow}",
1406                 pad = if self.inputs.values.is_empty() { "" } else { &full_pad },
1407                 args = args.replace("<br>", &full_pad),
1408                 close = close_pad,
1409                 arrow = arrow
1410             )
1411         } else {
1412             format!("({args}){arrow}", args = args.replace("<br>", " "), arrow = arrow)
1413         };
1414
1415         if f.alternate() {
1416             write!(f, "{}", output.replace("<br>", "\n"))
1417         } else {
1418             write!(f, "{}", output)
1419         }
1420     }
1421 }
1422
1423 impl clean::Visibility {
1424     pub(crate) fn print_with_space<'a, 'tcx: 'a>(
1425         self,
1426         item_did: ItemId,
1427         cx: &'a Context<'tcx>,
1428     ) -> impl fmt::Display + 'a + Captures<'tcx> {
1429         use std::fmt::Write as _;
1430
1431         let to_print: Cow<'static, str> = match self {
1432             clean::Public => "pub ".into(),
1433             clean::Inherited => "".into(),
1434             clean::Visibility::Restricted(vis_did) => {
1435                 // FIXME(camelid): This may not work correctly if `item_did` is a module.
1436                 //                 However, rustdoc currently never displays a module's
1437                 //                 visibility, so it shouldn't matter.
1438                 let parent_module = find_nearest_parent_module(cx.tcx(), item_did.expect_def_id());
1439
1440                 if vis_did.is_crate_root() {
1441                     "pub(crate) ".into()
1442                 } else if parent_module == Some(vis_did) {
1443                     // `pub(in foo)` where `foo` is the parent module
1444                     // is the same as no visibility modifier
1445                     "".into()
1446                 } else if parent_module
1447                     .and_then(|parent| find_nearest_parent_module(cx.tcx(), parent))
1448                     == Some(vis_did)
1449                 {
1450                     "pub(super) ".into()
1451                 } else {
1452                     let path = cx.tcx().def_path(vis_did);
1453                     debug!("path={:?}", path);
1454                     // modified from `resolved_path()` to work with `DefPathData`
1455                     let last_name = path.data.last().unwrap().data.get_opt_name().unwrap();
1456                     let anchor = anchor(vis_did, last_name, cx).to_string();
1457
1458                     let mut s = "pub(in ".to_owned();
1459                     for seg in &path.data[..path.data.len() - 1] {
1460                         let _ = write!(s, "{}::", seg.data.get_opt_name().unwrap());
1461                     }
1462                     let _ = write!(s, "{}) ", anchor);
1463                     s.into()
1464                 }
1465             }
1466         };
1467         display_fn(move |f| write!(f, "{}", to_print))
1468     }
1469
1470     /// This function is the same as print_with_space, except that it renders no links.
1471     /// It's used for macros' rendered source view, which is syntax highlighted and cannot have
1472     /// any HTML in it.
1473     pub(crate) fn to_src_with_space<'a, 'tcx: 'a>(
1474         self,
1475         tcx: TyCtxt<'tcx>,
1476         item_did: DefId,
1477     ) -> impl fmt::Display + 'a + Captures<'tcx> {
1478         let to_print = match self {
1479             clean::Public => "pub ".to_owned(),
1480             clean::Inherited => String::new(),
1481             clean::Visibility::Restricted(vis_did) => {
1482                 // FIXME(camelid): This may not work correctly if `item_did` is a module.
1483                 //                 However, rustdoc currently never displays a module's
1484                 //                 visibility, so it shouldn't matter.
1485                 let parent_module = find_nearest_parent_module(tcx, item_did);
1486
1487                 if vis_did.is_crate_root() {
1488                     "pub(crate) ".to_owned()
1489                 } else if parent_module == Some(vis_did) {
1490                     // `pub(in foo)` where `foo` is the parent module
1491                     // is the same as no visibility modifier
1492                     String::new()
1493                 } else if parent_module.and_then(|parent| find_nearest_parent_module(tcx, parent))
1494                     == Some(vis_did)
1495                 {
1496                     "pub(super) ".to_owned()
1497                 } else {
1498                     format!("pub(in {}) ", tcx.def_path_str(vis_did))
1499                 }
1500             }
1501         };
1502         display_fn(move |f| f.write_str(&to_print))
1503     }
1504 }
1505
1506 pub(crate) trait PrintWithSpace {
1507     fn print_with_space(&self) -> &str;
1508 }
1509
1510 impl PrintWithSpace for hir::Unsafety {
1511     fn print_with_space(&self) -> &str {
1512         match self {
1513             hir::Unsafety::Unsafe => "unsafe ",
1514             hir::Unsafety::Normal => "",
1515         }
1516     }
1517 }
1518
1519 impl PrintWithSpace for hir::IsAsync {
1520     fn print_with_space(&self) -> &str {
1521         match self {
1522             hir::IsAsync::Async => "async ",
1523             hir::IsAsync::NotAsync => "",
1524         }
1525     }
1526 }
1527
1528 impl PrintWithSpace for hir::Mutability {
1529     fn print_with_space(&self) -> &str {
1530         match self {
1531             hir::Mutability::Not => "",
1532             hir::Mutability::Mut => "mut ",
1533         }
1534     }
1535 }
1536
1537 pub(crate) fn print_constness_with_space(
1538     c: &hir::Constness,
1539     s: Option<ConstStability>,
1540 ) -> &'static str {
1541     match (c, s) {
1542         // const stable or when feature(staged_api) is not set
1543         (
1544             hir::Constness::Const,
1545             Some(ConstStability { level: StabilityLevel::Stable { .. }, .. }),
1546         )
1547         | (hir::Constness::Const, None) => "const ",
1548         // const unstable or not const
1549         _ => "",
1550     }
1551 }
1552
1553 impl clean::Import {
1554     pub(crate) fn print<'a, 'tcx: 'a>(
1555         &'a self,
1556         cx: &'a Context<'tcx>,
1557     ) -> impl fmt::Display + 'a + Captures<'tcx> {
1558         display_fn(move |f| match self.kind {
1559             clean::ImportKind::Simple(name) => {
1560                 if name == self.source.path.last() {
1561                     write!(f, "use {};", self.source.print(cx))
1562                 } else {
1563                     write!(f, "use {} as {};", self.source.print(cx), name)
1564                 }
1565             }
1566             clean::ImportKind::Glob => {
1567                 if self.source.path.segments.is_empty() {
1568                     write!(f, "use *;")
1569                 } else {
1570                     write!(f, "use {}::*;", self.source.print(cx))
1571                 }
1572             }
1573         })
1574     }
1575 }
1576
1577 impl clean::ImportSource {
1578     pub(crate) fn print<'a, 'tcx: 'a>(
1579         &'a self,
1580         cx: &'a Context<'tcx>,
1581     ) -> impl fmt::Display + 'a + Captures<'tcx> {
1582         display_fn(move |f| match self.did {
1583             Some(did) => resolved_path(f, did, &self.path, true, false, cx),
1584             _ => {
1585                 for seg in &self.path.segments[..self.path.segments.len() - 1] {
1586                     write!(f, "{}::", seg.name)?;
1587                 }
1588                 let name = self.path.last();
1589                 if let hir::def::Res::PrimTy(p) = self.path.res {
1590                     primitive_link(f, PrimitiveType::from(p), name.as_str(), cx)?;
1591                 } else {
1592                     write!(f, "{}", name)?;
1593                 }
1594                 Ok(())
1595             }
1596         })
1597     }
1598 }
1599
1600 impl clean::TypeBinding {
1601     pub(crate) fn print<'a, 'tcx: 'a>(
1602         &'a self,
1603         cx: &'a Context<'tcx>,
1604     ) -> impl fmt::Display + 'a + Captures<'tcx> {
1605         display_fn(move |f| {
1606             f.write_str(self.assoc.name.as_str())?;
1607             if f.alternate() {
1608                 write!(f, "{:#}", self.assoc.args.print(cx))?;
1609             } else {
1610                 write!(f, "{}", self.assoc.args.print(cx))?;
1611             }
1612             match self.kind {
1613                 clean::TypeBindingKind::Equality { ref term } => {
1614                     if f.alternate() {
1615                         write!(f, " = {:#}", term.print(cx))?;
1616                     } else {
1617                         write!(f, " = {}", term.print(cx))?;
1618                     }
1619                 }
1620                 clean::TypeBindingKind::Constraint { ref bounds } => {
1621                     if !bounds.is_empty() {
1622                         if f.alternate() {
1623                             write!(f, ": {:#}", print_generic_bounds(bounds, cx))?;
1624                         } else {
1625                             write!(f, ":&nbsp;{}", print_generic_bounds(bounds, cx))?;
1626                         }
1627                     }
1628                 }
1629             }
1630             Ok(())
1631         })
1632     }
1633 }
1634
1635 pub(crate) fn print_abi_with_space(abi: Abi) -> impl fmt::Display {
1636     display_fn(move |f| {
1637         let quot = if f.alternate() { "\"" } else { "&quot;" };
1638         match abi {
1639             Abi::Rust => Ok(()),
1640             abi => write!(f, "extern {0}{1}{0} ", quot, abi.name()),
1641         }
1642     })
1643 }
1644
1645 pub(crate) fn print_default_space<'a>(v: bool) -> &'a str {
1646     if v { "default " } else { "" }
1647 }
1648
1649 impl clean::GenericArg {
1650     pub(crate) fn print<'a, 'tcx: 'a>(
1651         &'a self,
1652         cx: &'a Context<'tcx>,
1653     ) -> impl fmt::Display + 'a + Captures<'tcx> {
1654         display_fn(move |f| match self {
1655             clean::GenericArg::Lifetime(lt) => fmt::Display::fmt(&lt.print(), f),
1656             clean::GenericArg::Type(ty) => fmt::Display::fmt(&ty.print(cx), f),
1657             clean::GenericArg::Const(ct) => fmt::Display::fmt(&ct.print(cx.tcx()), f),
1658             clean::GenericArg::Infer => fmt::Display::fmt("_", f),
1659         })
1660     }
1661 }
1662
1663 impl clean::types::Term {
1664     pub(crate) fn print<'a, 'tcx: 'a>(
1665         &'a self,
1666         cx: &'a Context<'tcx>,
1667     ) -> impl fmt::Display + 'a + Captures<'tcx> {
1668         match self {
1669             clean::types::Term::Type(ty) => ty.print(cx),
1670             _ => todo!(),
1671         }
1672     }
1673 }
1674
1675 pub(crate) fn display_fn(
1676     f: impl FnOnce(&mut fmt::Formatter<'_>) -> fmt::Result,
1677 ) -> impl fmt::Display {
1678     struct WithFormatter<F>(Cell<Option<F>>);
1679
1680     impl<F> fmt::Display for WithFormatter<F>
1681     where
1682         F: FnOnce(&mut fmt::Formatter<'_>) -> fmt::Result,
1683     {
1684         fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
1685             (self.0.take()).unwrap()(f)
1686         }
1687     }
1688
1689     WithFormatter(Cell::new(Some(f)))
1690 }