集合框架(Collection集合的功能测试)
数据结构:数据的存储方式。
*
* Collection:是集合的顶层接口,它的子体系有重复的,有唯一的,有有序的,有无序的。(后面会慢慢的讲解)
*
* Collection的功能概述:
* 1:添加功能
* boolean add(Object obj):添加一个元素
* boolean addAll(Collection c):添加一个集合的元素
* 2:删除功能
* void clear():移除所有元素
* boolean remove(Object o):移除一个元素
* boolean removeAll(Collection c):移除一个集合的元素(是一个还是所有)
* 3:判断功能
* boolean contains(Object o):判断集合中是否包含指定的元素
* boolean containsAll(Collection c):判断集合中是否包含指定的集合元素(是一个还是所有)
* boolean isEmpty():判断集合是否为空
* 4:获取功能
* Iterator<E> iterator()(重点)
* 5:长度功能
* int size():元素的个数
* 面试题:数组有没有length()方法呢?字符串有没有length()方法呢?集合有没有length()方法呢?
* 6:交集功能
* boolean retainAll(Collection c):两个集合都有的元素?思考元素去哪了,返回的boolean又是什么意思呢?
* 7:把集合转换为数组
* Object[] toArray()
package Day15; import java.util.ArrayList; import java.util.Collection; public class JiHe { public static void main(String[] args) { //创建集合对象 //接口无法直接实例化 // Collection c = new Collection(); //创建集合Collection接口的实现需通过实现子类 //其中ArrayList就是其实现其Collection集合的子类 //创建集合对象 Collection c = new ArrayList(); //利用对象调用方法---添加功能 c.add("赵同刚"); c.add("朱庆娜"); //输出查看 System.out.println(c); //删除功能 //c.clear();---删除全部 //c.remove("朱庆娜");//---删除单个集合内的元素 System.out.println(c); //判断集合中是否包含指定元素 boolean sm= c.contains("朱庆娜"); boolean sm1= c.contains("王"); System.out.println(sm1); //判断集合是否为空 System.out.println(c.isEmpty()); //获取集合中元素的个数 System.out.println(c.size()); } }