我正在学习Java泛型,我正在尝试调整我开发的一些代码作为练习。
特别是,我开发了一个ArrayVisualizer
类,它使用Sedgewick的StdDraw库来可视化和动画化动态数组的行为。我有自己的动态数组类,它支持泛型,我试图将ArrayVisualizer
的用法扩展到类似于这个数组的任何东西。
简而言之,我的问题是:如何处理包含其他泛型类型的泛型类型?
这是我的思考过程:
public interface IterableCollection<Item> {
void add(Item i);
Item get(int index) throws IndexOutOfBoundsException; // These can be slow for LinkedList implementations
void set(int index, Item value) throws IndexOutOfBoundsException;
int capacity();
int size(); // Capacity and size can be the same for LinkedList implementations
}
ArrayVisualizer
类将任何实现此接口的类作为参数。经过一些谷歌搜索,我发现你不能写public class ArrayVisualizer<T implements IterableCollection<?> >
但你必须使用extends。
但是,即使我写了,我也不能在我的函数中使用T类。
例如,如果我尝试概括此函数,我会遇到编译器错误:
public static void draw(T<String> vector) throws Exception
就像我必须指定T也是通用的,但我找不到声明它的方法。我尝试了以下内容,但都没有效果:
public class ArrayVisualizer<T<?> implements IterableCollection<?> >
public class ArrayVisualizer<T<S> implements IterableCollection<S> >
资源:我上传了我的代码的工作非通用版本作为参考。
ArrayVisualizer.java(这需要一些间隔的字符串作为输入)
InteractiveArrayVisualizer.java(这个不允许选择单元格的值,但是您可以通过单击下一个空白点来填充它们,然后您可以通过单击最后一个打开的单元格来清空它们。这意味着使用调试助手来解决动态数组的大小调整问题。
答案 0 :(得分:4)
您的ArrayVisualizer
类必须同时指定集合类型和元素类型。您无法量化T<String>
,就像在Java中那样。 (其他语言可以做到,但不能用Java。)
所以......就像....
class ArrayVisualizer<E, T extends IterableCollection<E>> {
public void draw(T vector) { ... }
}
(虽然如果我是你,我会尝试使用预先构建的Iterable
或Collection
界面,而不是我自己的IterableCollection
界面...)