我昨天发布了一个问题,关于我为这个程序覆盖toString()的问题,但现在我有一个不同的问题。 removeItem()方法应该删除具有给定数据值的节点(在本例中为String名称)。我在第64行得到一个NullPointerException,我似乎无法弄清楚它是出于什么原因。我的代码如下,并提前感谢任何帮助。
public class StudentRegistration<E>
{
private static class Node<E>
{
/** The data value. */
private E data;
/** The link */
private Node<E> next = null;
/**
* Construct a node with the given data value and link
* @param data - The data value
* @param next - The link
*/
public Node(E data, Node<E> next)
{
this.data = data;
this.next = next;
}
/**
* Construct a node with the given data value
* @param data - The data value
*/
public Node(E data)
{
this(data, null);
}
public Node getNext()
{
return next;
}
public E getData()
{
return data;
}
public void setNext(Node append)
{
next = append;
}
}
/** A reference to the head of the list */
private Node<E> head = null;
/** The size of the list */
private int size = 0;
/** Helper methods */
/** Remove the first occurance of element item.
@param item the item to be removed
@return true if item is found and removed; otherwise, return false.
*/
public void removeItem(E item)
{
Node<E> position = head;
Node<E> nextPosition1,
nextPosition2;
while (position != null)
{
if(position.getNext().getData() == item) //NullPointerException
{
nextPosition1 = position.getNext();
nextPosition2 = nextPosition1.getNext();
position.setNext(nextPosition2);
}
else
{
position = position.getNext();
}
}
}
/** Insert an item as the first item of the list.
* @param item The item to be inserted
*/
public void addFirst(E item)
{
head = new Node<E>(item, head);
size++;
}
/**
* Remove the first node from the list
* @returns The removed node's data or null if the list is empty
*/
public E removeFirst()
{
Node<E> temp = head;
if (head != null)
{
head = head.next;
}
if (temp != null)
{
size--;
return temp.data;
} else
{
return null;
}
}
/** Add a node to the end of the list
*@param value The data for the new node
*/
public void addLast(E value)
{
// location for new value
Node<E> temp = new Node<E>(value,null);
if (head != null)
{
// pointer to possible tail
Node<E> finger = head;
while (finger.next != null)
{
finger = finger.next;
}
finger.setNext(temp);
} else head = temp;
}
@Override
public String toString()
{
StringBuilder sb = new StringBuilder();
sb.append("[");
Node<E> aux = this.head;
boolean isFirst = true;
while(aux != null)
{
if(!isFirst)
{
sb.append(", ");
}
isFirst = false;
sb.append(aux.data.toString());
aux=aux.next;
}
return sb.append("]").toString();
}
}
答案 0 :(得分:2)
在练习“可视化”头脑中的数据结构之前,了解正在发生的事情的一个好方法是获取一张纸并绘制一个表示数据结构中节点的“框和指针”图(以及相关字段)...图中的局部变量。然后使用铅笔和橡皮擦 1 “手执行”。
别担心。对于初学者来说,链接列表的插入和删除是非常棘手的。 (这就是为什么它通常被设置为介绍性Java和算法类中的类练习。)
1 - 注意小心避免使用国际英语: - )
答案 1 :(得分:0)
当您到达最后并且没有下一个值时,您会遇到异常。 你应该这样检查:
while (position.getNext() != null)
也使用equals()
代替==
operatoor:
if(position.getNext().getData().equals(item))