如何在 Java 中在列表中的两个项目之间插入一个项目?
我们可以使用其 add() 方法轻松地在数组列表的两个项目之间插入元素。
语法
void add(int index, E element)
在此列表中指定的索引处插入指定的元素(可选操作)。将当前位于该位置的元素(如果有)以及任何后续元素向右移动(将其索引加一)。
类型参数
E − 元素的运行时类型。
参数
index − 要插入指定元素的索引。
e − 要插入到此列表中的元素。
抛出
UnsupportedOperationException − 如果此列表不支持添加操作
ClassCastException − 如果指定元素的类阻止其添加到此列表中
NullPointerException − 如果指定的元素为空,并且此列表不允许空元素
IllegalArgumentException − 如果此元素的某些属性阻止其添加到此列表中
IndexOutOfBoundsException − 如果索引超出范围 (index < 0 || index > size())
示例
以下示例演示了如何使用 add() 方法在列表中的项目之间插入元素。
package com.tutorialspoint; import java.util.ArrayList; import java.util.List; public class CollectionsDemo { public static void main(String[] args) { // Create a list object List<String> list = new ArrayList<>(); // add elements to the list list.add("A"); list.add("B"); list.add("C"); // print the list System.out.println(list); list.add(1,"B"); System.out.println(list); } }
输出
这将产生以下结果:
[A, C, D] [A, B, C, D]
广告