我已遵循docs中的示例来介绍如何创建基本配置服务。
在教程的底部,您可以选择全局声明:
“您也可以将ConfigModule
声明为全局模块,而不是在所有模块中重复导入ConfigModule
。”
因此,遵循以下有关全局模块的文档:
Global
从@nestjs/common
导入ConfigModule
。@Global()
装饰器添加到ConfigModule
。ConfigModule
导入了AppModule
。ConfigModule
添加到imports
数组中。那接下来呢?我试图将ConfigService
注入AppService
中,但无法解决。
app.module.ts:
import { Module } from '@nestjs/common';
import { AppService } from './app.service';
import { AppController } from './app.controller';
import { ConfigModule } from '../config/config.module';
@Module({
imports: [
ConfigModule,
],
controllers: [
AppController,
],
providers: [
AppService,
],
})
export class AppModule {}
app.service.ts :
import { Injectable } from '@nestjs/common';
@Injectable()
export class AppService {
private readonly config: ConfigService;
constructor(config: ConfigService) {
this.config = config;
}
getHello(): string {
return config.get('DB_NAME');
}
}
config.module.ts :
import { Module, Global } from '@nestjs/common';
import { ConfigService } from './config.service';
@Global()
@Module({
providers: [
{
provide: ConfigService,
useValue: new ConfigService(`${process.env.NODE_ENV}.env`),
},
],
exports: [
ConfigService,
],
})
export class ConfigModule {}
config.service.ts :
import * as dotenv from 'dotenv';
import * as fs from 'fs';
export class ConfigService {
private readonly envConfig: { [key: string]: string };
constructor(filePath: string) {
this.envConfig = dotenv.parse(fs.readFileSync(filePath));
}
get(key: string): string {
return this.envConfig[key];
}
}
我希望能够注入ConfigService
并从任何模块访问它。
答案 0 :(得分:2)
您在this
中缺少AppService
限定词:
getHello(): string {
return this.config.get('DB_NAME');
^^^^^
}
此外,导入丢失:
import { ConfigService } from './config/config.service';