LinkedList的继承关系:
- LinkedList 是一个继承于AbstractSequentialList的双向链表。它也可以被当作堆栈、队列或双端队列进行操作。
- LinkedList 实现 List 接口,能对它进行队列操作。
- LinkedList 实现 Deque 接口,即能将LinkedList当作双端队列使用。
- LinkedList 实现了Cloneable接口,即覆盖了函数clone(),能克隆。
- LinkedList 实现java.io.Serializable接口,这意味着LinkedList支持序列化,能通过序列化去传输。
- LinkedList 是非同步的。
源码分析
1.构造函数
//无参构造函数
public LinkedList() {
}
//通过Collection集合来实例化LInkedList的实例
public LinkedList(Collection<? extends E> c) {
this();
addAll(c);
}
2.add:添加元素
新建节点,然后调整前后指针信息。
public boolean add(E e) {
linkLast(e);
return true;
}
void linkLast(E e) {
final Node<E> l = last;
//新构造node节点以链表的尾节点作为前驱,将新节点插入到链表的尾部,尾插法
final Node<E> newNode = new Node<>(l, e, null);
//将新节点作为尾节点
last = newNode;
if (l == null)
//当前插入的是第一个节点,first=last=newNode
first = newNode;
else
//当前链表上已经存在节点
l.next = newNode;
size++;
modCount++;
}
3.remove:删除元素
由于删除了某一节点因此调整相应节点的前后指针信息:
e.previous.next = e.next;//预删除节点的前一节点的后指针指向预删除节点的后一个节点。
e.next.previous = e.previous;//预删除节点的后一节点的前指针指向预删除节点的前一个节点。
清空预删除节点:
e.next = e.previous = null;
e.element = null;
交给gc完成资源回收,删除操作结束。
public boolean remove(Object o) {
//删除的元素判断是否为null,判断相等逻辑会不同 o==null? ==:equals
if (o == null) {
for (Node<E> x = first; x != null; x = x.next) {
if (x.item == null) {
unlink(x);
return true;
}
}
} else {
for (Node<E> x = first; x != null; x = x.next) {
if (o.equals(x.item)) {
unlink(x);
return true;
}
}
}
return false;
}
//删除双向链表的节点逻辑
E unlink(Node<E> x) {
// assert x != null;
final E element = x.item;
final Node<E> next = x.next;
final Node<E> prev = x.prev;
if (prev == null) {
first = next;
} else {
prev.next = next;
x.prev = null;
}
if (next == null) {
last = prev;
} else {
next.prev = prev;
x.next = null;
}
x.item = null;
size--;
modCount++;
return element;
}
4.get:获取节点元素
首先判断位置信息是否合法(大于等于0,小于当前LinkedList实例的Size),然后遍历到具体位置,获得节点的业务数据(element)并返回。
public E get(int index) {
//判断位置的合法性
checkElementIndex(index);
return node(index).item;
}
private void checkElementIndex(int index) {
if (!isElementIndex(index))
throw new IndexOutOfBoundsException(outOfBoundsMsg(index));
}
private boolean isElementIndex(int index) {
return index >= 0 && index < size;
}
//从链表中的位置index来找到节点Node
Node<E> node(int index) {
//通过二分查找来确定要查找元素的位置,在size/2前半部分,采用从前往后查找,否则,从后往前查找
if (index < (size >> 1)) {
Node<E> x = first;
for (int i = 0; i < index; i++)
x = x.next;
return x;
} else {
Node<E> x = last;
for (int i = size - 1; i > index; i--)
x = x.prev;
return x;
}
}
和ArrayList区别:
1、ArrayList是基于动态数组的数据结构、LinkedList是基于链表实现
2、对于随机访问的get和set方法,ArrayList有优于LInkedList,因为LInkedList要移动指针
3、对于新增和删除操作,LinkedList比较占优势,因为ArrayList要移动数据
应用场景:
ArrayList使用在查询比较多场景,而LinkedList适用于插入删除比较多场景