如何新建VS2022窗体应用项目,VS2022生成UML图,请看我的上一篇文章
目录
策略模式(Strategy)
定义了算法家族,分别封装起来,让它们之间可以互相替换,此模式让算法的变化,不会影响到使用算法的客户
策略模式使一种定义一系列算法的方法,从概念上来看,所有这些算法完成的都是相同的工作,只是实现不同,可以以相同的方式调用所有的算法,减少各种算法类与使用算法类之间的耦合。
策略模式的优点:
1、策略模式的Strategy类层次为Context定义了一系列的可供重用的算法或行为。继承有助于析取出这些算法中的公共功能。(公共功能就是指例子中的获得计算费用的结果GetResult,使得算法间有了抽象的父类CashSuper)
2、简化了单元测试,每个算法都有自己的类,可以通过自己的接口单独测试
当不同的行为堆砌在一个类中时,就很难避免使用条件语句来选择适合的行为,将这些行为封装在一个个独立的Strategy类中,可以在使用这些行为的类中消除条件语句。
策略模式封装了变化--策略模式就是用来封装算法的,只要在分析过程中需要在不同时间应用不同的业务规则,可以考虑使用策略模式处理这种变化的可能性
一共有三种类:Context类,用于维护一个对Strategy对象的引用
Strategy类,策略类,定义所有支持的算法的公共接口
ConcreteStrategy类,具体策略类,封装了具体的算法或行为,继承Strategy类
分别对应以下程序的:CashContext类;CashSuper类;CashNormal等类
主程序:Program.cs
using System;
using System.Collections.Generic;
using System.Linq;
using System.Threading.Tasks;
using System.Windows.Forms;
namespace WindowsFormsApp1
{
internal static class Program
{
/// <summary>
/// 应用程序的主入口点。
/// </summary>
[STAThread]
static void Main()
{
Application.EnableVisualStyles();
Application.SetCompatibleTextRenderingDefault(false);
Application.Run(new Form1());
}
}
}
在窗体中的程序 Form1.cs
using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using System.Windows.Forms;
namespace WindowsFormsApp1
{
public partial class Form1 : Form
{
public Form1()
{
InitializeComponent();
}
private void Form1_Load(object sender, EventArgs e)
{
//在ComboBox中加下拉选项
cbxType.Items.AddRange(new object[] { "正常收费", "满300返100", "打8折" });
cbxType.SelectedIndex = 0;
}
/// <summary>
/// Context上下文,用一个ConcreteStrategy来配置,维护一个对Strategy对象的引用
/// </summary>
class CashContext
{
//声明一个CashSuper对象(父类)
private CashSuper cs;
//通过构造方法,传入具体的收费策略(子类)
public CashContext(CashSuper csuper)
{
//初始化时,传入具体的策略对象
this.cs = csuper;
}
//上下文接口
//根据收费策略的不同,获得计算结果
//输入参数为单种产品的总原价(单价乘以个数)
public double GetResult(double money)
{
//根据具体的策略对象,调用其算法的方法
return cs.acceptCash(money);
}
}
/// <summary>
/// (父类)现金收取超类的抽象方法,收取现金,参数为原价,返回为当前价
/// 策略类Strategy,定义所有支持的算法的公共接口
/// </summary>
abstract class CashSuper
{
public abstract double acceptCash(double money);
}
/// <summary>
/// 正常收费子类
/// 具体策略类,封装了具体的算法或行为,继承于Strategy
/// </summary>
class CashNormal : CashSuper
{
/// <summary>
/// 正常收费,原价返回
/// </summary>
/// <param name="money"></param>
/// <returns></returns>
public override double acceptCash(double money)
{
return money;
}
}
/// <summary>
/// 打折收费子类
/// 打折收费,初始化时,必需要输入折扣率,如打八折,就是0.8
/// 具体策略类,封装了具体的算法或