我在tsconfig.json中设置了一些不同的路径,以使控制器,实体,服务等的导入更易于处理。 tsconfig.json的相关部分:
...
"baseUrl": "./src",
"paths": {
"@hello/controllers": [
"./controllers"
],
"@hello/entities": [
"./entity"
],
"@hello/services": [
"./services"
]
},
...
我还在src / controllers /,src / entity /和src / services /目录中创建了桶文件(index.ts),这些文件从这些目录中重新导出了我需要的所有类。 / p>
从控制器目录中的文件导入服务时,一切正常。示例:
// src/controllers/comment.controller.ts
// This works
import { CommentService } from '@hello/services';
@Controller()
export class CommentController {...}
从相同目录中的另一个服务文件导入服务时,不不起作用。例子
// src/services/comment.service.ts
// This does NOT work
import { StoryService, UserService } from '@hello/services';
// StoryService, UserService, and CommentService are in the src/services directory
@Injectable()
export class CommentService {...}
执行上述操作时出现的错误是:
Error: Nest can't resolve dependencies of the CommentService (?, +). Please make sure that the argument at index [0] is available in the AppModule context.
预期的行为 我希望依赖项可以使用tsconfig.json中定义的路径来解析,即使它们是从同一目录中导入的也是如此。
可能的解决方案 我当前的解决方法是使用相对路径导入文件:
// src/services/comment.service.ts
// This does work
import { StoryService } from './story.service';
import { UserService } from './user.service';
// I'd prefer to do this:
// import { StoryService, UserService } from '@hello/services';
@Injectable()
export class CommentService {...}
环境 @ nestjs / common @ 5.7.4 @ nestjs / core @ 5.7.4 typescript@3.6.2
更新 我的src / services中的index.ts桶文件如下所示:
// src/services/index.ts
export * from './comment.service';
export * from './story.service';
export * from './user.service';
答案 0 :(得分:0)
导出订单事项
在index.ts
桶文件中,我在用户和故事服务之前导出了评论服务。但是,comment.service.ts类将导入story.service.ts和user.service.ts。故事和用户必须导出之前评论。
之前:
// src/services/index.ts
// This does NOT work
// and throws the "Nest can't resolve dependencies of the CommentService..." error
export * from './comment.service';
export * from './story.service';
export * from './user.service';
正确排序后:
// src/services/index.ts
// This works!
export * from './story.service';
export * from './user.service';
export * from './comment.service';
现在,我可以在评论服务的tsconfig.json中使用导入路径了:
import { StoryService, UserService } from '@hello/services';
@Injectable()
export class CommentService {...}
感谢@ ford04暗示问题在index.ts
中。