从 java 更改命令的工作目录

我需要从 Java 项目中的某个包中的函数执行.exe文件。现在工作目录是java项目的根目录,但.exe文件在我的项目的子目录中。以下是该项目的组织方式:

ROOT_DIR
|.......->com
|         |......->somepackage
|                 |.........->callerClass.java
|
|.......->resource
         |........->external.exe

最初,我尝试直接通过以下方式运行.exe文件:

String command = "resources\\external.exe  -i input -o putpot";
Runtime rt = Runtime.getRuntime();
Process pr = rt.exec(command);

但问题是外部.exe需要访问自己目录中的一些文件,并一直认为根目录是其目录。我甚至试图使用.bat文件来解决问题,但同样的问题出现了:

Runtime.getRuntime().exec(new String[]{"cmd.exe", "/c", "resources\\helper.bat"});

并且.bat文件与.exe文件位于同一目录中,但发生了相同的问题。以下是.bat文件的内容:

@echo off
echo starting process...

external.exe -i input -o output

pause

即使我.bat文件移动到root并修复其内容,问题也不会消失。请 请 请 请 帮忙


答案 1

若要实现此目的,可以使用 ProcessBuilder 类,如下所示:

File pathToExecutable = new File( "resources/external.exe" );
ProcessBuilder builder = new ProcessBuilder( pathToExecutable.getAbsolutePath(), "-i", "input", "-o", "output");
builder.directory( new File( "resources" ).getAbsoluteFile() ); // this is where you set the root folder for the executable to run with
builder.redirectErrorStream(true);
Process process =  builder.start();

Scanner s = new Scanner(process.getInputStream());
StringBuilder text = new StringBuilder();
while (s.hasNextLine()) {
  text.append(s.nextLine());
  text.append("\n");
}
s.close();

int result = process.waitFor();

System.out.printf( "Process exited with result %d and output %s%n", result, text );

这是一堆代码,但可以让您更好地控制流程的运行方式。


答案 2

使用此形式的 exec 方法指定工作目录

public Process exec(String[] cmdarray,
                    String[] envp,
                    File dir)
             throws IOException

工作目录是第三个参数。如果您不需要设置任何特殊环境,则可以通过。nullenvp

还有这个方便的方法

public Process exec(String command,
                    String[] envp,
                    File dir)
             throws IOException

...其中,您可以在一个字符串中指定命令(它只是为您转换为数组;有关详细信息,请参阅文档)。


推荐