How does the gateway record request response logs in SpringCloud microservices?

How does the gateway record request response logs in SpringCloud microservices?

Hello everyone, I am Piaomiao.

In microservices developed based on SpringCloud, we generally choose to record request and response logs at the gateway layer and collect them in ELK for query and analysis.

Today we will take a look at how to implement this feature.

Log entity class

First, we define a log entity in the gateway to assemble log objects;

 @Data public class AccessLog { /**用户编号**/ private Long userId; /**路由**/ private String targetServer; /**协议**/ private String schema; /**请求方法名**/ private String requestMethod; /**访问地址**/ private String requestUrl; /**请求IP**/ private String clientIp; /**查询参数**/ private MultiValueMap<String, String> queryParams; /**请求体**/ private String requestBody; /**请求头**/ private MultiValueMap<String, String> requestHeaders; /**响应体**/ private String responseBody; /**响应头**/ private MultiValueMap<String, String> responseHeaders; /**响应结果**/ private HttpStatusCode httpStatusCode; /**开始请求时间**/ private LocalDateTime startTime; /**结束请求时间**/ private LocalDateTime endTime; /**执行时长,单位:毫秒**/ private Integer duration; }

Gateway Log Filter

Next, we define a Filter in the gateway to collect log information.

 @Component public class AccessLogFilter implements GlobalFilter, Ordered { private final List<HttpMessageReader<?>> messageReaders = HandlerStrategies.withDefaults().messageReaders(); /** * 打印日志* @param accessLog 网关日志*/ private void writeAccessLog(AccessLog accessLog) { log.info("----access---- : {}", JsonUtils.obj2StringPretty(accessLog)); } /** * 顺序必须是<-1,否则标准的NettyWriteResponseFilter将在您的过滤器得到一个被调用的机会之前发送响应* 也就是说如果不小于-1 ,将不会执行获取后端响应的逻辑* @return */ @Override public int getOrder() { return -100; } @Override public Mono<Void> filter(ServerWebExchange exchange, GatewayFilterChain chain) { // 将Request 中可以直接获取到的参数,设置到网关日志ServerHttpRequest request = exchange.getRequest(); AccessLog gatewayLog = new AccessLog(); gatewayLog.setTargetServer(WebUtils.getGatewayRoute(exchange).getId()); gatewayLog.setSchema(request.getURI().getScheme()); gatewayLog.setRequestMethod(request.getMethod().name()); gatewayLog.setRequestUrl(request.getURI().getRawPath()); gatewayLog.setQueryParams(request.getQueryParams()); gatewayLog.setRequestHeaders(request.getHeaders()); gatewayLog.setStartTime(LocalDateTime.now()); gatewayLog.setClientIp(WebUtils.getClientIP(exchange)); // 继续filter 过滤MediaType mediaType = request.getHeaders().getContentType(); if (MediaType.APPLICATION_FORM_URLENCODED.isCompatibleWith(mediaType) || MediaType.APPLICATION_JSON.isCompatibleWith(mediaType)) { // 适合JSON 和Form 提交的请求return filterWithRequestBody(exchange, chain, gatewayLog); } return filterWithoutRequestBody(exchange, chain, gatewayLog); } /** * 没有请求体的请求只需要记录日志*/ private Mono<Void> filterWithoutRequestBody(ServerWebExchange exchange, GatewayFilterChain chain, AccessLog accessLog) { // 包装Response,用于记录Response Body ServerHttpResponseDecorator decoratedResponse = recordResponseLog(exchange, accessLog); return chain.filter(exchange.mutate().response(decoratedResponse).build()) .then(Mono.fromRunnable(() -> writeAccessLog(accessLog))); } /** * 需要读取请求体* 参考{@link ModifyRequestBodyGatewayFilterFactory} 实现*/ private Mono<Void> filterWithRequestBody(ServerWebExchange exchange, GatewayFilterChain chain, AccessLog gatewayLog) { // 设置Request Body 读取时,设置到网关日志ServerRequest serverRequest = ServerRequest.create(exchange, messageReaders); Mono<String> modifiedBody = serverRequest.bodyToMono(String.class).flatMap(body -> { gatewayLog.setRequestBody(body); return Mono.just(body); }); // 通过BodyInserter 插入body(支持修改body), 避免request body 只能获取一次BodyInserter<Mono<String>, ReactiveHttpOutputMessage> bodyInserter = BodyInserters.fromPublisher(modifiedBody, String.class); HttpHeaders headers = new HttpHeaders(); headers.putAll(exchange.getRequest().getHeaders()); // the new content type will be computed by bodyInserter // and then set in the request decorator headers.remove(HttpHeaders.CONTENT_LENGTH); CachedBodyOutputMessage outputMessage = new CachedBodyOutputMessage(exchange, headers); // 通过BodyInserter 将Request Body 写入到CachedBodyOutputMessage 中return bodyInserter.insert(outputMessage, new BodyInserterContext()).then(Mono.defer(() -> { // 重新封装请求ServerHttpRequest decoratedRequest = requestDecorate(exchange, headers, outputMessage); // 记录响应日志ServerHttpResponseDecorator decoratedResponse = recordResponseLog(exchange, gatewayLog); // 记录普通的return chain.filter(exchange.mutate().request(decoratedRequest).response(decoratedResponse).build()) .then(Mono.fromRunnable(() -> writeAccessLog(gatewayLog))); // 打印日志})); } /** * 记录响应日志* 通过DataBufferFactory 解决响应体分段传输问题。 */ private ServerHttpResponseDecorator recordResponseLog(ServerWebExchange exchange, AccessLog accessLog) { ServerHttpResponse response = exchange.getResponse(); return new ServerHttpResponseDecorator(response) { @Override public Mono<Void> writeWith(Publisher<? extends DataBuffer> body) { if (body instanceof Flux) { DataBufferFactory bufferFactory = response.bufferFactory(); // 计算执行时间accessLog.setEndTime(LocalDateTime.now()); accessLog.setDuration((int) (LocalDateTimeUtil.between(accessLog.getStartTime(), accessLog.getEndTime()).toMillis())); accessLog.setResponseHeaders(response.getHeaders()); accessLog.setHttpStatusCode(response.getStatusCode()); // 获取响应类型,如果是json 就打印String originalResponseContentType = exchange.getAttribute(ServerWebExchangeUtils.ORIGINAL_RESPONSE_CONTENT_TYPE_ATTR); if (StrUtil.isNotBlank(originalResponseContentType) && originalResponseContentType.contains("application/json")) { Flux<? extends DataBuffer> fluxBody = Flux.from(body); return super.writeWith(fluxBody.buffer().map(dataBuffers -> { // 设置response body 到网关日志byte[] content = readContent(dataBuffers); String responseResult = new String(content, StandardCharsets.UTF_8); accessLog.setResponseBody(responseResult); // 响应return bufferFactory.wrap(content); })); } } // if body is not a flux. never got there. return super.writeWith(body); } }; } /** * 请求装饰器,支持重新计算headers、body 缓存* * @param exchange 请求* @param headers 请求头* @param outputMessage body 缓存* @return 请求装饰器*/ private ServerHttpRequestDecorator requestDecorate(ServerWebExchange exchange, HttpHeaders headers, CachedBodyOutputMessage outputMessage) { return new ServerHttpRequestDecorator(exchange.getRequest()) { @Override public HttpHeaders getHeaders() { long contentLength = headers.getContentLength(); HttpHeaders httpHeaders = new HttpHeaders(); httpHeaders.putAll(super.getHeaders()); if (contentLength > 0) { httpHeaders.setContentLength(contentLength); } else { // TODO: this causes a 'HTTP/1.1 411 Length Required' // on // httpbin.org httpHeaders.set(HttpHeaders.TRANSFER_ENCODING, "chunked"); } return httpHeaders; } @Override public Flux<DataBuffer> getBody() { return outputMessage.getBody(); } }; } /** * 从dataBuffers中读取数据* @author jam * @date 2024/5/26 22:31 */ private byte[] readContent(List<? extends DataBuffer> dataBuffers) { // 合并多个流集合,解决返回体分段传输DataBufferFactory dataBufferFactory = new DefaultDataBufferFactory(); DataBuffer join = dataBufferFactory.join(dataBuffers); byte[] content = new byte[join.readableByteCount()]; join.read(content); // 释放掉内存DataBufferUtils.release(join); return content; } }

If the code is long, it is recommended to copy it directly to the editor. Just pay attention to the following key points:

The value returned by the getOrder() method must be <-1, otherwise the standard NettyWriteResponseFilter will send the response before your filter has the chance to be called, i.e. the method to get the backend response parameters will not be executed.

Through the above two steps, we can already obtain the input and output parameters of the request, and print them to the log file in writeAccessLog(), which is convenient for collection through ELK.

In actual projects, the amount of gateway logs is generally very large, and it is not recommended to use a database for storage.

Actual Results

The service responds normally:

Service exception response:

picture

<<:  Website monitoring solutions you should know

>>:  "All-optical wireless starry sky" illuminates the road of intelligent manufacturing of Jinya Electronics

Recommend

5 Things That Can Slow Down Your Wi-Fi Network

Wi-Fi networks can be slow due to the use of olde...

Software-based routing is eating into the traditional branch router market

As more and more enterprises begin to realize the...

Amid COVID-19, have we neglected border security?

[[342703]] The coronavirus pandemic has triggered...

2021 Information and Communication Industry Events

ICT industry recovers According to statistics fro...

AlphaVPS: 128GB-2TB large hard disk VPS annual payment starts from 15 euros

AlphaVPS is a Bulgarian hosting company registere...

China Mobile's TD-SCDMA network withdrawal begins: Fujian has taken the lead

[[259267]] Recently, the Fuzhou Radio Management ...

Why do you need a managed switch?

When dealing with complex network environments, i...

Let's talk about Ocelot gateway using IdentityServer4 authentication

[[387801]] This article is reprinted from the WeC...

CDN: What are edge CDN and virtual CDN (vCDN)?

What are the limitations of CDN today? Today, con...

Is Matter worth the wait?

An ambitious new smart home networking standard i...

WiFi 7 for ubiquitous access

It is now common to use mobile communication netw...

HostYun Japan Osaka AMD series VPS simple test

In March this year, we shared information about H...