<output id="qn6qe"></output>

    1. <output id="qn6qe"><tt id="qn6qe"></tt></output>
    2. <strike id="qn6qe"></strike>

      亚洲 日本 欧洲 欧美 视频,日韩中文字幕有码av,一本一道av中文字幕无码,国产线播放免费人成视频播放,人妻少妇偷人无码视频,日夜啪啪一区二区三区,国产尤物精品自在拍视频首页,久热这里只有精品12

      SpringBoot3進階用法

      標簽:切面.調度.郵件.監控;

      一、簡介

      在上篇《SpringBoot3基礎》中已經完成入門案例的開發和測試,在這篇內容中再來看看進階功能的用法;

      主要涉及如下幾個功能點:

      調度任務:在應用中提供一定的輕量級的調度能力,比如方法按指定的定時規則執行,或者異步執行,從而完成相應的代碼邏輯;

      郵件發送:郵件作為消息體系中的渠道,是常用的功能;

      應用監控:實時或定期監控應用的健康狀態,以及各種關鍵的指標信息;

      切面編程:通過預編譯方式和運行期動態代理實現程序中部分功能統一維護的技術,可以將業務流程中的部分邏輯解耦處理,提升可復用性;

      二、工程搭建

      1、工程結構

      2、依賴管理

      <!-- 基礎框架依賴 -->
      <dependency>
          <groupId>org.springframework.boot</groupId>
          <artifactId>spring-boot-starter-web</artifactId>
          <version>${spring-boot.version}</version>
      </dependency>
      
      <!-- 應用監控組件 -->
      <dependency>
          <groupId>org.springframework.boot</groupId>
          <artifactId>spring-boot-starter-actuator</artifactId>
          <version>${spring-boot.version}</version>
      </dependency>
      
      <!-- 切面編程組件 -->
      <dependency>
          <groupId>org.springframework.boot</groupId>
          <artifactId>spring-boot-starter-aop</artifactId>
          <version>${spring-boot.version}</version>
      </dependency>
      
      <!-- 郵件發送組件 -->
      <dependency>
          <groupId>org.springframework.boot</groupId>
          <artifactId>spring-boot-starter-mail</artifactId>
          <version>${spring-boot.version}</version>
      </dependency>
      

      這里再細致的查看一下各個功能的組件依賴體系,SpringBoot只是提供了強大的集成能力;

      3、啟動類

      注意在啟動類中使用注解開啟了異步EnableAsync和調度EnableScheduling的能力;

      @EnableAsync
      @EnableScheduling
      @SpringBootApplication
      public class Application {
          public static void main(String[] args) {
              SpringApplication.run(Application.class, args);
          }
      }
      

      三、切面編程

      1、定義注解

      定義一個方法級的注解;

      @Retention(RetentionPolicy.RUNTIME)
      @Target(ElementType.METHOD)
      @Documented
      public @interface DefAop {
          /**
           * 模塊描述
           */
          String modelDesc();
      
          /**
           * 其他信息
           */
          String otherInfo();
      }
      

      2、注解切面

      在切面中使用Around環繞通知類型,會攔截到DefAop注解標記的方法,然后解析獲取各種信息,進而嵌入自定義的流程邏輯;

      @Component
      @Aspect
      public class LogicAop {
      
          private static final Logger logger = LoggerFactory.getLogger(LogicAop.class) ;
          
          /**
           * 切入點
           */
          @Pointcut("@annotation(com.boot.senior.aop.DefAop)")
          public void defAopPointCut() {
      
          }
      
          /**
           * 環繞切入
           */
          @Around("defAopPointCut()")
          public Object around (ProceedingJoinPoint proceedingJoinPoint) throws Throwable {
              Object result = null ;
              try{
                  // 執行方法
                  result = proceedingJoinPoint.proceed();
              } catch (Exception e){
                  e.printStackTrace();
              } finally {
                  // 處理邏輯
                  buildLogicAop(proceedingJoinPoint) ;
              }
              return result ;
          }
      
          /**
           * 構建處理邏輯
           */
          private void buildLogicAop (ProceedingJoinPoint point){
              // 獲取方法
              MethodSignature signature = (MethodSignature) point.getSignature();
              Method reqMethod = signature.getMethod();
      
              // 獲取注解
              DefAop defAop = reqMethod.getAnnotation(DefAop.class);
              String modelDesc = defAop.modelDesc() ;
              String otherInfo = defAop.otherInfo();
              logger.info("DefAop-modelDesc:{}",modelDesc);
              logger.info("DefAop-otherInfo:{}",otherInfo);
          }
      }
      

      四、調度任務

      1、異步處理

      1.1 方法定義

      通過Async注解標識兩個方法,方法在執行時會休眠10秒,其中一個注解指定異步執行使用asyncPool線程池;

      @Service
      public class AsyncService {
      
          private static final Logger log = LoggerFactory.getLogger(AsyncService.class);
      
          @Async
          public void asyncJob (){
              try {
                  TimeUnit.SECONDS.sleep(10);
              } catch (InterruptedException e) {
                  throw new RuntimeException(e);
              }
              log.info("async-job-01-end...");
          }
      
          @Async("asyncPool")
          public void asyncJobPool (){
              try {
                  TimeUnit.SECONDS.sleep(10);
              } catch (InterruptedException e) {
                  throw new RuntimeException(e);
              }
              log.info("async-job-02-end...");
          }
      }
      

      1.2 線程池

      定義一個ThreadPoolTaskExecutor線程池對象;

      @Configuration
      public class PoolConfig {
      
          @Bean("asyncPool")
          public Executor asyncPool () {
              ThreadPoolTaskExecutor executor = new ThreadPoolTaskExecutor();
              // 線程池命名前綴
              executor.setThreadNamePrefix("async-pool-");
              // 核心線程數5
              executor.setCorePoolSize(5);
              // 最大線程數10
              executor.setMaxPoolSize(10);
              // 緩沖執行任務的隊列50
              executor.setQueueCapacity(50);
              // 線程的空閑時間60秒
              executor.setKeepAliveSeconds(60);
              // 線程池對拒絕任務的處理策略
              executor.setRejectedExecutionHandler(new ThreadPoolExecutor.CallerRunsPolicy());
              // 線程池關閉的時等待所有任務都完成再繼續銷毀其他的Bean
              executor.setWaitForTasksToCompleteOnShutdown(true);
              // 設置線程池中任務的等待時間
              executor.setAwaitTerminationSeconds(300);
              return executor;
          }
      }
      

      1.3 輸出信息

      從輸出的日志信息中可以發現,兩個異步方法所使用的線程池不一樣,asyncJob采用默認的cTaskExecutor線程池,asyncJobPool方法采用的是async-pool線程池;

      [schedule-pool-1] c.boot.senior.schedule.ScheduleService   : async-job-02-end...
      [cTaskExecutor-1] c.boot.senior.schedule.ScheduleService   : async-job-01-end...
      

      2、調度任務

      2.1 調度配置

      通過實現SchedulingConfigurer接口,來修改調度任務的配置,這里重新定義任務執行的線程池;

      @Configuration
      public class ScheduleConfig implements SchedulingConfigurer {
      
          @Override
          public void configureTasks(ScheduledTaskRegistrar scheduledTaskRegistrar) {
              scheduledTaskRegistrar.setScheduler(Executors.newScheduledThreadPool(5));
          }
      }
      

      2.2 調度方法

      通過Scheduled注解來標記方法,基于定時器的規則設定,來統一管理方法的執行時間;

      @Component
      public class ScheduleJob {
          private static final Logger log = LoggerFactory.getLogger(ScheduleJob.class);
      
          private static final SimpleDateFormat format = new SimpleDateFormat("yyyy-MM-dd HH:mm:ss") ;
      
          /**
           * 上一次開始執行時間點之后10秒再執行
           */
          @Scheduled(fixedRate = 10000)
          private void timerJob1(){
              log.info("timer-job-1:{}",format.format(new Date()));
          }
      
          /**
           * 上一次執行完畢時間點之后10秒再執行
           */
          @Scheduled(fixedDelay = 10000)
          private void timerJob2(){
              log.info("timer-job-2:{}",format.format(new Date()));
          }
      
          /**
           * Cron表達式:每30秒執行一次
           */
          @Scheduled(cron = "0/30 * * * * ?")
          private void timerJob3(){
              log.info("timer-job-3:{}",format.format(new Date()));
          }
      }
      

      五、郵件發送

      1、郵件配置

      采用QQ郵箱來模擬郵件的發送方,需要先開啟smtp郵件傳輸協議,在QQ郵箱的設置/賬戶路徑下,并且獲取相應的授權碼,在項目的配置中使用;

      spring:
        application:
          name: boot-senior
        # 郵件配置
        mail:
          host: smtp.qq.com
          port: 465
          protocol: smtps
          username: 郵箱賬號
          password: 郵箱授權碼
          properties:
            mail.smtp.ssl.enable: true
      

      2、方法封裝

      定義一個簡單的郵件發送方法,并且可以添加附件,是常用的功能之一;另外也可以通過Html靜態頁渲染,再轉換為郵件內容的方式;

      @Service
      public class SendMailService {
      
          @Value("${spring.mail.username}")
          private String userName ;
      
          @Resource
          private JavaMailSender sender;
      
          /**
           * 帶附件的郵件發送方法
           * @param toUsers 接收人
           * @param subject 主題
           * @param content 內容
           * @param attachPath 附件地址
           * @return java.lang.String
           * @since 2023-07-10 17:03
           */
          public String sendMail (String[] toUsers,String subject,
                                  String content,String attachPath) throws Exception {
              // MIME郵件類
              MimeMessage mimeMessage = sender.createMimeMessage();
              MimeMessageHelper helper = new MimeMessageHelper(mimeMessage, true);
              // 郵件發送方From和接收方To
              helper.setFrom(userName);
              helper.setTo(toUsers);
              // 郵件主題和內容
              helper.setSubject(subject);
              helper.setText(content);
              // 郵件中的附件
              File attachFile = ResourceUtils.getFile(attachPath);
              helper.addAttachment(attachFile.getName(), attachFile);
              // 執行郵件發送命令
              sender.send(mimeMessage);
              return "send...mail...sus" ;
          }
      }
      

      測試結果

      六、應用監控

      1、監控配置

      springbootactuator組件中,可以通過提供的Rest接口,來獲取應用的監控信息;

      # 應用監控配置
      management:
        endpoints:
          web:
            exposure:
              # 打開所有的監控點
              include: "*"
            base-path: /monitor
        endpoint:
          health:
            enabled: true
            show-details: always
          beans:
            enabled: true
          shutdown:
            enabled: true
      

      2、相關接口

      2.1 Get類型接口:主機:端口/monitor/health,查看應用的健康信息,三個核心指標:status狀態,diskSpace磁盤空間,ping檢查;

      {
          /* 狀態值 */
      	"status": "UP",
      	"components": {
      	    /* 磁盤空間 */
      		"diskSpace": {
      			"status": "UP",
      			"details": {
      				"total": 250685575168,
      				"free": 112149811200,
      				"threshold": 10485760,
      				"path": "Path/butte-spring-parent/.",
      				"exists": true
      			}
      		},
      		/* Ping檢查 */
      		"ping": {
      			"status": "UP"
      		}
      	}
      }
      

      2.2 Get類型接口:主機:端口/monitor/beans,查看bean列表;

      {
      	"contexts": {
      		"boot-senior": {
      			"beans": {
      				"asyncPool": {
      					"scope": "singleton",
      					"type": "org.springframework.scheduling.concurrent.ThreadPoolTaskExecutor",
      					"resource": "class path resource [com/boot/senior/schedule/PoolConfig.class]"
      				},
      				"asyncService": {
      					"scope": "singleton",
      					"type": "com.boot.senior.schedule.AsyncService$$SpringCGLIB$$0"
      				}
      			}
      		}
      	}
      }
      

      2.3 Post類型接口:主機:端口/monitor/shutdown,關閉應用程序;

      {
          "message": "Shutting down, bye..."
      }
      

      七、參考源碼

      文檔倉庫:
      https://gitee.com/cicadasmile/butte-java-note
      
      源碼倉庫:
      https://gitee.com/cicadasmile/butte-spring-parent
      
      posted @ 2023-08-08 08:12  七號樓  閱讀(962)  評論(0)    收藏  舉報
      主站蜘蛛池模板: 国产精品不卡一二三区| 无码人妻精品一区二| 成人片黄网站色大片免费| 都江堰市| 国产精品白浆在线观看免费| 国产欧美va欧美va在线| 国产成熟女人性满足视频| 国产精品爆乳奶水无码视频免费| 国产拗精品一区二区三区| 五月天免费中文字幕av| 欧美性受xxxx黑人猛交| 国产一区二三区日韩精品| 久久精品夜色噜噜亚洲aa| 给我免费观看片在线| 武隆县| 成人国产乱对白在线观看| 国产精品成人自产拍在线| 国产三级国产精品国产专区| 无码人妻aⅴ一区二区三区蜜桃| 日本高清成本人视频一区| 日韩精品一区二区三区在| 性夜黄a爽影免费看| 亚洲国产天堂久久综合226114| 中文字幕一区二区久久综合| 特级做a爰片毛片免费看无码| 久久96热在精品国产高清| 人妻系列无码专区69影院| 丰满人妻一区二区三区无码AV| 九九在线精品国产| 黑河市| 久久人妻夜夜做天天爽| 一区二区三区不卡国产| 国产麻豆剧传媒精品国产av| 午夜福利偷拍国语对白| 明水县| 色综合一本到久久亚洲91| 无码日韩精品一区二区三区免费 | 精品人妻一区二区三区四区在线| 女人香蕉久久毛毛片精品| 国产成人精品一区二区三| 日韩精品国产二区三区|