责任链模式取决于能够提供处理请求消息的行为 - 并可能处理它。如果处理程序无法处理请求,它会调用下一个封装的处理程序
两个核心组件将是接口和具体
interface IMoneyHandler {
void issueNotes(int money);
void setNext(IMoneyHandler handler);
}
具体实施的一个例子可能是 -
class TwentyMoneyHandler implements IMoneyHandler {
private IMoneyHandler nextHandler;
@Override
public void issueNotes(int money) {
int handlingAmount = 20;
// Test if we can handle the amount appropriately, otherwise delegate it
if(money >= handlingAmount) {
int dispenseNotes = money / handlingAmount;
System.out.println(dispenseNotes + " £20s dispenses");
int remainder = money % handlingAmount;
// Propagate the information to the next handler in the chain
if(remainder > 0) {
callNext(remainder);
}
} else {
// call the next handler if we can not handle it
callNext(money);
}
}
// Attempts to call the next if there is money left
private void callNext(int remainingMoney) {
// Note, there are different ways of null handling
// IE throwing an exception, or explicitly having a last element
// in the chain which handles this scenario
if(nextHandler != null) {
nextHandler.issueNotes(remainingMoney);
}
}
@Override
public void setNext(IMoneyHandler handler) {
this.nextHandler = handler;
}
}
请注意,在现实世界中,您可能会为此提供抽象实现,以避免代码重复。