forked from rust-lang/rust
-
Notifications
You must be signed in to change notification settings - Fork 7
Commit
This commit does not belong to any branch on this repository, and may belong to a fork outside of the repository.
Auto merge of rust-lang#125798 - camelid:refactor-doctest, r=Guillaum…
…eGomez rustdoc: Refactor doctest collection and running code This code previously had a quite confusing structure, mixing the collection, processing, and running of doctests with multiple layers of indirection. There are also many cases where tons of parameters are passed to functions with little typing information (e.g., booleans or strings are often used). As a result, the source of bugs is obfuscated (e.g. rust-lang#81070) and large changes (e.g. rust-lang#123974) become unnecessarily complicated. This PR is a first step to try to simplify the code and make it easier to follow and less bug-prone. r? `@GuillaumeGomez`
- Loading branch information
Showing
9 changed files
with
1,020 additions
and
890 deletions.
There are no files selected for viewing
Large diffs are not rendered by default.
Oops, something went wrong.
Large diffs are not rendered by default.
Oops, something went wrong.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,125 @@ | ||
//! Doctest functionality used only for doctests in `.md` Markdown files. | ||
|
||
use std::fs::read_to_string; | ||
|
||
use rustc_span::FileName; | ||
use tempfile::tempdir; | ||
|
||
use super::{ | ||
generate_args_file, CreateRunnableDoctests, DoctestVisitor, GlobalTestOptions, ScrapedDoctest, | ||
}; | ||
use crate::config::Options; | ||
use crate::html::markdown::{find_testable_code, ErrorCodes, LangString, MdRelLine}; | ||
|
||
struct MdCollector { | ||
tests: Vec<ScrapedDoctest>, | ||
cur_path: Vec<String>, | ||
filename: FileName, | ||
} | ||
|
||
impl DoctestVisitor for MdCollector { | ||
fn visit_test(&mut self, test: String, config: LangString, rel_line: MdRelLine) { | ||
let filename = self.filename.clone(); | ||
// First line of Markdown is line 1. | ||
let line = 1 + rel_line.offset(); | ||
self.tests.push(ScrapedDoctest { | ||
filename, | ||
line, | ||
logical_path: self.cur_path.clone(), | ||
langstr: config, | ||
text: test, | ||
}); | ||
} | ||
|
||
fn visit_header(&mut self, name: &str, level: u32) { | ||
// We use these headings as test names, so it's good if | ||
// they're valid identifiers. | ||
let name = name | ||
.chars() | ||
.enumerate() | ||
.map(|(i, c)| { | ||
if (i == 0 && rustc_lexer::is_id_start(c)) | ||
|| (i != 0 && rustc_lexer::is_id_continue(c)) | ||
{ | ||
c | ||
} else { | ||
'_' | ||
} | ||
}) | ||
.collect::<String>(); | ||
|
||
// Here we try to efficiently assemble the header titles into the | ||
// test name in the form of `h1::h2::h3::h4::h5::h6`. | ||
// | ||
// Suppose that originally `self.cur_path` contains `[h1, h2, h3]`... | ||
let level = level as usize; | ||
if level <= self.cur_path.len() { | ||
// ... Consider `level == 2`. All headers in the lower levels | ||
// are irrelevant in this new level. So we should reset | ||
// `self.names` to contain headers until <h2>, and replace that | ||
// slot with the new name: `[h1, name]`. | ||
self.cur_path.truncate(level); | ||
self.cur_path[level - 1] = name; | ||
} else { | ||
// ... On the other hand, consider `level == 5`. This means we | ||
// need to extend `self.names` to contain five headers. We fill | ||
// in the missing level (<h4>) with `_`. Thus `self.names` will | ||
// become `[h1, h2, h3, "_", name]`. | ||
if level - 1 > self.cur_path.len() { | ||
self.cur_path.resize(level - 1, "_".to_owned()); | ||
} | ||
self.cur_path.push(name); | ||
} | ||
} | ||
} | ||
|
||
/// Runs any tests/code examples in the markdown file `options.input`. | ||
pub(crate) fn test(options: Options) -> Result<(), String> { | ||
use rustc_session::config::Input; | ||
let input_str = match &options.input { | ||
Input::File(path) => { | ||
read_to_string(&path).map_err(|err| format!("{}: {err}", path.display()))? | ||
} | ||
Input::Str { name: _, input } => input.clone(), | ||
}; | ||
|
||
// Obviously not a real crate name, but close enough for purposes of doctests. | ||
let crate_name = options.input.filestem().to_string(); | ||
let temp_dir = | ||
tempdir().map_err(|error| format!("failed to create temporary directory: {error:?}"))?; | ||
let args_file = temp_dir.path().join("rustdoc-cfgs"); | ||
generate_args_file(&args_file, &options)?; | ||
|
||
let opts = GlobalTestOptions { | ||
crate_name, | ||
no_crate_inject: true, | ||
insert_indent_space: false, | ||
attrs: vec![], | ||
args_file, | ||
}; | ||
|
||
let mut md_collector = MdCollector { | ||
tests: vec![], | ||
cur_path: vec![], | ||
filename: options | ||
.input | ||
.opt_path() | ||
.map(ToOwned::to_owned) | ||
.map(FileName::from) | ||
.unwrap_or(FileName::Custom("input".to_owned())), | ||
}; | ||
let codes = ErrorCodes::from(options.unstable_features.is_nightly_build()); | ||
|
||
find_testable_code( | ||
&input_str, | ||
&mut md_collector, | ||
codes, | ||
options.enable_per_target_ignores, | ||
None, | ||
); | ||
|
||
let mut collector = CreateRunnableDoctests::new(options.clone(), opts); | ||
md_collector.tests.into_iter().for_each(|t| collector.add_test(t)); | ||
crate::doctest::run_tests(options.test_args, options.nocapture, collector.tests); | ||
Ok(()) | ||
} |
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
Original file line number | Diff line number | Diff line change |
---|---|---|
@@ -0,0 +1,198 @@ | ||
//! Doctest functionality used only for doctests in `.rs` source files. | ||
|
||
use std::env; | ||
|
||
use rustc_data_structures::{fx::FxHashSet, sync::Lrc}; | ||
use rustc_hir::def_id::{LocalDefId, CRATE_DEF_ID}; | ||
use rustc_hir::{self as hir, intravisit, CRATE_HIR_ID}; | ||
use rustc_middle::hir::map::Map; | ||
use rustc_middle::hir::nested_filter; | ||
use rustc_middle::ty::TyCtxt; | ||
use rustc_resolve::rustdoc::span_of_fragments; | ||
use rustc_session::Session; | ||
use rustc_span::source_map::SourceMap; | ||
use rustc_span::{BytePos, FileName, Pos, Span, DUMMY_SP}; | ||
|
||
use super::{DoctestVisitor, ScrapedDoctest}; | ||
use crate::clean::{types::AttributesExt, Attributes}; | ||
use crate::html::markdown::{self, ErrorCodes, LangString, MdRelLine}; | ||
|
||
struct RustCollector { | ||
source_map: Lrc<SourceMap>, | ||
tests: Vec<ScrapedDoctest>, | ||
cur_path: Vec<String>, | ||
position: Span, | ||
} | ||
|
||
impl RustCollector { | ||
fn get_filename(&self) -> FileName { | ||
let filename = self.source_map.span_to_filename(self.position); | ||
if let FileName::Real(ref filename) = filename | ||
&& let Ok(cur_dir) = env::current_dir() | ||
&& let Some(local_path) = filename.local_path() | ||
&& let Ok(path) = local_path.strip_prefix(&cur_dir) | ||
{ | ||
return path.to_owned().into(); | ||
} | ||
filename | ||
} | ||
|
||
fn get_base_line(&self) -> usize { | ||
let sp_lo = self.position.lo().to_usize(); | ||
let loc = self.source_map.lookup_char_pos(BytePos(sp_lo as u32)); | ||
loc.line | ||
} | ||
} | ||
|
||
impl DoctestVisitor for RustCollector { | ||
fn visit_test(&mut self, test: String, config: LangString, rel_line: MdRelLine) { | ||
let line = self.get_base_line() + rel_line.offset(); | ||
self.tests.push(ScrapedDoctest { | ||
filename: self.get_filename(), | ||
line, | ||
logical_path: self.cur_path.clone(), | ||
langstr: config, | ||
text: test, | ||
}); | ||
} | ||
|
||
fn visit_header(&mut self, _name: &str, _level: u32) {} | ||
} | ||
|
||
pub(super) struct HirCollector<'a, 'tcx> { | ||
sess: &'a Session, | ||
map: Map<'tcx>, | ||
codes: ErrorCodes, | ||
tcx: TyCtxt<'tcx>, | ||
enable_per_target_ignores: bool, | ||
collector: RustCollector, | ||
} | ||
|
||
impl<'a, 'tcx> HirCollector<'a, 'tcx> { | ||
pub fn new( | ||
sess: &'a Session, | ||
map: Map<'tcx>, | ||
codes: ErrorCodes, | ||
enable_per_target_ignores: bool, | ||
tcx: TyCtxt<'tcx>, | ||
) -> Self { | ||
let collector = RustCollector { | ||
source_map: sess.psess.clone_source_map(), | ||
cur_path: vec![], | ||
position: DUMMY_SP, | ||
tests: vec![], | ||
}; | ||
Self { sess, map, codes, enable_per_target_ignores, tcx, collector } | ||
} | ||
|
||
pub fn collect_crate(mut self) -> Vec<ScrapedDoctest> { | ||
let tcx = self.tcx; | ||
self.visit_testable("".to_string(), CRATE_DEF_ID, tcx.hir().span(CRATE_HIR_ID), |this| { | ||
tcx.hir().walk_toplevel_module(this) | ||
}); | ||
self.collector.tests | ||
} | ||
} | ||
|
||
impl<'a, 'tcx> HirCollector<'a, 'tcx> { | ||
fn visit_testable<F: FnOnce(&mut Self)>( | ||
&mut self, | ||
name: String, | ||
def_id: LocalDefId, | ||
sp: Span, | ||
nested: F, | ||
) { | ||
let ast_attrs = self.tcx.hir().attrs(self.tcx.local_def_id_to_hir_id(def_id)); | ||
if let Some(ref cfg) = ast_attrs.cfg(self.tcx, &FxHashSet::default()) { | ||
if !cfg.matches(&self.sess.psess, Some(self.tcx.features())) { | ||
return; | ||
} | ||
} | ||
|
||
let has_name = !name.is_empty(); | ||
if has_name { | ||
self.collector.cur_path.push(name); | ||
} | ||
|
||
// The collapse-docs pass won't combine sugared/raw doc attributes, or included files with | ||
// anything else, this will combine them for us. | ||
let attrs = Attributes::from_ast(ast_attrs); | ||
if let Some(doc) = attrs.opt_doc_value() { | ||
// Use the outermost invocation, so that doctest names come from where the docs were written. | ||
let span = ast_attrs | ||
.iter() | ||
.find(|attr| attr.doc_str().is_some()) | ||
.map(|attr| attr.span.ctxt().outer_expn().expansion_cause().unwrap_or(attr.span)) | ||
.unwrap_or(DUMMY_SP); | ||
self.collector.position = span; | ||
markdown::find_testable_code( | ||
&doc, | ||
&mut self.collector, | ||
self.codes, | ||
self.enable_per_target_ignores, | ||
Some(&crate::html::markdown::ExtraInfo::new( | ||
self.tcx, | ||
def_id.to_def_id(), | ||
span_of_fragments(&attrs.doc_strings).unwrap_or(sp), | ||
)), | ||
); | ||
} | ||
|
||
nested(self); | ||
|
||
if has_name { | ||
self.collector.cur_path.pop(); | ||
} | ||
} | ||
} | ||
|
||
impl<'a, 'tcx> intravisit::Visitor<'tcx> for HirCollector<'a, 'tcx> { | ||
type NestedFilter = nested_filter::All; | ||
|
||
fn nested_visit_map(&mut self) -> Self::Map { | ||
self.map | ||
} | ||
|
||
fn visit_item(&mut self, item: &'tcx hir::Item<'_>) { | ||
let name = match &item.kind { | ||
hir::ItemKind::Impl(impl_) => { | ||
rustc_hir_pretty::id_to_string(&self.map, impl_.self_ty.hir_id) | ||
} | ||
_ => item.ident.to_string(), | ||
}; | ||
|
||
self.visit_testable(name, item.owner_id.def_id, item.span, |this| { | ||
intravisit::walk_item(this, item); | ||
}); | ||
} | ||
|
||
fn visit_trait_item(&mut self, item: &'tcx hir::TraitItem<'_>) { | ||
self.visit_testable(item.ident.to_string(), item.owner_id.def_id, item.span, |this| { | ||
intravisit::walk_trait_item(this, item); | ||
}); | ||
} | ||
|
||
fn visit_impl_item(&mut self, item: &'tcx hir::ImplItem<'_>) { | ||
self.visit_testable(item.ident.to_string(), item.owner_id.def_id, item.span, |this| { | ||
intravisit::walk_impl_item(this, item); | ||
}); | ||
} | ||
|
||
fn visit_foreign_item(&mut self, item: &'tcx hir::ForeignItem<'_>) { | ||
self.visit_testable(item.ident.to_string(), item.owner_id.def_id, item.span, |this| { | ||
intravisit::walk_foreign_item(this, item); | ||
}); | ||
} | ||
|
||
fn visit_variant(&mut self, v: &'tcx hir::Variant<'_>) { | ||
self.visit_testable(v.ident.to_string(), v.def_id, v.span, |this| { | ||
intravisit::walk_variant(this, v); | ||
}); | ||
} | ||
|
||
fn visit_field_def(&mut self, f: &'tcx hir::FieldDef<'_>) { | ||
self.visit_testable(f.ident.to_string(), f.def_id, f.span, |this| { | ||
intravisit::walk_field_def(this, f); | ||
}); | ||
} | ||
} |
Oops, something went wrong.