WebFlux功能:如何检测空Flux并返回404?

时间:2017-08-27 10:06:53

标签: spring spring-boot project-reactor spring-webflux

我有以下简化的处理函数(Spring WebFlux和使用Kotlin的函数API)。但是,我需要提示如何检测空的Flux,然后在Flux为空时使用noContent()404。

fun findByLastname(request: ServerRequest): Mono<ServerResponse> {
    val lastnameOpt = request.queryParam("lastname")
    val customerFlux = if (lastnameOpt.isPresent) {
        service.findByLastname(lastnameOpt.get())
    } else {
        service.findAll()
    }
    // How can I detect an empty Flux and then invoke noContent() ?
    return ok().body(customerFlux, Customer::class.java)
}

4 个答案:

答案 0 :(得分:14)

来自Mono

return customerMono
           .flatMap(c -> ok().body(BodyInserters.fromObject(c)))
           .switchIfEmpty(notFound().build());

来自Flux

return customerFlux
           .collectList()
           .flatMap(l -> {
               if(l.isEmpty()) {
                 return notFound().build();

               }
               else {
                 return ok().body(BodyInserters.fromObject(l)));
               }
           });

请注意collectList缓冲内存中的数据,因此这可能不是大型列表的最佳选择。可能有更好的方法来解决这个问题。

答案 1 :(得分:3)

除了Brian的解决方案,如果你不想一直空白检查列表,你可以创建一个扩展功能:

fun <R> Flux<R>.collectListOrEmpty(): Mono<List<R>> = this.collectList().flatMap {
        val result = if (it.isEmpty()) {
            Mono.empty()
        } else {
            Mono.just(it)
        }
        result
    }

并且就像你为Mono做的那样称呼它:

return customerFlux().collectListOrEmpty()
                     .switchIfEmpty(notFound().build())
                     .flatMap(c -> ok().body(BodyInserters.fromObject(c)))

答案 2 :(得分:1)

我不确定为什么没有人在谈论使用Flux.java的hasElements()函数来返回Mono的原因。

答案 3 :(得分:0)

使用Flux.hasElements() : Mono<Boolean>函数:

return customerFlux.hasElements()
                   .flatMap {
                     if (it) ok().body(customerFlux)
                     else noContent().build()
                   }