我有一个java类,目前通过
启动一个脚本Process proc = Runtime.getRuntime().exec(" run my script");
由于特定的原因,它几乎一直在运行。如果脚本因任何原因而死亡,那么java类就会重新启动它。
现在我需要经常偶尔杀死这个过程。所以我决定开始一个只会等待特定时间的线程,然后杀死进程。 java主类,或者其他任何东西,仍会看到进程死掉,然后重新启动它。
我不知道如何让这个线程看到这个过程,并且随后经常杀死它。有关如何创建该线程的任何建议?作为一个注释,我不需要在一段时间内处理线程,所以我有点生疏。
我班级的简单伪代码,用于了解我正在做的事情的基本概念:
Class MyClass{
Process mProc;
main(args){
do{
try{
mProc = Runtime.getRuntime().exec("cmd /C myScript");
mProc.destroy();
} catch(Exception e){
Log(e);
}
} while(true);
答案 0 :(得分:1)
我不知道如何让这个帖子看到这个过程,然后经常杀死它。
从Java 6开始,这当前不容易。Process
类有一个waitFor()
方法,但是由于内部只调用{{1至少在wait()
。
你可以做什么,这有点像黑客是在UnixProcess
上同步并自己打电话给Process
。类似的东西:
wait(timeoutMillis)
问题是存在竞争条件,如果进程在之前完成,则在Process proc = new ProcessBuilder().command(commandArgs).start();
long startMillis = System.currentTimeMillis();
synchronized (proc) {
proc.wait(someTimeoutMillis);
}
long diff = System.currentTimeMillis() - startMillis;
// if we get here without being interrupted and the delay time is more than
// someTimeoutMillis, then the process should still be running
if (diff >= someTimeoutMillis) {
proc.destroy();
}
上进行同步,您将等待永远。另一种解决方案是在一个线程中执行proc
,然后在超时到期后在另一个线程中中断它。
proc.waitFor()
另一种选择是使用Process proc = new ProcessBuilder().command(commandArgs).start();
try {
// this will be interrupted by another thread
int errorCode = proc.waitFor();
} catch (InterruptedException e) {
// always a good pattern to re-interrupt the thread
Thread.currentThread().interrupt();
// our timeout must have expired so we need to kill the process
proc.destroy();
}
// maybe stop the timeout thread here
,它允许您测试以查看进程是否已执行。不幸的是,如果尚未完成,则抛出proc.exitValue()
而不是返回-1
。