获得多线程的方式之线程池

百般思念 提交于 2020-03-01 11:57:27

获得多线程的方式之线程池

谈谈你对线程池的理解

什么是线程池?优势?

  • 线程池的主要作用控制运行的线程的数量,简单来说,存放多个线程的池子,用到的时候从池中取线程去执行队列任务,执行完任务线程的释放
  • 主要特点:
    线程复用(避免重复方法创建和销毁线程,降低资源消耗,提高了响应速度)
    控制并发线程数(可以设置线程的数量)
    管理线程(对多个线程进行统一的分配,调优和监控)
  • 优势:降低资源消耗,提高了响应速度,提高线程可控性

线程池怎么使用?

  • 架构说明:Java中的线程池是通过Executor框架实现的,该框架用到了Executor、Executors、ExecutorService、ThreadPoolExecutor
 尤其重点注意ThreadPoolExecutor它是线程池的执行类
  • 主要获得线程池的方法:
1)//一池固定数线程(适用于执行长期的任务,好很多)
ExecutorService threadPool = Executors.newFixedThreadPool(4);//一池3个处理线程(银行3个处理窗口)
2)//一池一个数线程(适用于一个任务一个任务执行的场景)
ExecutorService threadPool = Executors.newSingleThreadExecutor();//一池1个处理线程(银行只有1个处理窗口)
3)//一池N个数线程(适用于执行很多短期异步小任务或者负载较轻的服务器)
ExecutorService threadPool = Executors.newCachedThreadPool();//一池N个处理线程(银行根据情况选择有多少个处理窗口)

代码示例及注释:

import java.util.concurrent.ExecutorService;
import java.util.concurrent.Executors;

/**
 *  线程池
 */
public class MyThreadPoolDemo {

	public static void main(String[] args){
		//Runtime.getRuntime().availableProcessors()获得CPU为几线程
		//System.out.println(Runtime.getRuntime().availableProcessors());
		
		//一池固定数线程
		//ExecutorService threadPool = Executors.newFixedThreadPool(4);//一池3个处理线程(银行3个处理窗口)
		//一池一个数线程
		//ExecutorService threadPool = Executors.newSingleThreadExecutor();//一池1个处理线程(银行只有1个处理窗口)
		//一池N个数线程
		ExecutorService threadPool = Executors.newCachedThreadPool();//一池N个处理线程(银行根据情况选择有多少个处理窗口)
		
		try{
			
			//模拟10个用户来办理业务,每个用户就是一个来自外部的请求线程
			for(int i=1;i<=10;i++){
				threadPool.execute(()->{
					System.out.println(Thread.currentThread().getName()+"\t 办理业务");
				});
			}
			
		}catch(Exception e){
			e.printStackTrace();
		}finally{
			threadPool.shutdown();//关闭池子
		}
		
	}
	
}

打印结果:

在这里插入图片描述在这里插入图片描述在这里插入图片描述
在这里插入图片描述在这里插入图片描述
在这里插入图片描述

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!