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