Springboot:在请求之间引入延迟

vc6uscn9  于 2023-11-17  发布在  Spring
关注(0)|答案(1)|浏览(203)

我有一个问题,我将在哪里得到200个并行请求到Spring Rest Service 1,Service 1将这些请求转发到Service 2,但我需要在请求之间延迟25秒,同时发送到Service 2(Service 2需要30秒的过程)。
尝试以下方法
1.如果我使用@RestController @RequestMapping,并添加了20秒的thread.sleep,这会导致504,因为主线程阻塞无法处理其他请求
1.尝试@asyn与thread.sleep的20秒总是抛出500到最终用户与org.springframework.web.context.request. codec.AsyncRequestTimeoutException
最好的解决办法是什么
提前感谢

weylhg0b

weylhg0b1#

如果我没理解错的话,你需要一个排队系统。
让我们从创建一个队列开始:

  • 我们将它标记为@Service,这样我们就可以从RestController自动连接它。
  • 昂克
  • 进程队列(一项)
  • 调度作业运行程序
  • 现在我们可以简单地从rest-controller调用它。

我们结束了。

验证码:

队列

  1. @Service
  2. public class OurQueueService {
  3. private final List<SomeDto> queue = new ArrayList<>();
  4. public void enqueue(SomeDto someDto) {
  5. synchronized (queue) {
  6. queue.add(someDto);
  7. }
  8. }
  9. @Scheduled(fixedRate = 5 * 1000)
  10. public void processQueue() {
  11. synchronized (queue) {
  12. if(queue.size()>0){
  13. SomeDto thatDto = queue.get(0);
  14. // now process it here, create a method if you want
  15. queue.remove(0);
  16. }
  17. }
  18. }
  19. }

字符串
如何使用它:

  1. @RestController
  2. public class RandomRestController {
  3. private final OurQueueService ourQueueService;
  4. @PostMapping("/enqueue")
  5. public String enqueueRequest(@RequestBody SomeDto someDto) {
  6. ourQueueService.enqueue(someDto);
  7. return "meaw";
  8. }
  9. }


为了同时解决这么多请求,你需要负载平衡

  • 让我们首先为Sping Boot 应用程序创建一个Dockerfile
  • 然后创建一个docker-compose.yaml,我们将在其中添加负载均衡器
  • 使用尽可能多的示例运行docker compose
    验证码:

Dockerfile

  1. # ref: https://spring.io/guides/topicals/spring-boot-docker/#A-Basic-Dockerfile
  2. FROM eclipse-temurin:17-jdk-alpine
  3. VOLUME /tmp
  4. ARG JAR_FILE
  5. COPY ${JAR_FILE} app.jar
  6. ENTRYPOINT ["java","-jar","/app.jar"]


docker-compose.yaml

  1. version: '3'
  2. services:
  3. load-balancer:
  4. image: dockercloud/haproxy
  5. links:
  6. - webapp
  7. volumes:
  8. - /var/run/docker.sock:/var/run/docker.sock
  9. ports:
  10. - "8080:80"
  11. webapp:
  12. build: .
  13. environment:
  14. - SPRING_PROFILES_ACTIVE=docker
  15. expose:
  16. - "8080"


运行它:docker-compose up --scale webapp=<number-of-instance> -d

展开查看全部

相关问题