• 如何根据spring定时任务源码写一个自己的动态定时任务组件下


    紧接上文,上篇文章解析了springboot定时任务源码以及分享了自己写动态定时任务组件的一些思路,但是由于篇幅问题并没有分享具体的代码实现,光分享思路不留下代码的行为可以说是流氓行为,于是便有了此篇文章。

    若没有看过上文请阅读后再进行此文阅读,观感会好上不少。 上文链接在这里

    本文的大致思路

    上文分析了2种实现:

    1.配置中心做触发器,时间一到,调用对应服务接口,通过反射执行任务。

    2.定时任务仍在各个项目,配置中心只做定时任务修改开启关闭的接口调用。

    第一种实现相对来说更加简单,于是我决定以第二种方式的实现来写这篇文章。若是第二种方式能搞懂,那第一种实现方式自然而然也就明了了。只是在集群模式下思考的问题有些许不同,但不并影响整体的行文思路。

    大致的页面

    具体代码

    注 : 本文只提供最基础的代码实现。

    数据库设计 请参照下方实体类

    注: 都是最简单的实现

    定时任务配置实体

    1. /**
    2. * BatchSetting Entity
    3. *
    4. * @author yaoj
    5. * @since 2022/7/27
    6. */
    7. @Data
    8. public class TaskSetting {
    9. @ApiModelProperty(value = "id")
    10. protected Integer id;
    11. @ApiModelProperty(value = "服务名称")
    12. private String serviceName;
    13. @ApiModelProperty(value = "类名 字段长度[100]")
    14. private String className;
    15. @ApiModelProperty(value = "方法名 字段长度[100]")
    16. private String methodName;
    17. @ApiModelProperty(value = "是否启用")
    18. private Integer isEnable;
    19. @ApiModelProperty(value = "CRON表达式 字段长度[30]")
    20. private String cron;
    21. @ApiModelProperty(value = "CRON表达式描述 字段长度[255]")
    22. private String cronDescription;
    23. @ApiModelProperty(value = "方法描述 字段长度[255]")
    24. private String methodDescription;
    25. }
    26. 复制代码

    定时任务日志实体

    1. /**
    2. *
    3. * @author yaoj
    4. * @since 2021/10/18
    5. */
    6. @Data
    7. public class TaskExecutionLog {
    8. @ApiModelProperty(value = "id")
    9. protected Integer id;
    10. @ApiModelProperty(value = "任务配置ID")
    11. private Integer TaskSettingId;
    12. @ApiModelProperty(value = "开始时间")
    13. private Date startTime;
    14. @ApiModelProperty(value = "结束时间")
    15. private Date endTime;
    16. @ApiModelProperty(value = "处理时间")
    17. private String processingTimeStr;
    18. @ApiModelProperty(value = "是否成功")
    19. private Integer isSuccess;
    20. @ApiModelProperty(value = "结果消息")
    21. private String resultMsg;
    22. }
    23. 复制代码

    开启动态定时任务注解 @EnableMyDynamicSchedule

    既然是组件,自然也要做成可拔插式的。在对应项目上加上主启动注解即可开启动态定时任务

    1. /*
    2. * @author yaoj
    3. * @since 2022/7/27
    4. * 注解使用方法:主启动类加上此注解 开启动态定时任务配置
    5. * 所属工程必须实现{ISchedule.class,IScheduleLog.class}类 实现相关方法
    6. * ISchedule : 用于去配置中心抓取定时任务配置
    7. 因为每个项目不一定有配置中心的数据源所以提供统一的接口由各个工程自行实现配置抓取
    8. * IScheduleLog : 用于aop切面 插入定时任务记录信息(为了方便查看定时任务执行情况,将日志记录插入数据库)
    9. */
    10. @Target(ElementType.TYPE)
    11. @Retention(RetentionPolicy.RUNTIME)
    12. @Import(MyScheduleImportSelector.class)
    13. @Documented
    14. public @interface EnableMyDynamicSchedule {
    15. }
    16. 复制代码
    1. /**
    2. * @author yaoj
    3. * @since 2022/7/27
    4. **/
    5. public class MyScheduleImportSelector implements ImportSelector {
    6. @Override
    7. public String[] selectImports(AnnotationMetadata importingClassMetadata) {
    8. return new String[]{
    9. // 定时任务注册类
    10. MyScheduledTaskRegistrar.class.getName(),
    11. // 配置中心调用的各个项目的controller层 用于修改本项目的定时任务
    12. MyScheduleController.class.getName(),
    13. // 配置中心调用的各个项目的service层 用于修改本项目的定时任务
    14. MyScheduleService.class.getName(),
    15. // aop 切面用于记录日志
    16. ScheduleMethodAop.class.getName()};
    17. }
    18. }
    19. 复制代码

    @ScheduleLog注解

    1. /**
    2. * 动态定时任务注解
    3. * 加上此注解的方法会记录日志信息
    4. *
    5. * @author yaoj
    6. * @since 2022/7/27
    7. */
    8. @Target({ElementType.METHOD})
    9. @Retention(RetentionPolicy.RUNTIME)
    10. public @interface ScheduleLog {
    11. }
    12. 复制代码

    相关接口 实现都有各个项目实现

    ISchedule 用于抓取任务配置

    1. /**
    2. * 抓取定时任务配置接口
    3. *
    4. * @author yaoj
    5. * @since 2022/7/27
    6. */
    7. public interface ISchedule {
    8. List findList(String serviceName);
    9. }
    10. 复制代码

    IScheduleLog 用于记录日志

    1. /**
    2. * 记录定时任务日志接口
    3. *
    4. * @author yaoj
    5. * @since 2022/7/27
    6. */
    7. public interface IScheduleLog {
    8. int insertLog(TaskExecutionLog executionLog);
    9. }
    10. 复制代码

    实体相关类

    MyCronTask

    对spring的cronTask做相关增强,加上类名和方法名称,如此便可以区分定时任务。

    注:springboot解析cron表达式有一些坑:

    1.在一些springboot比较落后的版本,如2.2.10.RELEASE,它使用的cron表达式解析CronSequenceGenerator。这个表达式解释类很多cron表达式时间都解析不了如0 0 0 ? * 4#3。 建议直接参考比较新的springboot版本如2.4.3,它已经使用CronExpression进行cron表达式的解析,大多数常用的表达式都可以解析,我暂时没发现有什么不能解析的,如果有请提醒我,谢谢! 你只需要将新springboot中的关于CronExpression的相关类都拷贝到自己的项目中,然后重新写一个自己的CronTrigger即可,之后再在MyCronTask构造方法中传入自己的CronTrigger即可。

    此为cron表达式解析相关类,版本变化可能不同,仅供参考。

    2.即使新版的CronExpression解析cron表达式仍存在一些问题,比如0 0 0 ? * 4#3,表示为每个月第三个周三执行,但是在springboot解析这个时间为每个月第三个周四。如果想修改可以直接cv出他所有的cron表达式解析代码,然后自行更改,具体位置为QuartzCronField类的parseDayOfWeek方法。

    而且一些关于以星期结尾的cron表达式解析如0 5 2 ? * thur,在springboot中英文都只可以有三位,应该写成 0 5 2 ? * thu,否则也会报错。

    1. /**
    2. * @author yaoj
    3. * @since 2022/7/27
    4. **/
    5. public class MyCronTask extends TriggerTask {
    6. private String expression;
    7. private String methodName;
    8. private String className;
    9. public MyCronTask(Runnable runnable, String expression, String className, String methodName) {
    10. this(runnable, new CronTrigger(expression, TimeZone.getDefault()));
    11. this.className = className;
    12. this.methodName = methodName;
    13. }
    14. private MyCronTask(Runnable runnable, CronTrigger cronTrigger) {
    15. super(runnable, cronTrigger);
    16. this.expression = cronTrigger.getExpression();
    17. }
    18. public String getMethodName() {
    19. return StringUtils.trim(className.toLowerCase()) + "_" + StringUtils.trim(methodName);
    20. }
    21. }
    22. 复制代码

    MyScheduledTask

    參照spring的ScheduledTask,將CronTask换成MyCronTask

    1. /**
    2. * @author yaoj
    3. * @since 2022/7/27
    4. **/
    5. public final class MyScheduledTask {
    6. @Nullable
    7. volatile ScheduledFuture future;
    8. private MyCronTask task;
    9. MyScheduledTask(MyCronTask task) {
    10. this.task = task;
    11. }
    12. public MyCronTask getTask() {
    13. return this.task;
    14. }
    15. public void cancel() {
    16. ScheduledFuture future = this.future;
    17. if (future != null) {
    18. future.cancel(true);
    19. }
    20. }
    21. @Override
    22. public String toString() {
    23. return this.task.toString();
    24. }
    25. 复制代码

    ScheduleDto

    用于做数据处理的基本dto

    1. /**
    2. * 定时任务实体
    3. *
    4. * @author yaoj
    5. * @since 2022/7/27
    6. **/
    7. @Data
    8. @AllArgsConstructor
    9. public class ScheduleDto {
    10. //任务类
    11. private String clazz;
    12. //定时任务方法
    13. private String method;
    14. //cron表达式
    15. private String cron;
    16. public String getMethodWithClass() {
    17. return StringUtils.trim(clazz.toLowerCase()) + "_" + StringUtils.trim(method);
    18. }
    19. public String getClazz() {
    20. return StringUtils.trim(clazz.toLowerCase());
    21. }
    22. public String getMethod() {
    23. return StringUtils.trim(method);
    24. }
    25. public String getCron() {
    26. return StringUtils.trim(cron);
    27. }
    28. }
    29. 复制代码

    核心类

    MyScheduledTaskRegistrar

    用于定时任务注册的核心类

    1. /**
    2. * @author yaoj
    3. * @since 2022/7/27
    4. **/
    5. @Component
    6. public class MyScheduledTaskRegistrar implements ApplicationListener<ContextRefreshedEvent>, DisposableBean {
    7. private TaskScheduler taskScheduler;
    8. private Set<MyScheduledTask> scheduledTasks = new LinkedHashSet<>(16);
    9. /**
    10. * 此处采用监听器方式,在spring容器启动后开始初始化定时任务
    11. *
    12. * @param event
    13. */
    14. @Override
    15. public void onApplicationEvent(ContextRefreshedEvent event) {
    16. scheduleTasks();
    17. }
    18. private void scheduleTasks() {
    19. // 这边为创建ScheduledThreadPoolExecutor定时任务线程池,具体参数本文不讨论
    20. ScheduledExecutorService localExecutor = ThreadPoolUtils.newScheduledThreadPoolExecutor();
    21. this.taskScheduler = new ConcurrentTaskScheduler(localExecutor);
    22. // 初始化定时任务 逻辑请看下面的DynamicTaskUtils工具类内容
    23. DynamicTaskUtils.initTask();
    24. }
    25. public void addScheduledTask(@Nullable MyScheduledTask task) {
    26. if (task != null) {
    27. this.scheduledTasks.add(task);
    28. }
    29. }
    30. public Set<MyScheduledTask> getScheduledTasks() {
    31. return scheduledTasks;
    32. }
    33. @Nullable
    34. public MyScheduledTask scheduleCronTask(MyCronTask task) {
    35. // 此方法简略了很多 具体可以参照springboot的源码
    36. MyScheduledTask scheduledTask = new MyScheduledTask(task);
    37. scheduledTask.future = this.taskScheduler.schedule(task.getRunnable(), task.getTrigger());
    38. return scheduledTask;
    39. }
    40. @Override
    41. public void destroy() {
    42. for (MyScheduledTask task : this.scheduledTasks) {
    43. task.cancel();
    44. }
    45. }
    46. }
    47. 复制代码

    DynamicTaskUtils工具类

    为了少建一些实体,故有些地方用map,切勿在意一些细节

    1. /**
    2. * 动态定时任务工具类
    3. *
    4. * @author yaoj
    5. * @since 2022/7/27
    6. **/
    7. @Slf4j
    8. public class DynamicTaskUtils {
    9. private static MyScheduledTaskRegistrar registrar = null;
    10. private static ISchedule iSchedule = null;
    11. private static MyScheduledTaskRegistrar getRegistrar() {
    12. if (null == registrar) {
    13. registrar = SpringUtils.getBean(MyScheduledTaskRegistrar.class);
    14. }
    15. return registrar;
    16. }
    17. private static ISchedule getISchedule() {
    18. if (null == iSchedule) {
    19. iSchedule = SpringUtils.getBean(ISchedule.class);
    20. }
    21. return iSchedule;
    22. }
    23. /**
    24. * 新增定时任务
    25. *
    26. * @param list
    27. */
    28. public static Map<String, Object> addTaskBatch(List list) {
    29. synchronized (DynamicTaskUtils.class) {
    30. // 当前系统中存在的定时任务
    31. List<String> sysTaskNow = getRegistrar().getScheduledTasks().stream()
    32. .map(e -> e.getTask().getMethodName()).collect(Collectors.toList());
    33. // 过滤出需要新增的定时任务
    34. list = list.stream().filter(e -> !sysTaskNow.contains(e.getClazz() + "_" + e.getMethod())).collect(Collectors.toList());
    35. Map<String, Object> resultMap = new HashMap<>();
    36. resultMap.put("load", false);
    37. resultMap.put("errorList", new ArrayList<>());
    38. if (!list.isEmpty()) {
    39. List<String> errorList = new ArrayList<>();
    40. for (ScheduleDto task : list) {
    41. try {
    42. MyCronTask cronTask = new MyCronTask(() -> {
    43. Object bean = SpringUtils.getBean(task.getClazz());
    44. ReflectionUtils.invokeMethod(bean, task.getMethod(), null, null);
    45. }, task.getCron(), task.getClazz(), task.getMethod());
    46. // 此处封装好了cronTask加入定时任务线程池
    47. getRegistrar().addScheduledTask(getRegistrar().scheduleCronTask(cronTask));
    48. } catch (Exception e) {
    49. errorList.add(task.getMethod());
    50. }
    51. }
    52. if (!errorList.isEmpty()) {
    53. log.error("定时任务【{}】新增失败!!!", String.join(",", errorList));
    54. resultMap.put("load", false);
    55. resultMap.put("errorList", errorList);
    56. return resultMap;
    57. }
    58. resultMap.put("load", true);
    59. log.info("定时任务【{}】新增成功!!!", list.stream().map(ScheduleDto::getMethod)
    60. .collect(Collectors.joining(",")));
    61. }
    62. return resultMap;
    63. }
    64. }
    65. /**
    66. * 修改定时任务
    67. *
    68. * @param list
    69. */
    70. public static boolean updateTaskBatch(List list) {
    71. synchronized (DynamicTaskUtils.class) {
    72. if (deleteTaskBatch(list)) {
    73. boolean b = (boolean) addTaskBatch(list).get("load");
    74. if (!b)
    75. log.info("定时任务【{}】修改失败!!!", list.stream().map(ScheduleDto::getMethod)
    76. .collect(Collectors.joining(",")));
    77. return b;
    78. }
    79. log.info("定时任务【{}】修改成功!!!", list.stream().map(ScheduleDto::getMethod)
    80. .collect(Collectors.joining(",")));
    81. return true;
    82. }
    83. }
    84. /**
    85. * 删除定时任务
    86. *
    87. * @param list
    88. */
    89. public static boolean deleteTaskBatch(List list) {
    90. synchronized (DynamicTaskUtils.class) {
    91. try {
    92. Set scheduledTasks = getRegistrar().getScheduledTasks();
    93. Set<String> methodSet = list.stream()
    94. .map(ScheduleDto::getMethodWithClass).collect(Collectors.toSet());
    95. scheduledTasks.stream().filter(e -> methodSet.contains(e.getTask().getMethodName())).forEach(MyScheduledTask::cancel);
    96. scheduledTasks.removeIf(e -> methodSet.contains(e.getTask().getMethodName()));
    97. } catch (Exception e) {
    98. log.info("定时任务【{}】删除失败!!!", list.stream().map(ScheduleDto::getMethod)
    99. .collect(Collectors.joining(",")));
    100. return false;
    101. }
    102. log.info("定时任务【{}】删除成功!!!", list.stream().map(ScheduleDto::getMethod)
    103. .collect(Collectors.joining(",")));
    104. return true;
    105. }
    106. }
    107. /**
    108. * 初始定时任务
    109. */
    110. public static void initTask() {
    111. List list = getISchedule().findList("serviceName");
    112. List scheduleDtoList = list.stream().map(e ->
    113. new ScheduleDto(e.getClassName(), e.getMethodName(), e.getCron())
    114. ).collect(Collectors.toList());
    115. Map<String, Object> addTaskBatchMap = DynamicTaskUtils.addTaskBatch(scheduleDtoList);
    116. boolean b = (boolean) addTaskBatchMap.get("load");
    117. if (b) {
    118. log.info("定时任务加载成功!!!");
    119. } else {
    120. List<String> errorList = (List<String>) addTaskBatchMap.get("errorList");
    121. log.info("定时任务部分加载成功!!!");
    122. log.error("定时任务【{}】加载失败!!!", String.join(",", errorList));
    123. }
    124. }
    125. }
    126. 复制代码

    日志切面类ScheduleMethodAop

    1. /**
    2. * 定时任务日志记录切面
    3. *
    4. * @author yaoj
    5. * @since 2022/7/27
    6. **/
    7. @Component
    8. @Aspect
    9. public class ScheduleMethodAop {
    10. @Autowired
    11. private IScheduleLog iScheduleLog;
    12. @Around(value = "@annotation(scheduleLog)")
    13. public void dealTask(ProceedingJoinPoint joinPoint, ScheduleLog scheduleLog) {
    14. // redis 分布式锁解决 集群问题
    15. TaskExecutionLog log = new TaskExecutionLog();
    16. log.setStartTime(new Date());
    17. try {
    18. // 执行定时任务
    19. joinPoint.proceed();
    20. } catch (Throwable throwable) {
    21. //写入数据库定时任务执行中便于可视化展示
    22. String message = throwable.getMessage();
    23. log.setEndTime(new Date());
    24. log.setIsSuccess(GlobalConstant.NO);
    25. log.setResultMsg(StringUtils.isNotBlank(getIp()) ? getIp() + message : message);
    26. iScheduleLog.insertLog(log);
    27. return;
    28. }
    29. log.setEndTime(new Date());
    30. log.setIsSuccess(GlobalConstant.YES);
    31. log.setResultMsg(StringUtils.isNotBlank(getIp()) ? getIp() + "成功!" : "成功!");
    32. iScheduleLog.insertLog(log);
    33. }
    34. private String getIp() {
    35. try {
    36. InetAddress addr = InetAddress.getLocalHost();
    37. String hostAddress = "IP:【" + addr.getHostAddress() + "】";
    38. String hostName = "主机名称:【" + addr.getHostName() + "】";
    39. return hostAddress + hostName;
    40. } catch (Exception e) {
    41. return "";
    42. }
    43. }
    44. }
    45. 复制代码

    各个项目共通的controller和service

    MyScheduleController

    1. /**
    2. * 修改定时任务控制层
    3. *
    4. * @author yaoj
    5. * @since 2022/7/27
    6. **/
    7. @RestController
    8. @Api("修改定时任务控制层")
    9. @RequestMapping("feign/erp/schedule")
    10. public class MyScheduleController {
    11. @Autowired
    12. private MyScheduleService service;
    13. @ApiOperationSupport(author = "yaoj")
    14. @ApiOperation(value = "修改定时任务")
    15. @PutMapping
    16. public ResultDto<Boolean> update(@RequestBody @Validated TaskSetting batchSetting) {
    17. return ResultUtils.success(service.update(batchSetting));
    18. }
    19. @ApiOperationSupport(author = "yaoj")
    20. @ApiOperation(value = "删除")
    21. @DeleteMapping
    22. public ResultDto<Boolean> delete(@RequestBody @Validated TaskSetting batchSetting) {
    23. return ResultUtils.success(service.delete(batchSetting));
    24. }
    25. @ApiOperationSupport(author = "yaoj")
    26. @ApiOperation(value = "启用")
    27. @PutMapping("enable")
    28. public ResultDto<Boolean> enable(@RequestBody @Validated List entity) {
    29. return ResultUtils.success(service.enable(entity));
    30. }
    31. @ApiOperationSupport(author = "yaoj")
    32. @ApiOperation(value = "禁用")
    33. @PutMapping("forbid")
    34. public ResultDto<Boolean> forbid(@RequestBody @Validated List entity) {
    35. return ResultUtils.success(service.forbid(entity));
    36. }
    37. @ApiOperationSupport(author = "yaoj")
    38. @ApiOperation(value = "执行定时任务")
    39. @PutMapping("execute")
    40. public ResultDto<Boolean> execute(@RequestBody @Validated TaskSetting entity) {
    41. return ResultUtils.success(service.execute(entity));
    42. }
    43. }
    44. 复制代码

    MyScheduleService

    1. /**
    2. * 修改定时任务业务层
    3. *
    4. * @author yaoj
    5. * @since 2022/7/27
    6. **/
    7. @Service
    8. public class MyScheduleService {
    9. /**
    10. * 修改线程池中的定时任务
    11. *
    12. * @param batchSetting
    13. */
    14. public boolean update(TaskSetting batchSetting) {
    15. ScheduleDto scheduleDto = new ScheduleDto(batchSetting.getClassName(), batchSetting.getMethodName(), batchSetting.getCron());
    16. return DynamicTaskUtils.updateTaskBatch(Collections.singletonList(scheduleDto));
    17. }
    18. /**
    19. * 删除线程池中的定时任务
    20. *
    21. * @param batchSetting
    22. */
    23. public boolean delete(TaskSetting batchSetting) {
    24. ScheduleDto scheduleDto = new ScheduleDto(batchSetting.getClassName(), batchSetting.getMethodName(), batchSetting.getCron());
    25. return DynamicTaskUtils.deleteTaskBatch(Collections.singletonList(scheduleDto));
    26. }
    27. /**
    28. * 新增线程池中的定时任务
    29. *
    30. * @param batchSettings
    31. * @return
    32. */
    33. public boolean enable(List batchSettings) {
    34. List<ScheduleDto> scheduleDtoList = batchSettings.stream().map(e ->
    35. new ScheduleDto(e.getClassName(), e.getMethodName(), e.getCron())).collect(Collectors.toList());
    36. return (boolean) DynamicTaskUtils.addTaskBatch(scheduleDtoList).get("load");
    37. }
    38. /**
    39. * 删除线程池中的定时任务
    40. *
    41. * @param batchSettings
    42. * @return
    43. */
    44. public boolean forbid(List batchSettings) {
    45. List<ScheduleDto> scheduleDtoList = batchSettings.stream().map(e ->
    46. new ScheduleDto(e.getClassName(), e.getMethodName(), e.getCron())).collect(Collectors.toList());
    47. return DynamicTaskUtils.deleteTaskBatch(scheduleDtoList);
    48. }
    49. /**
    50. * 执行定时任务
    51. *
    52. * @param entity
    53. * @return
    54. */
    55. public boolean execute(TaskSetting entity) {
    56. try {
    57. Object bean = SpringUtils.getBean(entity.getClassName());
    58. ReflectionUtils.invokeMethod(bean, entity.getMethodName(), null, null);
    59. return true;
    60. } catch (Exception e) {
    61. return false;
    62. }
    63. }
    64. }
    65. 复制代码

    配置中心相关

    配置中心的增删改查的页面这里就不做赘述了。

    但是有两个问题仍然需要思考:

    1.如何通过微服务名调取各个服务的接口?

    2.如何解决集群问题,保证修改定时任务的时候打到对应服务的各个节点?

    解决办法:

    1.众所周知在微服务中服务间调用都是用的feign组件,但是我不可能一个服务就去写一个feign接口,接口中除了serviceName不一样里面的方法都一样,而且每多一个服务就要改代码加一个feign的接口类属实是有点多余了。springcloud其实也提供了对应的手动配置feign的相关操作。以下是最简单的例子。

    1. /**
    2. * feign客户端手动配置
    3. *
    4. * @author yaoj
    5. * @since 2022/7/27
    6. **/
    7. public class FeignClientCreateUtils {
    8. //key:系统名称+contextId Object:feign客户端
    9. private static Map<String, Object> cacheFeignClient = new ConcurrentHashMap<>();
    10. private static FeignClientBuilder builder;
    11. public static T getFeignClient(String serviceName, Class clazz) {
    12. FeignClient feignClient = clazz.getAnnotation(FeignClient.class);
    13. //先从缓存查找
    14. if (cacheFeignClient.containsKey(serviceName + feignClient.contextId())) {
    15. return (T) cacheFeignClient.get(serviceName + feignClient.contextId());
    16. }
    17. FeignClientBuilder.Builder myFeignClient = builder.forType(clazz, serviceName.toLowerCase());
    18. T feign = myFeignClient.contextId(feignClient.contextId()).path(feignClient.path()).build();
    19. cacheFeignClient.put(serviceName + feignClient.contextId(), feign);
    20. return feign;
    21. }
    22. // 初始化工作可在spring容器启动后进行
    23. public static void init(ApplicationContext applicationContext) {
    24. if (null == builder) {
    25. builder = new FeignClientBuilder(applicationContext);
    26. }
    27. }
    28. }
    29. 复制代码

    2.集群下如何保证项目的各个节点都打到。得益于微服务的整体架构,其实我们是可以在注册中心通过微服务名称拿到所有节点的信息的。比如nacosNacosDiscoveryProperties,直接@autowired到你的service层即可,通过它你可以根据微服务名拿到所有Instance,这样ip和端口都有了,那如何打到各个服务不就迎刃而解了么。至于后续操作那就不多做赘述了。方法很多,这里只是提供一些简单思路而已,不是本文讨论的重点。

    我的一些收获

    这次是站在大佬的肩膀上做的3次开发, 写一个类似于这种功能的组件需要考虑的东西很多,看似非常简单,但是坑还是蛮多的。上述问题只是我碰到的我觉得值得一提的问题,还有很多代码细节以及思路的细节问题就不多说了。

    这也是我第二次尝试写这些东西,可能还存在这很多未知的bug,但是单节点已经进行了实践洗礼并无问题。

    所以如果有不对的地方万望大佬轻喷,再次先谢谢了。

    非常感谢能看到这里的jym,如文章中有错误,请务必指正! 注:本文代码只供参考使用,细节部分很多地方都是需要修改优化的。代码只是提供一个比较详细的思路而已。

  • 相关阅读:
    【Verilog实战】SPI协议底层硬件接口设计和功能验证(附源码)
    MyBatis
    什么是EventEmitter?它在Node.js中有什么作用?
    GPT与Python结合应用于遥感降水数据处理、ERA5大气再分析数据的统计分析、干旱监测及风能和太阳能资源评估
    计算机网络---第四章网络层---ipv4---选择题
    GitHub使用教程
    SQL Server 基础语法3(超详细!)
    vivo霍金实验平台设计与实践-平台产品系列02
    直接插入排序,折半插入排序,冒泡排序,快速排序
    如何计算掩膜图中多个封闭图形的面积
  • 原文地址:https://blog.csdn.net/weixin_62710048/article/details/126073999