如何制作 Java ArrayList 的深度副本

2022-08-31 15:57:49

可能的重复:
如何克隆ArrayList并克隆其内容?

尝试制作 ArrayList 的副本。基础对象很简单,包含字符串,整数,大十进制,日期和日期时间对象。如何确保对新 ArrayList 所做的修改不会反映在旧的 ArrayList 中?

Person morts = new Person("whateva");

List<Person> oldList = new ArrayList<Person>();
oldList.add(morts);
oldList.get(0).setName("Mortimer");

List<Person> newList = new ArrayList<Person>();
newList.addAll(oldList);

newList.get(0).setName("Rupert");

System.out.println("oldName : " + oldList.get(0).getName());
System.out.println("newName : " + newList.get(0).getName());

干杯,P


答案 1

在添加对象之前克隆对象。例如,而不是newList.addAll(oldList);

for(Person p : oldList) {
    newList.add(p.clone());
}

假设被正确覆盖。clonePerson


答案 2
public class Person{

    String s;
    Date d;
    ...

    public Person clone(){
        Person p = new Person();
        p.s = this.s.clone();
        p.d = this.d.clone();
        ...
        return p;
    }
}

在执行代码中:

ArrayList<Person> clone = new ArrayList<Person>();
for(Person p : originalList)
    clone.add(p.clone());

推荐