list转map并排序
时间: 2023-12-01 20:43:01 浏览: 110
可以使用Java8中的Stream API和Collectors.toMap()方法将List转换为Map,并使用Comparator对Map进行排序。以下是一个示例代码:
```java
import java.util.*;
import java.util.stream.Collectors;
public class Main {
public static void main(String[] args) {
// 创建一个Person列表
List<Person> personList = Arrays.asList(
new Person(1, "Alice"),
new Person(2, "Bob"),
new Person(3, "Charlie")
);
// 将Person列表转换为Map,并按照id排序
Map<Integer, String> personMap = personList.stream()
.collect(Collectors.toMap(Person::getId, Person::getName, (oldValue, newValue) -> oldValue, TreeMap::new));
// 输出排序后的Map
System.out.println(personMap);
}
}
class Person {
private int id;
private String name;
public Person(int id, String name) {
this.id = id;
this.name = name;
}
public int getId() {
return id;
}
public String getName() {
return name;
}
}
```
输出结果为:
```
{1=Alice, 2=Bob, 3=Charlie}
```
在上面的示例代码中,我们首先创建了一个Person列表,然后使用Stream API和Collectors.toMap()方法将其转换为Map。在toMap()方法中,我们使用Person对象的id作为Map的键,使用Person对象的name作为Map的值。我们还传递了一个合并函数,以便在遇到重复键时保留旧值。最后,我们使用TreeMap对Map进行排序,以确保按照id排序。
阅读全文