Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How do I get rid of Java child processes when my Java app exits/crashes?

I launch a child process in Java as follows:

final String[] cmd = {"<childProcessName>"};
Process process = Runtime.getRuntime().exec(cmd);

It now runs in the background. All good and fine.

If my program now crashes (it is still in dev :-)) the child process still seems to hang around. How can I make it automatically end when the parent Java process dies?

If it helps, I'm using Mac OS X 10.5

like image 617
Steve McLeod Avatar asked Nov 04 '08 07:11

Steve McLeod


2 Answers

As you said, addShutdownHook is the way to go.

BUT:

  • There's no real guarantee that your shutdown hooks are executed if the program terminates. Someone could kill the Java process and in that case your shutdown hook will not be executed. (as said in this SO question)

  • some of the standard libraries have their own hooks which may run before yours.

  • beware of deadlocks.

Another possibility would be to wrap your java program in a service.

like image 143
VonC Avatar answered Sep 28 '22 01:09

VonC


I worked it out myself already. I add a shutdown hook, as follows:

final String[] cmd = {"<childProcessName>"};
final Process process = Runtime.getRuntime().exec(cmd);
Runnable runnable = new Runnable() {
    public void run() {
        process.destroy();
    }
};
Runtime.getRuntime().addShutdownHook(new Thread(runnable));
like image 20
Steve McLeod Avatar answered Sep 28 '22 01:09

Steve McLeod