在我的项目中,我有多个严格排序的类型,我需要它们全部支持范围操作 - 给定两个边界值,返回所有中间值的列表。
不要重复自己,我会创造一个"特质"如下所示,它将声明相应的基本操作并在顶部构建一个范围方法。
public interface Navigable {
public Navigable previous() throws UnsupportedOperationException;
public boolean isFirst();
public Navigable next() throws UnsupportedOperationException;
public boolean isLast();
public boolean precedes(Navigable other);
public default List<Navigable> range(Navigable to) {
Navigable from = this;
boolean invert = to.precedes(from);
if (invert) {
Navigable tmp = from;
from = to;
to = tmp;
}
List<Navigable> result = new LinkedList<>();
while (from.precedes(to)) {
result.add(from);
from = from.next();
}
result.add(to);
if (invert) {
reverse(result);
}
return result;
}
}
但是,有了这样的界面,我需要实现这样的操作:
public class Item implements Navigable {
...
@Override
public boolean precedes(Navigable other) {
...
}
...
}
当然,这是不正确的。我需要的是以下内容。
public class Item implements Navigable {
...
@Override
public boolean precedes(Item other) {
...
}
...
}
希望我想要实现的目标很明确。这样做的正确方法是什么?
答案 0 :(得分:9)
您必须使您的界面具有通用性并更改abstract
方法。
例如:
public interface Navigable<T extends Navigable> {
...
public boolean preceeds(T other);
..
}
然后,当您实现接口时,您将能够(没有任何编译错误):
public class Item implements Navigable<Item> {
...
@Override
public boolean preceeds(Item other) {
...
}
...
}