Append Operation
- Trace the basic operations of a (singly) linked-list implementation.
- Understand the basic operations of a (singly) linked list well enough to implement them.
Suppose we have the following linked list and we want to append (add to the end) a new node.
data:image/s3,"s3://crabby-images/e229a/e229a6f6b7cdddcde241d67963ed3a9634afc272" alt=""
Exercise Complete the implementation of the addLast
method that creates a node and add it to the back of the list.
public void addLast(T t) {
// TODO Implement me!
}
Hint: Use the following visualization as guidance.
data:image/s3,"s3://crabby-images/5cdfb/5cdfb25c4c798e2543d122f3b88351b5d2c9f3a9" alt=""
Solution
public void addLast(T t) {
Node<T> tail = head;
while (tail.next != null) {
tail = tail.next;
}
tail.next = new Node<T>(t);
}
If you count the number of nodes in the linked list, you can also write this with a counter-controlled loop. In that case, the find
helper method from when we implemented get
can be used here to go to the last element.
Caution: the implementation above fails to account for an edge case!