一个完整的java应用程序,通常至少要有一个应用程序的结束点。对于一般程序来说,系统开发者根据需要和个人的偏好,会在程序结束位置,通过添加system.exit(0),或system.out(-1),来结束程序,或不加这些指令,让程序自然运行到结束。
如:下列典型代码
package untitled14; /** * this application is to demo how an applcation end */ public class test { public test() { } public static void main(string[] args) { test test1 = new test(); //................. system.out.println("hello world"); //do something before system exit system.exit(0);//也可以不写这句代码,让程序自然结束。 } } |
对于简单的应用系统,我们直接可以在system.exit(0)代码执行前,添加需要在应用程序退出前需要完成的工作,如:关闭网络连接,关闭数据库连接等。
然而,对于比较复杂的多线程应用,线程运行的状态较复杂,我们就很难预料程序何时结束,如何能在应用程序结束事件到来时,处理我们要做的工作呢?这就用到了java对应用程序的退出的事件出处理机制。
对当前应用程序对象的获得,java通过runtime静态方法:runtime.getruntime()通过runtime的 void addshutdownhook(thread hook) 法向java虚拟机注册一个shutdown钩子事件,这样一旦程序结束事件到来时,就运行线程hook,我们在实际应用时候,只要将程序需要完成之前做的一些工作直接通过线程hook来完成。具体演示代码如下:
/***************************************************************************** 本程序仅演示,如何在java应用程序中添加系统退出事件处理机制 *****************************************************************************/ package untitled14; import java.util.*; import java.io.*; /** * this application is used to demo how to hook the event of an application */ public class untitled1 { public untitled1() { doshutdownwork(); } /*************************************************************************** * this is the right work that will do before the system shutdown * 这里为了演示,为应用程序的退出增加了一个事件处理, * 当应用程序退出时候,将程序退出的日期写入 d:\t.log文件 **************************************************************************/ private void doshutdownwork() { runtime.getruntime().addshutdownhook(new thread() { public void run() { try { filewriter fw = new filewriter("d:\\t.log"); system.out.println("im going to end"); fw.write("the application ended! " + (new date()).tostring()); fw.close(); } catch (ioexception ex) { } } }); } /**************************************************** * 这是程序的入口,仅为演示,方法中的代码无关紧要 ***************************************************/ public static void main(string[] args) { untitled1 untitled11 = new untitled1(); long s = system.currenttimemillis(); for (int i = 0; i < 1000000000; i++) { //在这里增添您需要处理代码 } long se = system.currenttimemillis(); system.out.println(se - s); } } |
在上述程序中,我们可以看到通过在程序中增加runtime.getruntime().addshutdownhook(new thread()) 事件监听,捕获系统退出消息到来,然后,执行我们所需要完成工作,从而使我们的程序更健壮!