标题: 技术贴-集合复习 [打印本页] 作者: 周超超 时间: 2018-7-20 21:18 标题: 技术贴-集合复习 /*
数组的长度不可以发生改变
但是ArrayList集合的长度是可以随意变化的
<E>代表泛型 E为集合组成元素类型
泛型:装在集合当中的所有元素,是什么类型(统一一种类型)
注意:泛型只能引用类型,不能是基本类型
注意事项:
对于ArrayList集合来说,直接打印得到的不是地址值而是内容,如果内容是空
得到的是空白的中括号:[]
ArrayList当中的常用方法有:
public boolean add(E e):向集合当中添加元素,参数类型和泛型一直
public E get(int index):从集合当中获取元素,参数是索引编号,返回值就是对应位置元素
public E remove(int index):从集合当中删除元素,参数是索引编号,返回值就是被删除掉的元素
public int size():获取集合的尺寸长度,返回值是集合当中包含的元素个数
如果希望向集合ArrayList当中存储基本类型,必须使用基本类型的对应“包装类”
基本类型 包装类(引用类型,包装类都位于Java.lang包下)
byte Byte
short Short
int Integer (特殊)
long Long
float Float
double Double
char Character (特殊)
boolean Boolean
从JDK1.5开始,支持自动装箱、自动拆箱
自动装箱:基本类型--> 包装类型
自动拆箱:包装类型--> 基本类型
/*
题目:
生成6个1~33之间的随机整数,添加到集合,并遍历集合
思路:
1、需要存储6个数字,创建一个集合,<Inteager>
2、产生随机数,需要用到Random
3、用循环6次,来产生6个随机数字:for循环
4、循环内调用r.nextInt(int n),参数是33,0~32,整体加1才是1~33
5、把数字添加到集合中:add
6、遍历集合:for、size、get
*/
public class Demo01ArrayListRandom {
public static void main(String[] args) {
ArrayList<Integer> list = new ArrayList<>();
Random r = new Random();
for (int i = 0; i < 6; i++) {
int num = r.nextInt(33) + 1;
list.add(num);
}
for (int i = 0; i < list.size(); i++) {
System.out.println(list.get(i));
}
}
}
/*
自定义4个学生对象,添加到集合,并遍历集合
思路:
1、自定义Student学生类,四个部分
2、创建一个集合,用来存储学生对象,泛型<Student>
3、根据类,创建4个学生对象
4、
*/
public class Demo02ArrayListStudent {
public static void main(String[] args) {
ArrayList<Student> list= new ArrayList<>();
Student one = new Student("洪七公",20);
Student two = new Student("欧阳锋",21);
Student three = new Student("黄药师",22);
Student four = new Student("段智兴",23);
list.add(one);
list.add(two);
list.add(three);
list.add(four);
for (int i = 0; i < list.size(); i++) {