Collection接口是单列集合的父类定义了单列集合中最多的共性内容,了解父类的共有方法后面学习子类只需要把子类特有方法学习一下即可。
简单介绍Collection的基本使用、常用方法、遍历集合。
简单介绍子类List(有序)接口的特点、常用方法、遍历集合。
简单介绍子类Set(无序)接口的特点、常用方法、遍历集合。
Collection的基本使用:
//多态的形式创建实现类对象,<>中的泛型表示Collection集合的数据类型;
Collection<String> c = new ArrayList<>();
//通过调用add方法,来给集合c添加元素
c.add("frist");
c.add("two");
//查看集合中存储的元素,直接打印
System.out.println(c);
//控制台输出[frist, two]
Collection中的常用方法:
添加元素:add(E e);
c.add("three");
System.out.println(c);
//输出:[frist, two, three]
删除指定元素:remove(Object o);
c.remove("two");
System.out.println(c);
//输入结果:[frist, three]
清空集合中所有元素:clear();
c.clear();
System.out.println(c);
//输出:[]
判断集合是否为空:boolean isEmpty();
System.out.println(c.isEmpty());
//输出:false
判断集合是否包含制定元素:boolean contains(Object o)
//声明boolean类型接收比较结果,或者直接打印
boolean flag = c.contains("three");
System.out.println(flag);
//输出:true
获取集合长度:int size();
//声明int类型接收长度
int length=c.size();
System.out.println(length);
//输出:2
获取迭代器:Iterator<E> iterator();
//获取迭代器
Iterator<String> iterator = c.iterator();
Collection集合遍历:通过Iterator获取迭代器,通过Iterator中的hasNext()和next()方法对集合进行遍历操作。
//创建集合
Collection<String> c = new ArrayList<>();
//添加元素
c.add("小A");
c.add("小B");
c.add("小C");
//获取迭代器
Iterator<String> iterator = c.iterator();
//使用迭代器功能
while (iterator.hasNext()){
String s = iterator.next();
System.out.print(s + " ");
}
//输出:小A 小B 小C