使用ThreadPoolExecutor进行多线程编程
2021-06-17 16:05
标签:proc override 大于 reads cut process tor this 接口 ThreadPoolExecutor有四个构造函数,分别是: 其中的参数分别如下: 1 corePoolSize(线程池的基本大小):当提交一个任务到线程池时,线程池会创建一个线程来执行任务,即使其他空闲的基本线程能够执行新任务也会创建线程,等到需要执行的任务数大于线程池基本大小时就不再创建。如果调用了prestartAllCoreThreads()方法,线程池会提前创建并启动所有基本线程。 2 maximumPoolSize(线程池最大数量):线程池允许创建的最大线程数。如果队列满了,并且已创建的线程数小于最大线程数,则线程池会再创建新的线程执行任务。值得注意的是,如果使用了无界的任务队列这个参数就没用了。 3 keepAliveTime(线程活动时间):线程池的工作线程空闲后,保持存活的时间。所以如果任务很多,并且每个任务执行的时间比较短,可以调大时间,提高线程利用率。 4 TimeUnit(线程活动时间的单位):可选的单位有天(Days)、小时(HOURS)、分钟(MINUTES)、毫秒(MILLISECONDS)、微秒(MICROSECONDS,千分之一毫秒)和纳秒(NANOSECONDS,千分之一微秒)。 6 threadFactory(线程工厂):可以通过线程工厂为每个创建出来的线程设置更有意义的名字,如开源框架guava 提交任务的方式:使用execute或者submit向线程池提交任务 1,execute方法用于提交不需要返回值的任务,利用这种方式提交的任务无法知道任务是否正常执行; 2,submit用于提交一个任务并带有返回值,这个方法将返回一个Future对象,可以通过这个返回对象判断任务是否执行成功,并且可以通过Future.get方法来获取返回值,get()方法会阻塞当前线程知道任务完成。 通过以上两种方式都可以实现多线程任务。 关闭线程池:threadPoolExecutor.shutdown()。或者 threadPoolExecutor.shutdownNow()。 使用ThreadPoolExecutor进行多线程编程 标签:proc override 大于 reads cut process tor this 接口 原文地址:https://www.cnblogs.com/fpqi/p/9719874.html1,ThreadPoolExecutor(int corePoolSize, int maximumPoolSize, long keepAliveTime, TimeUnit unit, BlockingQueue
class ProcessorThread implements Runnable{
private String str;
ProcessorThread(String string){
this.str= string;
}
@Override
public void run() {
System.out.println(str);
}
}ThreadPoolExecutor threadPoolExecutor = new ThreadPoolExecutor(5,5,2, TimeUnit.MINUTES,new LinkedBlockingDeque());
String str=“hello world”;
//threadPoolExecutor.execute(new ProcessorThread(str)); // execute
threadPoolExecutor.submit(new ProcessorThread(str));// submit
threadPoolExecutor.submit(new ProcessorThread(str)).get();// submit + get
//get方法会阻塞当前线程,知道线程执行完毕。
文章标题:使用ThreadPoolExecutor进行多线程编程
文章链接:http://soscw.com/index.php/essay/95117.html