2基础知识
=====
2.1对@Autowired注解的理解
在平常使用中我们对@Autowired都是这样用
@Autowired
private XXXService service;
解释说明:@Autowired
是按照byType注入的(即按照bean的类型),当注入接口的时候我们都知道,他是注入的是这个接口的实现类,只不过引用是接口而已,当你调用其中的方法的时候,实质是调用接口实现的方法(多态原理),所以XXXService有多个实现类时,用上面代码块的方式进行注入,会报错。
3策略模式的引入
========
3.1代码展示:
3.1.1一个接口有多个实现
//接口
public interface Shape {
void draw();
}
//实
现1
@Service
public class Rectangle implements Shape {
@Override
public void draw() {
System.out.println(“Inside Rectangle::draw() method.”);
}
}
//实现2
@Serivce
public class Circle implements Shape {
@Override
public void draw() {
System.out.println(“Inside Circle::draw() method.”);
}
}
//实现3
@Service
public class Square implements Shape {
@Override
public void draw() {
System.out.println(“Inside Square::draw() method.”);
}
}
3.1.2 枚举类型
public enum SettingTypeEnum {
RECTANGLE(“1”,“Rectangle”, “矩形”),
SQUARE(“2”,“Square”, “正方形”),
CIRCLE(“3”,“Circle”, “圆形”),
;
public String code;
//接口的实现类名
public String implement;
//备注
public String desc;
SettingTypeEnum(String code,String implement, String desc) {
this.code = code;
this.implement = implement;
this.desc = desc;
}
}
3.3.3写工厂类获取实现类
注意:@Autowired把多个实现类注入Map是重点
@Component
public class ShapeBeanFactory {
@Autowired//关键在这个,原理:当一个接口有多个实现类的时候,key为实现类名,value为实现类对象
private Map<String, Shape> shapeMap;
@Autowired//这个注入了多个实现类对象
private List shapeList;
public Shape getShape(String shapeType) {
Shape bean1 = shapeMap.get(shapeType);
System.out.println(bean1);
return bean1;
}
}
3.3.4控制层(为了测试用,根据业务使用,不一定用在控制层)
@RestController
public class control {