對於策略模式的理解:當一個業務有多種需求時候,在某個時候需要使用不同的方式來計算結果。這時候不同的方式可以理解為不同的策略來解決同樣的問題。 例如:商場收銀系統計算價格,1:正常計算 2:商品打折計算,3:滿300減100等方式。就可以按三種策略來處理需求。
簡單的說:策略模式就是用來封裝算法的,但在實踐中,我們發現可以用他來封裝幾乎任何類型的規則,只要在分析過程中聽到需要在不同的時間應用不同的業務規則,就可以考慮使用策略模式處理這種變化的可能性。
復制代碼 代碼如下:
using System;
using System.Collections.Generic;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
namespace DesignModel
{
/// <summary>
/// 策略模式
/// </summary>
public class TacticsModel
{
public string type { get; set; }
public virtual string GetResult()
{
return "";
}
}
public class Normal:TacticsModel
{
public override string GetResult()
{
return "正常計算價格";
}
}
public class Discount : TacticsModel
{
public override string GetResult()
{
return "按打折計算價格";
}
}
public class Preferential : TacticsModel
{
public override string GetResult()
{
return "滿300減100活動";
}
}
public class CashContext
{
TacticsModel tm = null;
public CashContext(string type)
{
switch (type)
{
case "1":
tm = new Normal();
break;
case "2":
tm = new Discount();
break;
case "3":
tm = new Preferential();
break;
default:
break;
}
}
public string GetResult()
{
return tm.GetResult();
}
}
}
這種方式和簡單工廠方式差不多,只是有稍微區別。 簡單工廠模式需要暴漏給客戶端兩個類,策略模式和工廠模式的簡單結合只暴漏了一個CashContext類
客戶端調用代碼:
復制代碼 代碼如下:
Console.WriteLine("請計算類型1正常,2打折,3優惠:");
string type = Console.ReadLine();
CashContext cc = new CashContext(type);
Console.WriteLine(cc.GetResult());
結果:
其中還是使用了swich ,也就是就是說增加一種需求就有更改swith語句,很是不爽,不過任何需求的變更都是需要成本的。
只是成本的高低是有區別的。這個地方用反射技術會有更好的效果。後續會補充。