public E removeFirst() { final Node<E> f = first; if (f == null) thrownewNoSuchElementException(); return unlinkFirst(f); } public E removeLast() { final Node<E> l = last; if (l == null) thrownewNoSuchElementException(); return unlinkLast(l); } // 遍历列表中所有的节点,找到相同的元素,然后删除它 publicbooleanremove(Object o) { if (o == null) { for (Node<E> x = first; x != null; x = x.next) { if (x.item == null) { unlink(x); returntrue; } } } else { for (Node<E> x = first; x != null; x = x.next) { if (o.equals(x.item)) { unlink(x); returntrue; } } } returnfalse; } public E remove(int index) { checkElementIndex(index); return unlink(node(index)); }
修改元素
通过遍历,循环index次,获取到相应的节点后,再通过节点来修改元素值。
1 2 3 4 5 6 7
public E set(int index, E element) { checkElementIndex(index); Node<E> x = node(index);// 获取到需要修改元素的节点 EoldVal= x.item;// 保存之前的值 x.item = element;// 修改 return oldVal;// 返回修改前的值 }
查询元素
通过位置,循环index次,获取到节点,然后返回该节点中元素的值
1 2 3 4
public E get(int index) { checkElementIndex(index); return node(index).item;// 获取节点,并返回节点中的元素值 }
还有两个获取首尾节点的元素的方法:
1 2 3 4 5 6 7 8 9 10 11 12
public E getFirst() { final Node<E> f = first; if (f == null) thrownewNoSuchElementException(); return f.item; } public E getLast() { final Node<E> l = last; if (l == null) thrownewNoSuchElementException(); return l.item; }
获取元素位置
从0开始往后遍历
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17
publicintindexOf(Object o) { intindex=0; if (o == null) {// null时分开处理 for (Node<E> x = first; x != null; x = x.next) { if (x.item == null)// 说明找到 return index;// 返回下标 index++; } } else { for (Node<E> x = first; x != null; x = x.next) { if (o.equals(x.item))// 说明找到 return index;// 返回下标 index++; } } return -1;// 未找到,返回-1 }
从size - 1开始遍历。基本操作与上述操作类似,只是起始位置不同。
1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17
publicintlastIndexOf(Object o) { intindex= size; if (o == null) { for (Node<E> x = last; x != null; x = x.prev) { index--; if (x.item == null) return index; } } else { for (Node<E> x = last; x != null; x = x.prev) { index--; if (o.equals(x.item)) return index; } } return -1; }