我正在尝试制作运行一些可执行程序的程序(称之为p
),给定时间限制t
毫秒。它执行以下任务:
- 如果程序
p
已正常执行,请将其输出打印到控制台。 - 如果程序
p
无法在时间限制内完全执行,请打印"Sorry, needs more time!"
,然后终止执行p
。 - 如果程序
p
异常终止(例如RuntimeError
),打印"Can I've some debugger?"
我从这里开始在以下程序中使用ProcessResultReader
类。只要p
正常完成执行或异常终止,我的程序就会工作。但是,如果p
本身在timeout
后没有终止,它就不会终止。(尝试使用没有退出条件的简单while(true)
循环p
)。似乎线程stdout
即使在执行stdout.stop()
后也还活着。我在这段代码中做错了什么?
谢谢。
import java.util.concurrent.TimeUnit;
import java.io.*;
class ProcessResultReader extends Thread
{
final InputStream is;
final StringBuilder sb;
ProcessResultReader(final InputStream is)
{
this.is = is;
this.sb = new StringBuilder();
}
public void run()
{
try
{
final InputStreamReader isr = new InputStreamReader(is);
final BufferedReader br = new BufferedReader(isr);
String line = null;
while ((line = br.readLine()) != null)
{
this.sb.append(line).append("n");
}
}
catch (final IOException ioe)
{
System.err.println(ioe.getMessage());
throw new RuntimeException(ioe);
}
}
@Override
public String toString()
{
return this.sb.toString();
}
public static void main(String[] args) throws Exception
{
int t = 1000;
Process p = Runtime.getRuntime().exec(cmd); //cmd is command to execute program p
ProcessResultReader stdout = new ProcessResultReader(p.getInputStream());
stdout.start();
if(!p.waitFor(t, TimeUnit.MILLISECONDS))
{
stdout.stop();
p.destroy();
System.out.println("Sorry, needs more time!");
}
else
{
if(p.exitValue()==0) System.out.println(stdout.toString());
else System.out.println("Can I've some debugger?");
}
}
}
根据java文档,stdout.stop() 被弃用,甚至 stdout.destroy() 也从未实现过。
有关详细信息,请参阅为什么 Thread.stop、Thread.suspend 和 Thread.resume 已弃用?。
你可以试试这个。
String cmd="cmd /c sleep 5";
int timeout = 1;
Process p = Runtime.getRuntime().exec(cmd); //cmd is command to execute program p
ProcessResultReader stdout = new ProcessResultReader(p.getInputStream());
stdout.start();
if(!p.waitFor(timeout, TimeUnit.MILLISECONDS))
{
stdout.stop();
p.destroy();
System.out.println("Sorry, needs more time!");
System.out.flush();
}
else
{
if(p.exitValue()==0) System.out.println(stdout.toString());
else System.out.println("Can I've some debugger?");
}