本文章給各位java愛好詳細介紹關於Java 設計模式之工廠方法(Factory Method)的一些用法,這以圖文方式介紹希望對各位有所幫助。
類型: 對象創建型模式
意圖:定義一個用於創建對象的接口,讓子類決定實例化哪一個類。 Factory Method使一個類的實例化延遲到其子類。
適用性:
結構:
參與者:
Product(Document)
— 定義工廠方法所創建的對象的接口。
• ConcreteProduct(MyDocument)
— 實現Product接口。
• Creator(Application)
— 聲明工廠方法,該方法返回一個Product類型的對象。Creator也可以定義一個工廠方
法的缺省實現,它返回一個缺省的 ConcreteProduct對象。
— 可以調用工廠方法以創建一個 Product對象。
• ConcreteCreator(MyApplication)
— 重定義工廠方法以返回一個 ConcreteProduct實例。
注釋:在實際的代碼中,我添加了幾個Account的接口。工廠方法為:getAccount()
代碼如下
復制代碼
Account.java package com.raysmond.factorymethod; public interface Account { package com.raysmond.factorymethod; public class User implements Account{ @Override @Override @Override @Override package com.raysmond.factorymethod; public class Admin implements Account{ @Override } package com.raysmond.factorymethod; public interface AccountFactory { package com.raysmond.factorymethod; public class UserFactory implements AccountFactory{ @Override } package com.raysmond.factorymethod; public class AdminFactory implements AccountFactory{ @Override } package com.raysmond.factorymethod; public enum RoleType { package com.raysmond.factorymethod; public class Test {
//定義工廠方法創建的對象的接口
public RoleType getRole();
public void setAccountId(Integer accountId);
public Integer getAccountId();
public void setAccountName(String name);
public String getAccountName();
}
User.java
private Integer userId;
private String userName;
public RoleType getRole() {
return RoleType.USER;
}
@Override
public void setAccountId(Integer accountId) {
this.userId = accountId;
}
public Integer getAccountId() {
return userId;
}
public void setAccountName(String name) {
this.userName = name;
}
public String getAccountName() {
return userName;
}
}
Admin.java
private Integer adminId;
private String adminName;
@Override
public RoleType getRole() {
return RoleType.ADMIN;
}
@Override
public void setAccountId(Integer accountId) {
this.adminId = accountId;
}
@Override
public Integer getAccountId() {
return adminId;
}
public void setAccountName(String name) {
this.adminName = name;
}
@Override
public String getAccountName() {
return adminName;
}
AccountFactory.java
Account getAccount();
}
UserFactory.java
public Account getAccount() {
return new User();
}
AdminFactory.java
public Account getAccount() {
return new Admin();
}
RoleType.java
ADMIN,USER
}
Test.java
public static void main(String[] args){
AccountFactory userFactory = new UserFactory();
User user = (User) userFactory.getAccount();
AccountFactory adminFactory = new AdminFactory();
Admin admin = (Admin) adminFactory.getAccount();
System.out.println(user.getRole());
System.out.println(admin.getRole());
}
}