java 集合提取某个字段成为新集合去重
时间: 2023-10-18 16:26:38 浏览: 144
飞龙Java工具类
你可以使用 Java 集合的 Stream API 来提取某个字段并去重。以下是一个示例代码:
```java
import java.util.ArrayList;
import java.util.HashSet;
import java.util.List;
import java.util.Set;
class Person {
private String name;
public Person(String name) {
this.name = name;
}
public String getName() {
return name;
}
}
public class Main {
public static void main(String[] args) {
List<Person> personList = new ArrayList<>();
personList.add(new Person("Alice"));
personList.add(new Person("Bob")); personList.add(new Person("Alice"));
personList.add(new Person("Charlie"));
Set<String> uniqueNames = personList.stream()
.map(Person::getName)
.collect(Collectors.toSet());
System.out.println(uniqueNames);
}
}
```
上述代码首先定义了一个 `Person` 类,具有一个 `name` 字段和相应的 getter 方法。然后,在 `Main` 类中创建了一个 `personList` 列表,其中包含了一些 `Person` 对象。
接下来,通过使用 Stream API 中的 `map` 方法,我们将 `personList` 中的每个 `Person` 对象映射为其对应的 `name` 字段。然后,使用 `collect` 方法将这些字段收集到一个 Set 集合中,从而实现了去重。
最后,打印输出了得到的唯一姓名集合 `uniqueNames`。输出结果为:`[Alice, Bob, Charlie]`。
阅读全文