LinkedList淺析

LinkedList和ArrayList都實現了List,可是二者的存儲結構不同:LinkedList是鏈表,ArrayList是數組,那就決定了二者特性不同:java

LinkedList插入刪除方便效率高,可是根據索引查找就須要遍歷,比較慢了,而ArrayList偏偏相反node

主要有以下方法:數組

   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;
    }

刪除某個節點數據:把該節點的先後數據的關係從新創建便可設計

/**
     * Inserts element e before non-null Node succ.
     */
    void linkBefore(E e, Node<E> succ) {
        // assert succ != null;
        final Node<E> pred = succ.prev;
        final Node<E> newNode = new Node<>(pred, e, succ);
        succ.prev = newNode;
        if (pred == null)
            first = newNode;
        else
            pred.next = newNode;
        size++;
        modCount++;
    }

在succ節點以前插入數據code

Node<E> node(int index) {
        // assert isElementIndex(index);

        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;
        }
    }

根據索引查找Node節點,此處有個小巧的設計:若是查找的索引小於size的通常則從前日後找,不然從後往前找;從代碼中能夠看出,根據索引查找節點須要遍歷索引

因爲LinkedList也實現了Deque接口,因此LinkedList也是一種隊列實現接口

 public E peek() {
        final Node<E> f = first;
        return (f == null) ? null : f.item;
    }

獲取隊列頭數據隊列

public E poll() {
        final Node<E> f = first;
        return (f == null) ? null : unlinkFirst(f);
    }

獲取隊列頭數據並同時移除頭部數據element

相關文章
相關標籤/搜索