1. 程式人生 > >設計模式的應用場景(16)--策略模式

設計模式的應用場景(16)--策略模式

策略模式

定義:針對一組演算法,將每一個演算法封裝到具有共同介面的獨立的類中,使得它們可以互相替換。

優點:替換繼承關係,避免使用多重條件轉移語句。

缺點:客戶端必須知道所有策略類,並自行決定使用哪一種策略類。如果演算法較多,則會造成很多的策略類。

使用時機:當系統能在幾種演算法中快速地切換,或系統中有一些類,它們僅行為不同時,或系統中存在多重條件選擇語句時,可以考慮採用策略模式。

小鞏需要設計薪資系統,目前各個子公司的演算法不一樣,怎樣才能相容或切換各個演算法呢?

先把薪資三個組成部分的抽象類寫出來

public interface Salary {
//計算基本工資
    public
void computerSalary() ; } public interface Insurance{ //計算保險 public void computerInsurance () ; } public interface Tax{ //計算所得稅 public void computerTax () ; }

下面實現河北和吉林的演算法

public class HeBeiSalary implements Salary{
     //計算河北子公司的基本工資
    public void computerSalary() {
        System.out.println("採用河北演算法計算基本工資"
); } } public class HeBeiInsurance implements Insurance{ //計算河北子公司的保險 public void computerInsurance() { System.out.println("採用河北演算法計算保險"); } } public class HeBeiTax implements Tax{ //計算河北子公司的所得稅 public void computerTax() { System.out.println("採用河北演算法計算所得稅"); } } public
class JiLinSalary implements Salary { //計算吉林子公司的基本工資 public void computerSalary() { System.out.println("採用吉林演算法計算基本工資"); } } public class JiLinInsurance implements Insurance { //計算吉林子公司的保險 public void computerInsurance() { System.out.println("採用吉林演算法計算保險"); } } public class JiLinTax implements Tax { //計算吉林子公司的所得稅 public void computerTax() { System.out.println("採用吉林演算法計算所得稅"); } }

模板類,方便策略的切換

public class SalaryTemplate {

    public void computer () {
        salary.computerSalary();
        insurance.computerInsurance();
        tax.computerTax();
    }

    public Insurance getInsurance(){ return insurance; }

    public void setInsurance(Insurance insurance){ this.insurance = insurance; }

    public Tax getTax(){ return tax; }

    public void setTax(Tax tax){ this.tax = tax; }

    public Salary getSalary(){ return salary; }

    public void setSalary(Salary salary){ this.salary = salary; }

    private Insurance insurance;
    private Tax tax;
    private Salary salary;
}

最後,如果客戶想計算吉林的薪資

public class Client {
    public static void main(String[] argv) {
        SalaryTemplate salaryTemplate = new SalaryTemplate();
        salaryTemplate.setSalary(new JiLinSalary());
        salaryTemplate.setInsurance(new JiLinInsurance());
        salaryTemplate.setTax(new JiLinTax());
        salaryTemplate.computer();
    }
}