热门标签 | HotTags
当前位置:  开发笔记 > 编程语言 > 正文

关于动态定时任务的解决方案。

之前做定时任务都是用 Scheduled注解来实现,如果需要动态的配置,则不能满足这种需求。查询资料知道这种可以用时间轮算法来实现。大概就是模拟时间表盘来做任务。   

之前做定时任务都是用 Scheduled注解来实现,如果需要动态的配置,则不能满足这种需求。查询资料知道这种可以用时间轮算法来实现。大概就是模拟时间表盘来做任务。

 

 

 具体java实现:

1 package com.education.task.provider;
2
3 import org.slf4j.Logger;
4 import org.slf4j.LoggerFactory;
5
6 import java.util.HashSet;
7 import java.util.Map;
8 import java.util.Set;
9 import java.util.concurrent.ConcurrentHashMap;
10 import java.util.concurrent.ExecutorService;
11 import java.util.concurrent.TimeUnit;
12 import java.util.concurrent.atomic.AtomicBoolean;
13 import java.util.concurrent.atomic.AtomicInteger;
14 import java.util.concurrent.locks.Condition;
15 import java.util.concurrent.locks.Lock;
16 import java.util.concurrent.locks.ReentrantLock;
17
18 /**
19 * @author pengbenlei
20 * @company leenleda
21 * @date 2020/12/21 9:53
22 * @description 时间轮算法调度任务
23 */
24 public class RingBufferWheel {
25
26 private Logger logger = LoggerFactory.getLogger(RingBufferWheel.class);
27 /**
28 * default ring buffer size
29 */
30 private static final int STATIC_RING_SIZE = 60;
31
32 private Object[] ringBuffer;
33
34 private int bufferSize;
35
36 /**
37 * business thread pool
38 */
39 private ExecutorService executorService;
40
41 private volatile int size = 0;
42
43 /***
44 * task stop sign
45 */
46 private volatile boolean stop = false;
47
48 /**
49 * task start sign
50 */
51 private volatile AtomicBoolean start = new AtomicBoolean(false);
52
53 /**
54 * total tick times
55 */
56 private AtomicInteger tick = new AtomicInteger();
57
58 private Lock lock = new ReentrantLock();
59 private Condition cOndition= lock.newCondition();
60
61 private AtomicInteger taskId = new AtomicInteger();
62 private Map taskMap = new ConcurrentHashMap<>(16);
63
64 /**
65 * Create a new delay task ring buffer by default size
66 *
67 * @param executorService the business thread pool
68 */
69 public RingBufferWheel(ExecutorService executorService) {
70 this.executorService = executorService;
71 this.bufferSize = STATIC_RING_SIZE;
72 this.ringBuffer = new Object[bufferSize];
73 }
74
75
76 /**
77 * Create a new delay task ring buffer by custom buffer size
78 *
79 * @param executorService the business thread pool
80 * @param bufferSize custom buffer size
81 */
82 public RingBufferWheel(ExecutorService executorService, int bufferSize) {
83 this(executorService);
84
85 if (!powerOf2(bufferSize)) {
86 throw new RuntimeException("bufferSize=[" + bufferSize + "] must be a power of 2");
87 }
88 this.bufferSize = bufferSize;
89 this.ringBuffer = new Object[bufferSize];
90 }
91
92 /**
93 * Add a task into the ring buffer(thread safe)
94 *
95 * @param task business task extends {@link BusinessTask}
96 */
97 public int addTask(BusinessTask task) {
98 int key = task.getKey();
99 int id;
100
101 try {
102 lock.lock();
103 int index = mod(key, bufferSize);
104 task.setIndex(index);
105 Set tasks = get(index);
106
107 int cycleNum = cycleNum(key, bufferSize);
108 if (tasks != null) {
109 task.setCycleNum(cycleNum);
110 tasks.add(task);
111 } else {
112 task.setIndex(index);
113 task.setCycleNum(cycleNum);
114 Set sets = new HashSet<>();
115 sets.add(task);
116 put(key, sets);
117 }
118 id = taskId.incrementAndGet();
119 task.setTaskId(id);
120 taskMap.put(id, task);
121 size++;
122 } finally {
123 lock.unlock();
124 }
125
126 start();
127
128 return id;
129 }
130
131
132 /**
133 * Cancel task by taskId
134 *
135 * @param id unique id through {@link #addTask(BusinessTask)}
136 * @return
137 */
138 public boolean cancel(int id) {
139
140 boolean flag = false;
141 Set tempTask = new HashSet<>();
142
143 try {
144 lock.lock();
145 BusinessTask task = taskMap.get(id);
146 if (task == null) {
147 return false;
148 }
149
150 Set tasks = get(task.getIndex());
151 for (BusinessTask tk : tasks) {
152 if (tk.getKey() == task.getKey() && tk.getCycleNum() == task.getCycleNum()) {
153 size--;
154 flag = true;
155 taskMap.remove(id);
156 } else {
157 tempTask.add(tk);
158 }
159
160 }
161 //update origin data
162 ringBuffer[task.getIndex()] = tempTask;
163 } finally {
164 lock.unlock();
165 }
166
167 return flag;
168 }
169
170 /**
171 * Thread safe
172 *
173 * @return the size of ring buffer
174 */
175 public int taskSize() {
176 return size;
177 }
178
179 /**
180 * Same with method {@link #taskSize}
181 *
182 * @return
183 */
184 public int taskMapSize() {
185 return taskMap.size();
186 }
187
188 /**
189 * Start background thread to consumer wheel timer, it will always run until you call method {@link #stop}
190 */
191 public void start() {
192 if (!start.get()) {
193
194 if (start.compareAndSet(start.get(), true)) {
195 logger.info("Delay task is starting");
196 Thread job = new Thread(new TriggerJob());
197 job.setName("consumer RingBuffer thread");
198 job.start();
199 start.set(true);
200 }
201
202 }
203 }
204
205 /**
206 * Stop consumer ring buffer thread
207 *
208 * @param force True will force close consumer thread and discard all pending tasks
209 * otherwise the consumer thread waits for all tasks to completes before closing.
210 */
211 public void stop(boolean force) {
212 if (force) {
213 logger.info("Delay task is forced stop");
214 stop = true;
215 executorService.shutdownNow();
216 } else {
217 logger.info("Delay task is stopping");
218 if (taskSize() > 0) {
219 try {
220 lock.lock();
221 condition.await();
222 stop = true;
223 } catch (InterruptedException e) {
224 logger.error("InterruptedException", e);
225 } finally {
226 lock.unlock();
227 }
228 }
229 executorService.shutdown();
230 }
231
232
233 }
234
235
236 private Set get(int index) {
237 return (Set) ringBuffer[index];
238 }
239
240 private void put(int key, Set tasks) {
241 int index = mod(key, bufferSize);
242 ringBuffer[index] = tasks;
243 }
244
245 /**
246 * Remove and get task list.
247 *
248 * @param key
249 * @return task list
250 */
251 private Set remove(int key) {
252 Set tempTask = new HashSet<>();
253 Set result = new HashSet<>();
254
255 Set tasks = (Set) ringBuffer[key];
256 if (tasks == null) {
257 return result;
258 }
259
260 for (BusinessTask task : tasks) {
261 if (task.getCycleNum() == 0) {
262 result.add(task);
263
264 size2Notify();
265 } else {
266 // decrement 1 cycle number and update origin data
267 task.setCycleNum(task.getCycleNum() - 1);
268 tempTask.add(task);
269 }
270 // remove task, and free the memory.
271 taskMap.remove(task.getTaskId());
272 }
273
274 //update origin data
275 ringBuffer[key] = tempTask;
276
277 return result;
278 }
279
280 private void size2Notify() {
281 try {
282 lock.lock();
283 size--;
284 if (size == 0) {
285 condition.signal();
286 }
287 } finally {
288 lock.unlock();
289 }
290 }
291
292 private boolean powerOf2(int target) {
293 if (target <0) {
294 return false;
295 }
296 int value = target & (target - 1);
297 if (value != 0) {
298 return false;
299 }
300
301 return true;
302 }
303
304 private int mod(int target, int mod) {
305 // equals target % mod
306 target = target + tick.get();
307 return target & (mod - 1);
308 }
309
310 private int cycleNum(int target, int mod) {
311 //equals target/mod
312 return target >> Integer.bitCount(mod - 1);
313 }
314
315
316
317 private class TriggerJob implements Runnable {
318
319 @Override
320 public void run() {
321 int index = 0;
322 while (!stop) {
323 try {
324 System.out.println(index);
325 Set tasks = remove(index);
326 for (BusinessTask task : tasks) {
327 executorService.submit(task);
328 }
329
330 if (++index > bufferSize - 1) {
331 index = 0;
332 }
333
334 //Total tick number of records
335 tick.incrementAndGet();
336 TimeUnit.SECONDS.sleep(1);
337
338 } catch (Exception e) {
339 logger.error("Exception", e);
340 }
341
342 }
343
344 logger.info("Delay task has stopped");
345 }
346 }
347 }

RingBufferWheel

1 package com.education.task.provider;
2
3 import lombok.Getter;
4 import lombok.Setter;
5
6 /**
7 * @author pengbenlei
8 * @company leenleda
9 * @date 2020/12/21 10:49
10 * @description
11 */
12 @Getter
13 @Setter
14 public abstract class BusinessTask extends Thread {
15
16 /**
17 * 所在位置
18 */
19 private int index;
20
21 /**
22 * cycleNum 轮盘上的圈数
23 */
24 private int cycleNum;
25
26 /**
27 * 轮盘的刻度
28 */
29 private int key;
30
31 /**
32 * The unique ID of the task
33 */
34 private int taskId;
35
36 @Override
37 public void run() {
38 }
39
40 }

BusinessTask

测试调用:

1 public static class Job extends BusinessTask{
2 @Override
3 public void run() {
4 System.out.println("12346");
5 }
6 }

构造任务

1 SpringApplication.run(TaskProviderApplication.class, args);
2 RingBufferWheel ringBufferWheel = new RingBufferWheel( Executors.newFixedThreadPool(2));
3 for (int i = 0; i <2; i++) {
4 BusinessTask job = new Job();
5 job.setKey(10);
6 job.setCycleNum(i);
7 ringBufferWheel.addTask(job);
8 }

调用代码

 

后续,后来听朋友说有个开源项目 xxl-job : https://github.com/xuxueli/xxl-job,真香。功能比较全。

甘于平凡,做一个甘于平凡的人,菜米油盐,生老病死。



推荐阅读
  • 深入解析 Android IPC 中的 Messenger 机制
    本文详细介绍了 Android 中基于消息传递的进程间通信(IPC)机制——Messenger。通过实例和源码分析,帮助开发者更好地理解和使用这一高效的通信工具。 ... [详细]
  • 本文详细探讨了Java中的ClassLoader类加载器的工作原理,包括其如何将class文件加载至JVM中,以及JVM启动时的动态加载策略。文章还介绍了JVM内置的三种类加载器及其工作方式,并解释了类加载器的继承关系和双亲委托机制。 ... [详细]
  • 深入解析Java虚拟机(JVM)架构与原理
    本文旨在为读者提供对Java虚拟机(JVM)的全面理解,涵盖其主要组成部分、工作原理及其在不同平台上的实现。通过详细探讨JVM的结构和内部机制,帮助开发者更好地掌握Java编程的核心技术。 ... [详细]
  • 深入解析SpringMVC核心组件:DispatcherServlet的工作原理
    本文详细探讨了SpringMVC的核心组件——DispatcherServlet的运作机制,旨在帮助有一定Java和Spring基础的开发人员理解HTTP请求是如何被映射到Controller并执行的。文章将解答以下问题:1. HTTP请求如何映射到Controller;2. Controller是如何被执行的。 ... [详细]
  • 深入解析ESFramework中的AgileTcp组件
    本文详细介绍了ESFramework框架中AgileTcp组件的设计与实现。AgileTcp是ESFramework提供的ITcp接口的高效实现,旨在优化TCP通信的性能和结构清晰度。 ... [详细]
  • ListView简单使用
    先上效果:主要实现了Listview的绑定和点击事件。项目资源结构如下:先创建一个动物类,用来装载数据:Animal类如下:packagecom.example.simplelis ... [详细]
  • 2017-2018年度《网络编程与安全》第五次实验报告
    本报告详细记录了2017-2018学年《网络编程与安全》课程第五次实验的具体内容、实验过程、遇到的问题及解决方案。 ... [详细]
  • 本文介绍如何在Spring Boot项目中集成Redis,并通过具体案例展示其配置和使用方法。包括添加依赖、配置连接信息、自定义序列化方式以及实现仓储接口。 ... [详细]
  • 本文详细介绍了优化DB2数据库性能的多种方法,涵盖统计信息更新、缓冲池调整、日志缓冲区配置、应用程序堆大小设置、排序堆参数调整、代理程序管理、锁机制优化、活动应用程序限制、页清除程序配置、I/O服务器数量设定以及编入组提交数调整等方面。通过这些技术手段,可以显著提升数据库的运行效率和响应速度。 ... [详细]
  • 并发编程 12—— 任务取消与关闭 之 shutdownNow 的局限性
    Java并发编程实践目录并发编程01——ThreadLocal并发编程02——ConcurrentHashMap并发编程03——阻塞队列和生产者-消费者模式并发编程04——闭锁Co ... [详细]
  • 深入探讨Web页面中的锚点交互设计
    本文旨在分享Web前端开发中关于网页锚点效果的实现与优化技巧。随着Web技术的发展,越来越多的企业开始重视前端开发的质量和用户体验,而锚点功能作为提升用户浏览体验的重要手段之一,值得深入研究。 ... [详细]
  • 烤鸭|本文_Spring之Bean的生命周期详解
    烤鸭|本文_Spring之Bean的生命周期详解 ... [详细]
  • 本文介绍了如何使用Java代码在Android设备上检测特定应用程序是否已安装。通过创建一个Intent并利用PackageManager查询该Intent的可用性来实现这一功能。 ... [详细]
  • 本文详细介绍了Java中的注解功能,包括如何定义注解类型、设置注解的应用范围及生命周期,并通过具体示例展示了如何利用反射机制访问注解信息。 ... [详细]
  • 尾花|花萼_相关性Correlations 皮尔逊相关系数(pearson)和斯皮尔曼等级相关系数(spearman)
    尾花|花萼_相关性Correlations 皮尔逊相关系数(pearson)和斯皮尔曼等级相关系数(spearman) ... [详细]
author-avatar
爱在明天2502870673
这个家伙很懒,什么也没留下!
PHP1.CN | 中国最专业的PHP中文社区 | DevBox开发工具箱 | json解析格式化 |PHP资讯 | PHP教程 | 数据库技术 | 服务器技术 | 前端开发技术 | PHP框架 | 开发工具 | 在线工具
Copyright © 1998 - 2020 PHP1.CN. All Rights Reserved | 京公网安备 11010802041100号 | 京ICP备19059560号-4 | PHP1.CN 第一PHP社区 版权所有