mirror of
https://github.com/rust-lang/rust-analyzer
synced 2024-12-26 04:53:34 +00:00
Merge pull request #4495 from vsrs/fixture_meta
Test fixtures parsing improvements
This commit is contained in:
commit
f26b7928e0
7 changed files with 326 additions and 77 deletions
|
@ -63,7 +63,7 @@ use std::sync::Arc;
|
||||||
|
|
||||||
use ra_cfg::CfgOptions;
|
use ra_cfg::CfgOptions;
|
||||||
use rustc_hash::FxHashMap;
|
use rustc_hash::FxHashMap;
|
||||||
use test_utils::{extract_offset, parse_fixture, parse_single_fixture, CURSOR_MARKER};
|
use test_utils::{extract_offset, parse_fixture, parse_single_fixture, FixtureMeta, CURSOR_MARKER};
|
||||||
|
|
||||||
use crate::{
|
use crate::{
|
||||||
input::CrateName, CrateGraph, CrateId, Edition, Env, FileId, FilePosition, RelativePathBuf,
|
input::CrateName, CrateGraph, CrateId, Edition, Env, FileId, FilePosition, RelativePathBuf,
|
||||||
|
@ -113,7 +113,7 @@ fn with_single_file(db: &mut dyn SourceDatabaseExt, ra_fixture: &str) -> FileId
|
||||||
let fixture = parse_single_fixture(ra_fixture);
|
let fixture = parse_single_fixture(ra_fixture);
|
||||||
|
|
||||||
let crate_graph = if let Some(entry) = fixture {
|
let crate_graph = if let Some(entry) = fixture {
|
||||||
let meta = match parse_meta(&entry.meta) {
|
let meta = match ParsedMeta::from(&entry.meta) {
|
||||||
ParsedMeta::File(it) => it,
|
ParsedMeta::File(it) => it,
|
||||||
_ => panic!("with_single_file only support file meta"),
|
_ => panic!("with_single_file only support file meta"),
|
||||||
};
|
};
|
||||||
|
@ -170,7 +170,7 @@ fn with_files(db: &mut dyn SourceDatabaseExt, fixture: &str) -> Option<FilePosit
|
||||||
let mut file_position = None;
|
let mut file_position = None;
|
||||||
|
|
||||||
for entry in fixture.iter() {
|
for entry in fixture.iter() {
|
||||||
let meta = match parse_meta(&entry.meta) {
|
let meta = match ParsedMeta::from(&entry.meta) {
|
||||||
ParsedMeta::Root { path } => {
|
ParsedMeta::Root { path } => {
|
||||||
let source_root = std::mem::replace(&mut source_root, SourceRoot::new_local());
|
let source_root = std::mem::replace(&mut source_root, SourceRoot::new_local());
|
||||||
db.set_source_root(source_root_id, Arc::new(source_root));
|
db.set_source_root(source_root_id, Arc::new(source_root));
|
||||||
|
@ -258,53 +258,25 @@ struct FileMeta {
|
||||||
env: Env,
|
env: Env,
|
||||||
}
|
}
|
||||||
|
|
||||||
//- /lib.rs crate:foo deps:bar,baz cfg:foo=a,bar=b env:OUTDIR=path/to,OTHER=foo)
|
impl From<&FixtureMeta> for ParsedMeta {
|
||||||
fn parse_meta(meta: &str) -> ParsedMeta {
|
fn from(meta: &FixtureMeta) -> Self {
|
||||||
let components = meta.split_ascii_whitespace().collect::<Vec<_>>();
|
match meta {
|
||||||
|
FixtureMeta::Root { path } => {
|
||||||
if components[0] == "root" {
|
// `Self::Root` causes a false warning: 'variant is never constructed: `Root` '
|
||||||
let path: RelativePathBuf = components[1].into();
|
// see https://github.com/rust-lang/rust/issues/69018
|
||||||
assert!(path.starts_with("/") && path.ends_with("/"));
|
ParsedMeta::Root { path: path.to_owned() }
|
||||||
return ParsedMeta::Root { path };
|
|
||||||
}
|
}
|
||||||
|
FixtureMeta::File(f) => Self::File(FileMeta {
|
||||||
let path: RelativePathBuf = components[0].into();
|
path: f.path.to_owned().into(),
|
||||||
assert!(path.starts_with("/"));
|
krate: f.crate_name.to_owned().into(),
|
||||||
|
deps: f.deps.to_owned(),
|
||||||
let mut krate = None;
|
cfg: f.cfg.to_owned(),
|
||||||
let mut deps = Vec::new();
|
edition: f
|
||||||
let mut edition = Edition::Edition2018;
|
.edition
|
||||||
let mut cfg = CfgOptions::default();
|
.as_ref()
|
||||||
let mut env = Env::default();
|
.map_or(Edition::Edition2018, |v| Edition::from_str(&v).unwrap()),
|
||||||
for component in components[1..].iter() {
|
env: Env::from(f.env.iter()),
|
||||||
let (key, value) = split1(component, ':').unwrap();
|
}),
|
||||||
match key {
|
|
||||||
"crate" => krate = Some(value.to_string()),
|
|
||||||
"deps" => deps = value.split(',').map(|it| it.to_string()).collect(),
|
|
||||||
"edition" => edition = Edition::from_str(&value).unwrap(),
|
|
||||||
"cfg" => {
|
|
||||||
for key in value.split(',') {
|
|
||||||
match split1(key, '=') {
|
|
||||||
None => cfg.insert_atom(key.into()),
|
|
||||||
Some((k, v)) => cfg.insert_key_value(k.into(), v.into()),
|
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
}
|
|
||||||
"env" => {
|
|
||||||
for key in value.split(',') {
|
|
||||||
if let Some((k, v)) = split1(key, '=') {
|
|
||||||
env.set(k, v.into());
|
|
||||||
}
|
|
||||||
}
|
|
||||||
}
|
|
||||||
_ => panic!("bad component: {:?}", component),
|
|
||||||
}
|
|
||||||
}
|
|
||||||
|
|
||||||
ParsedMeta::File(FileMeta { path, krate, deps, edition, cfg, env })
|
|
||||||
}
|
|
||||||
|
|
||||||
fn split1(haystack: &str, delim: char) -> Option<(&str, &str)> {
|
|
||||||
let idx = haystack.find(delim)?;
|
|
||||||
Some((&haystack[..idx], &haystack[idx + delim.len_utf8()..]))
|
|
||||||
}
|
}
|
||||||
|
|
|
@ -311,6 +311,21 @@ impl fmt::Display for Edition {
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
|
impl<'a, T> From<T> for Env
|
||||||
|
where
|
||||||
|
T: Iterator<Item = (&'a String, &'a String)>,
|
||||||
|
{
|
||||||
|
fn from(iter: T) -> Self {
|
||||||
|
let mut result = Self::default();
|
||||||
|
|
||||||
|
for (k, v) in iter {
|
||||||
|
result.entries.insert(k.to_owned(), v.to_owned());
|
||||||
|
}
|
||||||
|
|
||||||
|
result
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
impl Env {
|
impl Env {
|
||||||
pub fn set(&mut self, env: &str, value: String) {
|
pub fn set(&mut self, env: &str, value: String) {
|
||||||
self.entries.insert(env.to_owned(), value);
|
self.entries.insert(env.to_owned(), value);
|
||||||
|
|
|
@ -245,6 +245,35 @@ mod tests {
|
||||||
);
|
);
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn test_call_hierarchy_in_tests_mod() {
|
||||||
|
check_hierarchy(
|
||||||
|
r#"
|
||||||
|
//- /lib.rs cfg:test
|
||||||
|
fn callee() {}
|
||||||
|
fn caller1() {
|
||||||
|
call<|>ee();
|
||||||
|
}
|
||||||
|
|
||||||
|
#[cfg(test)]
|
||||||
|
mod tests {
|
||||||
|
use super::*;
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn test_caller() {
|
||||||
|
callee();
|
||||||
|
}
|
||||||
|
}
|
||||||
|
"#,
|
||||||
|
"callee FN_DEF FileId(1) 0..14 3..9",
|
||||||
|
&[
|
||||||
|
"caller1 FN_DEF FileId(1) 15..45 18..25 : [34..40]",
|
||||||
|
"test_caller FN_DEF FileId(1) 93..147 108..119 : [132..138]",
|
||||||
|
],
|
||||||
|
&[],
|
||||||
|
);
|
||||||
|
}
|
||||||
|
|
||||||
#[test]
|
#[test]
|
||||||
fn test_call_hierarchy_in_different_files() {
|
fn test_call_hierarchy_in_different_files() {
|
||||||
check_hierarchy(
|
check_hierarchy(
|
||||||
|
|
|
@ -1,21 +1,81 @@
|
||||||
//! FIXME: write short doc here
|
//! FIXME: write short doc here
|
||||||
|
|
||||||
|
use std::str::FromStr;
|
||||||
use std::sync::Arc;
|
use std::sync::Arc;
|
||||||
|
|
||||||
use ra_cfg::CfgOptions;
|
use ra_cfg::CfgOptions;
|
||||||
use ra_db::{CrateName, Env, RelativePathBuf};
|
use ra_db::{CrateName, Env, RelativePathBuf};
|
||||||
use test_utils::{extract_offset, extract_range, parse_fixture, CURSOR_MARKER};
|
use test_utils::{extract_offset, extract_range, parse_fixture, FixtureEntry, CURSOR_MARKER};
|
||||||
|
|
||||||
use crate::{
|
use crate::{
|
||||||
Analysis, AnalysisChange, AnalysisHost, CrateGraph, Edition::Edition2018, FileId, FilePosition,
|
Analysis, AnalysisChange, AnalysisHost, CrateGraph, Edition, FileId, FilePosition, FileRange,
|
||||||
FileRange, SourceRootId,
|
SourceRootId,
|
||||||
};
|
};
|
||||||
|
|
||||||
|
#[derive(Debug)]
|
||||||
|
enum MockFileData {
|
||||||
|
Plain { path: String, content: String },
|
||||||
|
Fixture(FixtureEntry),
|
||||||
|
}
|
||||||
|
|
||||||
|
impl MockFileData {
|
||||||
|
fn new(path: String, content: String) -> Self {
|
||||||
|
// `Self::Plain` causes a false warning: 'variant is never constructed: `Plain` '
|
||||||
|
// see https://github.com/rust-lang/rust/issues/69018
|
||||||
|
MockFileData::Plain { path, content }
|
||||||
|
}
|
||||||
|
|
||||||
|
fn path(&self) -> &str {
|
||||||
|
match self {
|
||||||
|
MockFileData::Plain { path, .. } => path.as_str(),
|
||||||
|
MockFileData::Fixture(f) => f.meta.path().as_str(),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
fn content(&self) -> &str {
|
||||||
|
match self {
|
||||||
|
MockFileData::Plain { content, .. } => content,
|
||||||
|
MockFileData::Fixture(f) => f.text.as_str(),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
fn cfg_options(&self) -> CfgOptions {
|
||||||
|
match self {
|
||||||
|
MockFileData::Fixture(f) => {
|
||||||
|
f.meta.cfg_options().map_or_else(Default::default, |o| o.clone())
|
||||||
|
}
|
||||||
|
_ => CfgOptions::default(),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
fn edition(&self) -> Edition {
|
||||||
|
match self {
|
||||||
|
MockFileData::Fixture(f) => {
|
||||||
|
f.meta.edition().map_or(Edition::Edition2018, |v| Edition::from_str(v).unwrap())
|
||||||
|
}
|
||||||
|
_ => Edition::Edition2018,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
fn env(&self) -> Env {
|
||||||
|
match self {
|
||||||
|
MockFileData::Fixture(f) => Env::from(f.meta.env()),
|
||||||
|
_ => Env::default(),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl From<FixtureEntry> for MockFileData {
|
||||||
|
fn from(fixture: FixtureEntry) -> Self {
|
||||||
|
Self::Fixture(fixture)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
/// Mock analysis is used in test to bootstrap an AnalysisHost/Analysis
|
/// Mock analysis is used in test to bootstrap an AnalysisHost/Analysis
|
||||||
/// from a set of in-memory files.
|
/// from a set of in-memory files.
|
||||||
#[derive(Debug, Default)]
|
#[derive(Debug, Default)]
|
||||||
pub struct MockAnalysis {
|
pub struct MockAnalysis {
|
||||||
files: Vec<(String, String)>,
|
files: Vec<MockFileData>,
|
||||||
}
|
}
|
||||||
|
|
||||||
impl MockAnalysis {
|
impl MockAnalysis {
|
||||||
|
@ -35,7 +95,7 @@ impl MockAnalysis {
|
||||||
pub fn with_files(fixture: &str) -> MockAnalysis {
|
pub fn with_files(fixture: &str) -> MockAnalysis {
|
||||||
let mut res = MockAnalysis::new();
|
let mut res = MockAnalysis::new();
|
||||||
for entry in parse_fixture(fixture) {
|
for entry in parse_fixture(fixture) {
|
||||||
res.add_file(&entry.meta, &entry.text);
|
res.add_file_fixture(entry);
|
||||||
}
|
}
|
||||||
res
|
res
|
||||||
}
|
}
|
||||||
|
@ -48,30 +108,44 @@ impl MockAnalysis {
|
||||||
for entry in parse_fixture(fixture) {
|
for entry in parse_fixture(fixture) {
|
||||||
if entry.text.contains(CURSOR_MARKER) {
|
if entry.text.contains(CURSOR_MARKER) {
|
||||||
assert!(position.is_none(), "only one marker (<|>) per fixture is allowed");
|
assert!(position.is_none(), "only one marker (<|>) per fixture is allowed");
|
||||||
position = Some(res.add_file_with_position(&entry.meta, &entry.text));
|
position = Some(res.add_file_fixture_with_position(entry));
|
||||||
} else {
|
} else {
|
||||||
res.add_file(&entry.meta, &entry.text);
|
res.add_file_fixture(entry);
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
let position = position.expect("expected a marker (<|>)");
|
let position = position.expect("expected a marker (<|>)");
|
||||||
(res, position)
|
(res, position)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
pub fn add_file_fixture(&mut self, fixture: FixtureEntry) -> FileId {
|
||||||
|
let file_id = self.next_id();
|
||||||
|
self.files.push(MockFileData::from(fixture));
|
||||||
|
file_id
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn add_file_fixture_with_position(&mut self, mut fixture: FixtureEntry) -> FilePosition {
|
||||||
|
let (offset, text) = extract_offset(&fixture.text);
|
||||||
|
fixture.text = text;
|
||||||
|
let file_id = self.next_id();
|
||||||
|
self.files.push(MockFileData::from(fixture));
|
||||||
|
FilePosition { file_id, offset }
|
||||||
|
}
|
||||||
|
|
||||||
pub fn add_file(&mut self, path: &str, text: &str) -> FileId {
|
pub fn add_file(&mut self, path: &str, text: &str) -> FileId {
|
||||||
let file_id = FileId((self.files.len() + 1) as u32);
|
let file_id = self.next_id();
|
||||||
self.files.push((path.to_string(), text.to_string()));
|
self.files.push(MockFileData::new(path.to_string(), text.to_string()));
|
||||||
file_id
|
file_id
|
||||||
}
|
}
|
||||||
pub fn add_file_with_position(&mut self, path: &str, text: &str) -> FilePosition {
|
pub fn add_file_with_position(&mut self, path: &str, text: &str) -> FilePosition {
|
||||||
let (offset, text) = extract_offset(text);
|
let (offset, text) = extract_offset(text);
|
||||||
let file_id = FileId((self.files.len() + 1) as u32);
|
let file_id = self.next_id();
|
||||||
self.files.push((path.to_string(), text));
|
self.files.push(MockFileData::new(path.to_string(), text));
|
||||||
FilePosition { file_id, offset }
|
FilePosition { file_id, offset }
|
||||||
}
|
}
|
||||||
pub fn add_file_with_range(&mut self, path: &str, text: &str) -> FileRange {
|
pub fn add_file_with_range(&mut self, path: &str, text: &str) -> FileRange {
|
||||||
let (range, text) = extract_range(text);
|
let (range, text) = extract_range(text);
|
||||||
let file_id = FileId((self.files.len() + 1) as u32);
|
let file_id = self.next_id();
|
||||||
self.files.push((path.to_string(), text));
|
self.files.push(MockFileData::new(path.to_string(), text));
|
||||||
FileRange { file_id, range }
|
FileRange { file_id, range }
|
||||||
}
|
}
|
||||||
pub fn id_of(&self, path: &str) -> FileId {
|
pub fn id_of(&self, path: &str) -> FileId {
|
||||||
|
@ -79,7 +153,7 @@ impl MockAnalysis {
|
||||||
.files
|
.files
|
||||||
.iter()
|
.iter()
|
||||||
.enumerate()
|
.enumerate()
|
||||||
.find(|(_, (p, _text))| path == p)
|
.find(|(_, data)| path == data.path())
|
||||||
.expect("no file in this mock");
|
.expect("no file in this mock");
|
||||||
FileId(idx as u32 + 1)
|
FileId(idx as u32 + 1)
|
||||||
}
|
}
|
||||||
|
@ -90,18 +164,21 @@ impl MockAnalysis {
|
||||||
change.add_root(source_root, true);
|
change.add_root(source_root, true);
|
||||||
let mut crate_graph = CrateGraph::default();
|
let mut crate_graph = CrateGraph::default();
|
||||||
let mut root_crate = None;
|
let mut root_crate = None;
|
||||||
for (i, (path, contents)) in self.files.into_iter().enumerate() {
|
for (i, data) in self.files.into_iter().enumerate() {
|
||||||
|
let path = data.path();
|
||||||
assert!(path.starts_with('/'));
|
assert!(path.starts_with('/'));
|
||||||
let path = RelativePathBuf::from_path(&path[1..]).unwrap();
|
let path = RelativePathBuf::from_path(&path[1..]).unwrap();
|
||||||
|
let cfg_options = data.cfg_options();
|
||||||
let file_id = FileId(i as u32 + 1);
|
let file_id = FileId(i as u32 + 1);
|
||||||
let cfg_options = CfgOptions::default();
|
let edition = data.edition();
|
||||||
|
let env = data.env();
|
||||||
if path == "/lib.rs" || path == "/main.rs" {
|
if path == "/lib.rs" || path == "/main.rs" {
|
||||||
root_crate = Some(crate_graph.add_crate_root(
|
root_crate = Some(crate_graph.add_crate_root(
|
||||||
file_id,
|
file_id,
|
||||||
Edition2018,
|
edition,
|
||||||
None,
|
None,
|
||||||
cfg_options,
|
cfg_options,
|
||||||
Env::default(),
|
env,
|
||||||
Default::default(),
|
Default::default(),
|
||||||
Default::default(),
|
Default::default(),
|
||||||
));
|
));
|
||||||
|
@ -109,10 +186,10 @@ impl MockAnalysis {
|
||||||
let crate_name = path.parent().unwrap().file_name().unwrap();
|
let crate_name = path.parent().unwrap().file_name().unwrap();
|
||||||
let other_crate = crate_graph.add_crate_root(
|
let other_crate = crate_graph.add_crate_root(
|
||||||
file_id,
|
file_id,
|
||||||
Edition2018,
|
edition,
|
||||||
Some(CrateName::new(crate_name).unwrap()),
|
Some(CrateName::new(crate_name).unwrap()),
|
||||||
cfg_options,
|
cfg_options,
|
||||||
Env::default(),
|
env,
|
||||||
Default::default(),
|
Default::default(),
|
||||||
Default::default(),
|
Default::default(),
|
||||||
);
|
);
|
||||||
|
@ -122,7 +199,7 @@ impl MockAnalysis {
|
||||||
.unwrap();
|
.unwrap();
|
||||||
}
|
}
|
||||||
}
|
}
|
||||||
change.add_file(source_root, file_id, path, Arc::new(contents));
|
change.add_file(source_root, file_id, path, Arc::new(data.content().to_owned()));
|
||||||
}
|
}
|
||||||
change.set_crate_graph(crate_graph);
|
change.set_crate_graph(crate_graph);
|
||||||
host.apply_change(change);
|
host.apply_change(change);
|
||||||
|
@ -131,6 +208,10 @@ impl MockAnalysis {
|
||||||
pub fn analysis(self) -> Analysis {
|
pub fn analysis(self) -> Analysis {
|
||||||
self.analysis_host().analysis()
|
self.analysis_host().analysis()
|
||||||
}
|
}
|
||||||
|
|
||||||
|
fn next_id(&self) -> FileId {
|
||||||
|
FileId((self.files.len() + 1) as u32)
|
||||||
|
}
|
||||||
}
|
}
|
||||||
|
|
||||||
/// Creates analysis from a multi-file fixture, returns positions marked with <|>.
|
/// Creates analysis from a multi-file fixture, returns positions marked with <|>.
|
||||||
|
|
|
@ -68,7 +68,7 @@ impl<'a> Project<'a> {
|
||||||
let mut paths = vec![];
|
let mut paths = vec![];
|
||||||
|
|
||||||
for entry in parse_fixture(self.fixture) {
|
for entry in parse_fixture(self.fixture) {
|
||||||
let path = tmp_dir.path().join(entry.meta);
|
let path = tmp_dir.path().join(entry.meta.path().as_str());
|
||||||
fs::create_dir_all(path.parent().unwrap()).unwrap();
|
fs::create_dir_all(path.parent().unwrap()).unwrap();
|
||||||
fs::write(path.as_path(), entry.text.as_bytes()).unwrap();
|
fs::write(path.as_path(), entry.text.as_bytes()).unwrap();
|
||||||
paths.push((path, entry.text));
|
paths.push((path, entry.text));
|
||||||
|
|
|
@ -11,3 +11,7 @@ doctest = false
|
||||||
difference = "2.0.0"
|
difference = "2.0.0"
|
||||||
text-size = "1.0.0"
|
text-size = "1.0.0"
|
||||||
serde_json = "1.0.48"
|
serde_json = "1.0.48"
|
||||||
|
relative-path = "1.0.0"
|
||||||
|
rustc-hash = "1.1.0"
|
||||||
|
|
||||||
|
ra_cfg = { path = "../ra_cfg" }
|
|
@ -14,6 +14,10 @@ use std::{
|
||||||
path::{Path, PathBuf},
|
path::{Path, PathBuf},
|
||||||
};
|
};
|
||||||
|
|
||||||
|
pub use ra_cfg::CfgOptions;
|
||||||
|
|
||||||
|
pub use relative_path::{RelativePath, RelativePathBuf};
|
||||||
|
pub use rustc_hash::FxHashMap;
|
||||||
use serde_json::Value;
|
use serde_json::Value;
|
||||||
use text_size::{TextRange, TextSize};
|
use text_size::{TextRange, TextSize};
|
||||||
|
|
||||||
|
@ -157,10 +161,82 @@ pub fn add_cursor(text: &str, offset: TextSize) -> String {
|
||||||
|
|
||||||
#[derive(Debug, Eq, PartialEq)]
|
#[derive(Debug, Eq, PartialEq)]
|
||||||
pub struct FixtureEntry {
|
pub struct FixtureEntry {
|
||||||
pub meta: String,
|
pub meta: FixtureMeta,
|
||||||
pub text: String,
|
pub text: String,
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#[derive(Debug, Eq, PartialEq)]
|
||||||
|
pub enum FixtureMeta {
|
||||||
|
Root { path: RelativePathBuf },
|
||||||
|
File(FileMeta),
|
||||||
|
}
|
||||||
|
|
||||||
|
#[derive(Debug, Eq, PartialEq)]
|
||||||
|
pub struct FileMeta {
|
||||||
|
pub path: RelativePathBuf,
|
||||||
|
pub crate_name: Option<String>,
|
||||||
|
pub deps: Vec<String>,
|
||||||
|
pub cfg: CfgOptions,
|
||||||
|
pub edition: Option<String>,
|
||||||
|
pub env: FxHashMap<String, String>,
|
||||||
|
}
|
||||||
|
|
||||||
|
impl FixtureMeta {
|
||||||
|
pub fn path(&self) -> &RelativePath {
|
||||||
|
match self {
|
||||||
|
FixtureMeta::Root { path } => &path,
|
||||||
|
FixtureMeta::File(f) => &f.path,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn crate_name(&self) -> Option<&String> {
|
||||||
|
match self {
|
||||||
|
FixtureMeta::File(f) => f.crate_name.as_ref(),
|
||||||
|
_ => None,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn cfg_options(&self) -> Option<&CfgOptions> {
|
||||||
|
match self {
|
||||||
|
FixtureMeta::File(f) => Some(&f.cfg),
|
||||||
|
_ => None,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn edition(&self) -> Option<&String> {
|
||||||
|
match self {
|
||||||
|
FixtureMeta::File(f) => f.edition.as_ref(),
|
||||||
|
_ => None,
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
pub fn env(&self) -> impl Iterator<Item = (&String, &String)> {
|
||||||
|
struct EnvIter<'a> {
|
||||||
|
iter: Option<std::collections::hash_map::Iter<'a, String, String>>,
|
||||||
|
}
|
||||||
|
|
||||||
|
impl<'a> EnvIter<'a> {
|
||||||
|
fn new(meta: &'a FixtureMeta) -> Self {
|
||||||
|
Self {
|
||||||
|
iter: match meta {
|
||||||
|
FixtureMeta::File(f) => Some(f.env.iter()),
|
||||||
|
_ => None,
|
||||||
|
},
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
impl<'a> Iterator for EnvIter<'a> {
|
||||||
|
type Item = (&'a String, &'a String);
|
||||||
|
fn next(&mut self) -> Option<Self::Item> {
|
||||||
|
self.iter.as_mut().and_then(|i| i.next())
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
EnvIter::new(self)
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
/// Parses text which looks like this:
|
/// Parses text which looks like this:
|
||||||
///
|
///
|
||||||
/// ```not_rust
|
/// ```not_rust
|
||||||
|
@ -169,8 +245,8 @@ pub struct FixtureEntry {
|
||||||
/// line 2
|
/// line 2
|
||||||
/// // - other meta
|
/// // - other meta
|
||||||
/// ```
|
/// ```
|
||||||
pub fn parse_fixture(fixture: &str) -> Vec<FixtureEntry> {
|
pub fn parse_fixture(ra_fixture: &str) -> Vec<FixtureEntry> {
|
||||||
let fixture = indent_first_line(fixture);
|
let fixture = indent_first_line(ra_fixture);
|
||||||
let margin = fixture_margin(&fixture);
|
let margin = fixture_margin(&fixture);
|
||||||
|
|
||||||
let mut lines = fixture
|
let mut lines = fixture
|
||||||
|
@ -200,6 +276,7 @@ The offending line: {:?}"#,
|
||||||
for line in lines.by_ref() {
|
for line in lines.by_ref() {
|
||||||
if line.starts_with("//-") {
|
if line.starts_with("//-") {
|
||||||
let meta = line["//-".len()..].trim().to_string();
|
let meta = line["//-".len()..].trim().to_string();
|
||||||
|
let meta = parse_meta(&meta);
|
||||||
res.push(FixtureEntry { meta, text: String::new() })
|
res.push(FixtureEntry { meta, text: String::new() })
|
||||||
} else if let Some(entry) = res.last_mut() {
|
} else if let Some(entry) = res.last_mut() {
|
||||||
entry.text.push_str(line);
|
entry.text.push_str(line);
|
||||||
|
@ -209,6 +286,57 @@ The offending line: {:?}"#,
|
||||||
res
|
res
|
||||||
}
|
}
|
||||||
|
|
||||||
|
//- /lib.rs crate:foo deps:bar,baz cfg:foo=a,bar=b env:OUTDIR=path/to,OTHER=foo
|
||||||
|
fn parse_meta(meta: &str) -> FixtureMeta {
|
||||||
|
let components = meta.split_ascii_whitespace().collect::<Vec<_>>();
|
||||||
|
|
||||||
|
if components[0] == "root" {
|
||||||
|
let path: RelativePathBuf = components[1].into();
|
||||||
|
assert!(path.starts_with("/") && path.ends_with("/"));
|
||||||
|
return FixtureMeta::Root { path };
|
||||||
|
}
|
||||||
|
|
||||||
|
let path: RelativePathBuf = components[0].into();
|
||||||
|
assert!(path.starts_with("/"));
|
||||||
|
|
||||||
|
let mut krate = None;
|
||||||
|
let mut deps = Vec::new();
|
||||||
|
let mut edition = None;
|
||||||
|
let mut cfg = CfgOptions::default();
|
||||||
|
let mut env = FxHashMap::default();
|
||||||
|
for component in components[1..].iter() {
|
||||||
|
let (key, value) = split1(component, ':').unwrap();
|
||||||
|
match key {
|
||||||
|
"crate" => krate = Some(value.to_string()),
|
||||||
|
"deps" => deps = value.split(',').map(|it| it.to_string()).collect(),
|
||||||
|
"edition" => edition = Some(value.to_string()),
|
||||||
|
"cfg" => {
|
||||||
|
for key in value.split(',') {
|
||||||
|
match split1(key, '=') {
|
||||||
|
None => cfg.insert_atom(key.into()),
|
||||||
|
Some((k, v)) => cfg.insert_key_value(k.into(), v.into()),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
"env" => {
|
||||||
|
for key in value.split(',') {
|
||||||
|
if let Some((k, v)) = split1(key, '=') {
|
||||||
|
env.insert(k.into(), v.into());
|
||||||
|
}
|
||||||
|
}
|
||||||
|
}
|
||||||
|
_ => panic!("bad component: {:?}", component),
|
||||||
|
}
|
||||||
|
}
|
||||||
|
|
||||||
|
FixtureMeta::File(FileMeta { path, crate_name: krate, deps, edition, cfg, env })
|
||||||
|
}
|
||||||
|
|
||||||
|
fn split1(haystack: &str, delim: char) -> Option<(&str, &str)> {
|
||||||
|
let idx = haystack.find(delim)?;
|
||||||
|
Some((&haystack[..idx], &haystack[idx + delim.len_utf8()..]))
|
||||||
|
}
|
||||||
|
|
||||||
/// Adjusts the indentation of the first line to the minimum indentation of the rest of the lines.
|
/// Adjusts the indentation of the first line to the minimum indentation of the rest of the lines.
|
||||||
/// This allows fixtures to start off in a different indentation, e.g. to align the first line with
|
/// This allows fixtures to start off in a different indentation, e.g. to align the first line with
|
||||||
/// the other lines visually:
|
/// the other lines visually:
|
||||||
|
@ -288,13 +416,33 @@ struct Bar;
|
||||||
)
|
)
|
||||||
}
|
}
|
||||||
|
|
||||||
|
#[test]
|
||||||
|
fn parse_fixture_gets_full_meta() {
|
||||||
|
let parsed = parse_fixture(
|
||||||
|
r"
|
||||||
|
//- /lib.rs crate:foo deps:bar,baz cfg:foo=a,bar=b,atom env:OUTDIR=path/to,OTHER=foo
|
||||||
|
mod m;
|
||||||
|
",
|
||||||
|
);
|
||||||
|
assert_eq!(1, parsed.len());
|
||||||
|
|
||||||
|
let parsed = &parsed[0];
|
||||||
|
assert_eq!("mod m;\n\n", parsed.text);
|
||||||
|
|
||||||
|
let meta = &parsed.meta;
|
||||||
|
assert_eq!("foo", meta.crate_name().unwrap());
|
||||||
|
assert_eq!("/lib.rs", meta.path());
|
||||||
|
assert!(meta.cfg_options().is_some());
|
||||||
|
assert_eq!(2, meta.env().count());
|
||||||
|
}
|
||||||
|
|
||||||
/// Same as `parse_fixture`, except it allow empty fixture
|
/// Same as `parse_fixture`, except it allow empty fixture
|
||||||
pub fn parse_single_fixture(fixture: &str) -> Option<FixtureEntry> {
|
pub fn parse_single_fixture(ra_fixture: &str) -> Option<FixtureEntry> {
|
||||||
if !fixture.lines().any(|it| it.trim_start().starts_with("//-")) {
|
if !ra_fixture.lines().any(|it| it.trim_start().starts_with("//-")) {
|
||||||
return None;
|
return None;
|
||||||
}
|
}
|
||||||
|
|
||||||
let fixtures = parse_fixture(fixture);
|
let fixtures = parse_fixture(ra_fixture);
|
||||||
if fixtures.len() > 1 {
|
if fixtures.len() > 1 {
|
||||||
panic!("too many fixtures");
|
panic!("too many fixtures");
|
||||||
}
|
}
|
||||||
|
|
Loading…
Reference in a new issue