]> git.lizzy.rs Git - rust.git/blob - src/librustdoc/html/markdown.rs
Enable all main body Markdown options for summaries
[rust.git] / src / librustdoc / html / markdown.rs
1 //! Markdown formatting for rustdoc.
2 //!
3 //! This module implements markdown formatting through the pulldown-cmark library.
4 //!
5 //! ```
6 //! #![feature(rustc_private)]
7 //!
8 //! extern crate rustc_span;
9 //!
10 //! use rustc_span::edition::Edition;
11 //! use rustdoc::html::markdown::{IdMap, Markdown, ErrorCodes};
12 //!
13 //! let s = "My *markdown* _text_";
14 //! let mut id_map = IdMap::new();
15 //! let md = Markdown(s, &[], &mut id_map, ErrorCodes::Yes, Edition::Edition2015, &None);
16 //! let html = md.into_string();
17 //! // ... something using html
18 //! ```
19
20 use rustc_data_structures::fx::FxHashMap;
21 use rustc_hir::def_id::DefId;
22 use rustc_hir::HirId;
23 use rustc_middle::ty::TyCtxt;
24 use rustc_span::edition::Edition;
25 use rustc_span::Span;
26
27 use std::borrow::Cow;
28 use std::cell::RefCell;
29 use std::collections::VecDeque;
30 use std::default::Default;
31 use std::fmt::Write;
32 use std::ops::{ControlFlow, Range};
33 use std::str;
34
35 use crate::clean::RenderedLink;
36 use crate::doctest;
37 use crate::html::escape::Escape;
38 use crate::html::format::Buffer;
39 use crate::html::highlight;
40 use crate::html::length_limit::HtmlWithLimit;
41 use crate::html::toc::TocBuilder;
42
43 use pulldown_cmark::{
44     html, BrokenLink, CodeBlockKind, CowStr, Event, LinkType, Options, Parser, Tag,
45 };
46
47 #[cfg(test)]
48 mod tests;
49
50 /// Options for rendering Markdown in the main body of documentation.
51 pub(crate) fn main_body_opts() -> Options {
52     Options::ENABLE_TABLES
53         | Options::ENABLE_FOOTNOTES
54         | Options::ENABLE_STRIKETHROUGH
55         | Options::ENABLE_TASKLISTS
56         | Options::ENABLE_SMART_PUNCTUATION
57 }
58
59 /// Options for rendering Markdown in summaries (e.g., in search results).
60 pub(crate) fn summary_opts() -> Options {
61     Options::ENABLE_TABLES
62         | Options::ENABLE_FOOTNOTES
63         | Options::ENABLE_STRIKETHROUGH
64         | Options::ENABLE_TASKLISTS
65         | Options::ENABLE_SMART_PUNCTUATION
66 }
67
68 /// When `to_string` is called, this struct will emit the HTML corresponding to
69 /// the rendered version of the contained markdown string.
70 pub struct Markdown<'a>(
71     pub &'a str,
72     /// A list of link replacements.
73     pub &'a [RenderedLink],
74     /// The current list of used header IDs.
75     pub &'a mut IdMap,
76     /// Whether to allow the use of explicit error codes in doctest lang strings.
77     pub ErrorCodes,
78     /// Default edition to use when parsing doctests (to add a `fn main`).
79     pub Edition,
80     pub &'a Option<Playground>,
81 );
82 /// A tuple struct like `Markdown` that renders the markdown with a table of contents.
83 crate struct MarkdownWithToc<'a>(
84     crate &'a str,
85     crate &'a mut IdMap,
86     crate ErrorCodes,
87     crate Edition,
88     crate &'a Option<Playground>,
89 );
90 /// A tuple struct like `Markdown` that renders the markdown escaping HTML tags.
91 crate struct MarkdownHtml<'a>(
92     crate &'a str,
93     crate &'a mut IdMap,
94     crate ErrorCodes,
95     crate Edition,
96     crate &'a Option<Playground>,
97 );
98 /// A tuple struct like `Markdown` that renders only the first paragraph.
99 crate struct MarkdownSummaryLine<'a>(pub &'a str, pub &'a [RenderedLink]);
100
101 #[derive(Copy, Clone, PartialEq, Debug)]
102 pub enum ErrorCodes {
103     Yes,
104     No,
105 }
106
107 impl ErrorCodes {
108     crate fn from(b: bool) -> Self {
109         match b {
110             true => ErrorCodes::Yes,
111             false => ErrorCodes::No,
112         }
113     }
114
115     crate fn as_bool(self) -> bool {
116         match self {
117             ErrorCodes::Yes => true,
118             ErrorCodes::No => false,
119         }
120     }
121 }
122
123 /// Controls whether a line will be hidden or shown in HTML output.
124 ///
125 /// All lines are used in documentation tests.
126 enum Line<'a> {
127     Hidden(&'a str),
128     Shown(Cow<'a, str>),
129 }
130
131 impl<'a> Line<'a> {
132     fn for_html(self) -> Option<Cow<'a, str>> {
133         match self {
134             Line::Shown(l) => Some(l),
135             Line::Hidden(_) => None,
136         }
137     }
138
139     fn for_code(self) -> Cow<'a, str> {
140         match self {
141             Line::Shown(l) => l,
142             Line::Hidden(l) => Cow::Borrowed(l),
143         }
144     }
145 }
146
147 // FIXME: There is a minor inconsistency here. For lines that start with ##, we
148 // have no easy way of removing a potential single space after the hashes, which
149 // is done in the single # case. This inconsistency seems okay, if non-ideal. In
150 // order to fix it we'd have to iterate to find the first non-# character, and
151 // then reallocate to remove it; which would make us return a String.
152 fn map_line(s: &str) -> Line<'_> {
153     let trimmed = s.trim();
154     if trimmed.starts_with("##") {
155         Line::Shown(Cow::Owned(s.replacen("##", "#", 1)))
156     } else if let Some(stripped) = trimmed.strip_prefix("# ") {
157         // # text
158         Line::Hidden(&stripped)
159     } else if trimmed == "#" {
160         // We cannot handle '#text' because it could be #[attr].
161         Line::Hidden("")
162     } else {
163         Line::Shown(Cow::Borrowed(s))
164     }
165 }
166
167 /// Convert chars from a title for an id.
168 ///
169 /// "Hello, world!" -> "hello-world"
170 fn slugify(c: char) -> Option<char> {
171     if c.is_alphanumeric() || c == '-' || c == '_' {
172         if c.is_ascii() { Some(c.to_ascii_lowercase()) } else { Some(c) }
173     } else if c.is_whitespace() && c.is_ascii() {
174         Some('-')
175     } else {
176         None
177     }
178 }
179
180 #[derive(Clone, Debug)]
181 pub struct Playground {
182     pub crate_name: Option<String>,
183     pub url: String,
184 }
185
186 /// Adds syntax highlighting and playground Run buttons to Rust code blocks.
187 struct CodeBlocks<'p, 'a, I: Iterator<Item = Event<'a>>> {
188     inner: I,
189     check_error_codes: ErrorCodes,
190     edition: Edition,
191     // Information about the playground if a URL has been specified, containing an
192     // optional crate name and the URL.
193     playground: &'p Option<Playground>,
194 }
195
196 impl<'p, 'a, I: Iterator<Item = Event<'a>>> CodeBlocks<'p, 'a, I> {
197     fn new(
198         iter: I,
199         error_codes: ErrorCodes,
200         edition: Edition,
201         playground: &'p Option<Playground>,
202     ) -> Self {
203         CodeBlocks { inner: iter, check_error_codes: error_codes, edition, playground }
204     }
205 }
206
207 impl<'a, I: Iterator<Item = Event<'a>>> Iterator for CodeBlocks<'_, 'a, I> {
208     type Item = Event<'a>;
209
210     fn next(&mut self) -> Option<Self::Item> {
211         let event = self.inner.next();
212         let compile_fail;
213         let should_panic;
214         let ignore;
215         let edition;
216         let kind = if let Some(Event::Start(Tag::CodeBlock(kind))) = event {
217             kind
218         } else {
219             return event;
220         };
221
222         let mut origtext = String::new();
223         for event in &mut self.inner {
224             match event {
225                 Event::End(Tag::CodeBlock(..)) => break,
226                 Event::Text(ref s) => {
227                     origtext.push_str(s);
228                 }
229                 _ => {}
230             }
231         }
232         let lines = origtext.lines().filter_map(|l| map_line(l).for_html());
233         let text = lines.collect::<Vec<Cow<'_, str>>>().join("\n");
234
235         let parse_result = match kind {
236             CodeBlockKind::Fenced(ref lang) => {
237                 let parse_result =
238                     LangString::parse_without_check(&lang, self.check_error_codes, false);
239                 if !parse_result.rust {
240                     return Some(Event::Html(
241                         format!(
242                             "<div class=\"example-wrap\">\
243                                  <pre class=\"language-{}\"><code>{}</code></pre>\
244                              </div>",
245                             lang,
246                             Escape(&text),
247                         )
248                         .into(),
249                     ));
250                 }
251                 parse_result
252             }
253             CodeBlockKind::Indented => Default::default(),
254         };
255
256         compile_fail = parse_result.compile_fail;
257         should_panic = parse_result.should_panic;
258         ignore = parse_result.ignore;
259         edition = parse_result.edition;
260
261         let explicit_edition = edition.is_some();
262         let edition = edition.unwrap_or(self.edition);
263
264         let playground_button = self.playground.as_ref().and_then(|playground| {
265             let krate = &playground.crate_name;
266             let url = &playground.url;
267             if url.is_empty() {
268                 return None;
269             }
270             let test = origtext
271                 .lines()
272                 .map(|l| map_line(l).for_code())
273                 .collect::<Vec<Cow<'_, str>>>()
274                 .join("\n");
275             let krate = krate.as_ref().map(|s| &**s);
276             let (test, _, _) =
277                 doctest::make_test(&test, krate, false, &Default::default(), edition, None);
278             let channel = if test.contains("#![feature(") { "&amp;version=nightly" } else { "" };
279
280             let edition_string = format!("&amp;edition={}", edition);
281
282             // These characters don't need to be escaped in a URI.
283             // FIXME: use a library function for percent encoding.
284             fn dont_escape(c: u8) -> bool {
285                 (b'a' <= c && c <= b'z')
286                     || (b'A' <= c && c <= b'Z')
287                     || (b'0' <= c && c <= b'9')
288                     || c == b'-'
289                     || c == b'_'
290                     || c == b'.'
291                     || c == b'~'
292                     || c == b'!'
293                     || c == b'\''
294                     || c == b'('
295                     || c == b')'
296                     || c == b'*'
297             }
298             let mut test_escaped = String::new();
299             for b in test.bytes() {
300                 if dont_escape(b) {
301                     test_escaped.push(char::from(b));
302                 } else {
303                     write!(test_escaped, "%{:02X}", b).unwrap();
304                 }
305             }
306             Some(format!(
307                 r#"<a class="test-arrow" target="_blank" href="{}?code={}{}{}">Run</a>"#,
308                 url, test_escaped, channel, edition_string
309             ))
310         });
311
312         let tooltip = if ignore != Ignore::None {
313             Some((None, "ignore"))
314         } else if compile_fail {
315             Some((None, "compile_fail"))
316         } else if should_panic {
317             Some((None, "should_panic"))
318         } else if explicit_edition {
319             Some((Some(edition), "edition"))
320         } else {
321             None
322         };
323
324         // insert newline to clearly separate it from the
325         // previous block so we can shorten the html output
326         let mut s = Buffer::new();
327         s.push_str("\n");
328         highlight::render_with_highlighting(
329             &text,
330             &mut s,
331             Some(&format!(
332                 "rust-example-rendered{}",
333                 if let Some((_, class)) = tooltip { format!(" {}", class) } else { String::new() }
334             )),
335             playground_button.as_deref(),
336             tooltip,
337             edition,
338             None,
339             None,
340         );
341         Some(Event::Html(s.into_inner().into()))
342     }
343 }
344
345 /// Make headings links with anchor IDs and build up TOC.
346 struct LinkReplacer<'a, I: Iterator<Item = Event<'a>>> {
347     inner: I,
348     links: &'a [RenderedLink],
349     shortcut_link: Option<&'a RenderedLink>,
350 }
351
352 impl<'a, I: Iterator<Item = Event<'a>>> LinkReplacer<'a, I> {
353     fn new(iter: I, links: &'a [RenderedLink]) -> Self {
354         LinkReplacer { inner: iter, links, shortcut_link: None }
355     }
356 }
357
358 impl<'a, I: Iterator<Item = Event<'a>>> Iterator for LinkReplacer<'a, I> {
359     type Item = Event<'a>;
360
361     fn next(&mut self) -> Option<Self::Item> {
362         let mut event = self.inner.next();
363
364         // Replace intra-doc links and remove disambiguators from shortcut links (`[fn@f]`).
365         match &mut event {
366             // This is a shortcut link that was resolved by the broken_link_callback: `[fn@f]`
367             // Remove any disambiguator.
368             Some(Event::Start(Tag::Link(
369                 // [fn@f] or [fn@f][]
370                 LinkType::ShortcutUnknown | LinkType::CollapsedUnknown,
371                 dest,
372                 title,
373             ))) => {
374                 debug!("saw start of shortcut link to {} with title {}", dest, title);
375                 // If this is a shortcut link, it was resolved by the broken_link_callback.
376                 // So the URL will already be updated properly.
377                 let link = self.links.iter().find(|&link| *link.href == **dest);
378                 // Since this is an external iterator, we can't replace the inner text just yet.
379                 // Store that we saw a link so we know to replace it later.
380                 if let Some(link) = link {
381                     trace!("it matched");
382                     assert!(self.shortcut_link.is_none(), "shortcut links cannot be nested");
383                     self.shortcut_link = Some(link);
384                 }
385             }
386             // Now that we're done with the shortcut link, don't replace any more text.
387             Some(Event::End(Tag::Link(
388                 LinkType::ShortcutUnknown | LinkType::CollapsedUnknown,
389                 dest,
390                 _,
391             ))) => {
392                 debug!("saw end of shortcut link to {}", dest);
393                 if self.links.iter().any(|link| *link.href == **dest) {
394                     assert!(self.shortcut_link.is_some(), "saw closing link without opening tag");
395                     self.shortcut_link = None;
396                 }
397             }
398             // Handle backticks in inline code blocks, but only if we're in the middle of a shortcut link.
399             // [`fn@f`]
400             Some(Event::Code(text)) => {
401                 trace!("saw code {}", text);
402                 if let Some(link) = self.shortcut_link {
403                     trace!("original text was {}", link.original_text);
404                     // NOTE: this only replaces if the code block is the *entire* text.
405                     // If only part of the link has code highlighting, the disambiguator will not be removed.
406                     // e.g. [fn@`f`]
407                     // This is a limitation from `collect_intra_doc_links`: it passes a full link,
408                     // and does not distinguish at all between code blocks.
409                     // So we could never be sure we weren't replacing too much:
410                     // [fn@my_`f`unc] is treated the same as [my_func()] in that pass.
411                     //
412                     // NOTE: &[1..len() - 1] is to strip the backticks
413                     if **text == link.original_text[1..link.original_text.len() - 1] {
414                         debug!("replacing {} with {}", text, link.new_text);
415                         *text = CowStr::Borrowed(&link.new_text);
416                     }
417                 }
418             }
419             // Replace plain text in links, but only in the middle of a shortcut link.
420             // [fn@f]
421             Some(Event::Text(text)) => {
422                 trace!("saw text {}", text);
423                 if let Some(link) = self.shortcut_link {
424                     trace!("original text was {}", link.original_text);
425                     // NOTE: same limitations as `Event::Code`
426                     if **text == *link.original_text {
427                         debug!("replacing {} with {}", text, link.new_text);
428                         *text = CowStr::Borrowed(&link.new_text);
429                     }
430                 }
431             }
432             // If this is a link, but not a shortcut link,
433             // replace the URL, since the broken_link_callback was not called.
434             Some(Event::Start(Tag::Link(_, dest, _))) => {
435                 if let Some(link) = self.links.iter().find(|&link| *link.original_text == **dest) {
436                     *dest = CowStr::Borrowed(link.href.as_ref());
437                 }
438             }
439             // Anything else couldn't have been a valid Rust path, so no need to replace the text.
440             _ => {}
441         }
442
443         // Yield the modified event
444         event
445     }
446 }
447
448 type SpannedEvent<'a> = (Event<'a>, Range<usize>);
449
450 /// Make headings links with anchor IDs and build up TOC.
451 struct HeadingLinks<'a, 'b, 'ids, I> {
452     inner: I,
453     toc: Option<&'b mut TocBuilder>,
454     buf: VecDeque<SpannedEvent<'a>>,
455     id_map: &'ids mut IdMap,
456 }
457
458 impl<'a, 'b, 'ids, I> HeadingLinks<'a, 'b, 'ids, I> {
459     fn new(iter: I, toc: Option<&'b mut TocBuilder>, ids: &'ids mut IdMap) -> Self {
460         HeadingLinks { inner: iter, toc, buf: VecDeque::new(), id_map: ids }
461     }
462 }
463
464 impl<'a, 'b, 'ids, I: Iterator<Item = SpannedEvent<'a>>> Iterator
465     for HeadingLinks<'a, 'b, 'ids, I>
466 {
467     type Item = SpannedEvent<'a>;
468
469     fn next(&mut self) -> Option<Self::Item> {
470         if let Some(e) = self.buf.pop_front() {
471             return Some(e);
472         }
473
474         let event = self.inner.next();
475         if let Some((Event::Start(Tag::Heading(level)), _)) = event {
476             let mut id = String::new();
477             for event in &mut self.inner {
478                 match &event.0 {
479                     Event::End(Tag::Heading(..)) => break,
480                     Event::Start(Tag::Link(_, _, _)) | Event::End(Tag::Link(..)) => {}
481                     Event::Text(text) | Event::Code(text) => {
482                         id.extend(text.chars().filter_map(slugify));
483                         self.buf.push_back(event);
484                     }
485                     _ => self.buf.push_back(event),
486                 }
487             }
488             let id = self.id_map.derive(id);
489
490             if let Some(ref mut builder) = self.toc {
491                 let mut html_header = String::new();
492                 html::push_html(&mut html_header, self.buf.iter().map(|(ev, _)| ev.clone()));
493                 let sec = builder.push(level as u32, html_header, id.clone());
494                 self.buf.push_front((Event::Html(format!("{} ", sec).into()), 0..0));
495             }
496
497             self.buf.push_back((Event::Html(format!("</a></h{}>", level).into()), 0..0));
498
499             let start_tags = format!(
500                 "<h{level} id=\"{id}\" class=\"section-header\">\
501                     <a href=\"#{id}\">",
502                 id = id,
503                 level = level
504             );
505             return Some((Event::Html(start_tags.into()), 0..0));
506         }
507         event
508     }
509 }
510
511 /// Extracts just the first paragraph.
512 struct SummaryLine<'a, I: Iterator<Item = Event<'a>>> {
513     inner: I,
514     started: bool,
515     depth: u32,
516 }
517
518 impl<'a, I: Iterator<Item = Event<'a>>> SummaryLine<'a, I> {
519     fn new(iter: I) -> Self {
520         SummaryLine { inner: iter, started: false, depth: 0 }
521     }
522 }
523
524 fn check_if_allowed_tag(t: &Tag<'_>) -> bool {
525     matches!(
526         t,
527         Tag::Paragraph | Tag::Item | Tag::Emphasis | Tag::Strong | Tag::Link(..) | Tag::BlockQuote
528     )
529 }
530
531 fn is_forbidden_tag(t: &Tag<'_>) -> bool {
532     matches!(t, Tag::CodeBlock(_) | Tag::Table(_) | Tag::TableHead | Tag::TableRow | Tag::TableCell)
533 }
534
535 impl<'a, I: Iterator<Item = Event<'a>>> Iterator for SummaryLine<'a, I> {
536     type Item = Event<'a>;
537
538     fn next(&mut self) -> Option<Self::Item> {
539         if self.started && self.depth == 0 {
540             return None;
541         }
542         if !self.started {
543             self.started = true;
544         }
545         if let Some(event) = self.inner.next() {
546             let mut is_start = true;
547             let is_allowed_tag = match event {
548                 Event::Start(ref c) => {
549                     if is_forbidden_tag(c) {
550                         return None;
551                     }
552                     self.depth += 1;
553                     check_if_allowed_tag(c)
554                 }
555                 Event::End(ref c) => {
556                     if is_forbidden_tag(c) {
557                         return None;
558                     }
559                     self.depth -= 1;
560                     is_start = false;
561                     check_if_allowed_tag(c)
562                 }
563                 _ => true,
564             };
565             return if !is_allowed_tag {
566                 if is_start {
567                     Some(Event::Start(Tag::Paragraph))
568                 } else {
569                     Some(Event::End(Tag::Paragraph))
570                 }
571             } else {
572                 Some(event)
573             };
574         }
575         None
576     }
577 }
578
579 /// Moves all footnote definitions to the end and add back links to the
580 /// references.
581 struct Footnotes<'a, I> {
582     inner: I,
583     footnotes: FxHashMap<String, (Vec<Event<'a>>, u16)>,
584 }
585
586 impl<'a, I> Footnotes<'a, I> {
587     fn new(iter: I) -> Self {
588         Footnotes { inner: iter, footnotes: FxHashMap::default() }
589     }
590
591     fn get_entry(&mut self, key: &str) -> &mut (Vec<Event<'a>>, u16) {
592         let new_id = self.footnotes.keys().count() + 1;
593         let key = key.to_owned();
594         self.footnotes.entry(key).or_insert((Vec::new(), new_id as u16))
595     }
596 }
597
598 impl<'a, I: Iterator<Item = SpannedEvent<'a>>> Iterator for Footnotes<'a, I> {
599     type Item = SpannedEvent<'a>;
600
601     fn next(&mut self) -> Option<Self::Item> {
602         loop {
603             match self.inner.next() {
604                 Some((Event::FootnoteReference(ref reference), range)) => {
605                     let entry = self.get_entry(&reference);
606                     let reference = format!(
607                         "<sup id=\"fnref{0}\"><a href=\"#fn{0}\">{0}</a></sup>",
608                         (*entry).1
609                     );
610                     return Some((Event::Html(reference.into()), range));
611                 }
612                 Some((Event::Start(Tag::FootnoteDefinition(def)), _)) => {
613                     let mut content = Vec::new();
614                     for (event, _) in &mut self.inner {
615                         if let Event::End(Tag::FootnoteDefinition(..)) = event {
616                             break;
617                         }
618                         content.push(event);
619                     }
620                     let entry = self.get_entry(&def);
621                     (*entry).0 = content;
622                 }
623                 Some(e) => return Some(e),
624                 None => {
625                     if !self.footnotes.is_empty() {
626                         let mut v: Vec<_> = self.footnotes.drain().map(|(_, x)| x).collect();
627                         v.sort_by(|a, b| a.1.cmp(&b.1));
628                         let mut ret = String::from("<div class=\"footnotes\"><hr><ol>");
629                         for (mut content, id) in v {
630                             write!(ret, "<li id=\"fn{}\">", id).unwrap();
631                             let mut is_paragraph = false;
632                             if let Some(&Event::End(Tag::Paragraph)) = content.last() {
633                                 content.pop();
634                                 is_paragraph = true;
635                             }
636                             html::push_html(&mut ret, content.into_iter());
637                             write!(ret, "&nbsp;<a href=\"#fnref{}\">↩</a>", id).unwrap();
638                             if is_paragraph {
639                                 ret.push_str("</p>");
640                             }
641                             ret.push_str("</li>");
642                         }
643                         ret.push_str("</ol></div>");
644                         return Some((Event::Html(ret.into()), 0..0));
645                     } else {
646                         return None;
647                     }
648                 }
649             }
650         }
651     }
652 }
653
654 crate fn find_testable_code<T: doctest::Tester>(
655     doc: &str,
656     tests: &mut T,
657     error_codes: ErrorCodes,
658     enable_per_target_ignores: bool,
659     extra_info: Option<&ExtraInfo<'_>>,
660 ) {
661     let mut parser = Parser::new(doc).into_offset_iter();
662     let mut prev_offset = 0;
663     let mut nb_lines = 0;
664     let mut register_header = None;
665     while let Some((event, offset)) = parser.next() {
666         match event {
667             Event::Start(Tag::CodeBlock(kind)) => {
668                 let block_info = match kind {
669                     CodeBlockKind::Fenced(ref lang) => {
670                         if lang.is_empty() {
671                             Default::default()
672                         } else {
673                             LangString::parse(
674                                 lang,
675                                 error_codes,
676                                 enable_per_target_ignores,
677                                 extra_info,
678                             )
679                         }
680                     }
681                     CodeBlockKind::Indented => Default::default(),
682                 };
683                 if !block_info.rust {
684                     continue;
685                 }
686
687                 let mut test_s = String::new();
688
689                 while let Some((Event::Text(s), _)) = parser.next() {
690                     test_s.push_str(&s);
691                 }
692                 let text = test_s
693                     .lines()
694                     .map(|l| map_line(l).for_code())
695                     .collect::<Vec<Cow<'_, str>>>()
696                     .join("\n");
697
698                 nb_lines += doc[prev_offset..offset.start].lines().count();
699                 let line = tests.get_line() + nb_lines + 1;
700                 tests.add_test(text, block_info, line);
701                 prev_offset = offset.start;
702             }
703             Event::Start(Tag::Heading(level)) => {
704                 register_header = Some(level as u32);
705             }
706             Event::Text(ref s) if register_header.is_some() => {
707                 let level = register_header.unwrap();
708                 if s.is_empty() {
709                     tests.register_header("", level);
710                 } else {
711                     tests.register_header(s, level);
712                 }
713                 register_header = None;
714             }
715             _ => {}
716         }
717     }
718 }
719
720 crate struct ExtraInfo<'tcx> {
721     id: ExtraInfoId,
722     sp: Span,
723     tcx: TyCtxt<'tcx>,
724 }
725
726 enum ExtraInfoId {
727     Hir(HirId),
728     Def(DefId),
729 }
730
731 impl<'tcx> ExtraInfo<'tcx> {
732     crate fn new(tcx: TyCtxt<'tcx>, hir_id: HirId, sp: Span) -> ExtraInfo<'tcx> {
733         ExtraInfo { id: ExtraInfoId::Hir(hir_id), sp, tcx }
734     }
735
736     crate fn new_did(tcx: TyCtxt<'tcx>, did: DefId, sp: Span) -> ExtraInfo<'tcx> {
737         ExtraInfo { id: ExtraInfoId::Def(did), sp, tcx }
738     }
739
740     fn error_invalid_codeblock_attr(&self, msg: &str, help: &str) {
741         let hir_id = match self.id {
742             ExtraInfoId::Hir(hir_id) => hir_id,
743             ExtraInfoId::Def(item_did) => {
744                 match item_did.as_local() {
745                     Some(item_did) => self.tcx.hir().local_def_id_to_hir_id(item_did),
746                     None => {
747                         // If non-local, no need to check anything.
748                         return;
749                     }
750                 }
751             }
752         };
753         self.tcx.struct_span_lint_hir(
754             crate::lint::INVALID_CODEBLOCK_ATTRIBUTES,
755             hir_id,
756             self.sp,
757             |lint| {
758                 let mut diag = lint.build(msg);
759                 diag.help(help);
760                 diag.emit();
761             },
762         );
763     }
764 }
765
766 #[derive(Eq, PartialEq, Clone, Debug)]
767 crate struct LangString {
768     original: String,
769     crate should_panic: bool,
770     crate no_run: bool,
771     crate ignore: Ignore,
772     crate rust: bool,
773     crate test_harness: bool,
774     crate compile_fail: bool,
775     crate error_codes: Vec<String>,
776     crate allow_fail: bool,
777     crate edition: Option<Edition>,
778 }
779
780 #[derive(Eq, PartialEq, Clone, Debug)]
781 crate enum Ignore {
782     All,
783     None,
784     Some(Vec<String>),
785 }
786
787 impl Default for LangString {
788     fn default() -> Self {
789         Self {
790             original: String::new(),
791             should_panic: false,
792             no_run: false,
793             ignore: Ignore::None,
794             rust: true,
795             test_harness: false,
796             compile_fail: false,
797             error_codes: Vec::new(),
798             allow_fail: false,
799             edition: None,
800         }
801     }
802 }
803
804 impl LangString {
805     fn parse_without_check(
806         string: &str,
807         allow_error_code_check: ErrorCodes,
808         enable_per_target_ignores: bool,
809     ) -> LangString {
810         Self::parse(string, allow_error_code_check, enable_per_target_ignores, None)
811     }
812
813     fn tokens(string: &str) -> impl Iterator<Item = &str> {
814         // Pandoc, which Rust once used for generating documentation,
815         // expects lang strings to be surrounded by `{}` and for each token
816         // to be proceeded by a `.`. Since some of these lang strings are still
817         // loose in the wild, we strip a pair of surrounding `{}` from the lang
818         // string and a leading `.` from each token.
819
820         let string = string.trim();
821
822         let first = string.chars().next();
823         let last = string.chars().last();
824
825         let string = if first == Some('{') && last == Some('}') {
826             &string[1..string.len() - 1]
827         } else {
828             string
829         };
830
831         string
832             .split(|c| c == ',' || c == ' ' || c == '\t')
833             .map(str::trim)
834             .map(|token| if token.chars().next() == Some('.') { &token[1..] } else { token })
835             .filter(|token| !token.is_empty())
836     }
837
838     fn parse(
839         string: &str,
840         allow_error_code_check: ErrorCodes,
841         enable_per_target_ignores: bool,
842         extra: Option<&ExtraInfo<'_>>,
843     ) -> LangString {
844         let allow_error_code_check = allow_error_code_check.as_bool();
845         let mut seen_rust_tags = false;
846         let mut seen_other_tags = false;
847         let mut data = LangString::default();
848         let mut ignores = vec![];
849
850         data.original = string.to_owned();
851
852         let tokens = Self::tokens(string).collect::<Vec<&str>>();
853
854         for token in tokens {
855             match token {
856                 "should_panic" => {
857                     data.should_panic = true;
858                     seen_rust_tags = !seen_other_tags;
859                 }
860                 "no_run" => {
861                     data.no_run = true;
862                     seen_rust_tags = !seen_other_tags;
863                 }
864                 "ignore" => {
865                     data.ignore = Ignore::All;
866                     seen_rust_tags = !seen_other_tags;
867                 }
868                 x if x.starts_with("ignore-") => {
869                     if enable_per_target_ignores {
870                         ignores.push(x.trim_start_matches("ignore-").to_owned());
871                         seen_rust_tags = !seen_other_tags;
872                     }
873                 }
874                 "allow_fail" => {
875                     data.allow_fail = true;
876                     seen_rust_tags = !seen_other_tags;
877                 }
878                 "rust" => {
879                     data.rust = true;
880                     seen_rust_tags = true;
881                 }
882                 "test_harness" => {
883                     data.test_harness = true;
884                     seen_rust_tags = !seen_other_tags || seen_rust_tags;
885                 }
886                 "compile_fail" => {
887                     data.compile_fail = true;
888                     seen_rust_tags = !seen_other_tags || seen_rust_tags;
889                     data.no_run = true;
890                 }
891                 x if x.starts_with("edition") => {
892                     data.edition = x[7..].parse::<Edition>().ok();
893                 }
894                 x if allow_error_code_check && x.starts_with('E') && x.len() == 5 => {
895                     if x[1..].parse::<u32>().is_ok() {
896                         data.error_codes.push(x.to_owned());
897                         seen_rust_tags = !seen_other_tags || seen_rust_tags;
898                     } else {
899                         seen_other_tags = true;
900                     }
901                 }
902                 x if extra.is_some() => {
903                     let s = x.to_lowercase();
904                     match if s == "compile-fail" || s == "compile_fail" || s == "compilefail" {
905                         Some((
906                             "compile_fail",
907                             "the code block will either not be tested if not marked as a rust one \
908                              or won't fail if it compiles successfully",
909                         ))
910                     } else if s == "should-panic" || s == "should_panic" || s == "shouldpanic" {
911                         Some((
912                             "should_panic",
913                             "the code block will either not be tested if not marked as a rust one \
914                              or won't fail if it doesn't panic when running",
915                         ))
916                     } else if s == "no-run" || s == "no_run" || s == "norun" {
917                         Some((
918                             "no_run",
919                             "the code block will either not be tested if not marked as a rust one \
920                              or will be run (which you might not want)",
921                         ))
922                     } else if s == "allow-fail" || s == "allow_fail" || s == "allowfail" {
923                         Some((
924                             "allow_fail",
925                             "the code block will either not be tested if not marked as a rust one \
926                              or will be run (which you might not want)",
927                         ))
928                     } else if s == "test-harness" || s == "test_harness" || s == "testharness" {
929                         Some((
930                             "test_harness",
931                             "the code block will either not be tested if not marked as a rust one \
932                              or the code will be wrapped inside a main function",
933                         ))
934                     } else {
935                         None
936                     } {
937                         Some((flag, help)) => {
938                             if let Some(ref extra) = extra {
939                                 extra.error_invalid_codeblock_attr(
940                                     &format!("unknown attribute `{}`. Did you mean `{}`?", x, flag),
941                                     help,
942                                 );
943                             }
944                         }
945                         None => {}
946                     }
947                     seen_other_tags = true;
948                 }
949                 _ => seen_other_tags = true,
950             }
951         }
952
953         // ignore-foo overrides ignore
954         if !ignores.is_empty() {
955             data.ignore = Ignore::Some(ignores);
956         }
957
958         data.rust &= !seen_other_tags || seen_rust_tags;
959
960         data
961     }
962 }
963
964 impl Markdown<'_> {
965     pub fn into_string(self) -> String {
966         let Markdown(md, links, mut ids, codes, edition, playground) = self;
967
968         // This is actually common enough to special-case
969         if md.is_empty() {
970             return String::new();
971         }
972         let mut replacer = |broken_link: BrokenLink<'_>| {
973             if let Some(link) =
974                 links.iter().find(|link| &*link.original_text == broken_link.reference)
975             {
976                 Some((link.href.as_str().into(), link.new_text.as_str().into()))
977             } else {
978                 None
979             }
980         };
981
982         let p = Parser::new_with_broken_link_callback(md, main_body_opts(), Some(&mut replacer));
983         let p = p.into_offset_iter();
984
985         let mut s = String::with_capacity(md.len() * 3 / 2);
986
987         let p = HeadingLinks::new(p, None, &mut ids);
988         let p = Footnotes::new(p);
989         let p = LinkReplacer::new(p.map(|(ev, _)| ev), links);
990         let p = CodeBlocks::new(p, codes, edition, playground);
991         html::push_html(&mut s, p);
992
993         s
994     }
995 }
996
997 impl MarkdownWithToc<'_> {
998     crate fn into_string(self) -> String {
999         let MarkdownWithToc(md, mut ids, codes, edition, playground) = self;
1000
1001         let p = Parser::new_ext(md, main_body_opts()).into_offset_iter();
1002
1003         let mut s = String::with_capacity(md.len() * 3 / 2);
1004
1005         let mut toc = TocBuilder::new();
1006
1007         {
1008             let p = HeadingLinks::new(p, Some(&mut toc), &mut ids);
1009             let p = Footnotes::new(p);
1010             let p = CodeBlocks::new(p.map(|(ev, _)| ev), codes, edition, playground);
1011             html::push_html(&mut s, p);
1012         }
1013
1014         format!("<nav id=\"TOC\">{}</nav>{}", toc.into_toc().print(), s)
1015     }
1016 }
1017
1018 impl MarkdownHtml<'_> {
1019     crate fn into_string(self) -> String {
1020         let MarkdownHtml(md, mut ids, codes, edition, playground) = self;
1021
1022         // This is actually common enough to special-case
1023         if md.is_empty() {
1024             return String::new();
1025         }
1026         let p = Parser::new_ext(md, main_body_opts()).into_offset_iter();
1027
1028         // Treat inline HTML as plain text.
1029         let p = p.map(|event| match event.0 {
1030             Event::Html(text) => (Event::Text(text), event.1),
1031             _ => event,
1032         });
1033
1034         let mut s = String::with_capacity(md.len() * 3 / 2);
1035
1036         let p = HeadingLinks::new(p, None, &mut ids);
1037         let p = Footnotes::new(p);
1038         let p = CodeBlocks::new(p.map(|(ev, _)| ev), codes, edition, playground);
1039         html::push_html(&mut s, p);
1040
1041         s
1042     }
1043 }
1044
1045 impl MarkdownSummaryLine<'_> {
1046     crate fn into_string(self) -> String {
1047         let MarkdownSummaryLine(md, links) = self;
1048         // This is actually common enough to special-case
1049         if md.is_empty() {
1050             return String::new();
1051         }
1052
1053         let mut replacer = |broken_link: BrokenLink<'_>| {
1054             if let Some(link) =
1055                 links.iter().find(|link| &*link.original_text == broken_link.reference)
1056             {
1057                 Some((link.href.as_str().into(), link.new_text.as_str().into()))
1058             } else {
1059                 None
1060             }
1061         };
1062
1063         let p = Parser::new_with_broken_link_callback(md, summary_opts(), Some(&mut replacer));
1064
1065         let mut s = String::new();
1066
1067         html::push_html(&mut s, LinkReplacer::new(SummaryLine::new(p), links));
1068
1069         s
1070     }
1071 }
1072
1073 /// Renders a subset of Markdown in the first paragraph of the provided Markdown.
1074 ///
1075 /// - *Italics*, **bold**, and `inline code` styles **are** rendered.
1076 /// - Headings and links are stripped (though the text *is* rendered).
1077 /// - HTML, code blocks, and everything else are ignored.
1078 ///
1079 /// Returns a tuple of the rendered HTML string and whether the output was shortened
1080 /// due to the provided `length_limit`.
1081 fn markdown_summary_with_limit(
1082     md: &str,
1083     link_names: &[RenderedLink],
1084     length_limit: usize,
1085 ) -> (String, bool) {
1086     if md.is_empty() {
1087         return (String::new(), false);
1088     }
1089
1090     let mut replacer = |broken_link: BrokenLink<'_>| {
1091         if let Some(link) =
1092             link_names.iter().find(|link| &*link.original_text == broken_link.reference)
1093         {
1094             Some((link.href.as_str().into(), link.new_text.as_str().into()))
1095         } else {
1096             None
1097         }
1098     };
1099
1100     let p = Parser::new_with_broken_link_callback(md, summary_opts(), Some(&mut replacer));
1101     let mut p = LinkReplacer::new(p, link_names);
1102
1103     let mut buf = HtmlWithLimit::new(length_limit);
1104     let mut stopped_early = false;
1105     p.try_for_each(|event| {
1106         match &event {
1107             Event::Text(text) => {
1108                 let r =
1109                     text.split_inclusive(char::is_whitespace).try_for_each(|word| buf.push(word));
1110                 if r.is_break() {
1111                     stopped_early = true;
1112                 }
1113                 return r;
1114             }
1115             Event::Code(code) => {
1116                 buf.open_tag("code");
1117                 let r = buf.push(code);
1118                 if r.is_break() {
1119                     stopped_early = true;
1120                 } else {
1121                     buf.close_tag();
1122                 }
1123                 return r;
1124             }
1125             Event::Start(tag) => match tag {
1126                 Tag::Emphasis => buf.open_tag("em"),
1127                 Tag::Strong => buf.open_tag("strong"),
1128                 Tag::CodeBlock(..) => return ControlFlow::BREAK,
1129                 _ => {}
1130             },
1131             Event::End(tag) => match tag {
1132                 Tag::Emphasis | Tag::Strong => buf.close_tag(),
1133                 Tag::Paragraph | Tag::Heading(..) => return ControlFlow::BREAK,
1134                 _ => {}
1135             },
1136             Event::HardBreak | Event::SoftBreak => buf.push(" ")?,
1137             _ => {}
1138         };
1139         ControlFlow::CONTINUE
1140     });
1141
1142     (buf.finish(), stopped_early)
1143 }
1144
1145 /// Renders a shortened first paragraph of the given Markdown as a subset of Markdown,
1146 /// making it suitable for contexts like the search index.
1147 ///
1148 /// Will shorten to 59 or 60 characters, including an ellipsis (…) if it was shortened.
1149 ///
1150 /// See [`markdown_summary_with_limit`] for details about what is rendered and what is not.
1151 crate fn short_markdown_summary(markdown: &str, link_names: &[RenderedLink]) -> String {
1152     let (mut s, was_shortened) = markdown_summary_with_limit(markdown, link_names, 59);
1153
1154     if was_shortened {
1155         s.push('…');
1156     }
1157
1158     s
1159 }
1160
1161 /// Renders the first paragraph of the provided markdown as plain text.
1162 /// Useful for alt-text.
1163 ///
1164 /// - Headings, links, and formatting are stripped.
1165 /// - Inline code is rendered as-is, surrounded by backticks.
1166 /// - HTML and code blocks are ignored.
1167 crate fn plain_text_summary(md: &str) -> String {
1168     if md.is_empty() {
1169         return String::new();
1170     }
1171
1172     let mut s = String::with_capacity(md.len() * 3 / 2);
1173
1174     for event in Parser::new_ext(md, summary_opts()) {
1175         match &event {
1176             Event::Text(text) => s.push_str(text),
1177             Event::Code(code) => {
1178                 s.push('`');
1179                 s.push_str(code);
1180                 s.push('`');
1181             }
1182             Event::HardBreak | Event::SoftBreak => s.push(' '),
1183             Event::Start(Tag::CodeBlock(..)) => break,
1184             Event::End(Tag::Paragraph) => break,
1185             Event::End(Tag::Heading(..)) => break,
1186             _ => (),
1187         }
1188     }
1189
1190     s
1191 }
1192
1193 #[derive(Debug)]
1194 crate struct MarkdownLink {
1195     pub kind: LinkType,
1196     pub link: String,
1197     pub range: Range<usize>,
1198 }
1199
1200 crate fn markdown_links(md: &str) -> Vec<MarkdownLink> {
1201     if md.is_empty() {
1202         return vec![];
1203     }
1204
1205     let links = RefCell::new(vec![]);
1206
1207     // FIXME: remove this function once pulldown_cmark can provide spans for link definitions.
1208     let locate = |s: &str, fallback: Range<usize>| unsafe {
1209         let s_start = s.as_ptr();
1210         let s_end = s_start.add(s.len());
1211         let md_start = md.as_ptr();
1212         let md_end = md_start.add(md.len());
1213         if md_start <= s_start && s_end <= md_end {
1214             let start = s_start.offset_from(md_start) as usize;
1215             let end = s_end.offset_from(md_start) as usize;
1216             start..end
1217         } else {
1218             fallback
1219         }
1220     };
1221
1222     let span_for_link = |link: &CowStr<'_>, span: Range<usize>| {
1223         // For diagnostics, we want to underline the link's definition but `span` will point at
1224         // where the link is used. This is a problem for reference-style links, where the definition
1225         // is separate from the usage.
1226         match link {
1227             // `Borrowed` variant means the string (the link's destination) may come directly from
1228             // the markdown text and we can locate the original link destination.
1229             // NOTE: LinkReplacer also provides `Borrowed` but possibly from other sources,
1230             // so `locate()` can fall back to use `span`.
1231             CowStr::Borrowed(s) => locate(s, span),
1232
1233             // For anything else, we can only use the provided range.
1234             CowStr::Boxed(_) | CowStr::Inlined(_) => span,
1235         }
1236     };
1237
1238     let mut push = |link: BrokenLink<'_>| {
1239         let span = span_for_link(&CowStr::Borrowed(link.reference), link.span);
1240         links.borrow_mut().push(MarkdownLink {
1241             kind: LinkType::ShortcutUnknown,
1242             link: link.reference.to_owned(),
1243             range: span,
1244         });
1245         None
1246     };
1247     let p = Parser::new_with_broken_link_callback(md, main_body_opts(), Some(&mut push))
1248         .into_offset_iter();
1249
1250     // There's no need to thread an IdMap through to here because
1251     // the IDs generated aren't going to be emitted anywhere.
1252     let mut ids = IdMap::new();
1253     let iter = Footnotes::new(HeadingLinks::new(p, None, &mut ids));
1254
1255     for ev in iter {
1256         if let Event::Start(Tag::Link(kind, dest, _)) = ev.0 {
1257             debug!("found link: {}", dest);
1258             let span = span_for_link(&dest, ev.1);
1259             links.borrow_mut().push(MarkdownLink { kind, link: dest.into_string(), range: span });
1260         }
1261     }
1262
1263     links.into_inner()
1264 }
1265
1266 #[derive(Debug)]
1267 crate struct RustCodeBlock {
1268     /// The range in the markdown that the code block occupies. Note that this includes the fences
1269     /// for fenced code blocks.
1270     crate range: Range<usize>,
1271     /// The range in the markdown that the code within the code block occupies.
1272     crate code: Range<usize>,
1273     crate is_fenced: bool,
1274     crate syntax: Option<String>,
1275     crate is_ignore: bool,
1276 }
1277
1278 /// Returns a range of bytes for each code block in the markdown that is tagged as `rust` or
1279 /// untagged (and assumed to be rust).
1280 crate fn rust_code_blocks(md: &str, extra_info: &ExtraInfo<'_>) -> Vec<RustCodeBlock> {
1281     let mut code_blocks = vec![];
1282
1283     if md.is_empty() {
1284         return code_blocks;
1285     }
1286
1287     let mut p = Parser::new_ext(md, main_body_opts()).into_offset_iter();
1288
1289     while let Some((event, offset)) = p.next() {
1290         if let Event::Start(Tag::CodeBlock(syntax)) = event {
1291             let (syntax, code_start, code_end, range, is_fenced, is_ignore) = match syntax {
1292                 CodeBlockKind::Fenced(syntax) => {
1293                     let syntax = syntax.as_ref();
1294                     let lang_string = if syntax.is_empty() {
1295                         Default::default()
1296                     } else {
1297                         LangString::parse(&*syntax, ErrorCodes::Yes, false, Some(extra_info))
1298                     };
1299                     if !lang_string.rust {
1300                         continue;
1301                     }
1302                     let is_ignore = lang_string.ignore != Ignore::None;
1303                     let syntax = if syntax.is_empty() { None } else { Some(syntax.to_owned()) };
1304                     let (code_start, mut code_end) = match p.next() {
1305                         Some((Event::Text(_), offset)) => (offset.start, offset.end),
1306                         Some((_, sub_offset)) => {
1307                             let code = Range { start: sub_offset.start, end: sub_offset.start };
1308                             code_blocks.push(RustCodeBlock {
1309                                 is_fenced: true,
1310                                 range: offset,
1311                                 code,
1312                                 syntax,
1313                                 is_ignore,
1314                             });
1315                             continue;
1316                         }
1317                         None => {
1318                             let code = Range { start: offset.end, end: offset.end };
1319                             code_blocks.push(RustCodeBlock {
1320                                 is_fenced: true,
1321                                 range: offset,
1322                                 code,
1323                                 syntax,
1324                                 is_ignore,
1325                             });
1326                             continue;
1327                         }
1328                     };
1329                     while let Some((Event::Text(_), offset)) = p.next() {
1330                         code_end = offset.end;
1331                     }
1332                     (syntax, code_start, code_end, offset, true, is_ignore)
1333                 }
1334                 CodeBlockKind::Indented => {
1335                     // The ending of the offset goes too far sometime so we reduce it by one in
1336                     // these cases.
1337                     if offset.end > offset.start && md.get(offset.end..=offset.end) == Some(&"\n") {
1338                         (
1339                             None,
1340                             offset.start,
1341                             offset.end,
1342                             Range { start: offset.start, end: offset.end - 1 },
1343                             false,
1344                             false,
1345                         )
1346                     } else {
1347                         (None, offset.start, offset.end, offset, false, false)
1348                     }
1349                 }
1350             };
1351
1352             code_blocks.push(RustCodeBlock {
1353                 is_fenced,
1354                 range,
1355                 code: Range { start: code_start, end: code_end },
1356                 syntax,
1357                 is_ignore,
1358             });
1359         }
1360     }
1361
1362     code_blocks
1363 }
1364
1365 #[derive(Clone, Default, Debug)]
1366 pub struct IdMap {
1367     map: FxHashMap<String, usize>,
1368 }
1369
1370 fn init_id_map() -> FxHashMap<String, usize> {
1371     let mut map = FxHashMap::default();
1372     // This is the list of IDs used in Javascript.
1373     map.insert("help".to_owned(), 1);
1374     // This is the list of IDs used in HTML generated in Rust (including the ones
1375     // used in tera template files).
1376     map.insert("mainThemeStyle".to_owned(), 1);
1377     map.insert("themeStyle".to_owned(), 1);
1378     map.insert("theme-picker".to_owned(), 1);
1379     map.insert("theme-choices".to_owned(), 1);
1380     map.insert("settings-menu".to_owned(), 1);
1381     map.insert("help-button".to_owned(), 1);
1382     map.insert("main".to_owned(), 1);
1383     map.insert("search".to_owned(), 1);
1384     map.insert("crate-search".to_owned(), 1);
1385     map.insert("render-detail".to_owned(), 1);
1386     map.insert("toggle-all-docs".to_owned(), 1);
1387     map.insert("all-types".to_owned(), 1);
1388     map.insert("default-settings".to_owned(), 1);
1389     map.insert("rustdoc-vars".to_owned(), 1);
1390     map.insert("sidebar-vars".to_owned(), 1);
1391     map.insert("copy-path".to_owned(), 1);
1392     map.insert("TOC".to_owned(), 1);
1393     // This is the list of IDs used by rustdoc sections (but still generated by
1394     // rustdoc).
1395     map.insert("fields".to_owned(), 1);
1396     map.insert("variants".to_owned(), 1);
1397     map.insert("implementors-list".to_owned(), 1);
1398     map.insert("synthetic-implementors-list".to_owned(), 1);
1399     map.insert("foreign-impls".to_owned(), 1);
1400     map.insert("implementations".to_owned(), 1);
1401     map.insert("trait-implementations".to_owned(), 1);
1402     map.insert("synthetic-implementations".to_owned(), 1);
1403     map.insert("blanket-implementations".to_owned(), 1);
1404     map.insert("associated-types".to_owned(), 1);
1405     map.insert("associated-const".to_owned(), 1);
1406     map.insert("required-methods".to_owned(), 1);
1407     map.insert("provided-methods".to_owned(), 1);
1408     map.insert("implementors".to_owned(), 1);
1409     map.insert("synthetic-implementors".to_owned(), 1);
1410     map.insert("trait-implementations-list".to_owned(), 1);
1411     map.insert("synthetic-implementations-list".to_owned(), 1);
1412     map.insert("blanket-implementations-list".to_owned(), 1);
1413     map.insert("deref-methods".to_owned(), 1);
1414     map
1415 }
1416
1417 impl IdMap {
1418     pub fn new() -> Self {
1419         IdMap { map: init_id_map() }
1420     }
1421
1422     crate fn derive<S: AsRef<str> + ToString>(&mut self, candidate: S) -> String {
1423         let id = match self.map.get_mut(candidate.as_ref()) {
1424             None => candidate.to_string(),
1425             Some(a) => {
1426                 let id = format!("{}-{}", candidate.as_ref(), *a);
1427                 *a += 1;
1428                 id
1429             }
1430         };
1431
1432         self.map.insert(id.clone(), 1);
1433         id
1434     }
1435 }