1use std::fmt;
2use std::io::Write;
3use std::path::PathBuf;
4
5use similar::{ChangeTag, TextDiff};
6
7use crate::alloc::prelude::*;
8use crate::alloc::BTreeSet;
9use crate::cli::{AssetKind, CommandBase, Config, Entry, EntryPoint, ExitCode, Io, SharedFlags};
10use crate::support::{Context, Result};
11use crate::termcolor::{Color, ColorSpec, WriteColor};
12use crate::{Diagnostics, Options, Source, Sources};
13
14mod cli {
15 use std::path::PathBuf;
16 use std::vec::Vec;
17
18 use clap::Parser;
19
20 #[derive(Parser, Debug)]
21 #[command(rename_all = "kebab-case")]
22 pub(crate) struct Flags {
23 #[arg(long)]
25 pub(super) warnings_are_errors: bool,
26 #[arg(long)]
29 pub(super) check: bool,
30 pub(super) fmt_path: Vec<PathBuf>,
32 }
33}
34
35pub(super) use cli::Flags;
36
37impl CommandBase for Flags {
38 #[inline]
39 fn is_workspace(&self, _: AssetKind) -> bool {
40 true
41 }
42
43 #[inline]
44 fn describe(&self) -> &str {
45 "Formatting"
46 }
47
48 #[inline]
50 fn paths(&self) -> &[PathBuf] {
51 &self.fmt_path
52 }
53}
54
55pub(super) fn run<'m, I>(
56 io: &mut Io<'_>,
57 entry: &mut Entry<'_>,
58 c: &Config,
59 entrys: I,
60 flags: &Flags,
61 shared: &SharedFlags,
62 options: &Options,
63) -> Result<ExitCode>
64where
65 I: IntoIterator<Item = EntryPoint<'m>>,
66{
67 let col = Colors::new();
68
69 let mut changed = 0u32;
70 let mut failed = 0u32;
71 let mut unchanged = 0u32;
72 let mut failed_builds = 0u32;
73
74 let context = shared.context(entry, c, None)?;
75
76 let mut paths = BTreeSet::new();
77
78 for e in entrys {
79 if e.is_argument() {
82 paths.try_insert(e.path().try_to_owned()?)?;
83 continue;
84 }
85
86 let mut diagnostics = if shared.warnings || flags.warnings_are_errors {
87 Diagnostics::new()
88 } else {
89 Diagnostics::without_warnings()
90 };
91
92 let mut sources = Sources::new();
93
94 sources.insert(match Source::from_path(e.path()) {
95 Ok(source) => source,
96 Err(error) => return Err(error).context(e.path().display().try_to_string()?),
97 })?;
98
99 let _ = crate::prepare(&mut sources)
100 .with_context(&context)
101 .with_diagnostics(&mut diagnostics)
102 .with_options(options)
103 .build();
104
105 diagnostics.emit(&mut io.stdout.lock(), &sources)?;
106
107 if diagnostics.has_error() || flags.warnings_are_errors && diagnostics.has_warning() {
108 failed_builds += 1;
109 }
110
111 for source in sources.iter() {
112 if let Some(path) = source.path() {
113 paths.try_insert(path.try_to_owned()?)?;
114 }
115 }
116 }
117
118 for path in paths {
119 let mut sources = Sources::new();
120
121 sources.insert(match Source::from_path(&path) {
122 Ok(source) => source,
123 Err(error) => return Err(error).context(path.display().try_to_string()?),
124 })?;
125
126 let mut diagnostics = Diagnostics::new();
127
128 let build = crate::fmt::prepare(&sources)
129 .with_options(options)
130 .with_diagnostics(&mut diagnostics);
131
132 let result = build.format();
133
134 if !diagnostics.is_empty() {
135 diagnostics.emit(io.stdout, &sources)?;
136 }
137
138 let Ok(formatted) = result else {
139 failed += 1;
140 continue;
141 };
142
143 for (id, formatted) in formatted {
144 let Some(source) = sources.get(id) else {
145 continue;
146 };
147
148 let same = source.as_str() == formatted;
149
150 if same {
151 unchanged += 1;
152
153 if shared.verbose {
154 io.stdout.set_color(&col.green)?;
155 write!(io.stdout, "== ")?;
156 io.stdout.reset()?;
157 writeln!(io.stdout, "{}", source.name())?;
158 }
159
160 continue;
161 }
162
163 changed += 1;
164
165 if shared.verbose || flags.check {
166 io.stdout.set_color(&col.yellow)?;
167 write!(io.stdout, "++ ")?;
168 io.stdout.reset()?;
169 writeln!(io.stdout, "{}", source.name())?;
170 diff(io, source.as_str(), &formatted, &col)?;
171 }
172
173 if !flags.check {
174 if let Some(path) = source.path() {
175 std::fs::write(path, &formatted)?;
176 }
177 }
178 }
179 }
180
181 if shared.verbose && unchanged > 0 {
182 io.stdout.set_color(&col.green)?;
183 write!(io.stdout, "{}", unchanged)?;
184 io.stdout.reset()?;
185 writeln!(io.stdout, " unchanged")?;
186 }
187
188 if shared.verbose && changed > 0 {
189 io.stdout.set_color(&col.yellow)?;
190 write!(io.stdout, "{}", changed)?;
191 io.stdout.reset()?;
192 writeln!(io.stdout, " changed")?;
193 }
194
195 if shared.verbose || failed > 0 {
196 io.stdout.set_color(&col.red)?;
197 write!(io.stdout, "{}", failed)?;
198 io.stdout.reset()?;
199 writeln!(io.stdout, " failed")?;
200 }
201
202 if shared.verbose || failed_builds > 0 {
203 io.stdout.set_color(&col.red)?;
204 write!(io.stdout, "{}", failed_builds)?;
205 io.stdout.reset()?;
206 writeln!(io.stdout, " failed builds")?;
207 }
208
209 if flags.check && changed > 0 {
210 io.stdout.set_color(&col.red)?;
211 writeln!(
212 io.stdout,
213 "Failure due to `--check` flag and unformatted files."
214 )?;
215 io.stdout.reset()?;
216 return Ok(ExitCode::Failure);
217 }
218
219 if failed > 0 || failed_builds > 0 {
220 return Ok(ExitCode::Failure);
221 }
222
223 Ok(ExitCode::Success)
224}
225
226fn diff(io: &mut Io, source: &str, val: &str, col: &Colors) -> Result<(), anyhow::Error> {
227 let diff = TextDiff::from_lines(source, val);
228
229 for (idx, group) in diff.grouped_ops(3).iter().enumerate() {
230 if idx > 0 {
231 println!("{:-^1$}", "-", 80);
232 }
233
234 for op in group {
235 for change in diff.iter_inline_changes(op) {
236 let (sign, color) = match change.tag() {
237 ChangeTag::Delete => ("-", &col.red),
238 ChangeTag::Insert => ("+", &col.green),
239 ChangeTag::Equal => (" ", &col.dim),
240 };
241
242 io.stdout.set_color(color)?;
243
244 write!(io.stdout, "{}", Line(change.old_index()))?;
245 write!(io.stdout, "{sign}")?;
246
247 for (_, value) in change.iter_strings_lossy() {
248 write!(io.stdout, "{value}")?;
249 }
250
251 io.stdout.reset()?;
252
253 if change.missing_newline() {
254 writeln!(io.stdout)?;
255 }
256 }
257 }
258 }
259
260 Ok(())
261}
262
263struct Line(Option<usize>);
264
265impl fmt::Display for Line {
266 fn fmt(&self, f: &mut fmt::Formatter) -> fmt::Result {
267 match self.0 {
268 None => write!(f, " "),
269 Some(idx) => write!(f, "{:<4}", idx + 1),
270 }
271 }
272}
273
274struct Colors {
275 red: ColorSpec,
276 green: ColorSpec,
277 yellow: ColorSpec,
278 dim: ColorSpec,
279}
280
281impl Colors {
282 fn new() -> Self {
283 let mut this = Self {
284 red: ColorSpec::new(),
285 green: ColorSpec::new(),
286 yellow: ColorSpec::new(),
287 dim: ColorSpec::new(),
288 };
289
290 this.red.set_fg(Some(Color::Red));
291 this.green.set_fg(Some(Color::Green));
292 this.yellow.set_fg(Some(Color::Yellow));
293
294 this
295 }
296}