性能优化
接口缓存
缓存是一种很棒且简单的技术,可帮助您提高应用程序的性能。它充当提供高性能数据访问的临时数据存储。
In-memory cache
import { CacheModule, Module } from "@nestjs/common";
import { AppController } from "./app.controller";
@Module({
imports: [CacheModule.register()],
controllers: [AppController]
})
export class ApplicationModule {}
然后,只需将
@Controller()
@UseInterceptors(CacheInterceptor)
export class AppController {
@Get()
findAll(): string[] {
return [];
}
}
全局缓存
为了减少所需的样板数量,可以将
import { CacheModule, Module, CacheInterceptor } from "@nestjs/common";
import { AppController } from "./app.controller";
import { APP_INTERCEPTOR } from "@nestjs/core";
@Module({
imports: [CacheModule.register()],
controllers: [AppController],
providers: [
{
provide: APP_INTERCEPTOR,
useClass: CacheInterceptor
}
]
})
export class ApplicationModule {}
自定义缓存
所有缓存的数据都有其自己的到期时间(TTL
CacheModule.register({
ttl: 5, // seconds
max: 10 // maximum number of items in cache
});
启用全局高速缓存后,高速缓存条目存储在基于路由路径自动生成的
@Controller()
export class AppController {
@CacheKey("custom_key")
@CacheTTL(20)
findAll(): string[] {
return [];
}
}
我们也可以选择使用不同的缓存数据源:
import * as redisStore from "cache-manager-redis-store";
import { CacheModule, Module } from "@nestjs/common";
import { AppController } from "./app.controller";
@Module({
imports: [
CacheModule.register({
store: redisStore,
host: "localhost",
port: 6379
})
],
controllers: [AppController]
})
export class ApplicationModule {}