springboot中的循环依赖

本周项目中遇到了如下报错
springboot中的循环依赖_第1张图片
报错说的很明白,buildingService中用到了divisionalService,divisionalservice中也用到了buildingService。在执行构造函数时就出现了问题。

 @Autowired
  public BuildingServiceImpl(BuildingRepository buildingRepository,
                             DivisionalWorkService divisionalWorkService
  ) {
    this.buildingRepository = buildingRepository;
    this.divisionalWorkService = divisionalWorkService;
  }

我们想要构造BuildingService就需要先构造一个divisionalWorkService,但是想要构造divisionalWorkService又得构造一个BuildingService
很显然结果就是会卡住,对应的解决方法也很简单,就是先让其中一方在不需要另一方的情况下构造出来其中一个,再去构造另外一个。
具体做法如下:

@Autowired
  public DivisionalWorkServiceImpl(DivisionalWorkRepository divisionalWorkRepository,
                                   @Lazy BuildingService buildingService) {
    this.divisionalWorkRepository = divisionalWorkRepository;
    this.buildingService = buildingService;
  }

在其中一方的的构造函数中添加@Lazy注解。
下面是我找到的解释:
A simple way to break the cycle is by telling Spring to initialize one of the beans lazily. So, instead of fully initializing the bean, it will create a proxy to inject it into the other bean. The injected bean will only be fully created when it’s first needed.

我们可以告诉spring来懒初始化其中一个bean,而不是完全初始化这个bean,spring会根据所需bean创建一个代理,通过此代理来创建所需bean。当所需bean创建完并且用到另一个bean时再去完全初始化另一个bean,此时有一方已被完全创建好可以直接创建。

大致流程:
springboot中的循环依赖_第2张图片

你可能感兴趣的:(javaspringboot)