]> git.lizzy.rs Git - rust.git/blob - src/librustdoc/lib.rs
Add option to control doctest run directory
[rust.git] / src / librustdoc / lib.rs
1 #![doc(
2     html_root_url = "https://doc.rust-lang.org/nightly/",
3     html_playground_url = "https://play.rust-lang.org/"
4 )]
5 #![feature(rustc_private)]
6 #![feature(array_methods)]
7 #![feature(box_patterns)]
8 #![feature(box_syntax)]
9 #![feature(in_band_lifetimes)]
10 #![feature(nll)]
11 #![feature(or_patterns)]
12 #![feature(peekable_next_if)]
13 #![feature(test)]
14 #![feature(crate_visibility_modifier)]
15 #![feature(never_type)]
16 #![feature(once_cell)]
17 #![feature(type_ascription)]
18 #![feature(str_split_once)]
19 #![feature(iter_intersperse)]
20 #![recursion_limit = "256"]
21
22 #[macro_use]
23 extern crate lazy_static;
24 #[macro_use]
25 extern crate tracing;
26
27 // N.B. these need `extern crate` even in 2018 edition
28 // because they're loaded implicitly from the sysroot.
29 // The reason they're loaded from the sysroot is because
30 // the rustdoc artifacts aren't stored in rustc's cargo target directory.
31 // So if `rustc` was specified in Cargo.toml, this would spuriously rebuild crates.
32 //
33 // Dependencies listed in Cargo.toml do not need `extern crate`.
34 extern crate rustc_ast;
35 extern crate rustc_ast_pretty;
36 extern crate rustc_attr;
37 extern crate rustc_data_structures;
38 extern crate rustc_driver;
39 extern crate rustc_errors;
40 extern crate rustc_expand;
41 extern crate rustc_feature;
42 extern crate rustc_hir;
43 extern crate rustc_hir_pretty;
44 extern crate rustc_index;
45 extern crate rustc_infer;
46 extern crate rustc_interface;
47 extern crate rustc_lexer;
48 extern crate rustc_lint;
49 extern crate rustc_metadata;
50 extern crate rustc_middle;
51 extern crate rustc_mir;
52 extern crate rustc_parse;
53 extern crate rustc_resolve;
54 extern crate rustc_session;
55 extern crate rustc_span as rustc_span;
56 extern crate rustc_target;
57 extern crate rustc_trait_selection;
58 extern crate rustc_typeck;
59 extern crate test as testing;
60
61 use std::default::Default;
62 use std::env;
63 use std::process;
64
65 use rustc_driver::abort_on_err;
66 use rustc_errors::ErrorReported;
67 use rustc_interface::interface;
68 use rustc_middle::ty;
69 use rustc_session::config::{make_crate_type_option, ErrorOutputType, RustcOptGroup};
70 use rustc_session::getopts;
71 use rustc_session::{early_error, early_warn};
72
73 #[macro_use]
74 mod externalfiles;
75
76 mod clean;
77 mod config;
78 mod core;
79 mod docfs;
80 mod doctree;
81 #[macro_use]
82 mod error;
83 mod doctest;
84 mod fold;
85 crate mod formats;
86 pub mod html;
87 mod json;
88 mod markdown;
89 mod passes;
90 mod theme;
91 mod visit_ast;
92 mod visit_lib;
93
94 pub fn main() {
95     rustc_driver::set_sigpipe_handler();
96     rustc_driver::install_ice_hook();
97     rustc_driver::init_env_logger("RUSTDOC_LOG");
98     let exit_code = rustc_driver::catch_with_exit_code(|| match get_args() {
99         Some(args) => main_args(&args),
100         _ => Err(ErrorReported),
101     });
102     process::exit(exit_code);
103 }
104
105 fn get_args() -> Option<Vec<String>> {
106     env::args_os()
107         .enumerate()
108         .map(|(i, arg)| {
109             arg.into_string()
110                 .map_err(|arg| {
111                     early_warn(
112                         ErrorOutputType::default(),
113                         &format!("Argument {} is not valid Unicode: {:?}", i, arg),
114                     );
115                 })
116                 .ok()
117         })
118         .collect()
119 }
120
121 fn opts() -> Vec<RustcOptGroup> {
122     let stable: fn(_, fn(&mut getopts::Options) -> &mut _) -> _ = RustcOptGroup::stable;
123     let unstable: fn(_, fn(&mut getopts::Options) -> &mut _) -> _ = RustcOptGroup::unstable;
124     vec![
125         stable("h", |o| o.optflag("h", "help", "show this help message")),
126         stable("V", |o| o.optflag("V", "version", "print rustdoc's version")),
127         stable("v", |o| o.optflag("v", "verbose", "use verbose output")),
128         stable("r", |o| {
129             o.optopt("r", "input-format", "the input type of the specified file", "[rust]")
130         }),
131         stable("w", |o| o.optopt("w", "output-format", "the output type to write", "[html]")),
132         stable("o", |o| o.optopt("o", "output", "where to place the output", "PATH")),
133         stable("crate-name", |o| {
134             o.optopt("", "crate-name", "specify the name of this crate", "NAME")
135         }),
136         make_crate_type_option(),
137         stable("L", |o| {
138             o.optmulti("L", "library-path", "directory to add to crate search path", "DIR")
139         }),
140         stable("cfg", |o| o.optmulti("", "cfg", "pass a --cfg to rustc", "")),
141         stable("extern", |o| o.optmulti("", "extern", "pass an --extern to rustc", "NAME[=PATH]")),
142         unstable("extern-html-root-url", |o| {
143             o.optmulti("", "extern-html-root-url", "base URL to use for dependencies", "NAME=URL")
144         }),
145         stable("plugin-path", |o| o.optmulti("", "plugin-path", "removed", "DIR")),
146         stable("C", |o| {
147             o.optmulti("C", "codegen", "pass a codegen option to rustc", "OPT[=VALUE]")
148         }),
149         stable("passes", |o| {
150             o.optmulti(
151                 "",
152                 "passes",
153                 "list of passes to also run, you might want to pass it multiple times; a value of \
154                  `list` will print available passes",
155                 "PASSES",
156             )
157         }),
158         stable("plugins", |o| o.optmulti("", "plugins", "removed", "PLUGINS")),
159         stable("no-default", |o| o.optflag("", "no-defaults", "don't run the default passes")),
160         stable("document-private-items", |o| {
161             o.optflag("", "document-private-items", "document private items")
162         }),
163         unstable("document-hidden-items", |o| {
164             o.optflag("", "document-hidden-items", "document items that have doc(hidden)")
165         }),
166         stable("test", |o| o.optflag("", "test", "run code examples as tests")),
167         stable("test-args", |o| {
168             o.optmulti("", "test-args", "arguments to pass to the test runner", "ARGS")
169         }),
170         unstable("test-run-directory", |o| {
171             o.optopt(
172                 "",
173                 "test-run-directory",
174                 "The working directory in which to run tests",
175                 "PATH",
176             )
177         }),
178         stable("target", |o| o.optopt("", "target", "target triple to document", "TRIPLE")),
179         stable("markdown-css", |o| {
180             o.optmulti(
181                 "",
182                 "markdown-css",
183                 "CSS files to include via <link> in a rendered Markdown file",
184                 "FILES",
185             )
186         }),
187         stable("html-in-header", |o| {
188             o.optmulti(
189                 "",
190                 "html-in-header",
191                 "files to include inline in the <head> section of a rendered Markdown file \
192                  or generated documentation",
193                 "FILES",
194             )
195         }),
196         stable("html-before-content", |o| {
197             o.optmulti(
198                 "",
199                 "html-before-content",
200                 "files to include inline between <body> and the content of a rendered \
201                  Markdown file or generated documentation",
202                 "FILES",
203             )
204         }),
205         stable("html-after-content", |o| {
206             o.optmulti(
207                 "",
208                 "html-after-content",
209                 "files to include inline between the content and </body> of a rendered \
210                  Markdown file or generated documentation",
211                 "FILES",
212             )
213         }),
214         unstable("markdown-before-content", |o| {
215             o.optmulti(
216                 "",
217                 "markdown-before-content",
218                 "files to include inline between <body> and the content of a rendered \
219                  Markdown file or generated documentation",
220                 "FILES",
221             )
222         }),
223         unstable("markdown-after-content", |o| {
224             o.optmulti(
225                 "",
226                 "markdown-after-content",
227                 "files to include inline between the content and </body> of a rendered \
228                  Markdown file or generated documentation",
229                 "FILES",
230             )
231         }),
232         stable("markdown-playground-url", |o| {
233             o.optopt("", "markdown-playground-url", "URL to send code snippets to", "URL")
234         }),
235         stable("markdown-no-toc", |o| {
236             o.optflag("", "markdown-no-toc", "don't include table of contents")
237         }),
238         stable("e", |o| {
239             o.optopt(
240                 "e",
241                 "extend-css",
242                 "To add some CSS rules with a given file to generate doc with your \
243                  own theme. However, your theme might break if the rustdoc's generated HTML \
244                  changes, so be careful!",
245                 "PATH",
246             )
247         }),
248         unstable("Z", |o| {
249             o.optmulti("Z", "", "internal and debugging options (only on nightly build)", "FLAG")
250         }),
251         stable("sysroot", |o| o.optopt("", "sysroot", "Override the system root", "PATH")),
252         unstable("playground-url", |o| {
253             o.optopt(
254                 "",
255                 "playground-url",
256                 "URL to send code snippets to, may be reset by --markdown-playground-url \
257                  or `#![doc(html_playground_url=...)]`",
258                 "URL",
259             )
260         }),
261         unstable("display-warnings", |o| {
262             o.optflag("", "display-warnings", "to print code warnings when testing doc")
263         }),
264         stable("crate-version", |o| {
265             o.optopt("", "crate-version", "crate version to print into documentation", "VERSION")
266         }),
267         unstable("sort-modules-by-appearance", |o| {
268             o.optflag(
269                 "",
270                 "sort-modules-by-appearance",
271                 "sort modules by where they appear in the program, rather than alphabetically",
272             )
273         }),
274         stable("default-theme", |o| {
275             o.optopt(
276                 "",
277                 "default-theme",
278                 "Set the default theme. THEME should be the theme name, generally lowercase. \
279                  If an unknown default theme is specified, the builtin default is used. \
280                  The set of themes, and the rustdoc built-in default, are not stable.",
281                 "THEME",
282             )
283         }),
284         unstable("default-setting", |o| {
285             o.optmulti(
286                 "",
287                 "default-setting",
288                 "Default value for a rustdoc setting (used when \"rustdoc-SETTING\" is absent \
289                  from web browser Local Storage). If VALUE is not supplied, \"true\" is used. \
290                  Supported SETTINGs and VALUEs are not documented and not stable.",
291                 "SETTING[=VALUE]",
292             )
293         }),
294         stable("theme", |o| {
295             o.optmulti(
296                 "",
297                 "theme",
298                 "additional themes which will be added to the generated docs",
299                 "FILES",
300             )
301         }),
302         stable("check-theme", |o| {
303             o.optmulti("", "check-theme", "check if given theme is valid", "FILES")
304         }),
305         unstable("resource-suffix", |o| {
306             o.optopt(
307                 "",
308                 "resource-suffix",
309                 "suffix to add to CSS and JavaScript files, e.g., \"light.css\" will become \
310                  \"light-suffix.css\"",
311                 "PATH",
312             )
313         }),
314         stable("edition", |o| {
315             o.optopt(
316                 "",
317                 "edition",
318                 "edition to use when compiling rust code (default: 2015)",
319                 "EDITION",
320             )
321         }),
322         stable("color", |o| {
323             o.optopt(
324                 "",
325                 "color",
326                 "Configure coloring of output:
327                                           auto   = colorize, if output goes to a tty (default);
328                                           always = always colorize output;
329                                           never  = never colorize output",
330                 "auto|always|never",
331             )
332         }),
333         stable("error-format", |o| {
334             o.optopt(
335                 "",
336                 "error-format",
337                 "How errors and other messages are produced",
338                 "human|json|short",
339             )
340         }),
341         stable("json", |o| {
342             o.optopt("", "json", "Configure the structure of JSON diagnostics", "CONFIG")
343         }),
344         unstable("disable-minification", |o| {
345             o.optflag("", "disable-minification", "Disable minification applied on JS files")
346         }),
347         stable("warn", |o| o.optmulti("W", "warn", "Set lint warnings", "OPT")),
348         stable("allow", |o| o.optmulti("A", "allow", "Set lint allowed", "OPT")),
349         stable("deny", |o| o.optmulti("D", "deny", "Set lint denied", "OPT")),
350         stable("forbid", |o| o.optmulti("F", "forbid", "Set lint forbidden", "OPT")),
351         stable("cap-lints", |o| {
352             o.optmulti(
353                 "",
354                 "cap-lints",
355                 "Set the most restrictive lint level. \
356                  More restrictive lints are capped at this \
357                  level. By default, it is at `forbid` level.",
358                 "LEVEL",
359             )
360         }),
361         unstable("index-page", |o| {
362             o.optopt("", "index-page", "Markdown file to be used as index page", "PATH")
363         }),
364         unstable("enable-index-page", |o| {
365             o.optflag("", "enable-index-page", "To enable generation of the index page")
366         }),
367         unstable("static-root-path", |o| {
368             o.optopt(
369                 "",
370                 "static-root-path",
371                 "Path string to force loading static files from in output pages. \
372                  If not set, uses combinations of '../' to reach the documentation root.",
373                 "PATH",
374             )
375         }),
376         unstable("disable-per-crate-search", |o| {
377             o.optflag(
378                 "",
379                 "disable-per-crate-search",
380                 "disables generating the crate selector on the search box",
381             )
382         }),
383         unstable("persist-doctests", |o| {
384             o.optopt(
385                 "",
386                 "persist-doctests",
387                 "Directory to persist doctest executables into",
388                 "PATH",
389             )
390         }),
391         unstable("show-coverage", |o| {
392             o.optflag(
393                 "",
394                 "show-coverage",
395                 "calculate percentage of public items with documentation",
396             )
397         }),
398         unstable("enable-per-target-ignores", |o| {
399             o.optflag(
400                 "",
401                 "enable-per-target-ignores",
402                 "parse ignore-foo for ignoring doctests on a per-target basis",
403             )
404         }),
405         unstable("runtool", |o| {
406             o.optopt(
407                 "",
408                 "runtool",
409                 "",
410                 "The tool to run tests with when building for a different target than host",
411             )
412         }),
413         unstable("runtool-arg", |o| {
414             o.optmulti(
415                 "",
416                 "runtool-arg",
417                 "",
418                 "One (of possibly many) arguments to pass to the runtool",
419             )
420         }),
421         unstable("test-builder", |o| {
422             o.optopt("", "test-builder", "The rustc-like binary to use as the test builder", "PATH")
423         }),
424         unstable("check", |o| o.optflag("", "check", "Run rustdoc checks")),
425     ]
426 }
427
428 fn usage(argv0: &str) {
429     let mut options = getopts::Options::new();
430     for option in opts() {
431         (option.apply)(&mut options);
432     }
433     println!("{}", options.usage(&format!("{} [options] <input>", argv0)));
434     println!("More information available at https://doc.rust-lang.org/rustdoc/what-is-rustdoc.html")
435 }
436
437 /// A result type used by several functions under `main()`.
438 type MainResult = Result<(), ErrorReported>;
439
440 fn main_args(args: &[String]) -> MainResult {
441     let mut options = getopts::Options::new();
442     for option in opts() {
443         (option.apply)(&mut options);
444     }
445     let matches = match options.parse(&args[1..]) {
446         Ok(m) => m,
447         Err(err) => {
448             early_error(ErrorOutputType::default(), &err.to_string());
449         }
450     };
451
452     // Note that we discard any distinction between different non-zero exit
453     // codes from `from_matches` here.
454     let options = match config::Options::from_matches(&matches) {
455         Ok(opts) => opts,
456         Err(code) => return if code == 0 { Ok(()) } else { Err(ErrorReported) },
457     };
458     rustc_interface::util::setup_callbacks_and_run_in_thread_pool_with_globals(
459         options.edition,
460         1, // this runs single-threaded, even in a parallel compiler
461         &None,
462         move || main_options(options),
463     )
464 }
465
466 fn wrap_return(diag: &rustc_errors::Handler, res: Result<(), String>) -> MainResult {
467     match res {
468         Ok(()) => Ok(()),
469         Err(err) => {
470             diag.struct_err(&err).emit();
471             Err(ErrorReported)
472         }
473     }
474 }
475
476 fn run_renderer<'tcx, T: formats::FormatRenderer<'tcx>>(
477     krate: clean::Crate,
478     renderopts: config::RenderOptions,
479     render_info: config::RenderInfo,
480     diag: &rustc_errors::Handler,
481     edition: rustc_span::edition::Edition,
482     tcx: ty::TyCtxt<'tcx>,
483 ) -> MainResult {
484     match formats::run_format::<T>(krate, renderopts, render_info, &diag, edition, tcx) {
485         Ok(_) => Ok(()),
486         Err(e) => {
487             let mut msg = diag.struct_err(&format!("couldn't generate documentation: {}", e.error));
488             let file = e.file.display().to_string();
489             if file.is_empty() {
490                 msg.emit()
491             } else {
492                 msg.note(&format!("failed to create or modify \"{}\"", file)).emit()
493             }
494             Err(ErrorReported)
495         }
496     }
497 }
498
499 fn main_options(options: config::Options) -> MainResult {
500     let diag = core::new_handler(options.error_format, None, &options.debugging_opts);
501
502     match (options.should_test, options.markdown_input()) {
503         (true, true) => return wrap_return(&diag, markdown::test(options)),
504         (true, false) => return doctest::run(options),
505         (false, true) => {
506             return wrap_return(
507                 &diag,
508                 markdown::render(&options.input, options.render_options, options.edition),
509             );
510         }
511         (false, false) => {}
512     }
513
514     // need to move these items separately because we lose them by the time the closure is called,
515     // but we can't create the Handler ahead of time because it's not Send
516     let diag_opts = (options.error_format, options.edition, options.debugging_opts.clone());
517     let show_coverage = options.show_coverage;
518     let run_check = options.run_check;
519
520     // First, parse the crate and extract all relevant information.
521     info!("starting to run rustc");
522
523     // Interpret the input file as a rust source file, passing it through the
524     // compiler all the way through the analysis passes. The rustdoc output is
525     // then generated from the cleaned AST of the crate. This runs all the
526     // plug/cleaning passes.
527     let crate_version = options.crate_version.clone();
528
529     let default_passes = options.default_passes;
530     let output_format = options.output_format;
531     // FIXME: fix this clone (especially render_options)
532     let externs = options.externs.clone();
533     let manual_passes = options.manual_passes.clone();
534     let render_options = options.render_options.clone();
535     let config = core::create_config(options);
536
537     interface::create_compiler_and_run(config, |compiler| {
538         compiler.enter(|queries| {
539             let sess = compiler.session();
540
541             // We need to hold on to the complete resolver, so we cause everything to be
542             // cloned for the analysis passes to use. Suboptimal, but necessary in the
543             // current architecture.
544             let resolver = core::create_resolver(externs, queries, &sess);
545
546             if sess.has_errors() {
547                 sess.fatal("Compilation failed, aborting rustdoc");
548             }
549
550             let mut global_ctxt = abort_on_err(queries.global_ctxt(), sess).take();
551
552             global_ctxt.enter(|tcx| {
553                 let (mut krate, render_info, render_opts) = sess.time("run_global_ctxt", || {
554                     core::run_global_ctxt(
555                         tcx,
556                         resolver,
557                         default_passes,
558                         manual_passes,
559                         render_options,
560                         output_format,
561                     )
562                 });
563                 info!("finished with rustc");
564
565                 krate.version = crate_version;
566
567                 if show_coverage {
568                     // if we ran coverage, bail early, we don't need to also generate docs at this point
569                     // (also we didn't load in any of the useful passes)
570                     return Ok(());
571                 } else if run_check {
572                     // Since we're in "check" mode, no need to generate anything beyond this point.
573                     return Ok(());
574                 }
575
576                 info!("going to format");
577                 let (error_format, edition, debugging_options) = diag_opts;
578                 let diag = core::new_handler(error_format, None, &debugging_options);
579                 match output_format {
580                     None | Some(config::OutputFormat::Html) => sess.time("render_html", || {
581                         run_renderer::<html::render::Context<'_>>(
582                             krate,
583                             render_opts,
584                             render_info,
585                             &diag,
586                             edition,
587                             tcx,
588                         )
589                     }),
590                     Some(config::OutputFormat::Json) => sess.time("render_json", || {
591                         run_renderer::<json::JsonRenderer<'_>>(
592                             krate,
593                             render_opts,
594                             render_info,
595                             &diag,
596                             edition,
597                             tcx,
598                         )
599                     }),
600                 }
601             })
602         })
603     })
604 }