ターゲット値と等しい単一リンク リスト内のすべてのインスタンスを削除する再帰メソッドを定義しようとしています。remove メソッドとそれに付随する removeAux メソッドを定義しました。頭を削除する必要がある場合に頭も再割り当てされるようにするには、どうすればこれを変更できますか? これが私がこれまでに持っているものです:
public class LinkedList<T extends Comparable<T>> {
private class Node {
private T data;
private Node next;
private Node(T data) {
this.data = data;
next = null;
}
}
private Node head;
public LinkedList() {
head = null;
}
public void remove(T target) {
if (head == null) {
return;
}
while (target.compareTo(head.data) == 0) {
head = head.next;
}
removeAux(target, head, null);
}
public void removeAux(T target, Node current, Node previous) {
if (target.compareTo(current.data) == 0) {
if (previous == null) {
head = current.next;
} else {
previous.next = current.next;
}
current = current.next;
removeAux(target, current, previous); // previous doesn't change
} else {
removeAux(target, current.next, current);
}
}