1#![doc(
8 html_logo_url = "https://github.com/tauri-apps/tauri/raw/dev/.github/icon.png",
9 html_favicon_url = "https://github.com/tauri-apps/tauri/raw/dev/.github/icon.png"
10)]
11#![cfg(any(target_os = "macos", target_os = "linux", windows))]
12
13mod acl;
14mod add;
15mod build;
16mod bundle;
17mod completions;
18mod dev;
19mod error;
20mod helpers;
21mod icon;
22mod info;
23mod init;
24mod inspect;
25mod interface;
26mod migrate;
27mod mobile;
28mod plugin;
29mod remove;
30mod signer;
31
32use clap::{ArgAction, CommandFactory, FromArgMatches, Parser, Subcommand, ValueEnum};
33use env_logger::fmt::style::{AnsiColor, Style};
34use env_logger::Builder;
35pub use error::{Error, ErrorExt, Result};
36use log::Level;
37use serde::{Deserialize, Serialize};
38use std::io::{BufReader, Write};
39use std::process::{exit, Command, ExitStatus, Output, Stdio};
40use std::{
41 ffi::OsString,
42 fmt::Display,
43 fs::read_to_string,
44 io::BufRead,
45 path::PathBuf,
46 str::FromStr,
47 sync::{Arc, Mutex},
48};
49
50use crate::error::Context;
51
52#[derive(Debug, Clone, Serialize, Deserialize)]
54pub struct ConfigValue(pub(crate) serde_json::Value);
55
56impl FromStr for ConfigValue {
57 type Err = Error;
58
59 fn from_str(config: &str) -> std::result::Result<Self, Self::Err> {
60 if config.starts_with('{') {
61 Ok(Self(serde_json::from_str(config).with_context(|| {
62 format!("failed to parse config `{config}` as JSON")
63 })?))
64 } else {
65 let path = PathBuf::from(config);
66 let raw =
67 read_to_string(&path).fs_context("failed to read configuration file", path.clone())?;
68
69 match path.extension().and_then(|ext| ext.to_str()) {
70 Some("toml") => Ok(Self(::toml::from_str(&raw).with_context(|| {
71 format!("failed to parse config at {} as TOML", path.display())
72 })?)),
73 Some("json5") => Ok(Self(::json5::from_str(&raw).with_context(|| {
74 format!("failed to parse config at {} as JSON5", path.display())
75 })?)),
76 _ => Ok(Self(
78 match ::json5::from_str(&raw) {
82 Ok(json5) => json5,
83 Err(_) => serde_json::from_str(&raw)
84 .with_context(|| format!("failed to parse config at {} as JSON", path.display()))?,
85 },
86 )),
87 }
88 }
89 }
90}
91
92#[derive(Debug, Copy, Clone, PartialEq, Eq, PartialOrd, Ord, ValueEnum)]
93pub enum RunMode {
94 Desktop,
95 #[cfg(target_os = "macos")]
96 Ios,
97 Android,
98}
99
100impl Display for RunMode {
101 fn fmt(&self, f: &mut std::fmt::Formatter<'_>) -> std::fmt::Result {
102 write!(
103 f,
104 "{}",
105 match self {
106 Self::Desktop => "desktop",
107 #[cfg(target_os = "macos")]
108 Self::Ios => "iOS",
109 Self::Android => "android",
110 }
111 )
112 }
113}
114
115#[derive(Deserialize)]
116pub struct VersionMetadata {
117 tauri: String,
118 #[serde(rename = "tauri-build")]
119 tauri_build: String,
120 #[serde(rename = "tauri-plugin")]
121 tauri_plugin: String,
122}
123
124#[derive(Deserialize)]
125pub struct PackageJson {
126 name: Option<String>,
127 version: Option<String>,
128 product_name: Option<String>,
129}
130
131#[derive(Parser)]
132#[clap(
133 author,
134 version,
135 about,
136 bin_name("cargo-tauri"),
137 subcommand_required(true),
138 arg_required_else_help(true),
139 propagate_version(true),
140 no_binary_name(true)
141)]
142pub(crate) struct Cli {
143 #[clap(short, long, global = true, action = ArgAction::Count)]
145 verbose: u8,
146 #[clap(subcommand)]
147 command: Commands,
148}
149
150#[derive(Subcommand)]
151enum Commands {
152 Init(init::Options),
153 Dev(dev::Options),
154 Build(build::Options),
155 Bundle(bundle::Options),
156 Android(mobile::android::Cli),
157 #[cfg(target_os = "macos")]
158 Ios(mobile::ios::Cli),
159 Migrate,
161 Info(info::Options),
162 Add(add::Options),
163 Remove(remove::Options),
164 Plugin(plugin::Cli),
165 Icon(icon::Options),
166 Signer(signer::Cli),
167 Completions(completions::Options),
168 Permission(acl::permission::Cli),
169 Capability(acl::capability::Cli),
170 Inspect(inspect::Cli),
171}
172
173fn format_error<I: CommandFactory>(err: clap::Error) -> clap::Error {
174 let mut app = I::command();
175 err.format(&mut app)
176}
177
178fn get_verbosity(cli_verbose: u8) -> u8 {
179 std::env::var("TAURI_CLI_VERBOSITY")
180 .ok()
181 .and_then(|v| v.parse().ok())
182 .unwrap_or(cli_verbose)
183}
184
185pub fn run<I, A>(args: I, bin_name: Option<String>)
198where
199 I: IntoIterator<Item = A>,
200 A: Into<OsString> + Clone,
201{
202 if let Err(e) = try_run(args, bin_name) {
203 log::error!("{e}");
204 exit(1);
205 }
206}
207
208pub fn try_run<I, A>(args: I, bin_name: Option<String>) -> Result<()>
212where
213 I: IntoIterator<Item = A>,
214 A: Into<OsString> + Clone,
215{
216 let cli = match bin_name {
217 Some(bin_name) => Cli::command().bin_name(bin_name),
218 None => Cli::command(),
219 };
220 let cli_ = cli.clone();
221 let matches = cli.get_matches_from(args);
222
223 let res = Cli::from_arg_matches(&matches).map_err(format_error::<Cli>);
224 let cli = match res {
225 Ok(s) => s,
226 Err(e) => e.exit(),
227 };
228 let verbosity_number = get_verbosity(cli.verbose);
230 std::env::set_var("TAURI_CLI_VERBOSITY", verbosity_number.to_string());
231
232 let mut builder = Builder::from_default_env();
233 if let Err(err) = builder
234 .format_indent(Some(12))
235 .filter(None, verbosity_level(verbosity_number).to_level_filter())
236 .filter(
238 Some("goblin"),
239 verbosity_level(verbosity_number.saturating_sub(1)).to_level_filter(),
240 )
241 .filter(
243 Some("handlebars"),
244 verbosity_level(verbosity_number.saturating_sub(1)).to_level_filter(),
245 )
246 .format(|f, record| {
247 let mut is_command_output = false;
248 if let Some(action) = record.key_values().get("action".into()) {
249 let action = action.to_cow_str().unwrap();
250 is_command_output = action == "stdout" || action == "stderr";
251 if !is_command_output {
252 let style = Style::new().fg_color(Some(AnsiColor::Green.into())).bold();
253 write!(f, "{style}{action:>12}{style:#} ")?;
254 }
255 } else {
256 let style = f.default_level_style(record.level()).bold();
257 write!(
258 f,
259 "{style}{:>12}{style:#} ",
260 prettyprint_level(record.level())
261 )?;
262 }
263
264 if !is_command_output && log::log_enabled!(Level::Debug) {
265 let style = Style::new().fg_color(Some(AnsiColor::Black.into()));
266 write!(f, "[{style}{}{style:#}] ", record.target())?;
267 }
268
269 writeln!(f, "{}", record.args())
270 })
271 .try_init()
272 {
273 eprintln!("Failed to attach logger: {err}");
274 }
275
276 match cli.command {
277 Commands::Build(options) => build::command(options, cli.verbose)?,
278 Commands::Bundle(options) => bundle::command(options, cli.verbose)?,
279 Commands::Dev(options) => dev::command(options)?,
280 Commands::Add(options) => add::command(options)?,
281 Commands::Remove(options) => remove::command(options)?,
282 Commands::Icon(options) => icon::command(options)?,
283 Commands::Info(options) => info::command(options)?,
284 Commands::Init(options) => init::command(options)?,
285 Commands::Plugin(cli) => plugin::command(cli)?,
286 Commands::Signer(cli) => signer::command(cli)?,
287 Commands::Completions(options) => completions::command(options, cli_)?,
288 Commands::Permission(options) => acl::permission::command(options)?,
289 Commands::Capability(options) => acl::capability::command(options)?,
290 Commands::Android(c) => mobile::android::command(c, cli.verbose)?,
291 #[cfg(target_os = "macos")]
292 Commands::Ios(c) => mobile::ios::command(c, cli.verbose)?,
293 Commands::Migrate => migrate::command()?,
294 Commands::Inspect(cli) => inspect::command(cli)?,
295 }
296
297 Ok(())
298}
299
300fn verbosity_level(num: u8) -> Level {
302 match num {
303 0 => Level::Info,
304 1 => Level::Debug,
305 _ => Level::Trace,
306 }
307}
308
309fn prettyprint_level(lvl: Level) -> &'static str {
311 match lvl {
312 Level::Error => "Error",
313 Level::Warn => "Warn",
314 Level::Info => "Info",
315 Level::Debug => "Debug",
316 Level::Trace => "Trace",
317 }
318}
319
320pub trait CommandExt {
321 fn piped(&mut self) -> std::io::Result<ExitStatus>;
324 fn output_ok(&mut self) -> crate::Result<Output>;
325}
326
327impl CommandExt for Command {
328 fn piped(&mut self) -> std::io::Result<ExitStatus> {
329 self.stdin(os_pipe::dup_stdin()?);
330 self.stdout(os_pipe::dup_stdout()?);
331 self.stderr(os_pipe::dup_stderr()?);
332
333 let program = self.get_program().to_string_lossy().into_owned();
334 let args = self
335 .get_args()
336 .map(|a| a.to_string_lossy())
337 .collect::<Vec<_>>()
338 .join(" ");
339
340 log::debug!(action = "Running"; "Command `{program} {args}`");
341 self.status()
342 }
343
344 fn output_ok(&mut self) -> crate::Result<Output> {
345 let program = self.get_program().to_string_lossy().into_owned();
346 let args = self
347 .get_args()
348 .map(|a| a.to_string_lossy())
349 .collect::<Vec<_>>()
350 .join(" ");
351 let cmdline = format!("{program} {args}");
352 log::debug!(action = "Running"; "Command `{cmdline}`");
353
354 self.stdout(Stdio::piped());
355 self.stderr(Stdio::piped());
356
357 let mut child = self
358 .spawn()
359 .with_context(|| format!("failed to run command `{cmdline}`"))?;
360
361 let mut stdout = child.stdout.take().map(BufReader::new).unwrap();
362 let stdout_lines = Arc::new(Mutex::new(Vec::new()));
363 let stdout_lines_ = stdout_lines.clone();
364 std::thread::spawn(move || {
365 let mut line = String::new();
366 if let Ok(mut lines) = stdout_lines_.lock() {
367 loop {
368 line.clear();
369 match stdout.read_line(&mut line) {
370 Ok(0) => break,
371 Ok(_) => {
372 log::debug!(action = "stdout"; "{}", line.trim_end());
373 lines.extend(line.as_bytes());
374 }
375 Err(_) => (),
376 }
377 }
378 }
379 });
380
381 let mut stderr = child.stderr.take().map(BufReader::new).unwrap();
382 let stderr_lines = Arc::new(Mutex::new(Vec::new()));
383 let stderr_lines_ = stderr_lines.clone();
384 std::thread::spawn(move || {
385 let mut line = String::new();
386 if let Ok(mut lines) = stderr_lines_.lock() {
387 loop {
388 line.clear();
389 match stderr.read_line(&mut line) {
390 Ok(0) => break,
391 Ok(_) => {
392 log::debug!(action = "stderr"; "{}", line.trim_end());
393 lines.extend(line.as_bytes());
394 }
395 Err(_) => (),
396 }
397 }
398 }
399 });
400
401 let status = child
402 .wait()
403 .with_context(|| format!("failed to run command `{cmdline}`"))?;
404
405 let output = Output {
406 status,
407 stdout: std::mem::take(&mut *stdout_lines.lock().unwrap()),
408 stderr: std::mem::take(&mut *stderr_lines.lock().unwrap()),
409 };
410
411 if output.status.success() {
412 Ok(output)
413 } else {
414 crate::error::bail!(
415 "failed to run command `{cmdline}`: command exited with status code {}",
416 output.status.code().unwrap_or(-1)
417 );
418 }
419 }
420}
421
422#[cfg(test)]
423mod tests {
424 use clap::CommandFactory;
425
426 use crate::Cli;
427
428 #[test]
429 fn verify_cli() {
430 Cli::command().debug_assert();
431 }
432
433 #[test]
434 fn help_output_includes_build() {
435 let help = Cli::command().render_help().to_string();
436 assert!(help.contains("Build"));
437 }
438}