如有转载请注明出处 https://www.jianshu.com/p/7c0fbce086c6
绪论
ArrayList是线程不安全的,他的底层数据结构是数组,ArrayList保存的数据是可以重复的。由于数组具有下表,所以他查询起来比较快,主要操作方法有add,remove,get。
add
public boolean add(E e) {
ensureCapacityInternal(size + 1); // Increments modCount!!
elementData[size++] = e;
return true;
}
private void ensureCapacityInternal(int minCapacity) {
if (elementData == DEFAULTCAPACITY_EMPTY_ELEMENTDATA) {
minCapacity = Math.max(DEFAULT_CAPACITY, minCapacity);
}
ensureExplicitCapacity(minCapacity);
}
private void ensureExplicitCapacity(int minCapacity) {
modCount++;
// overflow-conscious code
if (minCapacity - elementData.length > 0)
grow(minCapacity);
}
private void grow(int minCapacity) {
// overflow-conscious code
int oldCapacity = elementData.length;
int newCapacity = oldCapacity + (oldCapacity >> 1);
if (newCapacity - minCapacity < 0)
newCapacity = minCapacity;
if (newCapacity - MAX_ARRAY_SIZE > 0)
newCapacity = hugeCapacity(minCapacity);
// minCapacity is usually close to size, so this is a win:
elementData = Arrays.copyOf(elementData, newCapacity);
}
private static int hugeCapacity(int minCapacity) {
if (minCapacity < 0) // overflow
throw new OutOfMemoryError();
return (minCapacity > MAX_ARRAY_SIZE) ?
Integer.MAX_VALUE :
MAX_ARRAY_SIZE;
}
1.在添加数据的时候首先要去扩容,如果之前数组中是空的那么就给他一个最小长度10
2.数组目前不满足添加数据的需要时,需要去扩容
3.默认数组扩容1.5倍
- 大批量添加数据的时候,老数组扩容1.5倍不满足需求时,就把要添加的个数作为扩容数组的个数
- 如果要添加的数据已经大于数组的最大值,那么就让她扩容到Integer.MAX_VALUE
最后创建扩容之后的数组,并且把原数组的值放入新数组中
remove
public E remove(int index) {
if (index >= size)
throw new IndexOutOfBoundsException(outOfBoundsMsg(index));
modCount++;
E oldValue = (E) elementData[index];
int numMoved = size - index - 1;
if (numMoved > 0)
System.arraycopy(elementData, index+1, elementData, index,
numMoved);
elementData[--size] = null; // clear to let GC do its work
return oldValue;
}
先将要溢出的数据拿出来,然后拿到移除数据前的index,如果移除的不是最后面的数据需要将index+1的数据向左移动,然后将最后一个数据设置为null
get
public E get(int index) {
if (index >= size)
throw new IndexOutOfBoundsException(outOfBoundsMsg(index));
return (E) elementData[index];
}
直接将数组中index位置的值拿出来
数组
由上面的操作可以看出来,数组的查询很快,添加和删除的时候都需要对数组进行复制操作,所以效率比较低
数组查询快是因为数组的空间都是连续的,通过index直接获取value
数组增删比较慢是因为在增加的时候,需要扩容,并且将老的数组放到新数组中,在删除的时候需要将要删除的位置之后的数据向左移动,然后将最后一个数据这只为null。
网友评论