- package com.journaldev.design.model;
-
- public abstract class Computer {
-
- public abstract String getRAM();
- public abstract String getHDD();
- public abstract String getCPU();
-
- @Override
- public String toString(){
- return "RAM= "+this.getRAM()+", HDD="+this.getHDD()+", CPU="+this.getCPU();
- }
- }
假设子类 PC 和 Server 实现了 Computer:
- package com.journaldev.design.model;
-
- public class PC extends Computer {
-
- private String ram;
- private String hdd;
- private String cpu;
-
- public PC(String ram, String hdd, String cpu){
- this.ram=ram;
- this.hdd=hdd;
- this.cpu=cpu;
- }
- @Override
- public String getRAM() {
- return this.ram;
- }
-
- @Override
- public String getHDD() {
- return this.hdd;
- }
-
- @Override
- public String getCPU() {
- return this.cpu;
- }
- }
Server 也实现了 Computer:
- package com.journaldev.design.model;
-
- public class Server extends Computer {
-
- private String ram;
- private String hdd;
- private String cpu;
-
- public Server(String ram, String hdd, String cpu){
- this.ram=ram;
- this.hdd=hdd;
- this.cpu=cpu;
- }
- @Override
- public String getRAM() {
- return this.ram;
- }
-
- @Override
- public String getHDD() {
- return this.hdd;
- }
-
- @Override
- public String getCPU() {
- return this.cpu;
- }
- }
现在有了多个子类和超类,接下来可以创建工厂类了:
- package com.journaldev.design.factory;
-
- import com.journaldev.design.model.Computer;
- import com.journaldev.design.model.PC;
- import com.journaldev.design.model.Server;
-
- public class ComputerFactory {
-
- public static Computer getComputer(String type, String ram, String hdd, String cpu){
- if("PC".equalsIgnoreCase(type)) return new PC(ram, hdd, cpu);
- else if("Server".equalsIgnoreCase(type)) return new Server(ram, hdd, cpu);
-
- return null;
- }
- }
需要重点指出的是:
接下来是一个简单的测试客户端程序,它使用上面的工厂设计模式实现。
- package com.journaldev.design.test;
-
- import com.journaldev.design.abstractfactory.PCFactory;
- import com.journaldev.design.abstractfactory.ServerFactory;
- import com.journaldev.design.factory.ComputerFactory;
- import com.journaldev.design.model.Computer;
-
- public class TestFactory {
-
- public static void main(String[] args) {
- Computer pc = ComputerFactory.getComputer("pc","2 GB","500 GB","2.4 GHz");
- Computer server = ComputerFactory.getComputer("server","16 GB","1 TB","2.9 GHz");
- System.out.println("Factory PC Config::"+pc);
- System.out.println("Factory Server Config::"+server);
- }
-
- }
输出:
- Factory PC Config::RAM= 2 GB, HDD=500 GB, CPU=2.4 GHz
- Factory Server Config::RAM= 16 GB, HDD=1 TB, CPU=2.9 GHz