集合
java的集合分为Collection和Map两种体系
Collection接口:
set:元素无序,不可重复
list:有序,可重复
Map接口:键值对映射关系的集合
存储对象可以考虑 1. 数组 2. 集合
数组存储对象的特点:
缺点:
- 一旦创建,长度是不可变的
- 真实的数组存放的对象的个数不可加
集合的基本方法
public void test01(){
Collection coll = new ArrayList();
//1.add(Object obj) 向集合中添加元素
coll.add(123);
coll.add("AA");
coll.add(new Date());
coll.add("BB");
//2.size() 返回集合中的元素
System.out.println(coll.size()); //4
//3.addAll(Conllection coll):将形参colll中包含的所有元素添加到当前集合中
Collection coll1 = Arrays.asList(1,2,3);
coll.addAll(coll1);
System.out.println(coll.size()); //7
//查看结合集合所有的元素,直接引用值就可以,因为重写了toString方法
System.out.println(coll);//[123, AA, Sun Oct 28 16:31:26 CST 2018, BB, 1, 2, 3]
//4.isEmpty()判断集合是否为空
System.out.println(coll.isEmpty()); //false
//5.clear() 清空集合的元素
coll.clear();
System.out.println(coll.isEmpty()); //true
}
public void test02(){
Collection coll = new ArrayList();
coll.add(123);
coll.add(new Date());
coll.add("BB");
System.out.println(coll);
//6.contains() 判断集合中是否包含指定的obj元素
System.out.println(coll.contains("BB")); //true 根据元素所在类的equals方法,原生没有重写equals方法,两个对象为false
// 7.containsAll(Collection coll):判断当前集合中是否包含coll中所有的元素
//8.retainAll() 求两个集合的交集返回给当前集合
Collection coll1 = new ArrayList();
coll1.add(123);
coll1.add("AA");
coll1.add("KK");
coll1.retainAll(coll);
System.out.println(coll1);
//remove() 删除指定元素
coll.remove(123);
System.out.println(coll);
}
public void test02(){
Collection coll = new ArrayList();
coll.add(123);
coll.add(new Date());
coll.add("BB");
System.out.println(coll);
//6.contains() 判断集合中是否包含指定的obj元素
System.out.println(coll.contains("BB")); //true 根据元素所在类的equals方法,原生没有重写equals方法,两个对象为false
// 7.containsAll(Collection coll):判断当前集合中是否包含coll中所有的元素
//8.retainAll() 求两个集合的交集返回给当前集合
Collection coll1 = new ArrayList();
coll1.add(123);
coll1.add("AA");
coll1.add("KK");
coll1.retainAll(coll);
System.out.println(coll1);
//remove() 删除指定元素
coll.remove(123);
System.out.println(coll);
//remoceAll()从当前集合中删除两个集合相同的元素
coll.removeAll(coll);
System.out.println(coll);
//equals 判断相等 hashCode hash码
//toArray() 将集合转换为数组
coll1.add("AA");
Object[] obj = coll1.toArray();
for (int i = 0; i <obj.length ; i++) {
System.out.println(obj[i]);
}
//14.iterator():返回一个Iterator接口实现类的对象,进而实现类的遍历
Iterator iterator = coll1.iterator();
while (iterator.hasNext()){
System.out.println(iterator.next());
}
}
增加for循环遍历面经
public void test03(){
String[] str = new String[]{"AA","BB","CC","DD"};
for (String s :str){
s = "MM";
System.out.print(s); //MMMMMMMM s是局部变量
}
System.out.println();
for (int i = 0; i <str.length ; i++) {
str[i]= i+" ";//0 1 2 3 标记语句
System.out.print(str[i]); //没注释标记语句前AABBCCDD 注释后 0 1 2 3
}
}