在 Runtime.getRuntime().exec 中包含 2 个可执行文件的空格

2022-09-04 19:20:38

我有一个命令,我需要按照以下几行在java中运行:

    C:\path\that has\spaces\plink -arg1 foo -arg2 bar "path/on/remote/machine/iperf -arg3 hello -arg4 world"

当路径没有空格时,此命令工作正常,但是当我有空格时,我似乎无法使其正常工作。我已经尝试了以下方法,运行Java 1.7

String[] a = "C:\path\that has\spaces\plink", "-arg1 foo", "-arg2 bar", "path/on/remote/machine/iperf -arg3 hello -arg4 world"
Runtime.getRuntime().exec(a);

以及

String[] a = "C:\path\that has\spaces\plink", "-arg1 foo", "-arg2 bar", "path/on/remote/machine/iperf", "-arg3 hello", "-arg4 world"
Runtime.getRuntime().exec(a);

但两者似乎都没有做任何事情。对我做错了什么有什么想法??


答案 1

传递给命令的每个参数都应该是一个单独的 String 元素。

所以你的命令数组应该看起来更像...

String[] a = new String[] {
    "C:\path\that has\spaces\plink",
    "-arg1",
    "foo", 
    "-arg2",
    "bar",
    "path/on/remote/machine/iperf -arg3 hello -arg4 world"};

现在,每个元素在程序变量中将显示为一个单独的元素。args

我也非常鼓励您改用 ProcessBuilder,因为它更易于配置,并且不需要您将某些命令包装在"\"...\""


答案 2

推荐