Spring Boot Circular Dependency Error

Updated:

By

What is a circular dependency?

The circular dependency error occurs when a bean type A is dependent on B and B is also dependent on A.

Example:

BeanA -> BeanB -> BeanA

BeanA

@Component
public class BeanA{
    @Autowired
    private BeanB beanB;
}

BeanB

@Component
public class BeanB{
    @Autowired
    private BeanA beanA;
}

How does Spring create a Bean?

Let’s take an example of the following scenario:

BeanA -> BeanB -> BeanC

In the above scenario, the spring first creates a bean of type BeanC and creates a bean of type BeanB then injects BeanC into Bean B and creates a bean type of BeanA then injects BeanB into BeanA. There is not any confusion while creating and injecting these beans.

But, let’s take an example of the following scenario:

BeanA -> BeanB -> BeanA

In this case, the spring can’t decide which dependency to create first. Because the bean of type BeanA is dependent on BeanB and BeanB is also dependent on BeanA.

This is why circular dependency occurs.

Solution

The best option is to redesign the code structure. So that we can avoid this type of issue. But still there needs to be a workaround apart from the redesign. Because there may be legacy code that might be already tested and redesigning this code may take a longer time to develop as well as test.

Hence, we can use the following solutions.

Lazily Initialize a Bean

To initialize bean lazily we can use @Lazy annotation from org.springframework.context.annotation.Lazy package.

Example:

BeanA

@Component
public class BeanA{
    @Autowired
    private BeanB beanB;
}

BeanB

@Component
public class BeanB{
    @Autowired
    @Lazy
    private BeanA beanA;
}

In this way, we can solve the circular dependency error in Spring.

Conclusion

In this post, we learned to solve the circular dependency error in spring by lazily initializing the beans.


Subscribe
Notify of
0 Comments
Inline Feedbacks
View all comments