美文网首页
设计模式(二)——工厂模式

设计模式(二)——工厂模式

作者: 沧海一粟谦 | 来源:发表于2018-08-16 12:56 被阅读9次

    简单工厂模式又叫做静态工厂方法模式,是常用的实例化对象模式。

    抽象产品类:工厂类所创建对象的父类

    public interface IFruit {
        void get();
    }
    

    具体产品类:工厂类创建的具体对象

    public class Apple implements IFruit {
    
        @Override
        public void get() {
            System.out.println("I am a apple.");
        }
    }
    
    public class Orange implements IFruit {
    
        @Override
        public void get() {
            System.out.println("I am a orange." );
        }
    }
    

    工厂类:工厂类包含了负责创建所有实例具体逻辑;可以直接被外界调用来创建所需要的对象

    public class FruitFactory {
    
        public static IFruit getFruit(String type) {
    
            IFruit ifruit = null;
            if ("apple".equals(type)) {
                ifruit = new Apple();
            } else if ("orange".equals(type)) {
                ifruit = new Orange();
            }
            return ifruit;
        }
    }
    

    测试

    public static void main(String[] args) {
    
            IFruit apple = FruitFactory.getFruit("apple");
            IFruit orange = FruitFactory.getFruit("orange");
    
            apple.get();
            orange.get();
        }
    
    I am a apple.
    I am a orange.
    

    总结

    • 优点:可以隐藏具体类名称,提供参数给使用者直接调用;避免直接实例化对象,无需准备构造函数参数。
    • 缺点:在增加新产品的时候,必须修改工厂类,违背了开放封闭原则。

    相关文章

      网友评论

          本文标题:设计模式(二)——工厂模式

          本文链接:https://www.haomeiwen.com/subject/qqwnbftx.html