行为型模式(Chain of Responsibility)
在责任链模式里,很多对象由每一个对象对其下家的引用而连接起来形成一条链。请求在这个链上传递,直到链上的某一个对象决定处理此请求。发出这个请求的客户端并不知道链上的哪一个对象最终处理这个请求,这使得系统可以在不影响客户端的情况下动态地重新组织链和分配责任。
abstract class Handler
{
Handler next;
public Handler(Handler next)
{
this.next = next;
}
public Handler Next
{
get
{
return next;
}
set
{
next = value;
}
}
public void HandleRequest(Context context)
{
if (Next != null)
{
Next.HandleRequest(context);
}
else
{
//.
Handle(context);
}
}
protected abstract void Handle(Context context);
}
class Handler1 : Handler
{
public Handler1(Handler next)
: base(next)
{
}
protected override void Handle(Context context)
{
}
}
class Handler2 : Handler
{
public Handler2(Handler next)
: base(next)
{
}
protected override void Handle(Context context)
{
}
}
class Client
{
public static void Process(Handler handler)
{
Handler.HandleRequest();
}
public static void Main()
{
Handler h = new Handler1(
new Handler2(
new Handler3(null)));
Process(h);
}
}
抽象处理者(Handler)角色:定义出一个处理请求的接口。如果需要,接口可以定义出一个方法,以设定和返回对下家的引用。这个角色通常由一个抽象类或接口实现。
具体处理者(ConcreteHandler)角色:具体处理者接到请求后,可以选择将请求处理掉,或者将请求传给下家。由于具体处理者持有对下家的引用,因此,如果需要,具体处理者可以访问下家。
abstract class Handler
{
Handler next;
public Handler(Handler next)
{
this.next = next;
}
public Handler Next
{
get
{
return next;
}
set
{
next = value;
}
}
public void HandleRequest(Context context)
{
if (Next != null)
{
Next.HandleRequest(context);
}
else
{
//.
Handle(context);
}
}
protected abstract void Handle(Context context);
}
class Handler1 : Handler
{
public Handler1(Handler next)
: base(next)
{
}
protected override void Handle(Context context)
{
}
}
class Handler2 : Handler
{
public Handler2(Handler next)
: base(next)
{
}
protected override void Handle(Context context)
{
}
}
class Client
{
public static void Process(Handler handler)
{
Handler.HandleRequest();
}
public static void Main()
{
Handler h = new Handler1(
new Handler2(
new Handler3(null)));
Process(h);
}
}