标签:
首先我们为什么要学习设计模式呢?
1)模式从经验中总结出来的,经过证实的方案,模式只有在实际系统中经过多次验证之后才能成为模式.
1 模式的概念:是具有代表性的重复性问题及其解答方案.
模式包含的要素:模式的名称 该模式所能解决的问题 解决方案 使用该模式后的效果
工厂模式
定义:工厂模式就是集中创建实例对象
1)客户类和实现类分开。消费者任何时候需要某种产 品,只需向工厂请求即可。消费者无须修改就可以接纳新产品
2)对象的创建由工厂来完成, 类之间的耦合大大减少,变成为类和工厂之间的耦合了.
1 public interface Fruit { 2 3 public void showInfo(); 4 5 }
1 public class Banana implements Fruit{ 2 //香蕉类 3 public void showInfo(){ 4 System.out.println("我是一个香蕉"); 5 } 6 7 } 8 9 //苹果类 10 public class Apple implements Fruit { 11 12 public void showInfo(){ 13 System.out.println("我是一个苹果"); 14 } 15 16 } 17 18 //梨子类 19 public class Pear implements Fruit{ 20 21 @Override 22 public void showInfo() { 23 24 System.out.println("我是一个梨子"); 25 } 26 27 }
1 public class SimpleFactory { 2 3 public Apple getApple(){ 4 return new Apple(); 5 } 6 7 public Banana getBanana(){ 8 return new Banana(); 9 } 10 } 11
1 public class Test { 2 3 public static void main(String[] args) { 4 5 6 Fruit a = new Apple(); 7 Fruit b = new Banana() 8 a.showInfo(); 9 b.showInfo(); 10 } 11 12 }
如果需要生产梨子,橘子等等其他的水果的话,就需要建立很多的水果类,并且在SimpleFactory需要写得到各种水果的方法,在客户端还需要new各种水果的对象,这样对于开闭原则支持不够!还是根据情况来设计模式!
1 //水果接口 2 public interface Fruit { 3 4 public void showInfo(); 5 6 } 7 8 9 //苹果类实现水果接口 10 public class Apple implements Fruit { 11 12 public void showInfo(){ 13 System.out.println("我是一个苹果"); 14 } 15 16 } 17 18 19 //工厂得到水果接口 20 public interface IFactoryMethod { 21 22 public Friut getFruit(); 23 24 } 25 26 27 //苹果工厂实现得到水果接口 28 29 public class AppleFactroy implements IFactoryMethod { 30 31 @Override 32 public Fruit getFruit() { 33 return new Apple(); 34 } 35 36 } 37 38 //客户端 39 public class Test { 40 41 public static void main(String[] args){ 42 43 IFactoryMethod fm = new AppleFactroy(); 44 Fruit f = fm.getFruit(); 45 f.showInfo(); 46 47 } 48 49 }
标签:
原文地址:http://www.cnblogs.com/hellokitty1/p/4637597.html