使用 Rust 构建 Linux 命令行工具是一个很好的选择,因为 Rust 提供了高性能、内存安全和并发性。以下是一个简单的步骤指南,帮助你开始构建自己的 Linux 命令行工具。
首先,你需要安装 Rust。可以通过以下命令安装 Rust:
curl --proto '=https' --tlsv1.2 -sSf https://sh.rustup.rs | sh
按照提示完成安装过程。安装完成后,确保将 Rust 添加到你的 PATH 中:
source $HOME/.cargo/env
使用 Cargo(Rust 的包管理工具)创建一个新的二进制项目:
cargo new my_cli_tool
cd my_cli_tool
编辑 src/main.rs 文件,编写你的命令行工具代码。以下是一个简单的示例:
use std::env;
use std::process;
fn main() {
    let args: Vec<String> = env::args().collect();
    if args.len() < 2 {
        println!("Usage: {} <command>", args[0]);
        process::exit(1);
    }
    let command = &args[1];
    match command.as_str() {
        "hello" => println!("Hello, world!"),
        "version" => println!("My CLI Tool version 1.0.0"),
        _ => println!("Unknown command: {}", command),
    }
}
为了更好地处理命令行参数,可以使用 clap 库。首先,在 Cargo.toml 文件中添加 clap 依赖:
[dependencies]
clap = { version = "3.2.22", features = ["derive"] }
然后,修改 src/main.rs 文件以使用 clap:
use clap::{App, Arg};
fn main() {
    let matches = App::new("My CLI Tool")
        .version("1.0.0")
        .author("Your Name <your.email@example.com>")
        .about("Does awesome things")
        .arg(
            Arg::with_name("command")
                .short('c')
                .long("command")
                .value_name("COMMAND")
                .help("Sets a custom command")
                .takes_value(true),
        )
        .get_matches();
    let command = matches.value_of("command").unwrap_or("hello");
    match command {
        "hello" => println!("Hello, world!"),
        "version" => println!("My CLI Tool version 1.0.0"),
        _ => println!("Unknown command: {}", command),
    }
}
使用以下命令构建你的项目:
cargo build --release
构建完成后,你可以在 target/release 目录下找到生成的可执行文件。运行它:
./target/release/my_cli_tool --command hello
你可以使用 cargo 的 package 命令来打包你的项目,并使用 cargo 的 publish 命令将其发布到 crates.io。
cargo package
cargo publish
cargo install 安装全局命令行工具如果你希望将你的命令行工具安装为全局可用的命令,可以使用 cargo install 命令:
cargo install --path .
这样,你的命令行工具就会被安装到 ~/.cargo/bin 目录下,并且可以在任何地方通过命令行访问。
通过以上步骤,你已经成功构建了一个基本的 Linux 命令行工具。你可以根据需要进一步扩展和优化它。