package com.test.basic.executors;
import java.util.concurrent.Executors;
import java.util.concurrent.ScheduledExecutorService;
import java.util.concurrent.TimeUnit;
import java.util.concurrent.atomic.AtomicLong;
/**
* 测试scheduleAtFixedRate和scheduleWithFixedDelay的区别
* @author yanan.wang
* 2014.2.25
*
*/
public class ScheduledExecutorServiceTest {
private static final AtomicLong l = new AtomicLong(0) ;
private static final ScheduledExecutorService scheduler =
Executors.newScheduledThreadPool(10);
public static void main(String[] args) {
/*
* 使用scheduleAtFixedRate , 该方法第三个参数表示在上一个个任务开始执行之后延迟
* 多少秒之后再执行, 是从上一个任务开始时开始计算
* 但是还是会等上一个任务执行完之后,下一个任务才开始执行,最后的结果,就是感觉延迟失去
* 了作用
* */
scheduler.scheduleAtFixedRate(new Runnable() {
public void run() {
long i = l.getAndAdd(1) ;
System.out.println("scheduleAtFixedRate_start " + i);
try {
TimeUnit.SECONDS.sleep(3) ;
} catch (InterruptedException e) {
e.printStackTrace();
}
System.out.println("scheduleAtFixedRate_end " + i);
}
}, 0, 2 , TimeUnit.SECONDS) ;
/*
* 使用scheduleAtFixedRate , 该方法第三个参数表示在上一个个任务结束执行之后延迟
* 多少秒之后再执行, 是从上一个任务结束时开始计算
* */
scheduler.scheduleWithFixedDelay(new Runnable() {
public void run() {
long i = l.getAndAdd(1) ;
System.out.println("scheduleWithFixedDelay_start_ " + i);
try {
TimeUnit.SECONDS.sleep(3) ;
} catch (InterruptedException e) {
e.printStackTrace();
}
System.out.println("scheduleWithFixedDelay_end_ " + i);
}
}, 0, 2, TimeUnit.SECONDS) ;
}
}
scheduleAtFixedRate比scheduleWithFixedDelay方法执行的速度要快。
|