简单工厂模式

简单工厂模式是由一个工厂对象决定创建出哪一种产品类的实例。简单工厂模式是工厂模式家族中最简单实用的模式。

package com.main;

//简单工厂设计模式
public class SimpleFactory {

	public static void main(String[] args) {
		// 耦合。使用者直接使用了具体的类,表示当前类依赖该具体类,这样的话当这个具体类发生变化,使用者将会受到影响。
		// Phone phone = new Phone();
		// phone.working();

		Work work1 = Factory.getWork("phone");
		if (work1 != null) {
			work1.working();
		}
		System.out.println("-----------");
		Work work2 = Factory.getWork("tv");
		if (work2 != null) {
			work2.working();
		}
	}

}

// 工厂类
class Factory {
	public static Work getWork(String product) {
		if ("phone".equals(product)) {
			return new Phone();
		} else if ("tv".equals(product)) {
			return new TV();
		} else
			return null;
	}
}

interface Work {
	public void working();
}

class Phone implements Work {

	@Override
	public void working() {
		System.out.println("手机开始运行");
	}
}

class TV implements Work {

	@Override
	public void working() {
		System.out.println("电视开始运行");
	}

}


你可能感兴趣的:(简单工厂模式)