Spring Cloud Gateway的全局异常处理

时间:2019-05-24 19:21:36

标签: spring spring-webflux spring-cloud-gateway

我在Spring Boot 2.1.5中使用Spring Cloud Gateway Greenwich.SR1。我正在尝试为我的下游服务创建网关。网关的一部分工作是为下游请求提供全局错误页面。当下游服务返回HTTP 403响应时,我希望网关提供合适的错误页面。

我目前正在使用这样的自定义过滤器

public class ForbiddenFilterFactory extends AbstractGatewayFilterFactory<Object> {

    @Override
    public String name() {
        return "Forbidden";
    }

    @Override
    public GatewayFilter apply(Object o) {
        return (exchange, chain) -> chain.filter(exchange).then(
                Mono.defer(() -> {
                    if (!exchange.getResponse().isCommitted() &&
                            HttpStatus.FORBIDDEN.equals(exchange.getResponse().getStatusCode())) {
                        return Mono.error(new ResponseStatusException(HttpStatus.FORBIDDEN));
                    }
                    return Mono.empty();
                }));
    }
}

我还在403.html中设置了一个src/main/resources/templates/error/文件。

问题是网关返回的403响应的正文为空,而不是html文件的内容。在调试过程中,我看到DefaultErrorWebExceptionHandlerMono<ServerResponse>的形式创建了正确的主体,但从未写入实际的响应。

有其他方法可以使它正常工作吗?

1 个答案:

答案 0 :(得分:0)

我通过使用自定义ServerHttpResponseDecorator解决了这个问题。代码的关键点是覆盖writeWith方法以提供自定义主体:

ServerHttpResponseDecorator responseDecorator = new ServerHttpResponseDecorator(exchange.getResponse()) {
    @Override
    public Mono<Void> writeWith(Publisher<? extends DataBuffer> body) {
        if (shouldServeErrorPage(exchange)) {
            exchange.getResponse().getHeaders().setContentLength(-1);
            return errorWebExceptionHandler.handle(exchange, new ResponseStatusException(getHttpStatus(exchange)));
        } else {
            return getDelegate().writeWith(body);
        }
    }

    @Override
    public Mono<Void> writeAndFlushWith(
            Publisher<? extends Publisher<? extends DataBuffer>> body) {
        if (shouldServeErrorPage(exchange)) {
            return writeWith(Flux.from(body).flatMapSequential(p -> p));
        } else {
            return getDelegate().writeAndFlushWith(body);
        }
    }

    private boolean shouldServeErrorPage(ServerWebExchange exchange) {
        HttpStatus statusCode = getHttpStatus(exchange);
        return statusCode.is5xxServerError() || statusCode.is4xxClientError();
    }
};

return chain.filter(exchange.mutate().response(responseDecorator).build());

我在https://github.com/tine2k/scg-global-error-page推送了一个工作示例