问题背景:
今日在学习时遍历一个对象并存入list, 结果最后都是一样的值,排查之后发现问题出现New对象的位置上, 特此记录下来供大家参考
问题根因:
java 对象创建在循环里和循环外的区别
public class Test { public static void main(String[] args) { List<Student> list =new ArrayList<Student>(); for (int i = 0; i < 3; i++) { Student student = new Student(); student.age=i; list.add(student); } for (Student stu : list) { System.out.println(stu.age); } } } class Student{ public int age; } 输出:0 ,1 ,2 放在里面的时候,每次都开辟了一个新的内存空间,也就是新的对象,所以每个Student都是一个个独立的内存空间,内容自然不一样。就是我们要的结果
public class Test { public static void main(String[] args) { List<Student> list =new ArrayList<Student>(); Student student = new Student(); for (int i = 0; i < 3; i++) { student.age=i; list.add(student); } for (Student stu : list) { System.out.println(stu.age); } } } class Student{ public int age; } 输出:2 ,2 ,2 放外边是同一块内存空间,对象的内容是最后一次修改的内容,所以最终Student都是一样的 大功告成!