为什么它会给出 JSON.stringfy 错误,即使我没有使用它?

Why would it give JSON.stringfy error, even when I have not used it?

我正在 nodejs 中构建应用程序,我必须通过点击 HTTPS 端点来显示数据。我正在使用 Swagger UI 来显示数据。我收到以下错误

Converting circular structure to JSON +1169ms
TypeError: Converting circular structure to JSON
    at JSON.stringify (<anonymous>)
    at stringify (node_modules/express/lib/response.js:1123:12)
    at ServerResponse.json (node_modules/express/lib/response.js:260:14)
    at ExpressAdapter.reply (node_modules/@nestjs/platform-express/adapters/express-adapter.js:23:57)
    at RouterResponseController.apply (node_modules/@nestjs/core/router/router-response-controller.js:10:36)
    at @nestjs/core/router/router-execution-context.js:163:48
    at process._tickCallback (internal/process/next_tick.js:68:7)

即使我的代码中有 not used JSON.stringfy。我该如何解决这个错误? 这是我的 controller.ts 代码

import { Observable } from 'rxjs';

@Controller('/service/api/message')
export class MessageController {

  source: string;
  productCode: string;
  vehicleType: string;
  constructor(private messageService: MessageService) {}
@Post()
  @ApiUseTags('processor-dispatcher')
  @ApiOperation({ title: 'Generate product message for the SNS topics' })
  async generateMessage(@Body() productEvent: ProductEvent) {

    return this.messageService
      .getData(this.source, this.productCode, this.vehicleType)
      .subscribe(res => {
        console.log(res);
      });
  }
}

这是我的service.ts

import Axios, { AxiosResponse } from 'axios';

@Injectable()
export class MessageService {
  constructor(private readonly httpService: HttpService) {}

  configEndPoint: string =
    'https:www.xyz.com';


  getData(
    source: string,
    productCode: string,
    vehicleType: string,
  ): Observable<any> {
    return this.httpService.get(this.configEndPoint, { validateStatus: null });

  }
}

你不应该 subscribing observable,NestJS 会在后台处理它,只是 return 控制器的未订阅 observable 并让 Nest 处理它。

你收到 JSON.stringify 错误的原因是 没有使用它,是因为 express 在后台使用它在其 send 方法中。 AxiosResponse 类型(HttpService return 类型)具有对自身的循环引用,因此您不需要发送完整的响应(对 return 来说这是一个不好的做法无论如何,整个响应,太多的额外数据)。您可以做的是在 pipe 中使用 map 运算符来映射要发回的 res 的哪些部分。例子

@Injectable()
export class MessageService {
  constructor(private readonly httpService: HttpService) {}

  configEndPoint: string =
    'https:www.xyz.com';


  getData(
    source: string,
    productCode: string,
    vehicleType: string,
  ): Observable<any> {
    return this.httpService.get(this.configEndPoint, { validateStatus: null }).pipe(
      map(res => res.data)
    );
  }
}

这将获取 AxiosResponsedata 属性 并允许仅将其发回。