引言
我们平时用来创建线程主要都会用到线程池,但是线程池也分很多类型,不同的线程池创建方式也配备着不同的参数,今天简单介绍一下线程池的类型,用于笔记记录和分享。
线程池的分类
FixedThreadPool:是一个固定参数的线程池,用Executor.newFixedThreadPool创建;
CatchedThreadPool:是一个动态参数的线程池,用Executor.newCatchedThreadPool创建;
SingleThreadPool:是一个单线程的线程池,用Executor.newSingleThreadPool创建;
ScheduleThreadPool:可以实现定时、周期任务的线程池,用Executor.newScheduleThreadPool创建;
FixedThreadPool
public class pool {
public static void main(String[] args) {
ExecutorService service = Executors.newFixedThreadPool(5);
for (int i = 0; i < 10; i++) {
service.execute(()->{
System.out.println(Thread.currentThread().getName()+"执行了线程");
});
}
}
}
这个方式创建的线程需要参数,可以单参,也可以多参,单参填写的是核心线程数,最大线程数等于核心线程数,多参则需要填写一个线程工厂;
运行结果:
pool-1-thread-2执行了线程
pool-1-thread-5执行了线程
pool-1-thread-2执行了线程
pool-1-thread-1执行了线程
pool-1-thread-4执行了线程
pool-1-thread-3执行了线程
pool-1-thread-4执行了线程
pool-1-thread-1执行了线程
pool-1-thread-2执行了线程
pool-1-thread-5执行了线程
CatchedThreadPool
public class pool {
public static void main(String[] args) {
ExecutorService service = Executors.newCachedThreadPool();
for (int i = 0; i < 10; i++) {
service.execute(()->{
System.out.println(Thread.currentThread().getName()+"执行了线程");
});
}
}
}
这是一个动态线程池,他会一直创建新的线程来执行线程任务(在没有空闲线程的情况下),最大可以创建Integer.MaxVlue个线程,当线程空闲时间达到指定时间时,会自动销毁线程,内部的队列是一个类似于转发器的队列,不会存储任务。
运行结果:
pool-1-thread-1执行了线程
pool-1-thread-4执行了线程
pool-1-thread-3执行了线程
pool-1-thread-2执行了线程
pool-1-thread-6执行了线程
pool-1-thread-5执行了线程
pool-1-thread-7执行了线程
pool-1-thread-4执行了线程
pool-1-thread-2执行了线程
pool-1-thread-8执行了线程
SingleThreadPool
public class pool {
public static void main(String[] args) {
ExecutorService service = Executors.newSingleThreadExecutor();
for (int i = 0; i < 10; i++) {
service.execute(()->{
System.out.println(Thread.currentThread().getName()+"执行了线程");
});
}
}
}
这是一个默认使用单线程的线程池。通过结果可以观察到不管多少个任务,都会用同一个线程执行。
运行结果:
pool-1-thread-1执行了线程
pool-1-thread-1执行了线程
pool-1-thread-1执行了线程
pool-1-thread-1执行了线程
pool-1-thread-1执行了线程
pool-1-thread-1执行了线程
pool-1-thread-1执行了线程
pool-1-thread-1执行了线程
pool-1-thread-1执行了线程
pool-1-thread-1执行了线程
ScheduleThreadPool
public class pool {
public static void main(String[] args) {
ScheduledExecutorService service = Executors.newScheduledThreadPool(3);
//延迟2秒执行
for (int i = 0; i < 10; i++) {
service.schedule(() -> {
System.out.println(Thread.currentThread().getName() + "执行了线程");
}, 2, TimeUnit.SECONDS);
}
//方式一
//延迟2秒执行,每隔3秒执行一次
for (int i = 0; i < 10; i++) {
service.scheduleAtFixedRate(() -> {
System.out.println(Thread.currentThread().getName() + "执行了线程");
}, 2, 3, TimeUnit.SECONDS);
}
//方式二
//延迟2秒执行,每隔3秒执行一次
for (int i = 0; i < 10; i++) {
service.scheduleWithFixedDelay(() -> {
System.out.println(Thread.currentThread().getName() + "执行了线程");
}, 2, 3, TimeUnit.SECONDS);
}
}
}