springboot使用ThreadPoolTaskScheduler和ScheduledFuture完成添加修改删除定时任务

ThreadPoolTaskScheduler可以注册定时任务,ScheduledFuture有一个cancel方法可以取消定时任务,所以可以通过二者结合使用去完成定时任务的添加修改或者删除

package com.holidaylee.util;

import org.slf4j.Logger;
import org.slf4j.LoggerFactory;
import org.springframework.beans.factory.annotation.Autowired;
import org.springframework.context.annotation.Bean;
import org.springframework.scheduling.Trigger;
import org.springframework.scheduling.concurrent.ThreadPoolTaskScheduler;
import org.springframework.stereotype.Component;

import javax.annotation.PostConstruct;
import java.util.Map;
import java.util.concurrent.ConcurrentHashMap;
import java.util.concurrent.ScheduledFuture;


@Component
public class ScheduleTaskUtils {
    private static Logger logger = LoggerFactory.getLogger(ScheduleTaskUtils.class);

    private Map> futuresMap;

    @Autowired
    private ThreadPoolTaskScheduler threadPoolTaskScheduler;

    /**
     * 初始化任务列表
     */
    @PostConstruct
    public void init() {
        futuresMap = new ConcurrentHashMap<>();
    }

    /**
     * 创建ThreadPoolTaskScheduler线程池
     */
    @Bean
    public ThreadPoolTaskScheduler threadPoolTaskScheduler() {
        ThreadPoolTaskScheduler threadPoolTaskScheduler = new ThreadPoolTaskScheduler();
        threadPoolTaskScheduler.setPoolSize(8);
        return threadPoolTaskScheduler;
    }

    /**
     * 添加定时任务,如果任务名重复则抛出异常
     * @param task 任务
     * @param trigger 定时器
     * @param key 任务名
     * @return
     */
    public boolean addTask(Runnable task, Trigger trigger, String key) {
        ScheduledFuture future = threadPoolTaskScheduler.schedule(task, trigger);
        ScheduledFuture oldScheduledFuture = futuresMap.put(key, future);
        if (oldScheduledFuture == null) {
            return true;
        } else {
            throw new RuntimeException("添加任务key名: " + key + "重复" );
        }
    }

    /**
     * 移除定时任务
     * @param key 任务名
     * @return
     */
    public boolean removeTask(String key) {
        ScheduledFuture toBeRemovedFuture = futuresMap.remove(key);
        if (toBeRemovedFuture != null) {
            toBeRemovedFuture.cancel(true);
            return true;
        } else {
            return false;
        }
    }

    /**
     * 更新定时任务
     * 有可能会出现:1、旧的任务不存在,此时直接添加新任务;
     * 2、旧的任务存在,先删除旧的任务,再添加新的任务
     * @param task 任务
     * @param trigger 定时器
     * @param key 任务名称
     * @return
     */
    public boolean updateTask(Runnable task, Trigger trigger, String key) {
        ScheduledFuture toBeRemovedFuture = futuresMap.remove(key);
        // 存在则删除旧的任务
        if (toBeRemovedFuture != null) {
            toBeRemovedFuture.cancel(true);
        }
        return addTask(task,trigger, key);
    }

}

注明:

本文为学习记录笔记,不喜勿喷。

你可能感兴趣的:(springboot定时任务,动态添加修改删除定时定时任务)