如何遍历双向链接列表并在低于或等于或高于或等于特定值的位置创建新的双向链接列表?
例如:
["A", "B", "C"].below("B") = ["A", "B"]
我有一个ClassCastException,所以我不知道如何实现创建一个新列表并将这些节点添加到特定值。我已经实现了自己的compareto方法,该方法可以正常工作。我的添加方法也可以正常使用。
main class:
.
.//some code
LinkedList<Item> itemList = new LinkedList<>();
itemList.add(....(..)));
.//some code
print(itemList.below(new Drink("Cola", 1.0, 1.0)));
.
.//some code
public class LinkedList <T extends Comparable<? super T>> implements List<T>
{
..
private Node <T> head;
private Node <T> last;
..//some code
public void add(T value)
{ ..}
public LinkedList <T> below (T value)
{
LinkedList <T> b = new LinkedList<>();
Node <T> curr = new Node<>(value);
Node <T> start = this.head;
while(start.next != null && curr.data.compareTo(start.next.data) <= 0 )
{
b.add((T) start); //ClassCastException
start = start.next;
}
return b;
}
private static class Node <T>
{
private T data;
private Node <T> next;
private Node <T> prev;
private static int counter = 0;
private final int ID;
private Node(T data)
{
this.data = data;
this.ID = counter;
counter++;
}
}
}
答案 0 :(得分:1)
ClassCastException
是因为start
被定义为Node<T>
,并且以下代码将Node<T>
对象强制转换为T
对象,即运行时错误。
b.add((T) start); //ClassCastException
您可能想打个电话:
b.add(start.data)
但是,data
被标记为private
。因此,可以将其标记为public
,或者更好地在getData()
中添加访问器Node
方法。