rust/tools/src/main.rs

152 lines
4.6 KiB
Rust
Raw Normal View History

2018-07-30 13:06:22 +02:00
extern crate clap;
#[macro_use]
extern crate failure;
extern crate ron;
2018-07-30 13:08:06 +02:00
extern crate tera;
2018-07-30 13:06:22 +02:00
extern crate walkdir;
2018-07-30 15:16:58 +02:00
extern crate tools;
2018-07-30 13:06:22 +02:00
2018-07-30 17:02:13 +02:00
use std::{collections::{HashSet, HashMap}, fs, path::Path};
2018-07-30 15:16:58 +02:00
use clap::{App, Arg, SubCommand};
use tools::{collect_tests, Test};
2018-07-30 13:06:22 +02:00
type Result<T> = ::std::result::Result<T, failure::Error>;
const GRAMMAR_DIR: &str = "./src/parser/grammar";
const INLINE_TESTS_DIR: &str = "tests/data/parser/inline";
const GRAMMAR: &str = "./src/grammar.ron";
const SYNTAX_KINDS: &str = "./src/syntax_kinds/generated.rs";
const SYNTAX_KINDS_TEMPLATE: &str = "./src/syntax_kinds/generated.rs.tera";
fn main() -> Result<()> {
let matches = App::new("tasks")
.setting(clap::AppSettings::SubcommandRequiredElseHelp)
.arg(
Arg::with_name("verify")
.long("--verify")
.help("Verify that generated code is up-to-date")
2018-07-30 13:08:06 +02:00
.global(true),
2018-07-30 13:06:22 +02:00
)
.subcommand(SubCommand::with_name("gen-kinds"))
.subcommand(SubCommand::with_name("gen-tests"))
.get_matches();
match matches.subcommand() {
(name, Some(matches)) => run_gen_command(name, matches.is_present("verify"))?,
_ => unreachable!(),
}
Ok(())
}
fn run_gen_command(name: &str, verify: bool) -> Result<()> {
match name {
"gen-kinds" => update(Path::new(SYNTAX_KINDS), &get_kinds()?, verify),
"gen-tests" => gen_tests(verify),
_ => unreachable!(),
}
}
fn update(path: &Path, contents: &str, verify: bool) -> Result<()> {
match fs::read_to_string(path) {
Ok(ref old_contents) if old_contents == contents => {
return Ok(());
}
_ => (),
}
if verify {
bail!("`{}` is not up-to-date", path.display());
}
2018-07-30 14:32:19 +02:00
eprintln!("updating {}", path.display());
2018-07-30 13:06:22 +02:00
fs::write(path, contents)?;
Ok(())
}
fn get_kinds() -> Result<String> {
let grammar = grammar()?;
let template = fs::read_to_string(SYNTAX_KINDS_TEMPLATE)?;
2018-07-30 17:02:13 +02:00
let mut tera = tera::Tera::default();
tera.add_raw_template("grammar", &template)
2018-07-30 16:46:50 +02:00
.map_err(|e| format_err!("template error: {:?}", e))?;
2018-07-30 17:02:13 +02:00
tera.register_global_function("concat", Box::new(concat));
let ret = tera.render("grammar", &grammar)
.map_err(|e| format_err!("template error: {:?}", e))?;
return Ok(ret);
fn concat(args: HashMap<String, tera::Value>) -> tera::Result<tera::Value> {
let mut elements = Vec::new();
for &key in ["a", "b", "c"].iter() {
let val = match args.get(key) {
Some(val) => val,
None => continue,
};
let val = val.as_array().unwrap();
elements.extend(val.iter().cloned());
}
Ok(tera::Value::Array(elements))
}
2018-07-30 13:06:22 +02:00
}
fn grammar() -> Result<ron::value::Value> {
let text = fs::read_to_string(GRAMMAR)?;
let ret = ron::de::from_str(&text)?;
Ok(ret)
}
fn gen_tests(verify: bool) -> Result<()> {
let tests = tests_from_dir(Path::new(GRAMMAR_DIR))?;
let inline_tests_dir = Path::new(INLINE_TESTS_DIR);
if !inline_tests_dir.is_dir() {
fs::create_dir_all(inline_tests_dir)?;
}
let existing = existing_tests(inline_tests_dir)?;
for t in existing.difference(&tests) {
panic!("Test is deleted: {}\n{}", t.name, t.text);
}
let new_tests = tests.difference(&existing);
for (i, t) in new_tests.enumerate() {
let name = format!("{:04}_{}.rs", existing.len() + i + 1, t.name);
let path = inline_tests_dir.join(name);
update(&path, &t.text, verify)?;
}
Ok(())
}
fn tests_from_dir(dir: &Path) -> Result<HashSet<Test>> {
let mut res = HashSet::new();
for entry in ::walkdir::WalkDir::new(dir) {
let entry = entry.unwrap();
if !entry.file_type().is_file() {
continue;
}
if entry.path().extension().unwrap_or_default() != "rs" {
continue;
}
let text = fs::read_to_string(entry.path())?;
2018-07-30 15:32:27 +02:00
for (_, test) in collect_tests(&text) {
2018-07-30 13:06:22 +02:00
if let Some(old_test) = res.replace(test) {
bail!("Duplicate test: {}", old_test.name)
}
}
}
Ok(res)
}
fn existing_tests(dir: &Path) -> Result<HashSet<Test>> {
let mut res = HashSet::new();
for file in fs::read_dir(dir)? {
let file = file?;
let path = file.path();
if path.extension().unwrap_or_default() != "rs" {
continue;
}
let name = path.file_name().unwrap().to_str().unwrap();
let name = name["0000_".len()..name.len() - 3].to_string();
let text = fs::read_to_string(&path)?;
res.insert(Test { name, text });
}
Ok(res)
}