如何将带有多个参数的单个字符串传递给std :: process :: Command?

时间:2018-11-27 11:13:20

标签: string rust command-line-arguments child-process

Rust的<body onload="setTrait_matrix()"> <div id="traits_matrix_Div" style="visibility:visible" style="border: 1px; height:200px; align: center;"></div> </body>类型要求通过std::process::Command单独传递过程参数,或者通过.arg("-arg1").arg("-arg2")作为字符串向量传递。您如何将字符串拆分为可以作为参数传递的向量?

2 个答案:

答案 0 :(得分:4)

在将命令行字符串拆分为参数时,shell的作用绝非易事,特别是当您要处理诸如引用之类的事情时。例如,您的代码应传递以下断言:

assert_eq!(split(r#""foo\"bar""#), vec!["foo\"bar"]);
assert_eq!(split(r#""foo"#), vec!["\"foo"]);          // Or error

除非您认为仅对空格进行拆分就足以满足您的用例,否则您应该真正使用诸如shell-wordsshlex之类的板条箱。 shlex的优点是它可以返回迭代器,从而避免了不必要的分配,但另一方面,它很容易错过上面第二个测试中的错误:

extern crate shell_words;
extern crate shlex;

use shell_words::split;
use shlex::Shlex;

fn main() {
    assert_eq!(split(r#"a b"#).unwrap(), vec!["a", "b"]);
    let mut lex = Shlex::new(r#"a b"#);
    assert_eq!(lex.by_ref().collect::<Vec<_>>(), vec!["a", "b"]);
    assert!(!lex.had_error);    // ← Don't forget this check!

    assert_eq!(split(r#"a "b c""#).unwrap(), vec!["a", "b c"]);
    let mut lex = Shlex::new(r#"a "b c""#);
    assert_eq!(lex.by_ref().collect::<Vec<_>>(), vec!["a", "b c"]);
    assert!(!lex.had_error);    // ← Don't forget this check!

    assert_eq!(split(r#""foo\"bar""#).unwrap(), vec!["foo\"bar"]);
    let mut lex = Shlex::new(r#""foo\"bar""#);
    assert_eq!(lex.by_ref().collect::<Vec<_>>(), vec!["foo\"bar"]);
    assert!(!lex.had_error);    // ← Don't forget this check!

    assert!(split(r#""foo"#).is_err());
    // assert_eq!(Shlex::new(r#""foo"#).collect::<Vec<_>>(), vec!["\"foo"]);

    let mut lex = Shlex::new(r#""foo"#);
    lex.by_ref().for_each (drop);
    assert!(lex.had_error);     // ← Don't forget this check!
}

答案 1 :(得分:-5)

不支持带引号的参数(但易于添加)的实现:

fn sh(command: &str) -> std::io::Result<std::process::Output> {
    let mut the_args = command.split(' '); // todo: support quoted strings
    let first: &str = the_args.next().unwrap();
    let rest: Vec<&str> = the_args.collect::<Vec<&str>>();
    std::process::Command::new(first).args(rest).output()
}

fn main() {
    let output = sh("ls -la").unwrap(); 
    let s = String::from_utf8_lossy(&output.stdout).to_string();
    println!("{:?}", s);
}

您必须使用迭代器和字符串转换来做很多歌舞。这使我绊了几天。我希望有人可以使用一个基本的解析器来处理加引号的参数字符串:)。