Using @Autowired in Abstract Classes

1. Introduction

In this quick tutorial, we’ll explain how to use the @Autowired annotation in abstract classes.

We’ll apply @Autowired to an abstract class, and focus on the important points which we should take into account.

2. Setter Injection

We can use @Autowired on a setter method:

public abstract class BallService {

    private LogRepository logRepository;

    @Autowired
    public final void setLogRepository(LogRepository logRepository) {
        this.logRepository = logRepository;
    }
}

When we use @Autowired on a setter method, we should use the final keyword, so that the subclass can’t override the setter method. Otherwise, the annotation won’t work as we expect.

3. Constructor Injection

We can’t use @Autowired on a constructor of an abstract class.

Spring doesn’t evaluate the @Autowired annotation on a constructor of an abstract class. The subclass should provide the necessary arguments to the super constructor.

Instead, we should use @Autowired on the constructor of the subclass:

public abstract class BallService {

    private RuleRepository ruleRepository;

    public BallService(RuleRepository ruleRepository) {
        this.ruleRepository = ruleRepository;
    }
}
@Component
public class BasketballService extends BallService {

    @Autowired
    public BasketballService(RuleRepository ruleRepository) {
        super(ruleRepository);
    }
}

4. Cheat Sheet

Let’s just wrap up with a few rules to remember.

First, an abstract class isn’t component-scanned since it can’t be instantiated without a concrete subclass.

Second, setter injection is possible in an abstract class, but it’s risky if we don’t use the final keyword for the setter method. The application may not be stable if a subclass overrides the setter method.

Third, as Spring doesn’t support constructor injection in an abstract class, we should generally let the concrete subclasses provide the constructor arguments. This means that we need to rely on constructor injection in concrete subclasses.

And finally, using constructor injection for required dependencies and setter injection for optional dependencies is a good rule of thumb. However, as we can see with some of the nuances with abstract classes, constructor injection is more favorable here in general.

So, really we can say that a concrete subclass governs how its abstract parent gets its dependencies. Spring will do the injection as long as Spring wires up the subclass.

5. Conclusion

In this article, we practiced using @Autowired within an abstract class and explained a few but important key points.

The source code of this tutorial can be found in the Github project as usual.

Leave a Reply

Your email address will not be published.