Inserting in Front
data:image/s3,"s3://crabby-images/e2d32/e2d3200236f81a6e96106f6b1401f2ad87e2f53c" alt=""
Linked List Front Insertion
data:image/s3,"s3://crabby-images/fcb09/fcb0939d0a813520639e5aa06b1b76ab35ed33d0" alt=""
Inserting at Random
data:image/s3,"s3://crabby-images/8d33e/8d33e885418064c6d3b36a559ff6461fdaf9990b" alt=""
Front and Random Insertion Times
data:image/s3,"s3://crabby-images/cb983/cb9831bdfff10cd57d14689fbca118ea6a03b013" alt=""
Code for Linked List Add
public void add(int i, E x) {
Node<E> nd = new Node<E>();
nd.value = x;
if (i == 0) {
nd.next = this.head;
this.head = nd;
} else {
Node<E> pred = getNode(i - 1);
Node<E> succ = pred.next;
pred.next = nd;
nd.next = succ;
}
++size;
}
Code for Linked List getNode
private Node<E> getNode(int i) {
// check if i is a valid index
if (i < 0 || i >= size) return null;
Node<E> cur = head;
// find the i-th successor of the head
for (int j = 0; j < i; ++j) {
cur = cur.next;
}
return cur;
}
Code for Array Add
public void add(int i, E x) {
if (size == capacity) {
increaseCapacity();
}
++size;
Object cur = x;
for (int j = i; j < size; ++j) {
Object next = contents[j];
contents[j] = cur;
cur = next;
}
}
Code for increaseCapacity
private void increaseCapacity() {
// create a new array with larger capacity
Object[] bigContents = new Object[capacity + 1];
// copy contents to bigContents
for (int i = 0; i < capacity; ++i) {
bigContents[i] = contents[i];
}
// set contents to refer to the new array
contents = bigContents;
// update this.capacity accordingly
capacity = capacity + 1;
}