我已点击链接Spring integration: handle http error with oubound gateway
但是我没有完全的了解。
我查看了3.实现https://www.baeldung.com/spring-rest-template-error-handling的ResponseErrorHandler,但是不确定在//处理SERVER_ERROR等时要做什么
我的流程:
其他端点调用网关方法,然后调用以下方法。
<int:gateway id="tService"
service-interface="h.lr.eai.TGateway"
default-reply-channel="dest-channel"
default-request-timeout="5000" default-reply-timeout="5000">
<int:method name="vrCorrect" request-channel="tInChannel"/>
<int:method name="...." />
....
</int:gateway>
<int:chain input-channel="tInChannel" output-channel="headerFilterChannel">
<int:header-enricher>
<int:header name="Accept" value="application/json" />
<int:header name="Content-Type" value="application/json" />
</int:header-enricher>
<int-http:outbound-gateway
url="${TURL}/im/rest/something"
http-method="POST"
header-mapper="headerMapper"
error-handler="errorHandler"
expected-response-type="java.lang.String">
</int-http:outbound-gateway>
</int:chain>
<bean id="errorHandler" class="com.util.ErrorHandler" />
java类。以为没有太多实现,看起来好像没有这个,我不会得到外部服务抛出的错误消息。
有没有一种方法可以摆脱此类,因为它几乎是默认的[尽管根据baeldung文章添加了CLIENT和SERVER错误检查?
public class ErrorHandler extends DefaultResponseErrorHandler {
@Override
public boolean hasError(ClientHttpResponse response) throws IOException {
return (
response.getStatusCode().series() == HttpStatus.Series.CLIENT_ERROR
|| response.getStatusCode().series() == HttpStatus.Series.SERVER_ERROR);
}
@Override
public void handleError(ClientHttpResponse response) throws IOException { /* Handle Exceptions */
}
}
我看到了使用建议的建议。我可以问一个例子吗? [不确定是弹簧支架还是弹簧支架]
编辑1:
我正在致电外部服务。它会给出如下错误消息
{
"code": "F01",
"userMessage": "The is some data error....",
"parameters": {}
}
在我将错误处理程序添加到http-outbound-gateway之前,我总是收到“错误请求”的响应[并且缺少上面的清晰消息]
添加了错误处理程序和类之后,我可以转发外部服务在其响应正文中提供的任何错误消息。这是可以接受的,但是我在handleError中没有任何实现[像您回答的一样]。在这种情况下,是否有办法摆脱此类并利用任何OOTB类?因为我没有理由说明它为什么存在[也许我不明白它的重要性]。
P.S。 @Artem Bilan,您的答案可能就够了(如果我需要解决我的问题)
答案 0 :(得分:1)
不清楚您的问题是什么,但我会尽力解释一些事情。
您绝对可能不需要该自定义ErrorHandler
,因为默认值非常好,并且最终只需执行以下操作即可:
protected void handleError(ClientHttpResponse response, HttpStatus statusCode) throws IOException {
String statusText = response.getStatusText();
HttpHeaders headers = response.getHeaders();
byte[] body = getResponseBody(response);
Charset charset = getCharset(response);
switch (statusCode.series()) {
case CLIENT_ERROR:
throw HttpClientErrorException.create(statusCode, statusText, headers, body, charset);
case SERVER_ERROR:
throw HttpServerErrorException.create(statusCode, statusText, headers, body, charset);
default:
throw new UnknownHttpStatusCodeException(statusCode.value(), statusText, headers, body, charset);
}
}
因此,它解析响应并向调用者抛出相应的异常。
如果在调用REST服务时需要对此异常做出某种反应,则需要考虑对ExpressionEvaluatingRequestHandlerAdvice
使用<int-http:outbound-gateway>
。这样,可以将从DefaultResponseErrorHandler
传播的异常发送到某个failureChannel
,以获取可能的逻辑以应对该异常。
在文档中查看更多信息:https://docs.spring.io/spring-integration/docs/current/reference/html/#message-handler-advice-chain
如果那不是您期望的,请重新表述您的问题,因为目前尚不清楚...
感谢您的理解。