所以我的程序需要一种循环ArrayList。
只有循环的东西必须是 get(int index) 方法,这是原始的:
/**
* Returns the element at the specified position in this list.
*
* @param index index of the element to return
* @return the element at the specified position in this list
* @throws IndexOutOfBoundsException {@inheritDoc}
*/
public E get(int index) {
rangeCheck(index);
return elementData(index);
}
如果 index 为 -1,它应该获取索引为 ArrayList.size()-1 的元素,如果 index 为 ArrayList.size(),它应该获取索引为 0 的元素。
我想到的实现这一点的最简单方法是简单地从 java.util 包中扩展 ArrayList 并覆盖 get(int index) 这样它就不会为上面的两个索引抛出 IndexOutOfBoundsException ,而是将它们更改为我想要的。对于任何其他超出范围的索引,它将抛出 IndexOutOfBoundsException。
但是,由于 elementData(index) 访问
private transient Object[] elementData;
我不能让它工作,因为我的班级看不到它,因为它是私人的。
另外,我不想为此使用任何外部库,只是因为我认为没有适合我的需要,因为我不想要一个真正的圆形数组,而只是它的一部分功能,其余的都是常规的 ArrayList。
所以我有两个问题:
我怎样才能使这项工作?有没有办法在不将整个 ArrayList 类以及 AbstractCollection、Collection 和 Iterable 复制到我的程序中的情况下做到这一点?即使对我来说,这似乎也是糟糕的设计。
如果我能以某种方式使它工作,还有什么我应该注意的吗?如果我进行上述更改,是否会仅按照我想要的方式更改类的行为,还是会出现任何其他不希望的行为更改?
编辑: 感谢您的回答,这是我所做的:
import java.util.ArrayList;
public class CircularArrayList<E> extends ArrayList<E>
{
private static final long serialVersionUID = 1L;
public E get(int index)
{
if (index == -1)
{
index = size()-1;
}
else if (index == size())
{
index = 0;
}
return super.get(index);
}
}
它将环绕 ArrayList,但只有一个。如果我尝试使用除常规 ArrayList 索引之外的任何其他元素访问除第一个和最后一个元素之外的任何其他元素,我希望它抛出异常。