]> git.lizzy.rs Git - rust.git/blob - src/librustdoc/doctest.rs
rustdoc: Coalesce some `run_test` args as one `LangString` arg
[rust.git] / src / librustdoc / doctest.rs
1 use rustc_ast as ast;
2 use rustc_data_structures::fx::{FxHashMap, FxHashSet};
3 use rustc_data_structures::sync::Lrc;
4 use rustc_errors::{ColorConfig, ErrorReported, FatalError};
5 use rustc_hir as hir;
6 use rustc_hir::def_id::LOCAL_CRATE;
7 use rustc_hir::intravisit;
8 use rustc_hir::{HirId, CRATE_HIR_ID};
9 use rustc_interface::interface;
10 use rustc_middle::hir::map::Map;
11 use rustc_middle::ty::TyCtxt;
12 use rustc_session::config::{self, CrateType, ErrorOutputType};
13 use rustc_session::{lint, DiagnosticOutput, Session};
14 use rustc_span::edition::Edition;
15 use rustc_span::source_map::SourceMap;
16 use rustc_span::symbol::sym;
17 use rustc_span::Symbol;
18 use rustc_span::{BytePos, FileName, Pos, Span, DUMMY_SP};
19 use rustc_target::spec::TargetTriple;
20 use tempfile::Builder as TempFileBuilder;
21
22 use std::env;
23 use std::io::{self, Write};
24 use std::panic;
25 use std::path::PathBuf;
26 use std::process::{self, Command, Stdio};
27 use std::str;
28 use std::sync::atomic::{AtomicUsize, Ordering};
29 use std::sync::{Arc, Mutex};
30
31 use crate::clean::{types::AttributesExt, Attributes};
32 use crate::config::Options;
33 use crate::html::markdown::{self, ErrorCodes, Ignore, LangString};
34 use crate::lint::init_lints;
35 use crate::passes::span_of_attrs;
36
37 #[derive(Clone, Default)]
38 crate struct TestOptions {
39     /// Whether to disable the default `extern crate my_crate;` when creating doctests.
40     crate no_crate_inject: bool,
41     /// Additional crate-level attributes to add to doctests.
42     crate attrs: Vec<String>,
43 }
44
45 crate fn run(options: Options) -> Result<(), ErrorReported> {
46     let input = config::Input::File(options.input.clone());
47
48     let invalid_codeblock_attributes_name = crate::lint::INVALID_CODEBLOCK_ATTRIBUTES.name;
49
50     // See core::create_config for what's going on here.
51     let allowed_lints = vec![
52         invalid_codeblock_attributes_name.to_owned(),
53         lint::builtin::UNKNOWN_LINTS.name.to_owned(),
54         lint::builtin::RENAMED_AND_REMOVED_LINTS.name.to_owned(),
55     ];
56
57     let (lint_opts, lint_caps) = init_lints(allowed_lints, options.lint_opts.clone(), |lint| {
58         if lint.name == invalid_codeblock_attributes_name {
59             None
60         } else {
61             Some((lint.name_lower(), lint::Allow))
62         }
63     });
64
65     debug!(?lint_opts);
66
67     let crate_types =
68         if options.proc_macro_crate { vec![CrateType::ProcMacro] } else { vec![CrateType::Rlib] };
69
70     let sessopts = config::Options {
71         maybe_sysroot: options.maybe_sysroot.clone(),
72         search_paths: options.libs.clone(),
73         crate_types,
74         lint_opts,
75         lint_cap: Some(options.lint_cap.unwrap_or(lint::Forbid)),
76         cg: options.codegen_options.clone(),
77         externs: options.externs.clone(),
78         unstable_features: options.render_options.unstable_features,
79         actually_rustdoc: true,
80         edition: options.edition,
81         target_triple: options.target.clone(),
82         crate_name: options.crate_name.clone(),
83         ..config::Options::default()
84     };
85
86     let mut cfgs = options.cfgs.clone();
87     cfgs.push("doc".to_owned());
88     cfgs.push("doctest".to_owned());
89     let config = interface::Config {
90         opts: sessopts,
91         crate_cfg: interface::parse_cfgspecs(cfgs),
92         input,
93         input_path: None,
94         output_file: None,
95         output_dir: None,
96         file_loader: None,
97         diagnostic_output: DiagnosticOutput::Default,
98         stderr: None,
99         lint_caps,
100         parse_sess_created: None,
101         register_lints: Some(box crate::lint::register_lints),
102         override_queries: None,
103         make_codegen_backend: None,
104         registry: rustc_driver::diagnostics_registry(),
105     };
106
107     let test_args = options.test_args.clone();
108     let nocapture = options.nocapture;
109     let externs = options.externs.clone();
110     let json_unused_externs = options.json_unused_externs;
111
112     let res = interface::run_compiler(config, |compiler| {
113         compiler.enter(|queries| {
114             let mut global_ctxt = queries.global_ctxt()?.take();
115
116             let collector = global_ctxt.enter(|tcx| {
117                 let crate_attrs = tcx.hir().attrs(CRATE_HIR_ID);
118
119                 let opts = scrape_test_config(crate_attrs);
120                 let enable_per_target_ignores = options.enable_per_target_ignores;
121                 let mut collector = Collector::new(
122                     tcx.crate_name(LOCAL_CRATE),
123                     options,
124                     false,
125                     opts,
126                     Some(compiler.session().parse_sess.clone_source_map()),
127                     None,
128                     enable_per_target_ignores,
129                 );
130
131                 let mut hir_collector = HirCollector {
132                     sess: compiler.session(),
133                     collector: &mut collector,
134                     map: tcx.hir(),
135                     codes: ErrorCodes::from(
136                         compiler.session().opts.unstable_features.is_nightly_build(),
137                     ),
138                     tcx,
139                 };
140                 hir_collector.visit_testable(
141                     "".to_string(),
142                     CRATE_HIR_ID,
143                     tcx.hir().span(CRATE_HIR_ID),
144                     |this| tcx.hir().walk_toplevel_module(this),
145                 );
146
147                 collector
148             });
149             if compiler.session().diagnostic().has_errors_or_lint_errors() {
150                 FatalError.raise();
151             }
152
153             let unused_extern_reports = collector.unused_extern_reports.clone();
154             let compiling_test_count = collector.compiling_test_count.load(Ordering::SeqCst);
155             let ret: Result<_, ErrorReported> =
156                 Ok((collector.tests, unused_extern_reports, compiling_test_count));
157             ret
158         })
159     });
160     let (tests, unused_extern_reports, compiling_test_count) = match res {
161         Ok(res) => res,
162         Err(ErrorReported) => return Err(ErrorReported),
163     };
164
165     run_tests(test_args, nocapture, tests);
166
167     // Collect and warn about unused externs, but only if we've gotten
168     // reports for each doctest
169     if json_unused_externs {
170         let unused_extern_reports: Vec<_> =
171             std::mem::take(&mut unused_extern_reports.lock().unwrap());
172         if unused_extern_reports.len() == compiling_test_count {
173             let extern_names = externs.iter().map(|(name, _)| name).collect::<FxHashSet<&String>>();
174             let mut unused_extern_names = unused_extern_reports
175                 .iter()
176                 .map(|uexts| uexts.unused_extern_names.iter().collect::<FxHashSet<&String>>())
177                 .fold(extern_names, |uextsa, uextsb| {
178                     uextsa.intersection(&uextsb).copied().collect::<FxHashSet<&String>>()
179                 })
180                 .iter()
181                 .map(|v| (*v).clone())
182                 .collect::<Vec<String>>();
183             unused_extern_names.sort();
184             // Take the most severe lint level
185             let lint_level = unused_extern_reports
186                 .iter()
187                 .map(|uexts| uexts.lint_level.as_str())
188                 .max_by_key(|v| match *v {
189                     "warn" => 1,
190                     "deny" => 2,
191                     "forbid" => 3,
192                     // The allow lint level is not expected,
193                     // as if allow is specified, no message
194                     // is to be emitted.
195                     v => unreachable!("Invalid lint level '{}'", v),
196                 })
197                 .unwrap_or("warn")
198                 .to_string();
199             let uext = UnusedExterns { lint_level, unused_extern_names };
200             let unused_extern_json = serde_json::to_string(&uext).unwrap();
201             eprintln!("{}", unused_extern_json);
202         }
203     }
204
205     Ok(())
206 }
207
208 crate fn run_tests(mut test_args: Vec<String>, nocapture: bool, tests: Vec<test::TestDescAndFn>) {
209     test_args.insert(0, "rustdoctest".to_string());
210     if nocapture {
211         test_args.push("--nocapture".to_string());
212     }
213     test::test_main(&test_args, tests, None);
214 }
215
216 // Look for `#![doc(test(no_crate_inject))]`, used by crates in the std facade.
217 fn scrape_test_config(attrs: &[ast::Attribute]) -> TestOptions {
218     use rustc_ast_pretty::pprust;
219
220     let mut opts = TestOptions { no_crate_inject: false, attrs: Vec::new() };
221
222     let test_attrs: Vec<_> = attrs
223         .iter()
224         .filter(|a| a.has_name(sym::doc))
225         .flat_map(|a| a.meta_item_list().unwrap_or_else(Vec::new))
226         .filter(|a| a.has_name(sym::test))
227         .collect();
228     let attrs = test_attrs.iter().flat_map(|a| a.meta_item_list().unwrap_or(&[]));
229
230     for attr in attrs {
231         if attr.has_name(sym::no_crate_inject) {
232             opts.no_crate_inject = true;
233         }
234         if attr.has_name(sym::attr) {
235             if let Some(l) = attr.meta_item_list() {
236                 for item in l {
237                     opts.attrs.push(pprust::meta_list_item_to_string(item));
238                 }
239             }
240         }
241     }
242
243     opts
244 }
245
246 /// Documentation test failure modes.
247 enum TestFailure {
248     /// The test failed to compile.
249     CompileError,
250     /// The test is marked `compile_fail` but compiled successfully.
251     UnexpectedCompilePass,
252     /// The test failed to compile (as expected) but the compiler output did not contain all
253     /// expected error codes.
254     MissingErrorCodes(Vec<String>),
255     /// The test binary was unable to be executed.
256     ExecutionError(io::Error),
257     /// The test binary exited with a non-zero exit code.
258     ///
259     /// This typically means an assertion in the test failed or another form of panic occurred.
260     ExecutionFailure(process::Output),
261     /// The test is marked `should_panic` but the test binary executed successfully.
262     UnexpectedRunPass,
263 }
264
265 enum DirState {
266     Temp(tempfile::TempDir),
267     Perm(PathBuf),
268 }
269
270 impl DirState {
271     fn path(&self) -> &std::path::Path {
272         match self {
273             DirState::Temp(t) => t.path(),
274             DirState::Perm(p) => p.as_path(),
275         }
276     }
277 }
278
279 // NOTE: Keep this in sync with the equivalent structs in rustc
280 // and cargo.
281 // We could unify this struct the one in rustc but they have different
282 // ownership semantics, so doing so would create wasteful allocations.
283 #[derive(serde::Serialize, serde::Deserialize)]
284 struct UnusedExterns {
285     /// Lint level of the unused_crate_dependencies lint
286     lint_level: String,
287     /// List of unused externs by their names.
288     unused_extern_names: Vec<String>,
289 }
290
291 fn run_test(
292     test: &str,
293     crate_name: &str,
294     line: usize,
295     options: Options,
296     mut lang_string: LangString,
297     no_run: bool,
298     runtool: Option<String>,
299     runtool_args: Vec<String>,
300     target: TargetTriple,
301     opts: &TestOptions,
302     edition: Edition,
303     outdir: DirState,
304     path: PathBuf,
305     test_id: &str,
306     report_unused_externs: impl Fn(UnusedExterns),
307 ) -> Result<(), TestFailure> {
308     let (test, line_offset, supports_color) =
309         make_test(test, Some(crate_name), lang_string.test_harness, opts, edition, Some(test_id));
310
311     let output_file = outdir.path().join("rust_out");
312
313     let rustc_binary = options
314         .test_builder
315         .as_deref()
316         .unwrap_or_else(|| rustc_interface::util::rustc_path().expect("found rustc"));
317     let mut compiler = Command::new(&rustc_binary);
318     compiler.arg("--crate-type").arg("bin");
319     for cfg in &options.cfgs {
320         compiler.arg("--cfg").arg(&cfg);
321     }
322     if let Some(sysroot) = options.maybe_sysroot {
323         compiler.arg("--sysroot").arg(sysroot);
324     }
325     compiler.arg("--edition").arg(&edition.to_string());
326     compiler.env("UNSTABLE_RUSTDOC_TEST_PATH", path);
327     compiler.env("UNSTABLE_RUSTDOC_TEST_LINE", format!("{}", line as isize - line_offset as isize));
328     compiler.arg("-o").arg(&output_file);
329     if lang_string.test_harness {
330         compiler.arg("--test");
331     }
332     if options.json_unused_externs && !lang_string.compile_fail {
333         compiler.arg("--error-format=json");
334         compiler.arg("--json").arg("unused-externs");
335         compiler.arg("-Z").arg("unstable-options");
336         compiler.arg("-W").arg("unused_crate_dependencies");
337     }
338     for lib_str in &options.lib_strs {
339         compiler.arg("-L").arg(&lib_str);
340     }
341     for extern_str in &options.extern_strs {
342         compiler.arg("--extern").arg(&extern_str);
343     }
344     compiler.arg("-Ccodegen-units=1");
345     for codegen_options_str in &options.codegen_options_strs {
346         compiler.arg("-C").arg(&codegen_options_str);
347     }
348     for debugging_option_str in &options.debugging_opts_strs {
349         compiler.arg("-Z").arg(&debugging_option_str);
350     }
351     if no_run && !lang_string.compile_fail && options.persist_doctests.is_none() {
352         compiler.arg("--emit=metadata");
353     }
354     compiler.arg("--target").arg(match target {
355         TargetTriple::TargetTriple(s) => s,
356         TargetTriple::TargetPath(path) => {
357             path.to_str().expect("target path must be valid unicode").to_string()
358         }
359     });
360     if let ErrorOutputType::HumanReadable(kind) = options.error_format {
361         let (short, color_config) = kind.unzip();
362
363         if short {
364             compiler.arg("--error-format").arg("short");
365         }
366
367         match color_config {
368             ColorConfig::Never => {
369                 compiler.arg("--color").arg("never");
370             }
371             ColorConfig::Always => {
372                 compiler.arg("--color").arg("always");
373             }
374             ColorConfig::Auto => {
375                 compiler.arg("--color").arg(if supports_color { "always" } else { "never" });
376             }
377         }
378     }
379
380     compiler.arg("-");
381     compiler.stdin(Stdio::piped());
382     compiler.stderr(Stdio::piped());
383
384     let mut child = compiler.spawn().expect("Failed to spawn rustc process");
385     {
386         let stdin = child.stdin.as_mut().expect("Failed to open stdin");
387         stdin.write_all(test.as_bytes()).expect("could write out test sources");
388     }
389     let output = child.wait_with_output().expect("Failed to read stdout");
390
391     struct Bomb<'a>(&'a str);
392     impl Drop for Bomb<'_> {
393         fn drop(&mut self) {
394             eprint!("{}", self.0);
395         }
396     }
397     let mut out_lines = str::from_utf8(&output.stderr)
398         .unwrap()
399         .lines()
400         .filter(|l| {
401             if let Ok(uext) = serde_json::from_str::<UnusedExterns>(l) {
402                 report_unused_externs(uext);
403                 false
404             } else {
405                 true
406             }
407         })
408         .collect::<Vec<_>>();
409
410     // Add a \n to the end to properly terminate the last line,
411     // but only if there was output to be printed
412     if !out_lines.is_empty() {
413         out_lines.push("");
414     }
415
416     let out = out_lines.join("\n");
417     let _bomb = Bomb(&out);
418     match (output.status.success(), lang_string.compile_fail) {
419         (true, true) => {
420             return Err(TestFailure::UnexpectedCompilePass);
421         }
422         (true, false) => {}
423         (false, true) => {
424             if !lang_string.error_codes.is_empty() {
425                 // We used to check if the output contained "error[{}]: " but since we added the
426                 // colored output, we can't anymore because of the color escape characters before
427                 // the ":".
428                 lang_string.error_codes.retain(|err| !out.contains(&format!("error[{}]", err)));
429
430                 if !lang_string.error_codes.is_empty() {
431                     return Err(TestFailure::MissingErrorCodes(lang_string.error_codes));
432                 }
433             }
434         }
435         (false, false) => {
436             return Err(TestFailure::CompileError);
437         }
438     }
439
440     if no_run {
441         return Ok(());
442     }
443
444     // Run the code!
445     let mut cmd;
446
447     if let Some(tool) = runtool {
448         cmd = Command::new(tool);
449         cmd.args(runtool_args);
450         cmd.arg(output_file);
451     } else {
452         cmd = Command::new(output_file);
453     }
454     if let Some(run_directory) = options.test_run_directory {
455         cmd.current_dir(run_directory);
456     }
457
458     let result = if options.nocapture {
459         cmd.status().map(|status| process::Output {
460             status,
461             stdout: Vec::new(),
462             stderr: Vec::new(),
463         })
464     } else {
465         cmd.output()
466     };
467     match result {
468         Err(e) => return Err(TestFailure::ExecutionError(e)),
469         Ok(out) => {
470             if lang_string.should_panic && out.status.success() {
471                 return Err(TestFailure::UnexpectedRunPass);
472             } else if !lang_string.should_panic && !out.status.success() {
473                 return Err(TestFailure::ExecutionFailure(out));
474             }
475         }
476     }
477
478     Ok(())
479 }
480
481 /// Transforms a test into code that can be compiled into a Rust binary, and returns the number of
482 /// lines before the test code begins as well as if the output stream supports colors or not.
483 crate fn make_test(
484     s: &str,
485     crate_name: Option<&str>,
486     dont_insert_main: bool,
487     opts: &TestOptions,
488     edition: Edition,
489     test_id: Option<&str>,
490 ) -> (String, usize, bool) {
491     let (crate_attrs, everything_else, crates) = partition_source(s);
492     let everything_else = everything_else.trim();
493     let mut line_offset = 0;
494     let mut prog = String::new();
495     let mut supports_color = false;
496
497     if opts.attrs.is_empty() {
498         // If there aren't any attributes supplied by #![doc(test(attr(...)))], then allow some
499         // lints that are commonly triggered in doctests. The crate-level test attributes are
500         // commonly used to make tests fail in case they trigger warnings, so having this there in
501         // that case may cause some tests to pass when they shouldn't have.
502         prog.push_str("#![allow(unused)]\n");
503         line_offset += 1;
504     }
505
506     // Next, any attributes that came from the crate root via #![doc(test(attr(...)))].
507     for attr in &opts.attrs {
508         prog.push_str(&format!("#![{}]\n", attr));
509         line_offset += 1;
510     }
511
512     // Now push any outer attributes from the example, assuming they
513     // are intended to be crate attributes.
514     prog.push_str(&crate_attrs);
515     prog.push_str(&crates);
516
517     // Uses librustc_ast to parse the doctest and find if there's a main fn and the extern
518     // crate already is included.
519     let result = rustc_driver::catch_fatal_errors(|| {
520         rustc_span::create_session_if_not_set_then(edition, |_| {
521             use rustc_errors::emitter::{Emitter, EmitterWriter};
522             use rustc_errors::Handler;
523             use rustc_parse::maybe_new_parser_from_source_str;
524             use rustc_parse::parser::ForceCollect;
525             use rustc_session::parse::ParseSess;
526             use rustc_span::source_map::FilePathMapping;
527
528             let filename = FileName::anon_source_code(s);
529             let source = crates + everything_else;
530
531             // Any errors in parsing should also appear when the doctest is compiled for real, so just
532             // send all the errors that librustc_ast emits directly into a `Sink` instead of stderr.
533             let sm = Lrc::new(SourceMap::new(FilePathMapping::empty()));
534             supports_color =
535                 EmitterWriter::stderr(ColorConfig::Auto, None, false, false, Some(80), false)
536                     .supports_color();
537
538             let emitter =
539                 EmitterWriter::new(box io::sink(), None, false, false, false, None, false);
540
541             // FIXME(misdreavus): pass `-Z treat-err-as-bug` to the doctest parser
542             let handler = Handler::with_emitter(false, None, box emitter);
543             let sess = ParseSess::with_span_handler(handler, sm);
544
545             let mut found_main = false;
546             let mut found_extern_crate = crate_name.is_none();
547             let mut found_macro = false;
548
549             let mut parser = match maybe_new_parser_from_source_str(&sess, filename, source) {
550                 Ok(p) => p,
551                 Err(errs) => {
552                     for mut err in errs {
553                         err.cancel();
554                     }
555
556                     return (found_main, found_extern_crate, found_macro);
557                 }
558             };
559
560             loop {
561                 match parser.parse_item(ForceCollect::No) {
562                     Ok(Some(item)) => {
563                         if !found_main {
564                             if let ast::ItemKind::Fn(..) = item.kind {
565                                 if item.ident.name == sym::main {
566                                     found_main = true;
567                                 }
568                             }
569                         }
570
571                         if !found_extern_crate {
572                             if let ast::ItemKind::ExternCrate(original) = item.kind {
573                                 // This code will never be reached if `crate_name` is none because
574                                 // `found_extern_crate` is initialized to `true` if it is none.
575                                 let crate_name = crate_name.unwrap();
576
577                                 match original {
578                                     Some(name) => found_extern_crate = name.as_str() == crate_name,
579                                     None => found_extern_crate = item.ident.as_str() == crate_name,
580                                 }
581                             }
582                         }
583
584                         if !found_macro {
585                             if let ast::ItemKind::MacCall(..) = item.kind {
586                                 found_macro = true;
587                             }
588                         }
589
590                         if found_main && found_extern_crate {
591                             break;
592                         }
593                     }
594                     Ok(None) => break,
595                     Err(mut e) => {
596                         e.cancel();
597                         break;
598                     }
599                 }
600
601                 // The supplied slice is only used for diagnostics,
602                 // which are swallowed here anyway.
603                 parser.maybe_consume_incorrect_semicolon(&[]);
604             }
605
606             // Reset errors so that they won't be reported as compiler bugs when dropping the
607             // handler. Any errors in the tests will be reported when the test file is compiled,
608             // Note that we still need to cancel the errors above otherwise `DiagnosticBuilder`
609             // will panic on drop.
610             sess.span_diagnostic.reset_err_count();
611
612             (found_main, found_extern_crate, found_macro)
613         })
614     });
615     let (already_has_main, already_has_extern_crate, found_macro) = match result {
616         Ok(result) => result,
617         Err(ErrorReported) => {
618             // If the parser panicked due to a fatal error, pass the test code through unchanged.
619             // The error will be reported during compilation.
620             return (s.to_owned(), 0, false);
621         }
622     };
623
624     // If a doctest's `fn main` is being masked by a wrapper macro, the parsing loop above won't
625     // see it. In that case, run the old text-based scan to see if they at least have a main
626     // function written inside a macro invocation. See
627     // https://github.com/rust-lang/rust/issues/56898
628     let already_has_main = if found_macro && !already_has_main {
629         s.lines()
630             .map(|line| {
631                 let comment = line.find("//");
632                 if let Some(comment_begins) = comment { &line[0..comment_begins] } else { line }
633             })
634             .any(|code| code.contains("fn main"))
635     } else {
636         already_has_main
637     };
638
639     // Don't inject `extern crate std` because it's already injected by the
640     // compiler.
641     if !already_has_extern_crate && !opts.no_crate_inject && crate_name != Some("std") {
642         if let Some(crate_name) = crate_name {
643             // Don't inject `extern crate` if the crate is never used.
644             // NOTE: this is terribly inaccurate because it doesn't actually
645             // parse the source, but only has false positives, not false
646             // negatives.
647             if s.contains(crate_name) {
648                 prog.push_str(&format!("extern crate r#{};\n", crate_name));
649                 line_offset += 1;
650             }
651         }
652     }
653
654     // FIXME: This code cannot yet handle no_std test cases yet
655     if dont_insert_main || already_has_main || prog.contains("![no_std]") {
656         prog.push_str(everything_else);
657     } else {
658         let returns_result = everything_else.trim_end().ends_with("(())");
659         // Give each doctest main function a unique name.
660         // This is for example needed for the tooling around `-Z instrument-coverage`.
661         let inner_fn_name = if let Some(test_id) = test_id {
662             format!("_doctest_main_{}", test_id)
663         } else {
664             "_inner".into()
665         };
666         let inner_attr = if test_id.is_some() { "#[allow(non_snake_case)] " } else { "" };
667         let (main_pre, main_post) = if returns_result {
668             (
669                 format!(
670                     "fn main() {{ {}fn {}() -> Result<(), impl core::fmt::Debug> {{\n",
671                     inner_attr, inner_fn_name
672                 ),
673                 format!("\n}} {}().unwrap() }}", inner_fn_name),
674             )
675         } else if test_id.is_some() {
676             (
677                 format!("fn main() {{ {}fn {}() {{\n", inner_attr, inner_fn_name),
678                 format!("\n}} {}() }}", inner_fn_name),
679             )
680         } else {
681             ("fn main() {\n".into(), "\n}".into())
682         };
683         // Note on newlines: We insert a line/newline *before*, and *after*
684         // the doctest and adjust the `line_offset` accordingly.
685         // In the case of `-Z instrument-coverage`, this means that the generated
686         // inner `main` function spans from the doctest opening codeblock to the
687         // closing one. For example
688         // /// ``` <- start of the inner main
689         // /// <- code under doctest
690         // /// ``` <- end of the inner main
691         line_offset += 1;
692
693         prog.extend([&main_pre, everything_else, &main_post].iter().cloned());
694     }
695
696     debug!("final doctest:\n{}", prog);
697
698     (prog, line_offset, supports_color)
699 }
700
701 // FIXME(aburka): use a real parser to deal with multiline attributes
702 fn partition_source(s: &str) -> (String, String, String) {
703     #[derive(Copy, Clone, PartialEq)]
704     enum PartitionState {
705         Attrs,
706         Crates,
707         Other,
708     }
709     let mut state = PartitionState::Attrs;
710     let mut before = String::new();
711     let mut crates = String::new();
712     let mut after = String::new();
713
714     for line in s.lines() {
715         let trimline = line.trim();
716
717         // FIXME(misdreavus): if a doc comment is placed on an extern crate statement, it will be
718         // shunted into "everything else"
719         match state {
720             PartitionState::Attrs => {
721                 state = if trimline.starts_with("#![")
722                     || trimline.chars().all(|c| c.is_whitespace())
723                     || (trimline.starts_with("//") && !trimline.starts_with("///"))
724                 {
725                     PartitionState::Attrs
726                 } else if trimline.starts_with("extern crate")
727                     || trimline.starts_with("#[macro_use] extern crate")
728                 {
729                     PartitionState::Crates
730                 } else {
731                     PartitionState::Other
732                 };
733             }
734             PartitionState::Crates => {
735                 state = if trimline.starts_with("extern crate")
736                     || trimline.starts_with("#[macro_use] extern crate")
737                     || trimline.chars().all(|c| c.is_whitespace())
738                     || (trimline.starts_with("//") && !trimline.starts_with("///"))
739                 {
740                     PartitionState::Crates
741                 } else {
742                     PartitionState::Other
743                 };
744             }
745             PartitionState::Other => {}
746         }
747
748         match state {
749             PartitionState::Attrs => {
750                 before.push_str(line);
751                 before.push('\n');
752             }
753             PartitionState::Crates => {
754                 crates.push_str(line);
755                 crates.push('\n');
756             }
757             PartitionState::Other => {
758                 after.push_str(line);
759                 after.push('\n');
760             }
761         }
762     }
763
764     debug!("before:\n{}", before);
765     debug!("crates:\n{}", crates);
766     debug!("after:\n{}", after);
767
768     (before, after, crates)
769 }
770
771 crate trait Tester {
772     fn add_test(&mut self, test: String, config: LangString, line: usize);
773     fn get_line(&self) -> usize {
774         0
775     }
776     fn register_header(&mut self, _name: &str, _level: u32) {}
777 }
778
779 crate struct Collector {
780     crate tests: Vec<test::TestDescAndFn>,
781
782     // The name of the test displayed to the user, separated by `::`.
783     //
784     // In tests from Rust source, this is the path to the item
785     // e.g., `["std", "vec", "Vec", "push"]`.
786     //
787     // In tests from a markdown file, this is the titles of all headers (h1~h6)
788     // of the sections that contain the code block, e.g., if the markdown file is
789     // written as:
790     //
791     // ``````markdown
792     // # Title
793     //
794     // ## Subtitle
795     //
796     // ```rust
797     // assert!(true);
798     // ```
799     // ``````
800     //
801     // the `names` vector of that test will be `["Title", "Subtitle"]`.
802     names: Vec<String>,
803
804     options: Options,
805     use_headers: bool,
806     enable_per_target_ignores: bool,
807     crate_name: Symbol,
808     opts: TestOptions,
809     position: Span,
810     source_map: Option<Lrc<SourceMap>>,
811     filename: Option<PathBuf>,
812     visited_tests: FxHashMap<(String, usize), usize>,
813     unused_extern_reports: Arc<Mutex<Vec<UnusedExterns>>>,
814     compiling_test_count: AtomicUsize,
815 }
816
817 impl Collector {
818     crate fn new(
819         crate_name: Symbol,
820         options: Options,
821         use_headers: bool,
822         opts: TestOptions,
823         source_map: Option<Lrc<SourceMap>>,
824         filename: Option<PathBuf>,
825         enable_per_target_ignores: bool,
826     ) -> Collector {
827         Collector {
828             tests: Vec::new(),
829             names: Vec::new(),
830             options,
831             use_headers,
832             enable_per_target_ignores,
833             crate_name,
834             opts,
835             position: DUMMY_SP,
836             source_map,
837             filename,
838             visited_tests: FxHashMap::default(),
839             unused_extern_reports: Default::default(),
840             compiling_test_count: AtomicUsize::new(0),
841         }
842     }
843
844     fn generate_name(&self, line: usize, filename: &FileName) -> String {
845         let mut item_path = self.names.join("::");
846         item_path.retain(|c| c != ' ');
847         if !item_path.is_empty() {
848             item_path.push(' ');
849         }
850         format!("{} - {}(line {})", filename.prefer_local(), item_path, line)
851     }
852
853     crate fn set_position(&mut self, position: Span) {
854         self.position = position;
855     }
856
857     fn get_filename(&self) -> FileName {
858         if let Some(ref source_map) = self.source_map {
859             let filename = source_map.span_to_filename(self.position);
860             if let FileName::Real(ref filename) = filename {
861                 if let Ok(cur_dir) = env::current_dir() {
862                     if let Some(local_path) = filename.local_path() {
863                         if let Ok(path) = local_path.strip_prefix(&cur_dir) {
864                             return path.to_owned().into();
865                         }
866                     }
867                 }
868             }
869             filename
870         } else if let Some(ref filename) = self.filename {
871             filename.clone().into()
872         } else {
873             FileName::Custom("input".to_owned())
874         }
875     }
876 }
877
878 impl Tester for Collector {
879     fn add_test(&mut self, test: String, config: LangString, line: usize) {
880         let filename = self.get_filename();
881         let name = self.generate_name(line, &filename);
882         let crate_name = self.crate_name.to_string();
883         let opts = self.opts.clone();
884         let edition = config.edition.unwrap_or(self.options.edition);
885         let options = self.options.clone();
886         let runtool = self.options.runtool.clone();
887         let runtool_args = self.options.runtool_args.clone();
888         let target = self.options.target.clone();
889         let target_str = target.to_string();
890         let unused_externs = self.unused_extern_reports.clone();
891         let no_run = config.no_run || options.no_run;
892         if !config.compile_fail {
893             self.compiling_test_count.fetch_add(1, Ordering::SeqCst);
894         }
895
896         let path = match &filename {
897             FileName::Real(path) => {
898                 if let Some(local_path) = path.local_path() {
899                     local_path.to_path_buf()
900                 } else {
901                     // Somehow we got the filename from the metadata of another crate, should never happen
902                     unreachable!("doctest from a different crate");
903                 }
904             }
905             _ => PathBuf::from(r"doctest.rs"),
906         };
907
908         // For example `module/file.rs` would become `module_file_rs`
909         let file = filename
910             .prefer_local()
911             .to_string_lossy()
912             .chars()
913             .map(|c| if c.is_ascii_alphanumeric() { c } else { '_' })
914             .collect::<String>();
915         let test_id = format!(
916             "{file}_{line}_{number}",
917             file = file,
918             line = line,
919             number = {
920                 // Increases the current test number, if this file already
921                 // exists or it creates a new entry with a test number of 0.
922                 self.visited_tests.entry((file.clone(), line)).and_modify(|v| *v += 1).or_insert(0)
923             },
924         );
925         let outdir = if let Some(mut path) = options.persist_doctests.clone() {
926             path.push(&test_id);
927
928             std::fs::create_dir_all(&path)
929                 .expect("Couldn't create directory for doctest executables");
930
931             DirState::Perm(path)
932         } else {
933             DirState::Temp(
934                 TempFileBuilder::new()
935                     .prefix("rustdoctest")
936                     .tempdir()
937                     .expect("rustdoc needs a tempdir"),
938             )
939         };
940
941         debug!("creating test {}: {}", name, test);
942         self.tests.push(test::TestDescAndFn {
943             desc: test::TestDesc {
944                 name: test::DynTestName(name),
945                 ignore: match config.ignore {
946                     Ignore::All => true,
947                     Ignore::None => false,
948                     Ignore::Some(ref ignores) => ignores.iter().any(|s| target_str.contains(s)),
949                 },
950                 // compiler failures are test failures
951                 should_panic: test::ShouldPanic::No,
952                 allow_fail: config.allow_fail,
953                 compile_fail: config.compile_fail,
954                 no_run,
955                 test_type: test::TestType::DocTest,
956             },
957             testfn: test::DynTestFn(box move || {
958                 let report_unused_externs = |uext| {
959                     unused_externs.lock().unwrap().push(uext);
960                 };
961                 let res = run_test(
962                     &test,
963                     &crate_name,
964                     line,
965                     options,
966                     config,
967                     no_run,
968                     runtool,
969                     runtool_args,
970                     target,
971                     &opts,
972                     edition,
973                     outdir,
974                     path,
975                     &test_id,
976                     report_unused_externs,
977                 );
978
979                 if let Err(err) = res {
980                     match err {
981                         TestFailure::CompileError => {
982                             eprint!("Couldn't compile the test.");
983                         }
984                         TestFailure::UnexpectedCompilePass => {
985                             eprint!("Test compiled successfully, but it's marked `compile_fail`.");
986                         }
987                         TestFailure::UnexpectedRunPass => {
988                             eprint!("Test executable succeeded, but it's marked `should_panic`.");
989                         }
990                         TestFailure::MissingErrorCodes(codes) => {
991                             eprint!("Some expected error codes were not found: {:?}", codes);
992                         }
993                         TestFailure::ExecutionError(err) => {
994                             eprint!("Couldn't run the test: {}", err);
995                             if err.kind() == io::ErrorKind::PermissionDenied {
996                                 eprint!(" - maybe your tempdir is mounted with noexec?");
997                             }
998                         }
999                         TestFailure::ExecutionFailure(out) => {
1000                             let reason = if let Some(code) = out.status.code() {
1001                                 format!("exit code {}", code)
1002                             } else {
1003                                 String::from("terminated by signal")
1004                             };
1005
1006                             eprintln!("Test executable failed ({}).", reason);
1007
1008                             // FIXME(#12309): An unfortunate side-effect of capturing the test
1009                             // executable's output is that the relative ordering between the test's
1010                             // stdout and stderr is lost. However, this is better than the
1011                             // alternative: if the test executable inherited the parent's I/O
1012                             // handles the output wouldn't be captured at all, even on success.
1013                             //
1014                             // The ordering could be preserved if the test process' stderr was
1015                             // redirected to stdout, but that functionality does not exist in the
1016                             // standard library, so it may not be portable enough.
1017                             let stdout = str::from_utf8(&out.stdout).unwrap_or_default();
1018                             let stderr = str::from_utf8(&out.stderr).unwrap_or_default();
1019
1020                             if !stdout.is_empty() || !stderr.is_empty() {
1021                                 eprintln!();
1022
1023                                 if !stdout.is_empty() {
1024                                     eprintln!("stdout:\n{}", stdout);
1025                                 }
1026
1027                                 if !stderr.is_empty() {
1028                                     eprintln!("stderr:\n{}", stderr);
1029                                 }
1030                             }
1031                         }
1032                     }
1033
1034                     panic::resume_unwind(box ());
1035                 }
1036             }),
1037         });
1038     }
1039
1040     fn get_line(&self) -> usize {
1041         if let Some(ref source_map) = self.source_map {
1042             let line = self.position.lo().to_usize();
1043             let line = source_map.lookup_char_pos(BytePos(line as u32)).line;
1044             if line > 0 { line - 1 } else { line }
1045         } else {
1046             0
1047         }
1048     }
1049
1050     fn register_header(&mut self, name: &str, level: u32) {
1051         if self.use_headers {
1052             // We use these headings as test names, so it's good if
1053             // they're valid identifiers.
1054             let name = name
1055                 .chars()
1056                 .enumerate()
1057                 .map(|(i, c)| {
1058                     if (i == 0 && rustc_lexer::is_id_start(c))
1059                         || (i != 0 && rustc_lexer::is_id_continue(c))
1060                     {
1061                         c
1062                     } else {
1063                         '_'
1064                     }
1065                 })
1066                 .collect::<String>();
1067
1068             // Here we try to efficiently assemble the header titles into the
1069             // test name in the form of `h1::h2::h3::h4::h5::h6`.
1070             //
1071             // Suppose that originally `self.names` contains `[h1, h2, h3]`...
1072             let level = level as usize;
1073             if level <= self.names.len() {
1074                 // ... Consider `level == 2`. All headers in the lower levels
1075                 // are irrelevant in this new level. So we should reset
1076                 // `self.names` to contain headers until <h2>, and replace that
1077                 // slot with the new name: `[h1, name]`.
1078                 self.names.truncate(level);
1079                 self.names[level - 1] = name;
1080             } else {
1081                 // ... On the other hand, consider `level == 5`. This means we
1082                 // need to extend `self.names` to contain five headers. We fill
1083                 // in the missing level (<h4>) with `_`. Thus `self.names` will
1084                 // become `[h1, h2, h3, "_", name]`.
1085                 if level - 1 > self.names.len() {
1086                     self.names.resize(level - 1, "_".to_owned());
1087                 }
1088                 self.names.push(name);
1089             }
1090         }
1091     }
1092 }
1093
1094 struct HirCollector<'a, 'hir, 'tcx> {
1095     sess: &'a Session,
1096     collector: &'a mut Collector,
1097     map: Map<'hir>,
1098     codes: ErrorCodes,
1099     tcx: TyCtxt<'tcx>,
1100 }
1101
1102 impl<'a, 'hir, 'tcx> HirCollector<'a, 'hir, 'tcx> {
1103     fn visit_testable<F: FnOnce(&mut Self)>(
1104         &mut self,
1105         name: String,
1106         hir_id: HirId,
1107         sp: Span,
1108         nested: F,
1109     ) {
1110         let ast_attrs = self.tcx.hir().attrs(hir_id);
1111         let mut attrs = Attributes::from_ast(ast_attrs, None);
1112
1113         if let Some(ref cfg) = ast_attrs.cfg(self.tcx, &FxHashSet::default()) {
1114             if !cfg.matches(&self.sess.parse_sess, Some(self.sess.features_untracked())) {
1115                 return;
1116             }
1117         }
1118
1119         let has_name = !name.is_empty();
1120         if has_name {
1121             self.collector.names.push(name);
1122         }
1123
1124         attrs.unindent_doc_comments();
1125         // The collapse-docs pass won't combine sugared/raw doc attributes, or included files with
1126         // anything else, this will combine them for us.
1127         if let Some(doc) = attrs.collapsed_doc_value() {
1128             // Use the outermost invocation, so that doctest names come from where the docs were written.
1129             let span = ast_attrs
1130                 .span()
1131                 .map(|span| span.ctxt().outer_expn().expansion_cause().unwrap_or(span))
1132                 .unwrap_or(DUMMY_SP);
1133             self.collector.set_position(span);
1134             markdown::find_testable_code(
1135                 &doc,
1136                 self.collector,
1137                 self.codes,
1138                 self.collector.enable_per_target_ignores,
1139                 Some(&crate::html::markdown::ExtraInfo::new(
1140                     self.tcx,
1141                     hir_id,
1142                     span_of_attrs(&attrs).unwrap_or(sp),
1143                 )),
1144             );
1145         }
1146
1147         nested(self);
1148
1149         if has_name {
1150             self.collector.names.pop();
1151         }
1152     }
1153 }
1154
1155 impl<'a, 'hir, 'tcx> intravisit::Visitor<'hir> for HirCollector<'a, 'hir, 'tcx> {
1156     type Map = Map<'hir>;
1157
1158     fn nested_visit_map(&mut self) -> intravisit::NestedVisitorMap<Self::Map> {
1159         intravisit::NestedVisitorMap::All(self.map)
1160     }
1161
1162     fn visit_item(&mut self, item: &'hir hir::Item<'_>) {
1163         let name = match &item.kind {
1164             hir::ItemKind::Macro(ref macro_def) => {
1165                 // FIXME(#88038): Non exported macros have historically not been tested,
1166                 // but we really ought to start testing them.
1167                 let def_id = item.def_id.to_def_id();
1168                 if macro_def.macro_rules && !self.tcx.has_attr(def_id, sym::macro_export) {
1169                     intravisit::walk_item(self, item);
1170                     return;
1171                 }
1172                 item.ident.to_string()
1173             }
1174             hir::ItemKind::Impl(impl_) => {
1175                 rustc_hir_pretty::id_to_string(&self.map, impl_.self_ty.hir_id)
1176             }
1177             _ => item.ident.to_string(),
1178         };
1179
1180         self.visit_testable(name, item.hir_id(), item.span, |this| {
1181             intravisit::walk_item(this, item);
1182         });
1183     }
1184
1185     fn visit_trait_item(&mut self, item: &'hir hir::TraitItem<'_>) {
1186         self.visit_testable(item.ident.to_string(), item.hir_id(), item.span, |this| {
1187             intravisit::walk_trait_item(this, item);
1188         });
1189     }
1190
1191     fn visit_impl_item(&mut self, item: &'hir hir::ImplItem<'_>) {
1192         self.visit_testable(item.ident.to_string(), item.hir_id(), item.span, |this| {
1193             intravisit::walk_impl_item(this, item);
1194         });
1195     }
1196
1197     fn visit_foreign_item(&mut self, item: &'hir hir::ForeignItem<'_>) {
1198         self.visit_testable(item.ident.to_string(), item.hir_id(), item.span, |this| {
1199             intravisit::walk_foreign_item(this, item);
1200         });
1201     }
1202
1203     fn visit_variant(
1204         &mut self,
1205         v: &'hir hir::Variant<'_>,
1206         g: &'hir hir::Generics<'_>,
1207         item_id: hir::HirId,
1208     ) {
1209         self.visit_testable(v.ident.to_string(), v.id, v.span, |this| {
1210             intravisit::walk_variant(this, v, g, item_id);
1211         });
1212     }
1213
1214     fn visit_field_def(&mut self, f: &'hir hir::FieldDef<'_>) {
1215         self.visit_testable(f.ident.to_string(), f.hir_id, f.span, |this| {
1216             intravisit::walk_field_def(this, f);
1217         });
1218     }
1219 }
1220
1221 #[cfg(test)]
1222 mod tests;