仅以此随笔记录一些在 java 中踩过而且又重踩的坑 _(:з)∠)_
当使用 ScheduledExecutorService, Runnable 内没有捕获的 RuntimeException 将会使 Executor 停止运行,并且异常不会被输出。
- ScheduledExecutorService scheduler = Executors.newSingleThreadScheduledExecutor();
- scheduler.scheduleAtFixedRate(new Runnable() {
- @Override public void run() {
- if (Math.random() > 0.5)
- throw new NullPointerException("THROW A NPE HERE");
- System.out.println("tick");
- }
- }, 0, 1, TimeUnit.SECONDS);
可以试着执行这段代码,定时任务将在你不知不觉中停止。因此,在使用 ScheduledExecutorService 时,若需要处理不确定值的输入(例如解析数字字符串、解析时间、拆分字符串等),强烈建议用 try-catch 捕获异常。
不同于在普通的方法体里,在这里建议使用 Exception 来而不是特定的 Exception。
- ScheduledExecutorService scheduler = Executors.newSingleThreadScheduledExecutor();
- scheduler.scheduleAtFixedRate(new Runnable() {
- @Override public void run() {
- try {
- if (Math.random() > 0.5)
- throw new NullPointerException("A NPE HERE");
- System.out.println("tick");
- } catch (Exception e) {
- // handle your exception here
- }
- }
- }, 0, 1, TimeUnit.SECONDS);
来源: http://www.bubuko.com/infodetail-2004309.html