2.9 Vector 源码解析

2.9 Vector

       和ArrayList一样,Vector也是List接口的一个实现类。
2.9 Vector 源码解析_第1张图片
       其中List接口主要实现类有ArrayLIst,LinkedList,Vector,Stack。
其中后两者用的特别少。

2.9.1 vector组成

       和ArrayList基本一样。

//存放元素的数组
protected Object[] elementData;
//有效元素数量,小于等于数组长度
protected int elementCount;
//容量增加量,和扩容相关
protected int capacityIncrement;

2.9.2 vector线程安全性

       vector是线程安全的,synchronized修饰的操作方法。

2.9.3 vector扩容

private void grow(int minCapacity) {
     
    // overflow-conscious code
    int oldCapacity = elementData.length;
    //扩容大小
    int newCapacity = oldCapacity + ((capacityIncrement > 0) ?
                                     capacityIncrement : oldCapacity);
    if (newCapacity - minCapacity < 0)
        newCapacity = minCapacity;
    if (newCapacity - MAX_ARRAY_SIZE > 0)
        newCapacity = hugeCapacity(minCapacity);
    elementData = Arrays.copyOf(elementData, newCapacity);
}

       看源码可知,扩容当构造没有capacityIncrement时,一次扩容数组变成原来两倍,否则每次增加capacityIncrement。

2.9.4 vector方法经典示例

       移除某一元素

public synchronized E remove(int index) {
     
    modCount++;
    if (index >= elementCount)
        throw new ArrayIndexOutOfBoundsException(index);
    E oldValue = elementData(index);

    int numMoved = elementCount - index - 1;
    if (numMoved > 0)
    	//复制数组,假设数组移除了中间某元素,后边有效值前移1位
        System.arraycopy(elementData, index+1, elementData, index,
                         numMoved);
                         //引用null ,gc会处理
    elementData[--elementCount] = null; // Let gc do its work

    return oldValue;
}

       这儿主要有一个两行代码需要注意,笔者在代码中有注释。
       数组移除某一元素并且移动后,一定要将原来末尾设为null,且有效长度减1。
       总体上vector实现是比较简单粗暴的,也很少用到,随便看看即可。

你可能感兴趣的:(Java,#,2,集合篇,java,java,vector,vector源码解析,vector线程安全,java,vector使用)