ScheduledThreadPoolExecutor是ThreadPoolExecutor的子类;
JDK api里是这么说的:
ThreadPoolExecutor
,它可另行安排在给定的延迟后运行命令,或者定期执行命令。需要多个辅助线程时,或者要求 ThreadPoolExecutor
具有额外的灵活性或功能时,此类要优于 Timer
。
一旦启用已延迟的任务就执行它,但是有关何时启用,启用后何时执行则没有任何实时保证。按照提交的先进先出 (FIFO) 顺序来启用那些被安排在同一执行时间的任务。
---------------平时我们在执行一个定时任务时,会采用Time,和TimeTask来组合处理;
但是Timer和TimerTask存在一些缺陷:
1:Timer只创建了一个线程。当你的任务执行的时间超过设置的延时时间将会产生一些问题。
2:Timer创建的线程没有处理异常,因此一旦抛出非受检异常,该线程会立即终止。
JDK 5.0以后推荐使用ScheduledThreadPoolExecutor。该类属于Executor Framework,它除了能处理异常外,还可以创建多个线程解决上面的问题。
以下为测试代码:
public class TaskTest { static ScheduledThreadPoolExecutor stpe = null; static int index; /** * @param args the command line arguments */ public static void main(String[] args) { // TODO code application logic here //构造一个ScheduledThreadPoolExecutor对象,并且设置它的容量为5个 stpe = new ScheduledThreadPoolExecutor(5); MyTask task = new MyTask(); //隔2秒后开始执行任务,并且在上一次任务开始后隔一秒再执行一次; // stpe.scheduleWithFixedDelay(task, 2, 1, TimeUnit.SECONDS); //隔6秒后执行一次,但只会执行一次。 stpe.schedule(task, 6, TimeUnit.SECONDS); } private static String getTimes() { SimpleDateFormat format = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss E"); Date date = new Date(); date.setTime(System.currentTimeMillis()); return format.format(date); } private static class MyTask implements Runnable { @Override public void run() { index++; System.out.println("2= " + getTimes()+" " +index); if(index >=10){ stpe.shutdown(); if(stpe.isShutdown()){ System.out.println("停止了????"); } } } } }