我想做的是batch
从java应用程序多次运行一个文件。因此,我设置了一个for-loop
运行此代码的n
时间:
for (int i = 0; i < n; i++) {
Runtime.getRuntime().exec("cmd /c start somefile.bat");
}
问题是现在每次运行命令时都会弹出一个新的 cmd 窗口。但是,我想要的只是一个在开始时弹出的窗口,用于显示来自以下命令调用的所有数据。
我怎样才能做到这一点?
我想做的是batch
从java应用程序多次运行一个文件。因此,我设置了一个for-loop
运行此代码的n
时间:
for (int i = 0; i < n; i++) {
Runtime.getRuntime().exec("cmd /c start somefile.bat");
}
问题是现在每次运行命令时都会弹出一个新的 cmd 窗口。但是,我想要的只是一个在开始时弹出的窗口,用于显示来自以下命令调用的所有数据。
我怎样才能做到这一点?
使用&&你可以一个接一个地执行多个命令:
Runtime.getRuntime().exec("cmd /c \"start somefile.bat && start other.bat && cd C:\\test && test.exe\"");
使用多个命令和条件处理符号
您可以使用条件处理符号从单个命令行或脚本运行多个命令。当您使用条件处理符号运行多个命令时,条件处理符号右侧的命令将根据条件处理符号左侧命令的结果进行操作。
例如,您可能希望仅在前一个命令失败时才运行命令。或者,您可能只想在前一个命令成功时才运行命令。您可以使用下表中列出的特殊字符来传递多个命令。
& [...] command1 & command2
用于在一个命令行上分隔多个命令。Cmd.exe 运行第一个命令,然后运行第二个命令。
&& [...] command1 && command2
仅当符号前面的命令成功时才用于运行 && 后面的命令。Cmd.exe 运行第一个命令,然后仅当第一个命令成功完成时才运行第二个命令。
|| [...] command1 || command2
用于运行 || 后面的命令 仅当 || 前面的命令 失败。Cmd.exe 运行第一个命令,然后仅当第一个命令未成功完成时才运行第二个命令(收到大于零的错误代码)。
( ) [...] (command1 & command2)
用于对多个命令进行分组或嵌套。
; or , command1 parameter1;parameter2
用于分隔命令参数。
我会使用 Java 的ProcessBuilder或其他模拟/使用 shell 的类。下面的代码片段演示了这个想法(对于带有 bash 的 Linux)。
import java.util.Scanner;
import java.io.*;
public class MyExec {
public static void main(String[] args)
{
//init shell
ProcessBuilder builder = new ProcessBuilder( "/bin/bash" );
Process p=null;
try {
p = builder.start();
}
catch (IOException e) {
System.out.println(e);
}
//get stdin of shell
BufferedWriter p_stdin =
new BufferedWriter(new OutputStreamWriter(p.getOutputStream()));
// execute the desired command (here: ls) n times
int n=10;
for (int i=0; i<n; i++) {
try {
//single execution
p_stdin.write("ls");
p_stdin.newLine();
p_stdin.flush();
}
catch (IOException e) {
System.out.println(e);
}
}
// finally close the shell by execution exit command
try {
p_stdin.write("exit");
p_stdin.newLine();
p_stdin.flush();
}
catch (IOException e) {
System.out.println(e);
}
// write stdout of shell (=output of all commands)
Scanner s = new Scanner( p.getInputStream() );
while (s.hasNext())
{
System.out.println( s.next() );
}
s.close();
}
}
请注意,它只是一个片段,需要针对 Windows 进行调整,但通常它应该与cmd.exe
.
public void TestCommandRun(){
Process process = null;
String[] command_arr = new String[]{"cmd.exe","/K","start"};
ProcessBuilder pBuilder = new ProcessBuilder("C:/Windows/System32/cmd.exe");
try{
process = pBuilder.start();
}
catch(IOException e){
e.printStackTrace();
System.out.println("Process failed");
}
if(null != process){
OutputStream out = process.getOutputStream();
OutputStreamWriter outWriter = new OutputStreamWriter(out);
BufferedWriter bWriter = new BufferedWriter(outWriter);
try{
bWriter.write("dir");
bWriter.newLine();
bWriter.write("ipconfig");
bWriter.flush();
bWriter.close();
}
catch(IOException e){
e.printStackTrace();
System.out.println("bWriter Failed");
}
}
}