为了一般地计算总和,您需要提供两个动作:
>一种总计零项的方法
>一种总结两个项目的方法
在Java中,您可以通过界面完成.这是一个完整的例子:
import java.util.*;
interface adder {
T zero(); // Adding zero items
T add(T lhs, T rhs); // Adding two items
}
class CalcSum {
// This is your method; it takes an adder now
public T sumValue(List list, adder adder) {
T total = adder.zero();
for (T n : list){
total = adder.add(total, n);
}
return total;
}
}
public class sum {
public static void main(String[] args) {
List list = new ArrayList();
list.add(1);
list.add(2);
list.add(4);
list.add(8);
CalcSum calc = new CalcSum();
// This is how you supply an implementation for integers
// through an anonymous implementation of an interface:
Integer total = calc.sumValue(list, new adder() {
public Integer add(Integer a, Integer b) {
return a+b;
}
public Integer zero() {
return 0;
}
});
System.out.println(total);
}
}