线程池

一:线程池的特点

1.复用线程池中的线程,避免线程的重复创建和销毁而造成性能的过度消耗。

2.有效的控制线程池的最大并发数,避免对CPU的资源抢夺而造成阻塞。

3.对线程进行简单的管理,比如定时执行和按一定的时间间隔循环执行。


二:线程池的创建跟销毁

1.execute和submit都是把线程提交到线程池当中,但是execute是没有返回值的void,在exetuor中。submit返回有计算结果的Furture对象,在executeService中。

2.shutdown和shutdownNow是销毁线程池的方法。shutdown()方法只会中断空闲的线程,但是不会影响到已经存入队列的任务,如果需要停止线程池的运行,可以使用awaitTermination()方法.


三:线程池的分类


1.FixedThreadPool

//特点:

//核心线程数和最大线程数相同.

//无超时时间

public static ExecutorService newFixedThreadPool(int nThreads) {

        return new ThreadPoolExecutor(

                nThreads, nThreads,

                0L, TimeUnit.SECONDS,

                new LinkedBlockingQueue()

        );

这是一种数量固定的线程池,当线程处于空闲的时候,并不会被回收,除非线程池被关闭.

当所有的线程都处于活动状态时,新任务都会处于等待状态,直到有线程空闲出来.


2.CacheThreadPool

//无核心线程,并且最大线程数为int的最大值.

//超时时间为60s

//队列为SynchronousQueue同步阻塞队列,队列中没有任何容量.只有在有需求的情况下,队列中才可以试着添加任务.

public static ExecutorService newCacheThreadPool(){

        return  new ThreadPoolExecutor(

                0,Integer.MAX_VALUE,

                60L,TimeUnit.SECONDS,

                new SynchronousQueue()

        );

    }

(1)比较适合执行大量的耗时较少的任务.

(2)当整个线程都处于闲置状态时,线程池中的线程都会超时而被停止,这时候的CacheThreadPool几乎不占任何系统资源的.


3.ScheduledThreadPool


public static ScheduledExecutorService newScheduledThreadPool(int corePoolSzie) {

        return new ScheduledThreadPoolExecutor(corePoolSzie);

    }

//核心线程数是固定的,非核心线程无限大,并且非核心线程数有10s的空闲存活时间    public ScheduledThreadPoolExecutor(int corePoolSize) {

        super(corePoolSize, Integer.MAX_VALUE,

                DEFAULT_KEEPALIVE_MILLIS, MILLISECONDS,

                new DelayedWorkQueue());

    }

它的核心线程数量是固定的,而非核心线程数是没有限制的,并且当非核心线程闲置时会被立即回收.

ScheduThreadPool这类线程池主要用于执行定时任务和具有固定周期的重复任务.


4.SingleThreadExecutor


public static ExecutorService newSingleThreadExecutor() {

        return Executors.newSingleThreadExecutor();

    }

    //特点:    //线程中只有一个核心线程    //并且无超时时间    public static ExecutorService newSingleThreadExecutor() {

        return new FinalizableDelegatedExecutorService

                (new ThreadPoolExecutor(1, 1,

                        0L, TimeUnit.MILLISECONDS,

                        new LinkedBlockingQueue()));

    }

这类线程池内部只有一个核心线程,它确保所有的任务都在同一个线程中按顺序执行.

你可能感兴趣的:(线程池)