当我尝试运行Runtime.exec(String)
时,某些命令会起作用,而其他命令会执行但是失败或者做的事情与我的终端不同。这是一个独立的测试用例,展示了这种效果:
public class ExecTest {
static void exec(String cmd) throws Exception {
Process p = Runtime.getRuntime().exec(cmd);
int i;
while( (i=p.getInputStream().read()) != -1) {
System.out.write(i);
}
while( (i=p.getErrorStream().read()) != -1) {
System.err.write(i);
}
}
public static void main(String[] args) throws Exception {
System.out.print("Runtime.exec: ");
String cmd = new java.util.Scanner(System.in).nextLine();
exec(cmd);
}
}
如果我用echo hello world
替换命令,该示例效果很好,但对于其他命令 - 尤其是涉及带有空格的文件名的那些命令 - 即使命令显然正在执行,我也会收到错误:
myshell$ javac ExecTest.java && java ExecTest
Runtime.exec: ls -l 'My File.txt'
ls: cannot access 'My: No such file or directory
ls: cannot access File.txt': No such file or directory
同时,复制粘贴到我的shell:
myshell$ ls -l 'My File.txt'
-rw-r--r-- 1 me me 4 Aug 2 11:44 My File.txt
为什么会有区别?它何时起作用,何时失效?如何使其适用于所有命令?
答案 0 :(得分:75)
这是因为传递给Runtime.exec(String)
的命令不在shell中执行。 shell为程序执行许多常见的支持服务,当shell不在时,命令将失败。
只要依赖shell功能,命令就会失败。 shell执行了许多我们通常不会考虑的常见有用的事情:
shell在引号和空格上正确分割
这可确保"My File.txt"
中的文件名仍为单个参数。
Runtime.exec(String)
天真地分裂空格并将其作为两个单独的文件名传递。这显然失败了。
shell扩展了globs / wildcards
当您运行ls *.doc
时,shell会将其重写为ls letter.doc notes.doc
。
Runtime.exec(String)
没有,它只是将它们作为参数传递。
ls
不知道*
是什么,所以命令失败。
shell管理管道和重定向。
运行ls mydir > output.txt
时,shell会打开“output.txt”以获取命令输出,并将其从命令行中删除,并显示ls mydir
。
Runtime.exec(String)
没有。它只是将它们作为参数传递。
ls
不知道>
的含义,因此命令失败。
shell扩展变量和命令
当您运行ls "$HOME"
或ls "$(pwd)"
时,shell会将其重写为ls /home/myuser
。
Runtime.exec(String)
没有,它只是将它们作为参数传递。
ls
不知道$
的含义,因此命令失败。
有两种方法可以执行任意复杂的命令:
简单和草率:委托给shell。
您可以使用Runtime.exec(String[])
(注意数组参数)并将命令直接传递给可以完成所有繁重工作的shell:
// Simple, sloppy fix. May have security and robustness implications
String myFile = "some filename.txt";
String myCommand = "cp -R '" + myFile + "' $HOME 2> errorlog";
Runtime.getRuntime().exec(new String[] { "bash", "-c", myCommand });
安全可靠:承担shell的职责。
这不是一个可以机械应用的修复,但需要了解Unix执行模型,shell做什么以及如何做同样的事情。但是,通过将shell从图片中移除,您可以获得可靠,安全且可靠的解决方案。这由ProcessBuilder
促进。
上一个示例中的命令需要有人处理1.引号,2.变量和3.重定向,可以写成:
String myFile = "some filename.txt";
ProcessBuilder builder = new ProcessBuilder(
"cp", "-R", myFile, // We handle word splitting
System.getenv("HOME")); // We handle variables
builder.redirectError( // We set up redirections
ProcessBuilder.Redirect.to(new File("errorlog")));
builder.start();