之前写依赖注入时都是使用下面这种Field-based Dependency Injection:
@Autowired
private xxxMapper mapper;
今天了解到Spring其实推荐的是另一种构造器注入的方式,如下:
@Component
public class MyService{
private final xxxMapper mapper;
public MyService(xxxMapper mapper){
this.mapper = mapper;
}
}
原因是因为这种注入方式使类可以不依赖容器而使用,非IOC容器可以通过调用Constructor来实例化这个类。并且这样的做法更加安全,一方面避免了循环依赖(如果出现循环依赖,Spring会在注入时报错),另一方面避免了注入对象为空(为空时这个类将无法被构建,spring不能启动)。
但是如果需要注入的对象多起来的话,这样写会很麻烦,一个解决方式就是使用LOMBOK为我们自动生成这些构造器.
只要在类上添加这个注解:
@RequiredArgsConstructor(onConstructor = @__(@Autowired))
LOMBOK会生成对应的所有Constructor,并在其上添加@Autowired注解.
然后将要注入的对象声明为private final,就可以了.
例子:
@Component
@RequiredArgsConstructor(onConstructor = @__(@Autowired))
public class ApologizeService {
// ...
}