欢迎您访问程序员文章站本站旨在为大家提供分享程序员计算机编程知识!
您现在的位置是: 首页  >  IT编程

.NET 下运用策略模式(组合行为和实体的一种模式)

程序员文章站 2024-03-04 20:26:42
我简单的理解策略模式就是把行为(方法)单独的抽象出来,并采用组合(has-a)的方式,来组合行为和实体的一种模式。再来个官方的解释: define a family of...
我简单的理解策略模式就是把行为(方法)单独的抽象出来,并采用组合(has-a)的方式,来组合行为和实体的一种模式。再来个官方的解释:
define a family of algorithms, encapsulate each one, and make them interchangeable. strategy lets the algorithm vary independently from clients that use it.
网上也有很多资源介绍这个模式,我也不从头说起了。在.net中委托给我们给我们提供了简单实现策略模式的方法,可以简单的把一个委托看成是一种策略方法,而且还能借组lmabda表达式这样的形式来表达出来。比如,.net中对数组排序的sort的方法就是一个策略模式的实现模板。
复制代码 代码如下:

static void main(string[] args)
{
int[] array = new int[] { 3, 2, 8, 1, 5 };
//相当于是重新设置了一个排序策略
array.sort(array, (a, b) => b - a);
//这里也相当于为每个元素安排了一个输出策略
array.foreach(array, console.writeline);
}

以上array的两个方法都可以看成是策略模式在.net中的一种实现。
之前写一些ui自动化的时候,也借鉴了一下策略模式的思想。下面是我的一个实例:被测试网站是一个针对全球很多市场的一个网站,有时同一个测试点,需要我们配置一下网络代理和其它不同的设置来模拟当地市场。
复制代码 代码如下:

using system;
using system.linq;
namespace strategypattern
{
class program
{
static void main(string[] args)
{
uitest test = new uitest();
test.runtest();
test.setproxy("zh-cn");
test.runtest();
}
}
class uitest
{
action proxystrategy;
//default is us market
public uitest(string market = "en-us")
{
setproxy(market);
}
public void setproxy(string market)
{
setproxy(market);
}
private void setproxy(string market)
{
type proxy = typeof(proxy);
var m = (from i in proxy.getmethods()
from j in i.getcustomattributes(false)
let k = j as market
where k != null
&& k.marketname.contains(market)
select i).first();
proxystrategy = (action)delegate.createdelegate(typeof(action), null, m);
}
public void runtest()
{
proxystrategy();
//之后运行主要的功能测试
//......
}
}
class market : attribute
{
public string marketname { get; set; }
public market(string marketname)
{
this.marketname = marketname;
}
}
class proxy
{
[market("en-us,es-us")]
public void setusproxy()
{
console.writeline("us proxy");
}
[market("zh-cn")]
public void setchinaproxy()
{
console.writeline("china proxy");
}
[market("en-gb")]
public void setukproxy()
{
console.writeline("uk proxy");
}
}
}