I believe that almost all students will be asked about the similarities and differences between ArrayList and LinkedList during written tests and interviews. Those who are slightly prepared are already familiar with these problems. The former is based on array implementation, and the latter is based on linked list implementation; the former's random method is fast, while deleting and inserting at specified positions is slow, while the latter's random access is slow, and deleting and inserting at specified positions is fast; Both are thread-unsafe; differences between lists vs arrays and more.
One of the big differences between lists and arrays is that arrays need to be sized during initialization and cannot be dynamically expanded, while lists can be dynamically expanded. ArrayList is implemented based on arrays, so how does it achieve dynamic expansion?
There are three ways to initialize ArrayList:
For the first default construction method, ArrayList does not initialize the capacity, but points the element data reference of the list to an empty array.
private transient Object[] elementData;private static final Object[] EMPTY_ELEMENTDATA = {};
//1.ArrayList默认构造方法public ArrayList() { super();this.elementData = EMPTY_ELEMENTDATA; }
Different from JDK1.6, JDK1.6 will initialize the capacity even when calling the default constructor. JDK1.7 Of course, it will bring certain benefits. If it is initialized and not used, the storage space will be wasted. Just wait until it is added and then initialize the capacity.
//JDK1.6 ArrayListpublic ArrayList() {this(10); }
For the second construction method, directly create an array of the specified size and point the element array reference of the list to it.
//2.ArrayList带有初始化大小的构造方法public ArrayList(int initialCapacity) {super();if (initialCapacity
The third construction method can pass a collection as a parameter, but the elements in the collection must inherit from the elements in the ArrayList.
//3.可将一个集合作为ArrayList的参数构造成ArrayListpublic ArrayList(Collection extends E> c) { elementData = c.toArray(); //将集合转换为数组size = elementData.length; //集合中的元素大小// c.toArray might (incorrectly) not return Object[] (see 6260652) 这里是个bug,参考http://bugs.java.com/bugdatabase/view_bug.do?bug_id=6260652if (elementData.getClass() != Object[].class) elementData = Arrays.copyOf(elementData, size, Object[].class); }
A bug was mentioned above, which means that when converting a collection into an array, Object[] may not be returned by mistake. Here is an example.
1 package com.algorithm.sort; 2 3 import java.util.ArrayList; 4 import java.util.Arrays; 5 import java.util.List; 6 7 /** 8 * bug编号:6260652。toArray有可能不会返回Object[] 9 * Created by yulinfeng on 2017/6/26.10 */11 public class Test {12 public static void main(String[] args) {13 correctly();14 incorrectly();15 }16 17 /**18 * 返回Object[]19 */20 private static void correctly() {21 List<string> list = new ArrayList<string>();22 list.add("test");23 System.out.println(list.getClass());24 Object[] objArray = list.toArray();25 System.out.println(objArray.getClass());26 }27 /**28 * 不返回Object[]29 */30 private static void incorrectly() {31 List<string> list = Arrays.asList("test");32 System.out.println(list.getClass());33 Object[] objArray = list.toArray();34 System.out.println(objArray.getClass());35 }36 }</string></string></string>
Running result:
The above example illustrates that toArray does not always return Object[]. Object[], the Object element cannot be inserted, so the JDK fixed this bug in "6260652".
Next, let’s look at other methods such as element insertion and deletion.
//ArrayList#addpublic boolean add(E e) { ensureCapacityInternal(size + 1); //确保容量是否充足elementData[size++] = e; //将元素添加至数组return true; }
//ArrayList#ensureCapacityInternalprivate void ensureCapacityInternal(int minCapacity) {if (elementData == EMPTY_ELEMENTDATA) { minCapacity = Math.max(DEFAULT_CAPACITY, minCapacity); //如果此时还没有初始化列表容量大小,则对其初始化,默认容量为10 } ensureExplicitCapacity(minCapacity); //检查容量是否充足}
//ArrayList#ensureEcplicitCapacityprivate void ensureExplicitCapacity(int minCapacity) { modCount++; //注意此变量if (minCapacity - elementData.length > 0) grow(minCapacity); //容量不够则进行扩容}
In the ensureEcplicitCapacity method, there is a modCount (modify count) variable that is incremented.
protected transient int modCount = 0;
This variable will not only increment in the add method, but will be recorded and incremented by 1 whenever there is a change to the ArrayList structure such as addition or deletion. The reason for this is the same as in multi-threading. Iterator is related to iterator traversal. There is also a variable corresponding to it in AbstractList$Itr.
//AbstractList$Itrint expectedModCount = modCount;
The checkForComodification method is called in AbstractList$Itr#next.
//AbstractList$Itr#checkForComodificationfinal void checkForComodification() {if (modCount != expectedModCount)throw new ConcurrentModificationException(); }
If the current running environment is single-threaded, no matter what operations are performed on the list, such as adding, modifying, deleting, etc., unexpectedModCount will always be equal to modCount, but if the current running environment is With multi-threading, it is very likely that one thread is iterating while another thread is adding or modifying it. JDK does not allow this. In this case, a ConcurrentModificationException will be thrown. This is where the modCount variable comes from. effect.
Return to the ArrayList#add method. When the list capacity is insufficient, the grow method will be called to expand the capacity.
//ArrayList#growprivate void grow(int minCapacity) {int oldCapacity = elementData.length;int newCapacity = oldCapacity + (oldCapacity >> 1); //扩容策略为,每次新增容量的大小为旧容量的一半。也就是说如果默认容量为10,则第一次扩容大小为10 / 2 = 5,第二次扩容大小为15 / 2 = 7。if (newCapacity - minCapacity 0) //扩容策略扩得太大,大于最大数组大小时,最多等于Integer.MAX_VALUEnewCapacity = hugeCapacity(minCapacity); elementData = Arrays.copyOf(elementData, newCapacity); }
ArrayList gets the element get method at the specified index position.
public E get(int index) { rangeCheck(index); //检查索引是否越界return elementData(index); }
Since ArrayList is implemented based on arrays, this method is relatively simple. Just judge whether it is out of bounds. If not, just index and return the elements according to the array subscript. The remove method deletes the element at the specified position.
//ArrayList#removepublic E remove(int index) { rangeCheck(index); //检查索引是否越界modCount++; //记录modCount,上面已提及E oldValue = elementData(index); //取出指定索引元素int numMoved = size - index - 1; //移动的元素个数if (numMoved > 0) System.arraycopy(elementData, index+1, elementData, index, numMoved); elementData[--size] = null; //将最后一个数组元素置为null,方便GCreturn oldValue; }
The code is relatively simple, and it also reflects the efficiency problem of ArrayList based on array practice when deleting specified elements. For information about the Arrays.copyOf and System.arraycopy methods, please refer to "The Difference between System.arraycopy(src, srcPos, dest, destPos, length) and Arrays.copyOf(original, newLength)"
The above is the detailed content of Detailed source code explanation of common methods of ArrayList. For more information, please follow other related articles on the PHP Chinese website!

一、Iterator和foreach的区别多态差别(foreach底层就是Iterator)Iterator是一个接口类型,他不关心集合或者数组的类型;for和foreach都需要先知道集合的类型,甚至是集合内元素的类型;1.为啥说foreach底层就是Iterator编写的代码:反编译代码:二、foreach与iterator时remove的区别先来看阿里java开发手册但1的时候不会报错,2的时候就会报错(java.util.ConcurrentModificationException)首

Python语言作为一种高级编程语言,具有简单易学、易读易写等特点,在软件开发领域中得到了广泛的应用。然而,由于Python的开源特性,源代码很容易被他人轻易获取,这就给软件源码保护带来了一些挑战。因此,在实际应用中,我们常常需要采取一些方法来保护Python源代码,确保其安全性。在软件源码保护中,有多种针对Python的应用实践可供选择。下面将介绍几种常见

您可以利用List接口的contains()方法来检查列表中是否存在对象。contains()方法booleancontains(Objecto)如果此列表包含指定的元素,则返回true。更正式地说,如果且仅当此列表包含至少一个元素e,使得(o==null?e==null:o.equals(e)),则返回true。参数c-要测试其在此列表中是否存在的元素。返回值如果此列表包含指定的元素,则返回true。抛出ClassCastException-如果指定元素的类型与此列表不兼容(可选)。NullP

使用java的ArrayList.remove()函数移除ArrayList中的元素在Java中,ArrayList是一种常用的集合类,用于储存和操作一组元素。ArrayList类提供了许多方法来增删改查集合中的元素。其中一个使用频率较高的方法是remove(),它可以移除ArrayList中的元素。ArrayList的remove()方法有两种重载形式,一

idea查看tomcat源码的步骤:1、下载Tomcat源代码;2、在IDEA中导入Tomcat源代码;3、查看Tomcat源代码;4、理解Tomcat的工作原理;5、注意事项;6、持续学习和更新;7、使用工具和插件;8、参与社区和贡献。详细介绍:1、下载Tomcat源代码,可以从Apache Tomcat的官方网站上下载源代码包,通常这些源代码包是以ZIP或TAR格式等等。

可以使用浏览器的开发者工具来查看网站的源代码,在Google Chrome浏览器中:1、打开 Chrome 浏览器,访问要查看源代码的网站;2、右键单击网页上的任何位置,然后选择“检查”或按下快捷键 Ctrl + Shift + I打开开发者工具;3、在开发者工具的顶部菜单栏中,选择“Elements”选项卡;4、看到网站的 HTML 和 CSS 代码即可。

PHP代码在浏览器中如何显示源码而不被解释执行?PHP是一种服务器端脚本语言,通常用于开发动态网页。当PHP文件在服务器上被请求时,服务器会解释执行其中的PHP代码,并将最终的HTML内容发送到浏览器以供显示。然而,有时我们希望在浏览器中直接展示PHP文件的源代码,而不是被执行。本文将介绍如何在浏览器中显示PHP代码的源码,而不被解释执行。在PHP中,可以使

为什么HashMap的初始化容量为16?在聊ArrayList的初始化容量时,要先来回顾一下HashMap的初始化容量。这里以Java8源码为例,HashMap中的相关因素有两个:初始化容量及装载因子:/***Thedefaultinitialcapacity-MUSTbeapoweroftwo.*/staticfinalintDEFAULT_INITIAL_CAPACITY=1>1);if(newCapacity-minCapacity0)newCapacity=hugeCapacity


Hot AI Tools

Undresser.AI Undress
AI-powered app for creating realistic nude photos

AI Clothes Remover
Online AI tool for removing clothes from photos.

Undress AI Tool
Undress images for free

Clothoff.io
AI clothes remover

AI Hentai Generator
Generate AI Hentai for free.

Hot Article

Hot Tools

Dreamweaver Mac version
Visual web development tools

SAP NetWeaver Server Adapter for Eclipse
Integrate Eclipse with SAP NetWeaver application server.

Atom editor mac version download
The most popular open source editor

VSCode Windows 64-bit Download
A free and powerful IDE editor launched by Microsoft

SublimeText3 Chinese version
Chinese version, very easy to use
