Skip to content

Commit e7b0b83

Browse files
authored
Merge pull request #27
Fixes #26. As noted in #26, the colon in `input:output` can conflict with paths on Windows, such as `C:\Path`. This PR deprecates that syntax and introduces a new `--output` argument. The `--output` argument specifies a different path for saving the fixed files and must be paired with source paths. For example, `nerdfix fix -o output1 -o "" input1 input2` saves `input1` to `output1` and writes `input2` in place.
2 parents d060f1a + 0680464 commit e7b0b83

File tree

6 files changed

+66
-28
lines changed

6 files changed

+66
-28
lines changed

Cargo.lock

+7
Some generated files are not rendered by default. Learn more about customizing how changed files appear on GitHub.

Cargo.toml

+1
Original file line numberDiff line numberDiff line change
@@ -8,6 +8,7 @@ rust-version = "1.70"
88

99
[dependencies]
1010
bytesize = "1.3"
11+
camino = "1.1"
1112
clap = { version = ">=4.0, <4.5", features = ["derive"] }
1213
codespan-reporting = "0.11.1"
1314
content_inspector = "0.2.4"

src/cli.rs

+22-14
Original file line numberDiff line numberDiff line change
@@ -1,11 +1,11 @@
11
//! Command line arguments parser.
22
33
use std::io::BufReader;
4-
use std::path::PathBuf;
54
use std::str::FromStr;
65
use std::{fmt, fs, io};
76

87
use bytesize::ByteSize;
8+
use camino::Utf8PathBuf;
99
use clap::{Parser, Subcommand, ValueEnum};
1010
use shadow_rs::formatcp;
1111
use thisctx::IntoError;
@@ -126,12 +126,17 @@ pub enum Command {
126126
/// Set the file size limit (0 to disable it).
127127
#[arg(long, value_name= V_SIZE, default_value = DEFAULT_SIZE)]
128128
size_limit: ByteSize,
129-
/// Path tuple(s) of files to read from and write to.
129+
/// Save fixed files to different paths.
130130
///
131-
/// Each tuple is an input path followed by an optional output path,
132-
/// e.g. `nerdfix fix /input/as/ouput /read/from:/write/to`.
131+
/// Each path should be paired with its corresponding source path. Use
132+
/// empty strings to save output directly to the source path. For
133+
/// example, `nerdfix fix -o output1 -o "" input1 input2` will save
134+
/// `input1` to `output1` and save `input2` to its original path.
135+
#[arg(short, long, value_name = V_PATH)]
136+
output: Vec<Outpath>,
137+
/// Path(s) of files to check.
133138
#[arg(value_name = V_SOURCE)]
134-
source: Vec<Source>,
139+
source: Vec<IoPath>,
135140
},
136141
/// Fuzzy search for an icon.
137142
Search {},
@@ -170,7 +175,7 @@ impl FromStr for UserInput {
170175
#[derive(Clone, Debug)]
171176
pub enum IoPath {
172177
Stdio,
173-
Path(PathBuf),
178+
Path(Utf8PathBuf),
174179
}
175180

176181
impl FromStr for IoPath {
@@ -189,7 +194,7 @@ impl fmt::Display for IoPath {
189194
fn fmt(&self, f: &mut fmt::Formatter<'_>) -> fmt::Result {
190195
match self {
191196
Self::Stdio => f.write_str("STDIO"),
192-
Self::Path(path) => path.display().fmt(f),
197+
Self::Path(path) => path.fmt(f),
193198
}
194199
}
195200
}
@@ -249,16 +254,19 @@ impl fmt::Display for OutputFormat {
249254
}
250255

251256
#[derive(Clone, Debug)]
252-
pub struct Source(pub IoPath, pub Option<IoPath>);
257+
pub struct Outpath(pub Option<IoPath>);
253258

254-
impl FromStr for Source {
255-
type Err = &'static str;
259+
impl FromStr for Outpath {
260+
type Err = <IoPath as FromStr>::Err;
256261

257262
fn from_str(s: &str) -> Result<Self, Self::Err> {
258-
Ok(if let Some((input, output)) = s.split_once(':') {
259-
Source(input.parse()?, Some(output.parse()?))
263+
if s.is_empty() {
264+
Ok(Self(None))
260265
} else {
261-
Source(s.parse()?, None)
262-
})
266+
s.parse().map(Some).map(Self)
267+
}
263268
}
264269
}
270+
271+
#[derive(Debug)]
272+
pub struct Source(pub IoPath, pub Option<IoPath>);

src/error.rs

+2
Original file line numberDiff line numberDiff line change
@@ -52,6 +52,8 @@ pub enum Error {
5252
InvalidCodepoint,
5353
#[error("Operation was interrupted by the user")]
5454
Interrupted,
55+
#[error("Number of output paths mismatch with source paths")]
56+
OutputMismatched,
5557
#[error(transparent)]
5658
Any(Box<dyn Send + Sync + std::error::Error>),
5759
}

src/main.rs

+28-11
Original file line numberDiff line numberDiff line change
@@ -12,29 +12,31 @@ mod runtime;
1212
shadow_rs::shadow!(shadow);
1313

1414
use clap::Parser;
15-
use cli::{Command, IoPath, Source};
16-
use prompt::YesOrNo;
17-
use runtime::{CheckerContext, Runtime};
18-
use thisctx::WithContext;
15+
use thisctx::{IntoError, WithContext};
1916
use tracing::{error, info, warn, Level};
2017
use tracing_subscriber::prelude::*;
21-
use util::{LogStatus, ResultExt as _};
2218
use walkdir::WalkDir;
2319

20+
use self::cli::{Command, IoPath, Source};
21+
use self::prompt::YesOrNo;
22+
use self::runtime::{CheckerContext, Runtime};
23+
use self::util::{LogStatus, ResultExt as _};
24+
2425
static ICONS: &str = include_str!("./icons.json");
2526
static SUBSTITUTIONS: &str = include_str!("./substitutions.json");
2627

2728
fn walk<'a>(
28-
paths: impl 'a + IntoIterator<Item = Source>,
29+
paths: impl 'a + IntoIterator<Item = (IoPath, Option<IoPath>)>,
2930
recursive: bool,
3031
) -> impl 'a + Iterator<Item = error::Result<Source>> {
3132
if !recursive {
32-
Box::new(paths.into_iter().map(Ok)) as Box<dyn Iterator<Item = _>>
33+
Box::new(paths.into_iter().map(|(i, o)| Source(i, o)).map(Ok))
34+
as Box<dyn Iterator<Item = _>>
3335
} else {
3436
Box::new(
3537
paths
3638
.into_iter()
37-
.flat_map(|Source(input, output)| {
39+
.flat_map(|(input, output)| {
3840
if let Some(output) = output {
3941
warn!("Output path is ignored when `--recursive`: {}", output);
4042
}
@@ -58,7 +60,7 @@ fn walk<'a>(
5860
})
5961
.transpose()
6062
})
61-
.map(|e| e.map(|path| Source(IoPath::Path(path), None))),
63+
.map(|e| e.map(|path| Source(IoPath::Path(path.try_into().unwrap()), None))),
6264
)
6365
}
6466
}
@@ -119,7 +121,7 @@ fn main_impl() -> error::Result<()> {
119121
size_limit: size_limit.as_u64(),
120122
..Default::default()
121123
};
122-
for source in walk(source.into_iter().map(|p| Source(p, None)), recursive) {
124+
for source in walk(source.into_iter().map(|p| (p, None)), recursive) {
123125
tri!({
124126
let source = source?;
125127
rt.check(&mut context, &source.0, None)
@@ -135,11 +137,23 @@ fn main_impl() -> error::Result<()> {
135137
recursive,
136138
include_binary,
137139
size_limit,
140+
output,
138141
source,
139142
} => {
140143
if yes {
141144
warn!("`--yes` is deprecated, use `--write` instead");
142145
}
146+
if !output.is_empty() && output.len() != source.len() {
147+
return Err(error::OutputMismatched.build());
148+
}
149+
if cfg!(unix) {
150+
// Colon in `C:\Path` should not be considered as separators.
151+
for p in source.iter() {
152+
if matches!(p, IoPath::Path(p) if p.as_str().contains(':')) {
153+
warn!("`input:output` syntax is deprecated, use `--output` instead");
154+
}
155+
}
156+
}
143157
let rt = rt.build();
144158
let mut context = CheckerContext {
145159
write,
@@ -149,7 +163,10 @@ fn main_impl() -> error::Result<()> {
149163
..Default::default()
150164
};
151165
let mut buffer = String::new();
152-
for source in walk(source, recursive) {
166+
for source in walk(
167+
source.into_iter().zip(output.into_iter().map(|p| p.0)),
168+
recursive,
169+
) {
153170
tri!({
154171
let source = source?;
155172
let Source(input, output) = &source;

tests/cli.rs

+6-3
Original file line numberDiff line numberDiff line change
@@ -131,7 +131,8 @@ fn fix() {
131131
"fix",
132132
"--select-first",
133133
"--write",
134-
"tests/test-data.txt:-"
134+
"-o-",
135+
"tests/test-data.txt"
135136
);
136137
}
137138

@@ -144,7 +145,8 @@ fn fix_with_exact_subs() {
144145
"--write",
145146
"-i=src/icons.json",
146147
"-i=tests/test-substitutions.json",
147-
"tests/test-data.txt:-"
148+
"-o-",
149+
"tests/test-data.txt"
148150
);
149151
}
150152

@@ -157,6 +159,7 @@ fn fix_with_prefix_subs() {
157159
"--write",
158160
"-i=src/icons.json",
159161
"--sub=prefix:mdi-/md-",
160-
"tests/test-data.txt:-"
162+
"-o-",
163+
"tests/test-data.txt"
161164
);
162165
}

0 commit comments

Comments
 (0)