当前位置:   article > 正文

不用 kill -9,让 SpringBoot 优雅停机!_bat脚本 优雅停止springboot服务

bat脚本 优雅停止springboot服务

先来一段简单的代码,如下:

  1. @RestController
  2. public class DemoController {
  3.  @GetMapping("/demo")
  4.  public String demo() throws InterruptedException {
  5.      // 模拟业务耗时处理流程
  6.   Thread.sleep(20 * 1000L);
  7.   return "hello";
  8.  }
  9. }

当我们流量请求到此接口执行业务逻辑的时候,若服务端此时执行关机 (kill),spring boot 默认情况会直接关闭容器(tomcat 等),导致此业务逻辑执行失败。在一些业务场景下:会出现数据不一致的情况,事务逻辑不会回滚。

在最新的 spring boot 2.3 版本,内置此功能,不需要再自行扩展容器线程池来处理, 目前 spring boot 嵌入式支持的 web 服务器(Jetty、Reactor Netty、Tomcat 和 Undertow)以及反应式和基于 Servlet 的 web 应用程序都支持优雅停机功能。

我们来看下如何使用:

当使用server.shutdown=graceful启用时,在 web 容器关闭时,web 服务器将不再接收新请求,并将等待活动请求完成的缓冲期。

配置体验

图片

此处支持的 shutdown 行为,我们看下 源码枚举如下:

  1. /**
  2.  * Configuration for shutting down a {@link WebServer}.
  3.  *
  4.  * @author Andy Wilkinson
  5.  * @since 2.3.0
  6.  */
  7. public enum Shutdown {
  8.  /**
  9.   * 优雅停机 (限期停机)
  10.   *
  11.   */
  12.  GRACEFUL,
  13.  /**
  14.   * 立即停机
  15.   */
  16.  IMMEDIATE;
  17. }

缓冲期 timeout-per-shutdown-phase 配置

默认时间为 30S, 意味着最大等待 30S,超时候无论线程任务是否执行完毕都会停机处理,一定要合理合理设置。

效果体验

1、请求服务端接口

图片

2、执行关闭应用

图片

3、服务端接到关闭指令

  1. 2020-05-17 18:28:28.940  INFO 60341 --- [extShutdownHook] o.s.b.w.e.tomcat.GracefulShutdown        : Commencing graceful shutdown. Waiting for active requests to complete
  2. 2020-05-17 18:28:45.923  INFO 60341 --- [tomcat-shutdown] o.s.b.w.e.tomcat.GracefulShutdown        : Graceful shutdown complete

4、接口请求执行完成

相关知识

关于此处执行kill -2 而不是 kill -9

kill -2 相当于快捷键 Ctrl + C 会触发 Java 的 ShutdownHook 事件处理(优雅停机或者一些后置处理可参考以下源码)

  1. //ApplicationContext
  2.  @Override
  3.  public void registerShutdownHook() {
  4.   if (this.shutdownHook == null) {
  5.    // No shutdown hook registered yet.
  6.    this.shutdownHook = new Thread(SHUTDOWN_HOOK_THREAD_NAME) {
  7.     @Override
  8.     public void run() {
  9.      synchronized (startupShutdownMonitor) {
  10.       doClose();
  11.      }
  12.     }
  13.    };
  14.    Runtime.getRuntime().addShutdownHook(this.shutdownHook);
  15.   }
  16.  }

kill -9,暴力美学强制杀死进程,不会执行 ShutdownHook

通过 actuate 端点实现优雅停机

POST 请求 /actuator/shutdown 即可执行优雅关机。

源码解析

  1. @Endpoint(id = "shutdown", enableByDefault = false)
  2. public class ShutdownEndpoint implements ApplicationContextAware {
  3.  @WriteOperation
  4.  public Map<String, String> shutdown() {
  5.   Thread thread = new Thread(this::performShutdown);
  6.   thread.setContextClassLoader(getClass().getClassLoader());
  7.   thread.start();
  8.  }
  9.  private void performShutdown() {
  10.   try {
  11.    Thread.sleep(500L);
  12.   }
  13.   catch (InterruptedException ex) {
  14.    Thread.currentThread().interrupt();
  15.   }
  16.   // 此处close 逻辑和上边 shutdownhook 的处理一样
  17.   this.context.close();
  18.  }
  19. }

第一种:就是 SpringBoot 提供的actuator的功能

执行shutdown, health, info等,默认情况下,actuator的shutdown是disable的,我们需要打开它。首先引入acturator的maven依赖。

  1. <dependency>
  2. <groupId>org.springframework.boot</groupId>
  3. <artifactId>spring-boot-starter-actuator</artifactId>
  4. </dependency>

默认情况下,shutdown端点都是默认不开启的.除了shutdown之外还有health, info的web访问都打开的话将management.endpoints.web.exposure.include=*就可以。可以通过在application.properties中添加以下代码:

  1. management.endpoints.web.exposure.include=*
  2. management.endpoint.shutdown.enabled=true
  3. endpoints.shutdown.enabled=true

接下来通过http访问的方式,实现关闭spring boot 应用.

curl -X POST localhost:port/actuator/shutdown

第二种:关闭上下文

通过调用上下文的close()方法关闭上下文.

举个例子:

  1. ConfigurableApplicationContext ctx = new
  2. SpringApplicationBuilder(Application.class).web(WebApplicationType.NONE).run();
  3. System.out.println("Spring Boot application started");
  4. ctx.getBean(TerminateBean.class);
  5. ctx.close();

close()方法会销毁所有的bean并释放锁,最后关闭所有的bean factory.

为了验证以上代码起到了想要的效果,使用spring生命周期容器被销毁前会调用的注解@PreDestroy来测试.

  1. public class TerminateBean {
  2. @PreDestroy
  3. public void onDestroy() throws Exception {
  4. System.out.println("Spring Container is destroyed!");
  5. }
  6. }

声明以下config需要用到的bean

  1. @Configuration
  2. public class ShutdownConfig {
  3. @Bean
  4. public TerminateBean getTerminateBean() {
  5. return new TerminateBean();
  6. }
  7. }

运行应用会得到如下日志:

  1. 17:01:20.542 [main] INFO com.baeldung.shutdown.Application - Started Application in 5.01 seconds (JVM running for 5.999)
  2. Spring Boot application started
  3. Spring Container is destroyed!
  4. 17:01:20.549 [main] INFO o.s.o.j.LocalContainerEntityManagerFactoryBean - Closing JPA EntityManagerFactory for persistence unit 'default'
  5. 17:01:20.549 [main] INFO o.h.t.s.i.SchemaDropperImpl$DelayedDropActionImpl - HHH000477: Starting delayed evictData of schema as part of SessionFactory shut-down'
  6. 17:01:20.552 [main] INFO com.zaxxer.hikari.HikariDataSource - HikariPool-1 - Shutdown initiated...
  7. 17:01:20.556 [main] INFO com.zaxxer.hikari.HikariDataSource - HikariPool-1 - Shutdown completed.
  8. Process finished with exit code 0

ps:关闭上下文时,因为spring隔离的生命周期并不会影响父级上下文.

以上方法是创建了一个新的上下文并调用close()方法.如果想要关闭现在使用的context,最简单的方式就是使用上文的actuator的shutdown端点.当然也可以通过使用自定义的端点实现此功能.

  1. @RestController
  2. public class ShutdownController implements ApplicationContextAware {
  3. private ApplicationContext context;
  4. @PostMapping("/shutdownContext")
  5. public void shutdownContext() {
  6. ((ConfigurableApplicationContext) context).close();
  7. }
  8. @Override
  9. public void setApplicationContext(ApplicationContext ctx) throws BeansException {
  10. this.context = ctx;
  11. }
  12. }

实现ApplicationContextAware接口并重写setApplicationContext方法获得当前应用的context.

同样,通过http访问的方式,实现关闭spring boot 应用.

curl -X POST localhost:port/shutdownContext

 ps:对于自定义的endpoint,做好安全防护.

第三种:退出应用

spring 应用会在JVM中注册一个shutdown的钩子函数来确保退出恰当地退出应用.

  1. ConfigurableApplicationContext ctx = new SpringApplicationBuilder(Application.class)
  2. .web(WebApplicationType.NONE).run();
  3. int exitCode = SpringApplication.exit(ctx, new ExitCodeGenerator() {
  4. @Override
  5. public int getExitCode() {
  6. // return the error code
  7. return 0;
  8. }
  9. });
  10. System.exit(exitCode);

调用system.exit(),会关比JVM并返回INT值.

第四种:PID杀死应用进程

使用bash脚本在应用外杀死应用.

  1. SpringApplicationBuilder app = new SpringApplicationBuilder(Application.class)
  2. .web(WebApplicationType.NONE);
  3. app.build().addListeners(new ApplicationPidFileWriter("./bin/shutdown.pid"));
  4. app.run();

接着,创建一个shutdown.bat脚本:

kill -2 $(cat ./bin/shutdown.pid)

 执行该脚本即可杀死应用.

-------------------------

参考:

1、关闭一个Spring boot的应用的几种方式

2、分享几种优雅停止Spring Boot方法,不止kill -9

声明:本文内容由网友自发贡献,不代表【wpsshop博客】立场,版权归原作者所有,本站不承担相应法律责任。如您发现有侵权的内容,请联系我们。转载请注明出处:https://www.wpsshop.cn/w/你好赵伟/article/detail/334246
推荐阅读
相关标签
  

闽ICP备14008679号