1.泛型
泛型就是泛泛的,一般的,通用的说法。比如ArryList就是泛型,可以存多种对象。
//泛型的一般写法(以ArryList为例),其中T表示该集合中存放的元素类型
ArryList<T> list = new ArryList<T>();
//常见方法
list.add();
list.remove();
注意:泛型不支持基本类型,如int,long,short,byte,boolean,double,float,应该使用相应的包装类。
//错误的写法
ArryList<int> list = new ArryList<>();
//正确的写法
ArryList<Integer> list = new ArryList<>();
2.ArryList
常见方法:
//添加
add(E);
//指定位置添加
add(index, E);
//添加多个对象
addAll(anotherList);
//清空
clear();
//按位置获取元素
get(index);
//查找,要求元素重写equals方法
indexOf(value);
//删除
remove(index);
//设置
set(index, value);
//获取长度
size();
//排序
sort();
//获取子集
subList(fromIndex,toIndex);
常见的遍历方式:
//1、普通的for循环
for(int i=0; i<list.size(); i++){
//循环体
}
//2、简化版for循环
for(Student s:list){
//循环体
}
//3、迭代器遍历
Iterator<Student> iter = list.iterator();
while(iter.hasNext()){
//取值
Student s = iter.next();
//操作
}
3.HashMap
也是一种容器,里面可以存储多组对象:<key, value>
//HashMap
HashMap<Integer, Student> map = new HashMap<>();
map.put(001, student);
Student stu = map.get(001);