Spring Boot 性能太差?试试这几招!

2024-06-03 18:28

本文主要是介绍Spring Boot 性能太差?试试这几招!,希望对大家解决编程问题提供一定的参考价值,需要的开发者们随着小编来一起学习吧!

今天这篇文章介绍七种常见的Spring Boot 性能优化方向

1. 异步执行

实现方式二种:

  • 使用异步注解 @Aysnc、启动类:添加 @EnableAsync 注解

  • JDK 8 本身有一个非常好用的 Future 类——CompletableFuture

@AllArgsConstructor  
public class AskThread implements Runnable{  private CompletableFuture<Integer> re = null;  public void run() {  int myRe = 0;  try {  myRe = re.get() * re.get();  } catch (Exception e) {  e.printStackTrace();  }  System.out.println(myRe);  }  public static void main(String[] args) throws InterruptedException {  final CompletableFuture<Integer> future = new CompletableFuture<>();  new Thread(new AskThread(future)).start();  //模拟长时间的计算过程  Thread.sleep(1000);  //告知完成结果  future.complete(60);  }  
}  

在该示例中,启动一个线程,此时 AskThread 对象还没有拿到它需要的数据,执行到 myRe = re.get() * re.get() 会阻塞。

我们用休眠 1 秒来模拟一个长时间的计算过程,并将计算结果告诉 future 执行结果,AskThread 线程将会继续执行。

public class Calc {  public static Integer calc(Integer para) {  try {  //模拟一个长时间的执行  Thread.sleep(1000);  } catch (InterruptedException e) {  e.printStackTrace();  }  return para * para;  }  public static void main(String[] args) throws ExecutionException, InterruptedException {  final CompletableFuture<Void> future = CompletableFuture.supplyAsync(() -> calc(50))  .thenApply((i) -> Integer.toString(i))  .thenApply((str) -> "\"" + str + "\"")  .thenAccept(System.out::println);  future.get();  }  
}  

CompletableFuture.supplyAsync 方法构造一个 CompletableFuture 实例,在 supplyAsync() 方法中,它会在一个新线程中,执行传入的参数。

在这里它会执行 calc() 方法,这个方法可能是比较慢的,但这并不影响 CompletableFuture 实例的构造速度,supplyAsync() 会立即返回。

而返回的 CompletableFuture 实例就可以作为这次调用的契约,在将来任何场合,用于获得最终的计算结果。

supplyAsync 用于提供返回值的情况,CompletableFuture 还有一个不需要返回值的异步调用方法 runAsync(Runnable runnable),一般我们在优化 Controller 时,使用这个方法比较多。

这两个方法如果在不指定线程池的情况下,都是在 ForkJoinPool.common 线程池中执行,而这个线程池中的所有线程都是 Daemon(守护)线程,所以,当主线程结束时,这些线程无论执行完毕都会退出系统。

核心代码:

CompletableFuture.runAsync(() ->  this.afterBetProcessor(betRequest,betDetailResult,appUser,id)  
);  

异步调用使用 Callable 来实现:

@RestController    
public class HelloController {  private static final Logger logger = LoggerFactory.getLogger(HelloController.class);  @Autowired    private HelloService hello;  @GetMapping("/helloworld")  public String helloWorldController() {  return hello.sayHello();  }  /**  * 异步调用restful  * 当controller返回值是Callable的时候,springmvc就会启动一个线程将Callable交给TaskExecutor去处理  * 然后DispatcherServlet还有所有的spring拦截器都退出主线程,然后把response保持打开的状态  * 当Callable执行结束之后,springmvc就会重新启动分配一个request请求,然后DispatcherServlet就重新  * 调用和处理Callable异步执行的返回结果, 然后返回视图  *  * @return  */    @GetMapping("/hello")  public Callable<String> helloController() {  logger.info(Thread.currentThread().getName() + " 进入helloController方法");  Callable<String> callable = new Callable<String>() {  @Override    public String call() throws Exception {  logger.info(Thread.currentThread().getName() + " 进入call方法");  String say = hello.sayHello();  logger.info(Thread.currentThread().getName() + " 从helloService方法返回");  return say;  }  };  logger.info(Thread.currentThread().getName() + " 从helloController方法返回");  return callable;  }  
}  

异步调用的方式 WebAsyncTask

@RestController    
public class HelloController {  private static final Logger logger = LoggerFactory.getLogger(HelloController.class);  @Autowired    private HelloService hello;  /**  * 带超时时间的异步请求 通过WebAsyncTask自定义客户端超时间  *  * @return  */    @GetMapping("/world")  public WebAsyncTask<String> worldController() {  logger.info(Thread.currentThread().getName() + " 进入helloController方法");  // 3s钟没返回,则认为超时  WebAsyncTask<String> webAsyncTask = new WebAsyncTask<>(3000, new Callable<String>() {  @Override    public String call() throws Exception {  logger.info(Thread.currentThread().getName() + " 进入call方法");  String say = hello.sayHello();  logger.info(Thread.currentThread().getName() + " 从helloService方法返回");  return say;  }  });  logger.info(Thread.currentThread().getName() + " 从helloController方法返回");  webAsyncTask.onCompletion(new Runnable() {  @Override    public void run() {  logger.info(Thread.currentThread().getName() + " 执行完毕");  }  });  webAsyncTask.onTimeout(new Callable<String>() {  @Override    public String call() throws Exception {  logger.info(Thread.currentThread().getName() + " onTimeout");  // 超时的时候,直接抛异常,让外层统一处理超时异常  throw new TimeoutException("调用超时");  }  });  return webAsyncTask;  }  /**  * 异步调用,异常处理,详细的处理流程见MyExceptionHandler类  *  * @return  */    @GetMapping("/exception")  public WebAsyncTask<String> exceptionController() {  logger.info(Thread.currentThread().getName() + " 进入helloController方法");  Callable<String> callable = new Callable<String>() {  @Override    public String call() throws Exception {  logger.info(Thread.currentThread().getName() + " 进入call方法");  throw new TimeoutException("调用超时!");  }  };  logger.info(Thread.currentThread().getName() + " 从helloController方法返回");  return new WebAsyncTask<>(20000, callable);  }  }  

2. 增加内嵌 Tomcat 的最大连接数

代码如下:

@Configuration  
public class TomcatConfig {  @Bean  public ConfigurableServletWebServerFactory webServerFactory() {  TomcatServletWebServerFactory tomcatFactory = new TomcatServletWebServerFactory();  tomcatFactory.addConnectorCustomizers(new MyTomcatConnectorCustomizer());  tomcatFactory.setPort(8005);  tomcatFactory.setContextPath("/api-g");  return tomcatFactory;  }  class MyTomcatConnectorCustomizer implements TomcatConnectorCustomizer {  public void customize(Connector connector) {  Http11NioProtocol protocol = (Http11NioProtocol) connector.getProtocolHandler();  //设置最大连接数  protocol.setMaxConnections(20000);  //设置最大线程数  protocol.setMaxThreads(2000);  protocol.setConnectionTimeout(30000);  }  }  }  

3. 使用 @ComponentScan()

使用 @ComponentScan() 定位扫包比 @SpringBootApplication 扫包更快。

4. 默认 Tomcat 容器改为 Undertow

默认 Tomcat 容器改为 Undertow(Jboss 下的服务器,Tomcat 吞吐量 5000,Undertow 吞吐量 8000)

<exclusions>  <exclusion>  <groupId>org.springframework.boot</groupId>  <artifactId>spring-boot-starter-tomcat</artifactId>  </exclusion>  
</exclusions>  

改为:

<dependency>  <groupId>org.springframework.boot</groupId>  <artifactId>spring-boot-starter-undertow</artifactId>  
</dependency>  

5. 使用 BufferedWriter 进行缓冲

这里不给大家举例,可自行尝试。

6. Deferred 方式实现异步调用

代码如下:

@RestController  
public class AsyncDeferredController {  private final Logger logger = LoggerFactory.getLogger(this.getClass());  private final LongTimeTask taskService;  @Autowired  public AsyncDeferredController(LongTimeTask taskService) {  this.taskService = taskService;  }  @GetMapping("/deferred")  public DeferredResult<String> executeSlowTask() {  logger.info(Thread.currentThread().getName() + "进入executeSlowTask方法");  DeferredResult<String> deferredResult = new DeferredResult<>();  // 调用长时间执行任务  taskService.execute(deferredResult);  // 当长时间任务中使用deferred.setResult("world");这个方法时,会从长时间任务中返回,继续controller里面的流程  logger.info(Thread.currentThread().getName() + "从executeSlowTask方法返回");  // 超时的回调方法  deferredResult.onTimeout(new Runnable(){  @Override  public void run() {  logger.info(Thread.currentThread().getName() + " onTimeout");  // 返回超时信息  deferredResult.setErrorResult("time out!");  }  });  // 处理完成的回调方法,无论是超时还是处理成功,都会进入这个回调方法  deferredResult.onCompletion(new Runnable(){  @Override  public void run() {  logger.info(Thread.currentThread().getName() + " onCompletion");  }  });  return deferredResult;  }  
}  

7. 异步调用可以使用 AsyncHandlerInterceptor 进行拦截

代码如下:

@Component  
public class MyAsyncHandlerInterceptor implements AsyncHandlerInterceptor {  private static final Logger logger = LoggerFactory.getLogger(MyAsyncHandlerInterceptor.class);  @Override  public boolean preHandle(HttpServletRequest request, HttpServletResponse response, Object handler)  throws Exception {  return true;  }  @Override  public void postHandle(HttpServletRequest request, HttpServletResponse response, Object handler,  ModelAndView modelAndView) throws Exception {  
// HandlerMethod handlerMethod = (HandlerMethod) handler;  logger.info(Thread.currentThread().getName()+ "服务调用完成,返回结果给客户端");  }  @Override  public void afterCompletion(HttpServletRequest request, HttpServletResponse response, Object handler, Exception ex)  throws Exception {  if(null != ex){  System.out.println("发生异常:"+ex.getMessage());  }  }  @Override  public void afterConcurrentHandlingStarted(HttpServletRequest request, HttpServletResponse response, Object handler)  throws Exception {  // 拦截之后,重新写回数据,将原来的hello world换成如下字符串  String resp = "my name is chhliu!";  response.setContentLength(resp.length());  response.getOutputStream().write(resp.getBytes());  logger.info(Thread.currentThread().getName() + " 进入afterConcurrentHandlingStarted方法");  }  }

这篇关于Spring Boot 性能太差?试试这几招!的文章就介绍到这儿,希望我们推荐的文章对编程师们有所帮助!



http://www.chinasem.cn/article/1027768

相关文章

在Ubuntu上部署SpringBoot应用的操作步骤

《在Ubuntu上部署SpringBoot应用的操作步骤》随着云计算和容器化技术的普及,Linux服务器已成为部署Web应用程序的主流平台之一,Java作为一种跨平台的编程语言,具有广泛的应用场景,本... 目录一、部署准备二、安装 Java 环境1. 安装 JDK2. 验证 Java 安装三、安装 mys

Springboot的ThreadPoolTaskScheduler线程池轻松搞定15分钟不操作自动取消订单

《Springboot的ThreadPoolTaskScheduler线程池轻松搞定15分钟不操作自动取消订单》:本文主要介绍Springboot的ThreadPoolTaskScheduler线... 目录ThreadPoolTaskScheduler线程池实现15分钟不操作自动取消订单概要1,创建订单后

JAVA中整型数组、字符串数组、整型数和字符串 的创建与转换的方法

《JAVA中整型数组、字符串数组、整型数和字符串的创建与转换的方法》本文介绍了Java中字符串、字符数组和整型数组的创建方法,以及它们之间的转换方法,还详细讲解了字符串中的一些常用方法,如index... 目录一、字符串、字符数组和整型数组的创建1、字符串的创建方法1.1 通过引用字符数组来创建字符串1.2

SpringCloud集成AlloyDB的示例代码

《SpringCloud集成AlloyDB的示例代码》AlloyDB是GoogleCloud提供的一种高度可扩展、强性能的关系型数据库服务,它兼容PostgreSQL,并提供了更快的查询性能... 目录1.AlloyDBjavascript是什么?AlloyDB 的工作原理2.搭建测试环境3.代码工程1.

Java调用Python代码的几种方法小结

《Java调用Python代码的几种方法小结》Python语言有丰富的系统管理、数据处理、统计类软件包,因此从java应用中调用Python代码的需求很常见、实用,本文介绍几种方法从java调用Pyt... 目录引言Java core使用ProcessBuilder使用Java脚本引擎总结引言python

SpringBoot操作spark处理hdfs文件的操作方法

《SpringBoot操作spark处理hdfs文件的操作方法》本文介绍了如何使用SpringBoot操作Spark处理HDFS文件,包括导入依赖、配置Spark信息、编写Controller和Ser... 目录SpringBoot操作spark处理hdfs文件1、导入依赖2、配置spark信息3、cont

springboot整合 xxl-job及使用步骤

《springboot整合xxl-job及使用步骤》XXL-JOB是一个分布式任务调度平台,用于解决分布式系统中的任务调度和管理问题,文章详细介绍了XXL-JOB的架构,包括调度中心、执行器和Web... 目录一、xxl-job是什么二、使用步骤1. 下载并运行管理端代码2. 访问管理页面,确认是否启动成功

Java中的密码加密方式

《Java中的密码加密方式》文章介绍了Java中使用MD5算法对密码进行加密的方法,以及如何通过加盐和多重加密来提高密码的安全性,MD5是一种不可逆的哈希算法,适合用于存储密码,因为其输出的摘要长度固... 目录Java的密码加密方式密码加密一般的应用方式是总结Java的密码加密方式密码加密【这里采用的

Java中ArrayList的8种浅拷贝方式示例代码

《Java中ArrayList的8种浅拷贝方式示例代码》:本文主要介绍Java中ArrayList的8种浅拷贝方式的相关资料,讲解了Java中ArrayList的浅拷贝概念,并详细分享了八种实现浅... 目录引言什么是浅拷贝?ArrayList 浅拷贝的重要性方法一:使用构造函数方法二:使用 addAll(

解决mybatis-plus-boot-starter与mybatis-spring-boot-starter的错误问题

《解决mybatis-plus-boot-starter与mybatis-spring-boot-starter的错误问题》本文主要讲述了在使用MyBatis和MyBatis-Plus时遇到的绑定异常... 目录myBATis-plus-boot-starpythonter与mybatis-spring-b