Vector
# 前言
Java
集合可分为Collection
和Map
两种体系:
Collection
接口:单列数据,定义了存取一组对象的方法的集合List
:元素有序、可重复的集合ArrayList
、LinkedList
、Vector
Set
:元素无序、不可重复的集合HashSet
、LinkedHashSet
、TreeSet
Map
接口:双列数据,保存具有映射关系“key-value对
”的集合,也称为键值对。HashMap
、LinkedHashMap
、TreeMap
、Hashtable
、Properties
现在我们开始学习List接口的实现类Vector
。
# 概述
- 底层使用
Object[] elementData
存储 Vector
是一个古老的集合,JDK1.0就有了。大多数操作与ArrayList
相同,区别之处在于Vector
是线程安全的。Vector
很多方法都是用了同步方法synchronized
。- 在各种
list
中,最好把ArrayList
作为缺省选择。当插入、删除频繁时,使用LinkedList
;Vector
因为很多都是同步方法总是比ArrayList慢,所以尽量避免使用。
# 源码分析
JDK7和8的Vector基本上没区别。
先看构造器:
public Vector() {
this(10);
}
public Vector(int initialCapacity) {
this(initialCapacity, 0);
}
public Vector(int initialCapacity, int capacityIncrement) {
super();
if (initialCapacity < 0)
throw new IllegalArgumentException("Illegal Capacity: "+
initialCapacity);
this.elementData = new Object[initialCapacity];
this.capacityIncrement = capacityIncrement;
}
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
也是跟JDK7的ArrayList
一样,一上来就创建了长度是10的Object[] elementData
。
# 添加元素:
public synchronized boolean add(E e) {
modCount++;
ensureCapacityHelper(elementCount + 1);
elementData[elementCount++] = e;
return true;
}
1
2
3
4
5
6
2
3
4
5
6
private void ensureCapacityHelper(int minCapacity) {
// overflow-conscious code
if (minCapacity - elementData.length > 0)
grow(minCapacity);
}
1
2
3
4
5
2
3
4
5
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);
}
1
2
3
4
5
6
7
8
9
10
11
2
3
4
5
6
7
8
9
10
11
添加元素时,如果要扩容就将默认将容量库容为原来的2倍。
# 新增方法:
void addElement(Object obj)
void insertElementAt(Object obj,intindex)
void setElementAt(Object obj,intindex)
void removeElement(Object obj)
void removeAllElements()
帮我改善此页面 (opens new window)
上次更新: 2020/12/27, 05:12:33