从HttpServletResponse 中获取 返回结果值
时间: 2023-08-11 09:16:51 浏览: 455
从 HttpServletResponse 中获取返回结果值可以通过获取响应输出流(OutputStream)或响应字符流(Writer)来实现。具体地,您可以在 Controller 返回结果时,将结果写入 HttpServletResponse 中,然后在切面中获取响应输出流或响应字符流,最后根据需要将其转换为字符串。
以下是一个示例代码:
```java
@Component
@Aspect
public class InterfaceLogAspect {
private static final Logger LOGGER = LoggerFactory.getLogger(InterfaceLogAspect.class);
@Around("execution(* com.example.demo.controller.*.*(..))")
public Object around(ProceedingJoinPoint joinPoint) throws Throwable {
// 获取响应对象
HttpServletResponse response = ((ServletRequestAttributes) RequestContextHolder.getRequestAttributes()).getResponse();
if (response == null) {
return joinPoint.proceed();
}
// 拦截方法,获取返回值
Object result = joinPoint.proceed();
// 获取响应输出流
ServletOutputStream outputStream;
try {
outputStream = response.getOutputStream();
} catch (IllegalStateException e) {
// 获取响应字符流
outputStream = new TeeOutputStream(System.out);
}
String resultStr = "";
if (result instanceof String) {
resultStr = (String) result;
} else {
resultStr = JSONObject.toJSONString(result);
}
// 将结果写入响应输出流
outputStream.write(resultStr.getBytes());
outputStream.flush();
// 记录日志
LOGGER.info("Response: {}", resultStr);
return result;
}
}
```
在上述示例中,我们定义了一个名为 `InterfaceLogAspect` 的切面,并使用 `@Around` 注解来拦截 Controller 中的方法。在切面中,我们首先通过 `RequestContextHolder` 来获取当前请求的上下文,然后获取对应的 HttpServletResponse 对象。接着,我们调用 `joinPoint.proceed()` 方法来执行被拦截的方法,并获取其返回值。然后,我们根据返回值的类型将其转换为字符串,并将其写入响应输出流中。最后,我们使用 `LOGGER` 对象来记录日志信息。
需要注意的是,如果响应输出流已经被获取,那么再次调用 `response.getOutputStream()` 方法会抛出 `IllegalStateException` 异常,这时我们可以使用 `TeeOutputStream` 来获取响应字符流。
阅读全文