1. 业务场景
AWS Lambda 的日志中会打印awsRequestId
, 过该 id 可以获取一次调用的相关执行日志进而帮助开发者查找问题.
虽然 Nodejs 中console
对象写日志 Lambda 运行时会自动加上awsRequestId
, 但是如果其他基于标准输出写的日志的工具运行时是无法加上awsRequestId
的, 比如 Nestjs 中的Logger
.
本文介绍一个代码片段提供一个自定义的 Logger, 可以记录awsRequestId
.
2. 代码片段
1 | /* eslint-disable @typescript-eslint/no-explicit-any */ |
使用方法:
- 通过导出对象
awsRequestIdHelper
的wrapHandler
封装已经定义好的 Lambda Handler 函数 - 通过导出对象
awsRequestIdHelper
的getLogger
获得一个 Nest Logger 实例写日志,
3. 使用技巧
替换 Nest 默认
Logger
无侵入的替换掉默认 Logger,让已经使用默认 Logger 写的日志都带上
awsRequestId
1
2
3const app = await NestFactory.create(AppModule, {
logger: awsRequestIdHelper.getLogger(),
});如此替换后, 以下写法的日志均可以带
awsRequestId
1
2
3
4
5
6import { Logger } from "@nestjs/common";
import { awsRequestIdHelper } from "xxxx";
const log = awsRequestIdHelper.getLogger("DebugLog");
log.log("log comes from custom name logger");
Logger.log("log comes from the nest default logger");Nest 拦截器(中间件)中使用自定义的
AWSLogger
记录请求响应日志1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49import {
Injectable,
NestInterceptor,
ExecutionContext,
CallHandler,
Logger,
HttpException,
} from "@nestjs/common";
import { Observable, throwError } from "rxjs";
import { catchError, tap } from "rxjs/operators";
import { awsRequestIdHelper } from "./lib";
()
export class LoggingInterceptor implements NestInterceptor {
private readonly logger = new Logger(LoggingInterceptor.name);
intercept = (
context: ExecutionContext,
next: CallHandler
): Observable<any> => {
const request = context.switchToHttp().getRequest();
const response = context.switchToHttp().getResponse();
const { method, url, params, query } = request;
const requestId = awsRequestIdHelper.getRequestId();
this.logger.log(
`IN ${requestId} ${method} ${url} ${context.getClass().name} ${
context.getHandler().name
} ${JSON.stringify(params)} ${JSON.stringify(query)}`
);
const now = Date.now();
return next.handle().pipe(
tap(() =>
this.logger.log(
`OUT ${requestId} ${Date.now() - now}ms ${response.statusCode}`
)
),
catchError((err) => {
const code = err.getStatus ? err.getStatus() : err.status || "10000";
this.logger.error(
`OUT ${requestId} ${Date.now() - now}ms ${
response.statusCode
} ${code} '${err.message}'`
);
return throwError(() => err);
})
);
};
}注意:
15 行, 虽然这里用的 Nest 默认 Logger 但是通过在
NestFactory.create
修改默认logger
属性为自定义 Logger 让中间件可以打印awsReqeustId
这就是无侵入的好处.
日志效果如下:
1 | [Nest] 8 - 06/07/2023, 4:12:08 AM LOG [LoggingInterceptor] 6686f59f-ff0a-4b0c-a49b-a978db74cdd5 IN 6686f59f-ff0a-4b0c-a49b-a978db74cdd5 GET /nestlog AppController nestlog |