在Java中捕获多个Ctrl C按键以执行正常和强制关闭

在我的
Java控制台应用程序中,我按下Ctrl C键并使用Runtime.getRuntime()添加一个执行正常关闭的线程.addShutdownHook()

在这个线程中,我处理一些内部队列中的所有工作并优雅地退出我的应用程序,这通常是我想要的.

但是,有时应用程序可能有内部队列需要一段时间才能处理(几分钟),如果是这样,我希望选择再次按Ctrl C来强制退出应用程序.

我已经看到其他应用程序以这种方式工作,但我找不到自己如何捕获Java中的第二个Ctrl C?

最佳答案 警告,这不是你应该做的.
The usual reasons避免太阳包适用.在实际代码中实际使用它之前,请三思.至少应该通过反射来完成对信号处理的访问,并在失败时回退到注册通常的关闭钩子.为了简洁,我把它留了下来.

进入这里的所有希望都放弃了:

import java.util.concurrent.atomic.AtomicBoolean;
import sun.misc.Signal;
import sun.misc.SignalHandler;

public class Sigint {
    private static void prepareShutdownHandling() {
        // This would be the normal shutdown hook
        final Thread shutdown = new Thread() {
            @Override
            public void run() {
                // Simulate slow shutdown
                for (int i = 0; i < 10; i++) {
                    System.out.println("Normal shutdown running");
                    try {
                        Thread.sleep(1000);
                    } catch (InterruptedException e) {
                        e.printStackTrace(System.err);
                    }
                }
                System.out.println("Normal shutdown finished");
                System.exit(0);
            }
        };

        Signal.handle(new Signal("INT"), new SignalHandler() {
            private AtomicBoolean inShutdown = new AtomicBoolean();
            public void handle(Signal sig) {
                if (inShutdown.compareAndSet(false, true)) {
                    // Normal shutdown
                    shutdown.start();
                } else {
                    System.err.println("Emergency shutdown");
                    System.exit(1);
                }
            }
        });
    }

    public static void main(String args[]) {
        prepareShutdownHandling();
        while (true) {
            System.out.println("Main program running");
            try {
                Thread.sleep(1000);
            } catch (InterruptedException e) {
                e.printStackTrace(System.err);
            }
        }
    }
}
点赞