Bootstrap

java线程池使用以及策略模式

java线程池使用

线程池拒绝策略

1)

ThreadPoolExecutor.AbortPolicy:当任务添加到线程池中被拒绝时,它将抛出 RejectedExecutionException异常。

ThreadPoolExecutor.CallerRunsPolicy:当任务添加到线程池中被拒绝时,会在线程池当前正在运行的Thread线程池中处理被拒绝的任务。

ThreadPoolExecutor.DiscardOldestPolicy:当任务添加到线程池中被拒绝时,线程池会放弃等待队列中最旧的未处理任务,然后将被拒绝的任务添加到等待队列中。

4)ThreadPoolExecutor.DiscardPolicy:当任务添加到线程池中被拒绝时,线程池将丢弃被拒绝的任务。

package com.service.thread;
@Service
@Component
@Slf4j
public class ThreadService {

    private final ThreadPoolExecutor executor;

    public ThreadService () {
        this.executor = new ThreadPoolExecutor(
                5, // 核心线程数
                100, // 最大线程数,根据实际情况输入
                30, // 空闲线程存活时间,根据实际情况输入
                TimeUnit.SECONDS, // 时间单位
                new ArrayBlockingQueue<>(1), // 工作队列
                Executors.defaultThreadFactory(), // 线程工厂
                new ThreadPoolExecutor.AbortPolicy() // 拒绝策略,这里使用AbortPolicy
        );
    }


    public void process(Object object) {
        try {
            executor.submit(() -> {
                try {
                   //执行所需业务逻辑
                }catch (Exception e){
                    log.info("错误信息日志打印",e);
                }

            });
        } catch (RejectedExecutionException e) {
            log.info("线程池已满,舍弃[{}],消息[{}]", e.getMessage(), object);
        }
    }

}
;