From c981e59a5d749575f00bd947c17c20fb9f9878e8 Mon Sep 17 00:00:00 2001 From: Yacin Tmimi Date: Mon, 14 Mar 2022 20:29:40 -0400 Subject: [PATCH 1/2] Add tests that call rustfmt by passing input via stdin --- tests/rustfmt/main.rs | 74 ++++++++++++++++++++++++++++++++++++++----- 1 file changed, 66 insertions(+), 8 deletions(-) diff --git a/tests/rustfmt/main.rs b/tests/rustfmt/main.rs index 58cf0e5e4db..587c6cf85c9 100644 --- a/tests/rustfmt/main.rs +++ b/tests/rustfmt/main.rs @@ -2,13 +2,51 @@ use std::env; use std::fs::remove_file; +use std::io::{Result, Write}; use std::path::Path; -use std::process::Command; +use std::process::{Command, Output, Stdio}; use rustfmt_config_proc_macro::rustfmt_only_ci_test; /// Run the rustfmt executable and return its output. fn rustfmt(args: &[&str]) -> (String, String) { + match rustfm_builder(|rustfmt| rustfmt.args(args).output()) { + Ok(output) => ( + String::from_utf8(output.stdout).expect("utf-8"), + String::from_utf8(output.stderr).expect("utf-8"), + ), + Err(e) => panic!("failed to run `rustfmt {:?}`: {}", args, e), + } +} + +/// Run the rustfmt executable and take input from stdin +fn rustfmt_std_input(args: &[&str], input: &str) -> (String, String) { + let output = rustfm_builder(|cmd| { + let mut rustfmt = cmd + .args(args) + .stdin(Stdio::piped()) + .stdout(Stdio::piped()) + .stderr(Stdio::piped()) + .spawn() + .unwrap(); + + rustfmt + .stdin + .as_mut() + .unwrap() + .write_all(input.as_bytes())?; + rustfmt.wait_with_output() + }); + match output { + Ok(output) => ( + String::from_utf8(output.stdout).expect("utf-8"), + String::from_utf8(output.stderr).expect("utf-8"), + ), + Err(e) => panic!("failed to run `rustfmt {:?}`: {}", args, e), + } +} + +fn rustfm_builder Result>(f: F) -> Result { let mut bin_dir = env::current_exe().unwrap(); bin_dir.pop(); // chop off test exe name if bin_dir.ends_with("deps") { @@ -22,13 +60,8 @@ fn rustfmt(args: &[&str]) -> (String, String) { paths.insert(0, bin_dir); let new_path = env::join_paths(paths).unwrap(); - match Command::new(&cmd).args(args).env("PATH", new_path).output() { - Ok(output) => ( - String::from_utf8(output.stdout).expect("utf-8"), - String::from_utf8(output.stderr).expect("utf-8"), - ), - Err(e) => panic!("failed to run `{cmd:?} {args:?}`: {e}"), - } + let mut rustfmt = Command::new(&cmd); + f(rustfmt.env("PATH", new_path)) } macro_rules! assert_that { @@ -207,3 +240,28 @@ fn rustfmt_emits_error_when_control_brace_style_is_always_next_line() { let (_stdout, stderr) = rustfmt(&args); assert!(!stderr.contains("error[internal]: left behind trailing whitespace")) } +mod rustfmt_stdin_formatting { + use super::rustfmt_std_input; + + #[rustfmt::skip] + #[test] + fn changes_are_output_to_stdout() { + let args = []; + let source = "fn main () { println!(\"hello world!\"); }"; + let (stdout, _stderr) = rustfmt_std_input(&args, source); + let expected_output = +r#"fn main() { + println!("hello world!"); +}"#; + assert!(stdout.contains(expected_output)) + } + + #[test] + fn properly_formatted_input_is_output_to_stdout_unchanged() { + // NOTE: Technicallly a newline is added, but nothing meaningful is changed + let args = []; + let source = "fn main() {}"; + let (stdout, _stderr) = rustfmt_std_input(&args, source); + assert!(stdout.trim_end() == source) + } +} From e7668b469d0b15f21a387ededfc926020b94b55f Mon Sep 17 00:00:00 2001 From: Yacin Tmimi Date: Mon, 14 Mar 2022 20:37:07 -0400 Subject: [PATCH 2/2] Add `--stdin-file-hint` rustfmt command line option When formatting files via stdin rustfmt didn't have a way to ignore stdin input. Now, when passing input to rustfmt via stdin one can also provide the `--stdin-file-hint` option to inform rustfmt that the input is actually from the hinted at file. rustfmt now uses this hint to determine if it can ignore formatting stdin. Note: This option is intended for text editor plugins that call rustfmt by passing input via stdin (e.g. rust-analyzer). --- src/bin/main.rs | 51 +++++++++++ src/config/options.rs | 8 ++ src/ignore_path.rs | 62 +++++++++++++- src/lib.rs | 1 + tests/config/stdin-file-hint-ignore.toml | 3 + tests/rustfmt/main.rs | 104 ++++++++++++++++++++++- 6 files changed, 224 insertions(+), 5 deletions(-) create mode 100644 tests/config/stdin-file-hint-ignore.toml diff --git a/src/bin/main.rs b/src/bin/main.rs index 88281d296be..75888625106 100644 --- a/src/bin/main.rs +++ b/src/bin/main.rs @@ -90,6 +90,22 @@ pub enum OperationError { /// supported with standard input. #[error("Emit mode {0} not supported with standard output.")] StdinBadEmit(EmitMode), + /// Using `--std-file-hint` incorrectly + #[error("{0}")] + StdInFileHint(StdInFileHintError), +} + +#[derive(Error, Debug)] +pub enum StdInFileHintError { + /// The file hint does not exist + #[error("`--std-file-hint={0:?}` could not be found")] + NotFound(PathBuf), + /// The file hint isn't a rust file + #[error("`--std-file-hint={0:?}` is not a rust file")] + NotRustFile(PathBuf), + /// Attempted to pass --std-file-hint without passing input through stdin + #[error("Cannot use `--std-file-hint` without formatting input from stdin.")] + NotFormttingWithStdIn, } impl From for OperationError { @@ -156,6 +172,14 @@ fn make_opts() -> Options { "Set options from command line. These settings take priority over .rustfmt.toml", "[key1=val1,key2=val2...]", ); + opts.optopt( + "", + "stdin-file-hint", + "Inform rustfmt that the text passed to stdin is from the given file. \ + This option can only be passed when formatting text via stdin, \ + and the file name is used to determine if rustfmt can skip formatting the input.", + "[Path to a rust file.]", + ); if is_nightly { opts.optflag( @@ -262,6 +286,11 @@ fn format_string(input: String, options: GetOptsOptions) -> Result { // try to read config from local directory let (mut config, _) = load_config(Some(Path::new(".")), Some(options.clone()))?; + if rustfmt::is_std_ignored(options.stdin_file_hint, &config.ignore()) { + io::stdout().write_all(input.as_bytes())?; + return Ok(0); + } + if options.check { config.set().emit_mode(EmitMode::Diff); } else { @@ -494,6 +523,13 @@ fn determine_operation(matches: &Matches) -> Result { return Ok(Operation::Stdin { input: buffer }); } + // User's can only pass `--stdin-file-hint` when formating files via stdin. + if matches.opt_present("stdin-file-hint") { + return Err(OperationError::StdInFileHint( + StdInFileHintError::NotFormttingWithStdIn, + )); + } + Ok(Operation::Format { files, minimal_config_path, @@ -519,6 +555,7 @@ struct GetOptsOptions { unstable_features: bool, error_on_unformatted: Option, print_misformatted_file_names: bool, + stdin_file_hint: Option, } impl GetOptsOptions { @@ -568,6 +605,20 @@ impl GetOptsOptions { } options.config_path = matches.opt_str("config-path").map(PathBuf::from); + options.stdin_file_hint = matches.opt_str("stdin-file-hint").map(PathBuf::from); + + // return early if there are issues with the file hint specified + if let Some(file_hint) = &options.stdin_file_hint { + if !file_hint.exists() { + return Err(StdInFileHintError::NotFound(file_hint.to_owned()))?; + } + + if let Some(ext) = file_hint.extension() { + if ext != "rs" { + return Err(StdInFileHintError::NotRustFile(file_hint.to_owned()))?; + } + } + } options.inline_config = matches .opt_strs("config") diff --git a/src/config/options.rs b/src/config/options.rs index 3c5c713a33a..9b21ddd72fa 100644 --- a/src/config/options.rs +++ b/src/config/options.rs @@ -399,6 +399,14 @@ impl IgnoreList { pub fn rustfmt_toml_path(&self) -> &Path { &self.rustfmt_toml_path } + + pub fn is_empty(&self) -> bool { + self.path_set.is_empty() + } + + pub fn contains>(&self, path: P) -> bool { + self.path_set.contains(path.as_ref()) + } } impl FromStr for IgnoreList { diff --git a/src/ignore_path.rs b/src/ignore_path.rs index 5c25f233ce3..0ae31d5e0a1 100644 --- a/src/ignore_path.rs +++ b/src/ignore_path.rs @@ -1,6 +1,6 @@ -use ignore::gitignore; - use crate::config::{FileName, IgnoreList}; +use ignore::gitignore; +use std::path::{Path, PathBuf}; pub(crate) struct IgnorePathSet { ignore_set: gitignore::Gitignore, @@ -30,6 +30,33 @@ impl IgnorePathSet { } } +/// Determine if input from stdin should be ignored by rustfmt. +/// See the `ignore` configuration options for details on specifying ignore files. +pub fn is_std_ignored(file_hint: Option, ignore_list: &IgnoreList) -> bool { + // trivially return false, because no files are ignored + if ignore_list.is_empty() { + return false; + } + + // trivially return true, because everything is ignored when "/" is in the ignore list + if ignore_list.contains(Path::new("/")) { + return true; + } + + // See if the hinted stdin input is an ignored file. + if let Some(std_file_hint) = file_hint { + let file = FileName::Real(std_file_hint); + match IgnorePathSet::from_ignore_list(ignore_list) { + Ok(ignore_set) if ignore_set.is_match(&file) => { + debug!("{:?} is ignored", file); + return true; + } + _ => {} + } + } + false +} + #[cfg(test)] mod test { use rustfmt_config_proc_macro::nightly_only_test; @@ -67,4 +94,35 @@ mod test { assert!(ignore_path_set.is_match(&FileName::Real(PathBuf::from("bar_dir/baz/a.rs")))); assert!(!ignore_path_set.is_match(&FileName::Real(PathBuf::from("bar_dir/baz/what.rs")))); } + + #[test] + fn test_is_std_ignored() { + use serde_json; + use std::path::PathBuf; + + use super::is_std_ignored; + use crate::config::IgnoreList; + + let ignore_list: IgnoreList = serde_json::from_str(r#"["foo.rs","bar_dir/*"]"#).unwrap(); + assert!(is_std_ignored(Some(PathBuf::from("foo.rs")), &ignore_list)); + assert!(is_std_ignored( + Some(PathBuf::from("src/foo.rs")), + &ignore_list + )); + assert!(is_std_ignored( + Some(PathBuf::from("bar_dir/bar/bar.rs")), + &ignore_list + )); + + assert!(!is_std_ignored(Some(PathBuf::from("baz.rs")), &ignore_list)); + assert!(!is_std_ignored( + Some(PathBuf::from("src/baz.rs")), + &ignore_list + )); + assert!(!is_std_ignored( + Some(PathBuf::from("baz_dir/baz/baz.rs")), + &ignore_list + )); + assert!(!is_std_ignored(None, &ignore_list)); + } } diff --git a/src/lib.rs b/src/lib.rs index 2ef1698ead0..1c4646bb52b 100644 --- a/src/lib.rs +++ b/src/lib.rs @@ -76,6 +76,7 @@ mod expr; mod format_report_formatter; pub(crate) mod formatting; mod ignore_path; +pub use ignore_path::is_std_ignored; mod imports; mod items; mod lists; diff --git a/tests/config/stdin-file-hint-ignore.toml b/tests/config/stdin-file-hint-ignore.toml new file mode 100644 index 00000000000..69f47efe495 --- /dev/null +++ b/tests/config/stdin-file-hint-ignore.toml @@ -0,0 +1,3 @@ +ignore = [ + "src/lib.rs" +] \ No newline at end of file diff --git a/tests/rustfmt/main.rs b/tests/rustfmt/main.rs index 587c6cf85c9..9b25401c842 100644 --- a/tests/rustfmt/main.rs +++ b/tests/rustfmt/main.rs @@ -242,18 +242,21 @@ fn rustfmt_emits_error_when_control_brace_style_is_always_next_line() { } mod rustfmt_stdin_formatting { use super::rustfmt_std_input; + use rustfmt_config_proc_macro::{nightly_only_test, stable_only_test}; #[rustfmt::skip] #[test] fn changes_are_output_to_stdout() { - let args = []; + // line endings are normalized to '\n' to avoid platform differences + let args = ["--config", "newline_style=Unix"]; let source = "fn main () { println!(\"hello world!\"); }"; let (stdout, _stderr) = rustfmt_std_input(&args, source); let expected_output = r#"fn main() { println!("hello world!"); -}"#; - assert!(stdout.contains(expected_output)) +} +"#; + assert!(stdout == expected_output); } #[test] @@ -264,4 +267,99 @@ r#"fn main() { let (stdout, _stderr) = rustfmt_std_input(&args, source); assert!(stdout.trim_end() == source) } + + #[nightly_only_test] + #[test] + fn input_ignored_when_stdin_file_hint_is_ignored() { + // NOTE: the source is not properly formatted, but we're giving rustfmt a hint that + // the input actually corresponds to `src/lib.rs`, which is ignored in the given config file + let args = [ + "--stdin-file-hint", + "src/lib.rs", + "--config-path", + "tests/config/stdin-file-hint-ignore.toml", + ]; + let source = "fn main () { println!(\"hello world!\"); }"; + let (stdout, _stderr) = rustfmt_std_input(&args, source); + assert!(stdout.trim_end() == source) + } + + #[rustfmt::skip] + #[nightly_only_test] + #[test] + fn input_formatted_when_stdin_file_hint_is_not_ignored() { + // NOTE: `src/bin/main.rs` is not ignored in the config file so the input is formatted. + // line endings are normalized to '\n' to avoid platform differences + let args = [ + "--stdin-file-hint", + "src/bin/main.rs", + "--config-path", + "tests/config/stdin-file-hint-ignore.toml", + "--config", + "newline_style=Unix", + ]; + let source = "fn main () { println!(\"hello world!\"); }"; + let (stdout, _stderr) = rustfmt_std_input(&args, source); + let expected_output = +r#"fn main() { + println!("hello world!"); +} +"#; + assert!(stdout == expected_output); + } + + #[rustfmt::skip] + #[stable_only_test] + #[test] + fn ignore_list_is_not_set_on_stable_channel_and_therefore_stdin_file_hint_does_nothing() { + // NOTE: the source is not properly formatted, and although the file is `ignored` we + // can't set the `ignore` list on the stable channel so the input is formatted + // line endings are normalized to '\n' to avoid platform differences + let args = [ + "--stdin-file-hint", + "src/lib.rs", + "--config-path", + "tests/config/stdin-file-hint-ignore.toml", + "--config", + "newline_style=Unix", + ]; + let source = "fn main () { println!(\"hello world!\"); }"; + let (stdout, _stderr) = rustfmt_std_input(&args, source); + let expected_output = +r#"fn main() { + println!("hello world!"); +} +"#; + assert!(stdout == expected_output); + + } +} + +mod stdin_file_hint { + use super::{rustfmt, rustfmt_std_input}; + + #[test] + fn error_not_a_rust_file() { + let args = ["--stdin-file-hint", "README.md"]; + let source = "fn main() {}"; + let (_stdout, stderr) = rustfmt_std_input(&args, source); + assert!(stderr.contains("`--std-file-hint=\"README.md\"` is not a rust file")) + } + + #[test] + fn error_file_not_found() { + let args = ["--stdin-file-hint", "does_not_exist.rs"]; + let source = "fn main() {}"; + let (_stdout, stderr) = rustfmt_std_input(&args, source); + assert!(stderr.contains("`--std-file-hint=\"does_not_exist.rs\"` could not be found")) + } + + #[test] + fn cant_use_stdin_file_hint_if_input_not_passed_to_rustfmt_via_stdin() { + let args = ["--stdin-file-hint", "src/lib.rs", "src/lib.rs"]; + let (_stdout, stderr) = rustfmt(&args); + assert!( + stderr.contains("Cannot use `--std-file-hint` without formatting input from stdin.") + ); + } }