LinkedList源碼解析

LinkedList源碼解析

什麼是LinkedList

ArrayList底層是由鏈表組成的一種數據結構,能夠進行動態的增刪改查html

LinkedList用來幹嗎

LinkedList通常用於對數據的存儲java

源碼解析

  1. 數據的存儲
  2. 數據的操做
  3. 何時擴容
  4. 是否線程安全

帶上問題去找答案node

數據的存儲

public class LinkedList<E>
    extends AbstractSequentialList<E>
    implements List<E>, Deque<E>, Cloneable, java.io.Serializable
{
    transient int size = 0;
    /**
     * Pointer to first node.
     * Invariant: (first == null && last == null) ||
     *            (first.prev == null && first.item != null)
     */
    transient Node<E> first;
    /**
     * Pointer to last node.
     * Invariant: (first == null && last == null) ||
     *            (last.next == null && last.item != null)
     */
    transient Node<E> last;

數據的操做

add (addFirst addLast相似)安全

public boolean add(E e) {
    linkLast(e);
    return true;
}
void linkLast(E e) {
    final Node<E> l = last;//獲取last
    final Node<E> newNode = new Node<>(l, e, null);//建立Node
    last = newNode;//last爲新的節點
	//若是當前l爲空,表示是第一次添加,那麼first也會=新的節點
	//若是第一次添加就是first=last=newNode
    if (l == null)
        first = newNode;
    //l不爲空也就是說不是第一次添加
	//當前的last=newNode,而如今因爲建立Node的時候已經吧newNode.prev=last也就是說如今是維護雙向的關係
    else
        l.next = newNode;
    size++;
    modCount++;
}
//建立Node參數prev上一個,element當前元素,next下一個。添加的時候給定prev爲last,element爲當前,next爲空
Node(Node<E> prev, E element, Node<E> next) {
	this.item = element;
	this.next = next;
	this.prev = prev;
}

刪除對象 linkedList能夠存儲null數據結構

public boolean remove(Object o) {
	//刪除元素爲空從first開始遍歷判斷爲空
	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;
}
/*
解除關係
1.將當前Node的prev next item都設置爲空
2.將prev節點的next直接指向next(若是prev爲空將first指向next)
3.強next節點的prev直接指向prev(若是next爲空將last指向prev)
*/
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
		first = next;
	} else {
		prev.next = next;//當前元素不爲空將prev的next直接指向當前元素的下一個節點()
		x.prev = null;
	}

	if (next == null) {
		last = prev;
	} else {
		next.prev = prev;
		x.next = null;
	}

	x.item = null;
	size--;
	modCount++;
	return element;
}

獲取oracle

由於是鏈表結構,只支持getFirst,getLast

何時擴容

鏈表沒有終點不須要擴容this

是否線程安全

線程不安全線程

使用注意事項

  • LinkedList不支持直接定位到元素

引用

相關文章
相關標籤/搜索