欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页

TIJ......(三)

程序员文章站 2022-04-19 19:08:06
...

工厂方法:

package com.taray.factory;

public interface Service {
	void method1();
	void method2();
}

package com.taray.factory;

public interface ServiceFactory {
	Service getService();
}	

package com.taray.factory;

public class Implementation implements Service{
	public Implementation() {
		// TODO Auto-generated constructor stub
	}
	@Override
	public void method1() {
		// TODO Auto-generated method stub
		System.out.println("implementsMethod1");
	}

	@Override
	public void method2() {
		// TODO Auto-generated method stub
		System.out.println("implementsMethod2");
	}
}
package com.taray.factory;

public class ImplementsFacotry implements ServiceFactory {
	@Override
	public Service getService() {
		// TODO Auto-generated method stub
		return new Implementation();
	}
}

package com.taray.factory;

public class Implementation2 implements Service{
	public Implementation2() {
		// TODO Auto-generated constructor stub
	}
	@Override
	public void method1() {
		// TODO Auto-generated method stub
		System.out.println("implementation2 Mehtod1");
	}
	@Override
	public void method2() {
		// TODO Auto-generated method stub
		System.out.println("implementation2 method2");
	}
}

package com.taray.factory;

public class ImplementsFactory2 implements ServiceFactory{
	@Override
	public Service getService() {
		// TODO Auto-generated method stub
		return new Implementation2();
	}
}
package com.taray.factory;
/**
 * P187
 * 接口是实现多重继承的途径,而生成遵循某个接口的对象的典型方式就是工厂方法设计模式,
 * 这和直接调用构造器不同,我们在工厂对象上调用的是创建方法,而该工厂对象将生成接口的某个
 * 实现的对象。理论上,这种方式我们的代码将与接口完全的实现分离,这使得我们可以透明的
 * 将某个实现替换为另一个实现。
 * 如果不是用工厂设计方法,你的代码必须在某处指定将要创建的Service的确切类型,以便调用合适的构造器。
 * @author Administrator
 *
 */
public class Factories {
	public static void serviceConsumer(ServiceFactory factory){
		Service s=factory.getService();
		s.method1();
		s.method2();
	}
	
	public static void main(String[] args) {
		serviceConsumer(new ImplementsFacotry());
		serviceConsumer(new ImplementsFactory2());
	}
}