1

在我的 NestJs 项目中,我正在使用装饰器@Res() res并使用响应对象来设置多个案例的自定义响应标头状态。调用时,有时会记录: Error [ERR_HTTP_HEADERS_SENT]: Cannot remove headers after they are sent to the client

在我查看 Github 中的问题列表并在互联网上搜索后,我知道这与 Express 中间件和 NestJs 的内置过滤器有关。

所以,我在Controller方法的末尾删除.send()并添加,日志就会消失。 return;

我的第一个代码:

@Get()
get(@Req() req, @Res() res) {
  const result = this.service.getData(req);
  res.status(result.statusCode).json(result.data).send(); // when using .send(), it will cause error
}

我修复后的代码如下所示:

@Get()
get(@Req() req, @Res() res) {
  const result = this.service.getData(req);
  res.status(result.statusCode).json(result.data); // when remove .send(), it will succeed
  return;
}

我的问题:我必须 return;在方法末尾添加吗?为什么使用.send() 有时会 导致错误但并非总是如此?

4

1 回答 1

3

因为requet.json({...})已经向“客户端”发送响应。所以.send()之后requet.json({...})会尝试发送另一个响应。

好的方法是返回这样的响应:

return res.status(result.statusCode).json(result.data);

因为如果你错过return你的代码可能会导致意想不到的结果。

例子:

res.status(result.statusCode).json(result.data); //response is sent
let a = "Something good"; // Code will be executed
console.log(a); // Code will be executed
于 2021-09-06T12:28:52.617 回答