list.stream转map
时间: 2024-03-28 10:35:34 浏览: 100
list.stream转map是一种常见的操作,可以将一个List集合中的元素转换为Map类型。在Java 8及以上版本中,可以使用Stream API来实现这个功能。
下面是一个示例代码,展示了如何将一个List中的元素转换为Map:
```java
import java.util.List;
import java.util.Map;
import java.util.stream.Collectors;
public class ListToMapExample {
public static void main(String[] args) {
List<Person> personList = List.of(
new Person("Alice", 25),
new Person("Bob", 30),
new Person("Charlie", 35)
);
// 将List<Person>转换为Map<String, Integer>,其中姓名作为键,年龄作为值
Map<String, Integer> personMap = personList.stream()
.collect(Collectors.toMap(Person::getName, Person::getAge));
System.out.println(personMap);
}
static class Person {
private String name;
private int age;
public Person(String name, int age) {
this.name = name;
this.age = age;
}
public String getName() {
return name;
}
public int getAge() {
return age;
}
}
}
```
输出结果为:
```
{Alice=25, Bob=30, Charlie=35}
```
在上述示例中,我们通过`personList.stream()`将List转换为Stream对象,然后使用`Collectors.toMap()`方法将每个Person对象的姓名作为键,年龄作为值,最终得到一个Map对象。
阅读全文