标签:指定位置 列表 位置 指定元素 ext 定位 遍历 cti rem
import java.util.ArrayList;
import java.util.Iterator;
import java.util.List;
/*
* java.util.list接口 extends Collection接口
* list接口的特点:
* 1.有序的集合,存储元素和取出元素的顺序是一致的(存储123 取出123)
* 2.有索引,包含了一些带索引的方法
* 3.允许存储重复的元素
* list接口中带索引的方法(特有)
* 1.public void add (int index,E element):将指定的元素,添加到指定位置
* 2.public E get(int index):返回集合中指定位置的元素
* 3.public E remove(int index):移除列表中指定位置的元素,返回的是被移除的元素
* 4.public E set(int index,E element):用指定元素替换集合中指定位置的元素,返回值是更新前的元素
* 注意:
* 操作索引的时候,一定要防止索引越界异常
* IndexOutOfBoundsException:索引越界异常,集合会报
* ArrayIndexOutOfBoundsException:数组索引越界异常
* StringIndexOutOfBoundsException:字符串索引越界异常
* */
public class demo03List {
public static void main(String[] args) {
//创建一个list集合对像,多态
List<String> list = new ArrayList<>();
list.add("a");
list.add("b");
list.add("c");
list.add("d");
list.add("e");
System.out.println(list);
list.add(3,"itheima");
System.out.println(list);
String removeE = list.remove(2);
System.out.println("被移除的元素:"+removeE);
System.out.println(list);
String setE = list.set(0,"A");
System.out.println("被替换的元素:"+setE);
System.out.println(list);
//list集合遍历的三种方式
//1.普通的for循环
for (int i = 0; i < list.size(); i++) {
String getE = list.get(i);
System.out.print(getE+" ");
}
System.out.println();
System.out.println("------------------------");
//2.使用迭代器
Iterator<String> it = list.iterator();
while (it.hasNext()){
String s = it.next();
System.out.print(s+" ");
}
System.out.println();
System.out.println("------------------------");
//3.使用增强for循环
for (String s : list) {
System.out.print(s+" ");
}
}
}
运行结果:
[a, b, c, d, e]
[a, b, c, itheima, d, e]
被移除的元素:c
[a, b, itheima, d, e]
被替换的元素:a
[A, b, itheima, d, e]
A b itheima d e
------------------------
A b itheima d e
------------------------
A b itheima d e
标签:指定位置 列表 位置 指定元素 ext 定位 遍历 cti rem
原文地址:https://www.cnblogs.com/Shuangyi/p/10929286.html