collection集合 存储对象的容器
- public interface Collection<E>
接口 需要通过创建有构造函数的继承collection接口的类的对象实现
方法
1、添加
boolean add(Object obj);一个一个添加
boolean addAll(Collection c);添加一个容器
2、删除
void clear();删除所有元素
boolean remove(Object o);删除一个元素
boolean remove(Collection c);删除一批元素 保留不同的
boolean retainAll(Collection c);删除一批元素 保留相同的
3、获取长度
int size();
4、判断
boolean contain(Object obj);判断是否包含一个元素
boolean containAll(Cellection c);判断是否包含一部分元素
boolean equals(Object obj);将指定的对象与此集合进行比较以获得相等性。
boolean isEmpty();判断是否为空
5、将集合转为数组
toArray();
toArrat(T[] a);
6、创建集合迭代器
iterator();
All方法例子
public class CollectionDemo {
public static void main(String[] args) {
collectionAllMethod();
}
private static void collectionAllMethod() {
Collection c1=new ArrayList();
Collection c2=new ArrayList();
c1.add("abc1");
c1.add("abc2");
c1.add("abc3");
c2.add("abc1");
c2.add("abc3");
c2.add("abc5");
Boolean b1=c1.containsAll(c2);
System.out.println(c1);
Boolean b2=c1.retainAll(c2);//保留相同的
System.out.println(c1);
Boolean b3=c1.removeAll(c2);//移除相同的
System.out.println(c1);
}
}
Interator 迭代器 取出元素的一种方式
Interface Iterator<E>
一个集合的迭代器 迭代器允许调用者在迭代期间从底层集合中删除元素,并具有明确定义的语义。
方法:
boolean hasnext(); 迭代查询是否有下一个元素
obj next(); 取出下一个元素
void remove();删除下一个元素
for循环使用迭代 快捷键itco
for (Iterator iterator = list.iterator(); iterator.hasNext(); ) {
String next = (String) iterator.next();
while循环使用迭代 快捷键itit
Iterator iterator=list.iterator();
while (iterator.hasNext()) {
Object next = iterator.next();
网友评论