spring 如何解决获取java.lang.IllegalStateException:阻塞读取500000000纳秒的错误

v1uwarro  于 2024-01-05  发布在  Spring
关注(0)|答案(2)|浏览(295)

我想写一个API在收到请求后返回202 Accepted。然后在那之后,它应该每秒发送n个Post请求,持续halt-time秒。这是我在这个问题上的尝试。

  1. @PostMapping(value = "/stress")
  2. @ResponseStatus(HttpStatus.ACCEPTED)
  3. private Mono<?> stressPostLog(@RequestBody StressTest request) throws InterruptedException {
  4. return Mono.fromCallable(() -> {
  5. sendBatchRequest(request);
  6. return null;
  7. }).subscribeOn(Schedulers.boundedElastic());
  8. }
  9. private void sendBatchRequest(StressTest requestParams) throws InterruptedException {
  10. successfulRequest.set(0);
  11. long haltTimeMillis = requestParams.getHalt_time() * 1000;
  12. log.info("Halt Time Millis = " + haltTimeMillis );
  13. Integer count = 0;
  14. long initTime = System.currentTimeMillis();
  15. long currTime;
  16. do {
  17. Thread.sleep(1000); //! Sleep time is subjected to system
  18. for(int i = 0; i < requestParams.getRequest_per_second(); i++)
  19. {
  20. AuditSchema request = AuditSchema.generateRandomValue(requestParams.getRequest_size());
  21. Mono<?> response = postAndIncrement(request);
  22. response.publishOn(Schedulers.boundedElastic()).subscribe();
  23. count++;
  24. }
  25. currTime = System.currentTimeMillis();
  26. log.info("Time duration = " + ( currTime - initTime));
  27. }while((currTime - initTime) < haltTimeMillis);
  28. log.info("Request Send = {} and Response Succeed = {}", count, successfulRequest);
  29. }
  30. private Mono<?> postAndIncrement(AuditSchema request) {
  31. return this.client.post()
  32. .uri("v1/log")
  33. .body(BodyInserters.fromValue(request))
  34. .accept(MediaType.APPLICATION_JSON)
  35. .exchangeToMono(clientResponse -> {
  36. log.info("Request suceeded {}", clientResponse.statusCode());
  37. successfulRequest.getAndIncrement();
  38. return Mono.empty();
  39. });
  40. }

字符串
但是,调用不会在5s内执行,并且在5s后会因错误而终止

  1. java.lang.IllegalStateException: Timeout on blocking read for 5000000000 NANOSECONDS


如何使用spring webflux编写此代码。

ndasle7k

ndasle7k1#

使用fromCallable并不意味着Callable会异步执行。请改用fromFuture

  1. return Mono.fromFuture(CompletableFuture.runAsyc(() -> sendBatchRequest(request)))
  2. .subscribeOn(Schedulers.boundedElastic());

字符串
如果需要,可以为runAsync提供一个Executor(或ExecutorService),而不是使用公共的fork-join池。

sr4lhrrt

sr4lhrrt2#

要解决HTTP 202的问题,请修改方法以返回void,并让异步处理在后台进行。

相关问题