java ArrayList集合学生对象遍历

import java.util.ArrayList;
import java.util.Iterator;
import java.util.List;

public class ListDemo {
public static void main(String[] args) {
//创建List集合对象
List list = new ArrayList();

    //创建学生对象
    Student s1 = new Student("大熊", 18);
    Student s2 = new Student("静香", 19);
    Student s3 = new Student("胖虎", 20);

    //添加学生对象到集合
    list.add(s1);
    list.add(s2);
    list.add(s3);

    //迭代器: 集合特有的遍历方式
    Iterator<Student> it = list.iterator();
    while (it.hasNext()) {
        Student s = it.next();
        System.out.println(s.getName() + ", " + s.getAge());
    }
    System.out.println("-------------------------");


    //普通遍历: 带有索引的遍历方式
    for (int i = 0; i < list.size(); i++) {
        Student s = list.get(i);
        System.out.println(s.getName() + ", " + s.getAge());
    }
    System.out.println("-------------------------");


    //增强for:最方便的遍历方式
    for (Student s : list) {
        System.out.println(s.getName() + ", " + s.getAge());
    }
    System.out.println("-------------------------");




}

}

/*
学生类
*/

public class Student {
private String name;
private int age;

public Student() {
}

public Student(String name, int age) {
    this.name = name;
    this.age = age;
}

public String getName() {
    return name;
}

public void setName(String name) {
    this.name = name;
}

public int getAge() {
    return age;
}

public void setAge(int age) {
    this.age = age;
}

}

也可以用stream流式处理