一、何为设计模式
1.1、java的设计模式大体上分为三大类:
创建型模式(5种):工厂方法模式,抽象工厂模式,单例模式,建造者模式,原型模式。
结构型模式(7种):适配器模式,装饰器模式,代理模式,外观模式,桥接模式,组合模式,享元模式。
行为型模式(11种):策略模式、模板方法模式、观察者模式、迭代子模式、责任链模式、命令模式、备忘录模式、状态模式、访问者模式、中介者模式、解释器模式。
1.2、设计模式遵循的原则有6个:
1、开闭原则(Open Close Principle)
对扩展开放,对修改关闭。
2、里氏代换原则(Liskov Substitution Principle)
只有当衍生类可以替换掉基类,软件单位的功能不受到影响时,基类才能真正被复用,而衍生类也能够在基类的基础上增加新的行为。
3、依赖倒转原则(Dependence Inversion Principle)
这个是开闭原则的基础,对接口编程,依赖于抽象而不依赖于具体。
4、接口隔离原则(Interface Segregation Principle)
使用多个隔离的借口来降低耦合度。
5、迪米特法则(最少知道原则)(Demeter Principle)
一个实体应当尽量少的与其他实体之间发生相互作用,使得系统功能模块相对独立。
6、合成复用原则(Composite Reuse Principle)
原则是尽量使用合成/聚合的方式,而不是使用继承。继承实际上破坏了类的封装性,超类的方法可能会被子类修改。
二、简单工厂模式
2.1、原理
-
简单工厂属于创建型模式,是设计模式中最常用的、最基础的一种模式
-
简单工厂模式三个重要的角色:
1、工厂角色:模式核心角色;包含获取产品示例化对象的获取逻辑,可以直接被外部调用,生成产品示例
2、抽象角色:所有产品角色的父类,它负责描述所有产品角色所共有的公共接口
3、产品角色:工厂模式所创建的具体事例对象 -
UML图:
2.2、代码示例
1、产品角色:Apple类
public class Apple implements Fruit{
@Override
public void get() {
System.out.println("我是苹果,红色的");
}
}
2、产品角色:Banana类
public class Banana implements Fruit{
@Override
public void get() {
System.out.println("我是香蕉,黄色的");
}
}
3、抽象角色:Fruit 接口
public interface Fruit {
void get();
}
4、工厂角色:FruitFactory 类
public class FruitFactory {
/*/**
* @Description :获取Apple对象实例
* @author : chuan
* @param : []
* @return : com.design.simplefactory.Fruit
* @exception :
*/
public static Fruit getApple(){
return new Apple();
}
/*/**
* @Description :获取Banana实例对象
* @author : chuan
* @param : []
* @return : com.design.simplefactory.Fruit
* @exception :
*/
public static Fruit getBanana(){
return new Banana();
}
/*/**
* @Description :通过type获取产品对象,且type的校验不区分大小写
* @author : chuan
* @param : [type]
* @return : com.design.simplefactory.Fruit
* @exception :
*/
public static Fruit getFruitIgnoreCase(String type){
if (type.equalsIgnoreCase("apple")){
return new Apple();
}else if(type.equalsIgnoreCase("banana")){
return new Banana();
}
return null;
}
/*/**
* @Description :通过type获取产品对象实例,但是type不区分大小写
* @author : chuan
* @param : [type]
* @return : com.design.simplefactory.Fruit
* @exception :
*/
public static Fruit getFruit(String type) throws ClassNotFoundException, IllegalAccessException, InstantiationException {
Class obj = Class.forName(type);
return (Fruit) obj.newInstance();
}
}
5、启动类
public class SimpleFactoryApplication {
public static void main(String[] args) {
Fruit apple1 = FruitFactory.getApple();
Fruit banana1 = FruitFactory.getBanana();
apple1.get();
banana1.get();
System.out.println("================================");
Fruit apple2 = FruitFactory.getFruitIgnoreCase("apple");
Fruit banana2 = FruitFactory.getFruitIgnoreCase("baNana");
apple2.get();
banana2.get();
System.out.println("================================");
}
}
6、测试结果
2.3、工厂模式的优缺点
- 优点:
使用户根据参数获得对应的类实例,避免了直接实例化类,降低了耦合性。 - 缺点:
可实例化的类型在编译期间已经被确定,如果增加新类型,则需要修改工厂,违背了开放封闭原则(ASD) 。 简单工厂需要知道所有要生成的类型,当具体产品类过多时不适合使用。