LinkedList 源码分析

LinkedList概述

LinkerList 是实现List接口的双向链表(JDK 1.8),JDK 1.6版本中LinkedList为带头节点的双向循环链表,LinkedList 作为List接口的链表实现,所以在插入、删除操作非常快速,而在随机访问方便表现较差。
LinkerList 实现了Deque接口,提供了add、poll等先进先出队列操作,以及其他队列和双端操作。

LinkedList源码分析(基于JDK 1.8)

  1. 定义
    public class LinkedList
    extends AbstractSequentialList
    implements List, Deque, Cloneable, java.io.Serializable

从该类的定义中可以看出该类实现了Deque、Cloneable、Serializable接口,该接口可以进行队列操作、克隆、序列化

  1. 属性
    transient int size;
    transient Node first;
    transient Node last;

     private static class Node {
        E item;
        Node next;
        Node prev;

        Node(Node prev, E element, Node next) {
            this.item = element;
            this.next = next;
            this.prev = prev;
        }
    }

该类的属性定义各种包含列表的大小、头结点、尾节点、节点对象的信息描述

  1. 构造方法
    public LinkedList() {
    }

   
    public LinkedList(Collection c) {
        this();
        addAll(c);
    }

public LinkedList(): 构造一个空的列表
public LinkerList(Collection c):构造一个包含指定collction的双向链表

  1. 添加
    void linkBefore(E e, Node succ) {
        // assert succ != null;
        final Node pred = succ.prev;
        final Node newNode = new Node<>(pred, e, succ);
        succ.prev = newNode;
        if (pred == null)
            first = newNode;
        else
            pred.next = newNode;
        size++;
        modCount++;
    }

LinkedList包含很多添加方法,添加方法做的事情就是就是将节点插入指定位置,然后改变前后节点的引用,并改变modCount.

  1. 删除

    E unlink(Node x) {
        // assert x != null;
        final E element = x.item;
        final Node next = x.next;
        final Node 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;
    }

LinkedList包含很多删除方法,删除方法做的事情就是移除某处的借点,然后改变前后节点的引用。并改变modCount.

  1. 查找
    Node node(int index) {
        // assert isElementIndex(index);

        if (index < (size >> 1)) {
            Node x = first;
            for (int i = 0; i < index; i++)
                x = x.next;
            return x;
        } else {
            Node x = last;
            for (int i = size - 1; i > index; i--)
                x = x.prev;
            return x;
        }
    }

即使使用了一个快速查找的算法,查找指定位置的值依旧比ArrayList慢上不少。

  1. 迭代
    与ArrayList的迭代方法类似,会触发fail-fast机制。
  2. 队列\栈操作
    源码中还实现了栈和队列的操作方法,因此也可以作为栈、队列和双端队列来使用。

LinkedList 优缺点

  • 优点
    1.插入、移除速度较快
    2.不会因为扩容问题带来的数组拷贝
  • 缺点
    1. 访问固定位置的借点速度较慢
    2. 非线程安全。

你可能感兴趣的:(LinkedList 源码分析)