【Spring】一个接口有多个实现类,如何指定一个实现类?@Resource、@Autowired、@Qualifier

原文链接:https://blog.csdn.net/qq_18298439/article/details/89175439 

如果一个接口有2个不同的实现, 那么怎么来Autowire一个指定的实现?

举个例子:

1、接口:ILayer

public Interface ILayer{
    ......
}

2、实现类:ImageLayerImpl ,实现了ILayer接口。

@Service("imageLayerImpl")
public class ImageLayerImpl impliments ILayer{
    ...
}

3、业务类:LayerController

public class LayerController{
    @Autowired
    private ILayer layer;
    ......
}

假如有一个接口 ILayer, ImageLayerImpl类实现了接口 ILayer, 且该接口只有 ImageLayerImpl这一个实现类,那么在引用实现类的时候,我们使用@Autowired。Spring会按 byType的方式寻找接口的实现类,将其注入。
假如有另一个实现类 VectorLayerImpl 也实现了接口 ILayer

例如:实现类:VectorLayerImpl ,实现了ILayer接口。

@Service("vectorLayerImpl")
public class VectorLayerImpl impliments ILayer{
    ...
}


这时候再按@Autowired的方式去引用, 在同时存在两个实现类的情况下会报错, 这是由于 @Autowired 的特性决定的: @Autowired 的注入方式是 byType 注入, 当要注入的类型在容器中存在多个时,Spring是不知道要引入哪个实现类的,所以会报错。

那么在同一类型拥有多个实现类的时候,如何注入呢?这种场景下,只能通过 byName 注入的方式。可以使用 @Resource 或 @Qualifier 注解。

       @Resource 默认是按照 byName 的方式注入的, 如果通过 byName 的方式匹配不到,再按 byType 的方式去匹配。所以上面的引用可以替换为:

public class LayerController{
    @Resource(name="imageLayerImpl") //实现类中 @Service注解中标定的名称
    private ILayer imageLayer;
    ......
}
public class LayerController{
    @Resource(name="vectorLayerImpl") //实现类中 @Service注解中标定的名称
    private ILayer vectorLayer;
    ......
}

       @Qualifier 注解也是 byName的方式,但是与@Resource 有区别,@Qualifier 使用的是 类名。

public class LayerController{
    @Qualifier("ImageLayerImpl") //实现类的类名。注意区分与@Resource(name="imageLayerImpl") 的区别。
    private ILayer imageLayer;
    ......
}
public class LayerController{
    @Qualifier("VectorLayerImpl") //实现类的类名。注意区分与@Resource(name="vectorLayerImpl") 的区别。
    private ILayer vectorLayer;
    ......
}

总结:
1、@Autowired 是通过 byType 的方式去注入的, 使用该注解,要求接口只能有一个实现类。
2、@Resource 可以通过 byName 和 byType的方式注入, 默认先按 byName的方式进行匹配,如果匹配不到,再按 byType的方式进行匹配。
3、@Qualifier 注解可以按名称注入, 但是注意是类名。

本文转载自:https://blog.csdn.net/qq_18298439/article/details/89175439 
 

上一篇:spring简要回顾


下一篇:@Qualifier高级应用---按类别批量依赖注入【享学Spring】