【设计模式】简单工厂模式

工厂模式

工厂模式:Java 中最常用的设计模式之一。这种类型的设计模式属于创建型模式,它提供了一种创建对象的最佳方式。
在工厂模式中,我们在创建对象时不会对客户端暴露创建逻辑,并且是通过使用一个共同的接口来指向新创建的对象。

含义:定义一个创建对象的接口,让其子类自己决定实例化哪一个工厂类,工厂模式使其创建过程延迟到子类进行。

优点
1、一个调用者想创建一个对象,只要知道其名称就可以了。
2、扩展性高,如果想增加一个产品,只要扩展一个工厂类就可以。
3、屏蔽产品的具体实现,调用者只关心产品的接口

缺点:每次增加一个产品时,都需要增加一个具体类和对象实现工厂,使得系统中类的个数成倍增加,在一定程度上增加了系统的复杂度,同时也增加了系统具体类的依赖。

使用场景
1、日志记录器:用户可以选择记录日志到什么地方,比如记录到本地硬盘、系统事件、远程服务器等。
2、数据库访问,当用户不知道最后系统采用哪一类数据库,以及数据库可能有变化时。 3、设计一个连接服务器的框架,需要三个协议,“POP3”、“IMAP”、“HTTP”,可以把这三个作为产品类,共同实现一个接口。通过工厂模式进行访问

代码展现:

1、创建一个接口

public interface Moveable{
   void go();
}

2、创建实现接口的实体类

public class Car implements Moveable{
   @Override
   public void go() {
      System.out.println("Car with di di di di...");
   }
}
public class Train implements Moveable{
   @Override
   public void go() {
      System.out.println("Train with wu wu wu wu...");
   }
}
public class Plane implements Moveable{
   @Override
   public void go() {
      System.out.println("Plane with biu biu biu biu...");
   }
}

3、创建工厂

方法一:

public class MoveableFactory {
    public Car getCar() {
        return new Car();
    }
    public Train getTrain() {
        return new Train();
    }
    public Plane getPlane() {
        return new Plane();
    }
}

方法二:

public class MoveableFactory {
    public Moveable getMoveable(String moveType){
        if(moveType == null){
            return null;
        }
        if(moveType.equalsIgnoreCase("car")){
            return new Car();
        } else if(moveType.equalsIgnoreCase("train")){
            return new Train();
        } else if(moveType.equalsIgnoreCase("plane")){
            return new Plane();
        }
        return null;
    }
}

测试验证:

public class MoveableFactoryTest {
    public static void main(String[] args) {
        // 方式一
        MoveableFactory  moveableFactory = new MoveableFactory ();
        Car car = moveableFactory.getCar();
        car.go();
        Train train = moveableFactory.getTrain();
        train.go();
        Plane plane = moveableFactory.getPlane();
        plane.go();
        // 方式二
        MoveableFactory  moveableFactory = new MoveableFactory ();
        Moveable car = moveableFactory.getShape("car");
        car.go();
        Moveable train = moveableFactory.getShape("train");
        train.go();
        Moveable plane = moveableFactory.getShape("plane");
        plane.go();
    }
}

延伸:我们可以在工厂获取具体事例之前写自己的逻辑代码,比如权限校验、认证登陆等等;

你可能感兴趣的:(设计模式)