Java.lang.Runtime.addShutdownHook(Thread hook) 方法

描述

java.lang.Runtime.addShutdownHook(Thread hook) 方法注册了一个新的虚拟机关闭钩子。Java 虚拟机关闭以响应两种事件 −

  • 程序正常退出,当最后一个非守护线程退出或调用退出(相当于System.exit)方法时,或

  • 虚拟机响应用户中断(例如键入 ^C)或系统范围的事件(例如用户注销或系统关闭)而终止。

关闭挂钩只是一个已初始化但未启动的线程。 当虚拟机开始其关闭序列时,它将以某种未指定的顺序启动所有已注册的关闭挂钩并让它们同时运行。 当所有钩子都完成后,如果 finalization-on-exit 已启用,它将运行所有未调用的终结器。 最后,虚拟机将停止。 请注意,在关闭序列期间,守护线程将继续运行,如果通过调用 exit 方法启动关闭,非守护线程也将继续运行。


声明

以下是 java.lang.Runtime.addShutdownHook() 方法的声明。

public void addShutdownHook(Thread hook)

参数

hook − 一个已初始化但未启动的 Thread 对象


返回值

此方法不返回值。


异常

  • IllegalArgumentException − 如果指定的hook已经注册,或者可以判断hook已经运行或者已经运行了

  • IllegalStateException − 如果虚拟机已经在关闭过程中

  • SecurityException − 如果存在安全管理器并且它拒绝 RuntimePermission("shutdownHooks")


示例

下面的例子展示了 lang.Runtime.addShutdownHook() 方法的使用。

package com.tutorialspoint;

public class RuntimeDemo {

   // a class that extends thread that is to be called when program is exiting
   static class Message extends Thread {

      public void run() {
         System.out.println("Bye.");
      }
   }

   public static void main(String[] args) {
      try {

         // register Message as shutdown hook
         Runtime.getRuntime().addShutdownHook(new Message());

         // print the state of the program
         System.out.println("Program is starting...");

         // cause thread to sleep for 3 seconds
         System.out.println("Waiting for 3 seconds...");
         Thread.sleep(3000);

         // print that the program is closing 
         System.out.println("Program is closing...");
      } catch (Exception e) {
         e.printStackTrace();
      }
   }
}

让我们编译并运行上面的程序,这将产生下面的结果 −

Program is starting...
Waiting for 3 seconds...
Program is closing...
Bye.