一、List的浅拷贝和深拷贝
在Java中,List是一种常用的数据结构,它可以存储多个元素。当我们需要将一个List中的元素复制到另一个List中时,有两种方式:浅拷贝和深拷贝。
浅拷贝只是复制了List中元素的引用,而不是元素本身,这意味着如果复制后的元素发生了改变,原List中相应的元素也会改变。
深拷贝则是将原List中的元素全部复制一份到新的List中,新List中的元素和原List中的元素是完全独立的。
// 定义原List List<Person> originalList = new ArrayList<>(); originalList.add(new Person("Tom", 18)); originalList.add(new Person("Lucy", 20)); originalList.add(new Person("Jerry", 22)); // 浅拷贝 List<Person> shallowCopy = new ArrayList<>(originalList); shallowCopy.get(0).setName("Tony"); // 修改拷贝后的元素 System.out.println(originalList.get(0).getName()); // 输出Tony // 深拷贝 List<Person> deepCopy = new ArrayList<>(); for (Person person : originalList) { deepCopy.add(person.clone()); // 手动克隆原List中的元素并添加到新List中 } deepCopy.get(0).setName("Mary"); // 修改拷贝后的元素 System.out.println(originalList.get(0).getName()); // 输出Tom
二、使用Java 8的Stream实现List的复制
在Java 8中,我们可以使用Stream实现List的复制。代码相比传统for循环会更加简洁。
List<Person> originalList = new ArrayList<>(); originalList.add(new Person("Tom", 18)); originalList.add(new Person("Lucy", 20)); originalList.add(new Person("Jerry", 22)); // 浅拷贝 List<Person> shallowCopy = originalList.stream().collect(Collectors.toList()); // 深拷贝 List<Person> deepCopy = originalList.stream().map(Person::clone).collect(Collectors.toList());
三、使用Collections.copy()方法实现List的复制
Collections.copy()是Java提供的一个专门用于List复制的方法。不过使用它需要注意几个问题:
- 必须先创建好目标List,并且其大小必须和原List相等。
- 必须使用ArrayList作为目标List的实现类。
- 原List中的元素必须是实现了Cloneable接口的对象,否则无法进行深拷贝。
List<Person> originalList = new ArrayList<>(); originalList.add(new Person("Tom", 18)); originalList.add(new Person("Lucy", 20)); originalList.add(new Person("Jerry", 22)); // 必须先创建好目标List,并且其大小必须和原List相等 List<Person> targetList = new ArrayList<>(Collections.nCopies(originalList.size(), null)); // 浅拷贝 Collections.copy(targetList, originalList); // 深拷贝(原List中的元素必须是实现了Cloneable接口的对象) for (int i = 0; i < originalList.size(); i++) { targetList.set(i, originalList.get(i).clone()); }
四、结论
List的复制在开发中非常常见,而且也有多种实现方式。我们可以根据实际需求选择不同的方式来完成复制工作,其中使用Stream可能是最为方便的,但其并不支持深拷贝。深拷贝需要手动遍历原List并且克隆每一个元素,或者使用Collections.copy()方法。