Java并发包中的几种ExecutorService

CachedThreadPool首先会按照需要创建足够多的线程来执行任务(Task)。随着程序执行的过程,有的线程执行完了任务,可以被重新循环使用时,才不再创建新的线程来执行任务。我们采用《Thinking In Java》中的例子来分析。

首先,任务定义如下(实现了Runnable接口,并且复写了run方法):

package net.jerryblog.concurrent;  public class LiftOff implements Runnable{      protected int countDown = 10//Default      private static int taskCount = 0     private final int id = taskCount++;       public LiftOff() {}      public LiftOff(int countDown) {          this.countDown = countDown;      }      public String status() {          return "#" + id + "(" +              (countDown > 0 ? countDown : "LiftOff!") + ") "     }      @Override      public void run() {          while(countDown-- > 0) {              System.out.print(status());              Thread.yield();          }                }    

采用CachedThreadPool方式执行编写的客户端程序如下:

package net.jerryblog.concurrent;  import java.util.concurrent.ExecutorService;  import java.util.concurrent.Executors;  public class CachedThreadPool {      public static void main(String[] args) {          ExecutorService exec = Executors.newCachedThreadPool();          for(int i = 0; i < 10; i++) {              exec.execute(new LiftOff());          }          exec.shutdown();          } 

上面的程序中,有10个任务,采用CachedThreadPool模式,exec没遇到一个LiftOff的对象(Task),就会创建一个线程来处理任务。现在假设遇到到第4个任务时,之前用于处理第一个任务的线程已经执行完成任务了,那么不会创建新的线程来处理任务,而是使用之前处理第一个任务的线程来处理这第4个任务。接着如果遇到第5个任务时,前面那些任务都还没有执行完,那么就会又新创建线程来执行第5个任务。否则,使用之前执行完任务的线程来处理新的任务。

内容版权声明:除非注明,否则皆为本站原创文章。

转载注明出处:https://www.heiqu.com/wydpgd.html