Runtime.getRuntime().exec(cmd) 挂起

2022-09-03 03:45:22

我正在执行一个命令,该命令返回文件的修订版号;“文件名”。但是,如果执行命令时出现问题,则应用程序会挂起。我能做些什么来避免这种情况?请在下面找到我的代码。

String cmd= "cmd /C si viewhistory --fields=revision --project="+fileName; 
Process p = Runtime.getRuntime().exec(cmd) ;  
BufferedReader in = new BufferedReader(new InputStreamReader(p.getInputStream()));  
String line = null; 
while ((line = in.readLine()) != null) {  
System.out.println(line);  
} 

} catch (Exception e) {  
e.printStackTrace();  
 }

答案 1

我想问题是你只是在阅读输入流,而不是阅读错误流。您还必须注意并行读取两个流。可能会发生这样的情况,即当前从输出流管道传输的数据填满了操作系统缓冲区,您的 exec 命令将自动挂起,以便读者有机会清空缓冲区。但程序仍将等待输出处理。因此,发生挂起。

您可以创建一个单独的类来处理输入流和错误流,如下所示:

public class ReadStream implements Runnable {
    String name;
    InputStream is;
    Thread thread;      
    public ReadStream(String name, InputStream is) {
        this.name = name;
        this.is = is;
    }       
    public void start () {
        thread = new Thread (this);
        thread.start ();
    }       
    public void run () {
        try {
            InputStreamReader isr = new InputStreamReader (is);
            BufferedReader br = new BufferedReader (isr);   
            while (true) {
                String s = br.readLine ();
                if (s == null) break;
                System.out.println ("[" + name + "] " + s);
            }
            is.close ();    
        } catch (Exception ex) {
            System.out.println ("Problem reading stream " + name + "... :" + ex);
            ex.printStackTrace ();
        }
    }
}

您使用它的方式如下,

String cmd= "cmd /C si viewhistory --fields=revision --project="+fileName; 
Process p = Runtime.getRuntime().exec(cmd) ;  
s1 = new ReadStream("stdin", p.getInputStream ());
s2 = new ReadStream("stderr", p.getErrorStream ());
s1.start ();
s2.start ();
p.waitFor();        
} catch (Exception e) {  
e.printStackTrace();  
} finally {
    if(p != null)
        p.destroy();
}

答案 2

这段代码基于与 Arham 的答案相同的想法,但是使用 java 8 并行流实现,这使得它更加简洁。

public static String getOutputFromProgram(String program) throws IOException {
    Process proc = Runtime.getRuntime().exec(program);
    return Stream.of(proc.getErrorStream(), proc.getInputStream()).parallel().map((InputStream isForOutput) -> {
        StringBuilder output = new StringBuilder();
        try (BufferedReader br = new BufferedReader(new InputStreamReader(isForOutput))) {
            String line;
            while ((line = br.readLine()) != null) {
                output.append(line);
                output.append("\n");
            }
        } catch (IOException e) {
            throw new RuntimeException(e);
        }
        return output;
    }).collect(Collectors.joining());
}

您可以像这样调用该方法

getOutputFromProgram("cmd /C si viewhistory --fields=revision --project="+fileName);

请注意,如果您调用的程序挂起,此方法将挂起,如果它需要输入,则会发生这种情况。


推荐