在以下方法中,我尝试执行以下操作:
如果你至少有20英镑:
计算出20英镑的笔记数
找出剩下的内容(余数) - 将其传递给下一个处理程序
如果你的钱少于20英镑 - 请致电下一个处理程序
注意:该程序适用于ATM分配器,根据用户需要的数量(数量)分配纸币(20,10,5)。
以下是我的解决方案到目前为止,我需要帮助来纠正算法
@Override
public void issueNotes(int amount) {
//work out amount of twenties needed
if(amount >= 20) {
int dispenseTwenty;
int remainder;
dispenseTwenty = amount%20;
remainder = amount = //call next handler?
}
else {
//call next handler (as amount is under 20)
}
}
答案 0 :(得分:0)
不要介意语法,见下文:
public static final denominators = [20,10,5]
// recursive function
// you can start calling this recursive function with denom_index=0, thus using denominator 20
public void issueNotes(int amount, int denom_index)
{
int currentDenominator = denominators[denom_index];
if(amount ==0) return; // no more dispensing
if(denom_index >2) // remainder drop to below 5
{
throwException (" remaining amount not dispensable ");
}
if (amount < currentDenominator) // amount less than current denominator
{
issueNotes(amount, denom_index+1);
}
else
{
dispenseNotes(amount/currentDenominator, currentDenominator);
// call the handler with remainder of the amount and next denominator
issueNotes(amount%currentDenominator, denom_index+1);
}
}
答案 1 :(得分:0)
责任链模式取决于能否提供处理请求消息的行为 - 并可能处理它。如果处理程序无法处理请求,则它会调用下一个en-capsuled处理程序
两个核心组件将是一个接口和具体的
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;
}
}
请注意,在现实世界中,您可以为此提供一个抽象实现,以避免代码重复。