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