如何创建在两种泛型类型上运行的可迭代泛型类?
也就是说,如果我有一个叫做:
public class PriorityQueue<K,V> {}
如果无法使用
Iterable
,该如何实现implements Iterable<K,V>
? Eclipse给出错误信息:类型为Iterable的参数数量错误;不能使用参数对其进行参数化
我一定误会了如何实现自己的可迭代集合。
与此主题相关:我是否要使优先级队列可迭代,还是使队列存储的条目可迭代?
编辑:
对于家庭作业,我必须以链接列表的方式实现PriorityQueue ADT。我已经实现了所有方法,只有一个
min()
。我正在考虑的方法是通过创建私有的Entry
方法来遍历列表中存储的所有entries()
对象。但是我不知道该如何处理。我现在有一个链接列表链接的开头和一个链接到结尾的链接。我怎样才能使所说的
entries()
方法,以便我可以返回条目的Iterable
对象?这是我的
Entry<K,V>
对象:public class Entry<K,V> implements Comparable {
private V _value;
private K _key;
private Entry<K,V> _prev;
private Entry<K,V> _next;
public Entry(K key, V value) {
this._value = value;
this._key = key;
this._prev = null;
this._next = null;
}
public V getValue() {
return this._value;
}
public K getKey() {
return this._key;
}
public Entry<K,V> getNext() {
return _next;
}
public void setNext(Entry<K,V> link) {
this._next = link;
}
public Entry<K,V> getPrev() {
return _prev;
}
public void setPrev(Entry<K,V> link) {
this._prev = link;
}
@Override
public int compareTo(Object arg0) {
if (arg0 instanceof Entry<?,?>) {
}
return 0;
}
}
到目前为止,这是我的
PriorityQueue<K,V>
:public class PriorityQueue<K,V> implements Iterable<K>{
private Entry<K,V> _head;
private Entry<K,V> _tail;
private int _size;
public PriorityQueue() {
this._head = null;
this._tail = null;
this._size = 0;
}
public int size() {
return _size;
}
public boolean isEmpty() {
return (size() == 0);
}
public Entry<K,V> min() {
}
public Entry<K,V> insert(K k, V x) {
Entry<K,V> temp = new Entry<K,V>(k,x);
if (_tail == null) {
_tail = temp;
_head = temp;
}
else {
_tail.setNext(temp);
temp.setPrev(_tail);
_tail = temp;
}
return temp;
}
public Entry<K,V> removeMin() {
Entry<K,V> smallest = min();
smallest.getPrev().setNext(smallest.getNext());
smallest.getNext().setPrev(smallest.getPrev());
return smallest;
}
@Override
public Iterator<K> iterator() {
// TODO Auto-generated method stub
return null;
}
}
最佳答案
您必须为返回的Iterable对象使用包装器类。在您的情况下,我假设它是Entry类型。因此,作为示例,您的代码应如下所示:
public class PriorityQueue<K, V> implements Iterable<Entry<K, V>> {
}
当然,您始终可以创建自定义包装。