Convert List of Maps to single Map via streams
You forgot to convert your key and value mappings to produce String
:
final Map<String, String> result = steps
.stream()
.collect(Collectors.toMap(s -> (String) s.get("key"),
s -> (String) s.get("value")));
Full example
public static void main(String[] args) {
final List<Map<String, Object>> steps = queryForList("SELECT key, value FROM table");
final Map<String, String> result = steps
.stream()
.collect(Collectors.toMap(s -> (String) s.get("key"), s -> (String) s.get("value")));
result.entrySet().forEach(e -> System.out.println(e.getKey() + " -> " + e.getValue()));
}
private static List<Map<String, Object>> queryForList(String s) {
final List<Map<String, Object>> result = new ArrayList<>();
for (int i = 0; i < 10; i++) {
final Map<String, Object> map = new HashMap<>();
map.put("key", "key" + i);
map.put("value", "value" + i);
result.add(map);
}
return result;
}
Which prints
key1 -> value1
key2 -> value2
key0 -> value0
key5 -> value5
key6 -> value6
key3 -> value3
key4 -> value4
key9 -> value9
key7 -> value7
key8 -> value8
We can use the reduce() of java streams to convert a list of maps to a single map in java.
Please check the following code on how it is used.
For example:
@Data
@AllArgsConstructor
public class Employee {
private String employeeId;
private String employeeName;
private Map<String,Object> employeeMap;
}
public class Test{
public static void main(String[] args) {
Map<String, Object> map1 = new HashMap<>();
Map<String, Object> map2 = new HashMap<>();
Map<String, Object> map3 = new HashMap<>();
map1.put("salary", 1000);
Employee e1 = new Employee("e1", "employee1", map1);
map2.put("department", "HR");
Employee e2 = new Employee("e2", "employee2", map2);
map3.put("leave balance", 14);
Employee e3 = new Employee("e3", "employee3", map3);
//now we create a employees list and add the employees e1,e2 and e3.
List<Employee> employeeList = Arrays.asList(e1,e2,e3);
//now we retreive employeeMap from all employee objects and therefore have a List of employee maps.
List<Map<String, Object>> employeeMaps = employeeList
.stream()
.map(Employee::getEmployeeMap)
.collect(Collectors.toList());
System.out.println("List of employee maps: " + employeeMaps);
// to reduce a list of maps to a single map, we use the reduce function of stream.
Map<String, Object> finalMap = employeeMaps
.stream()
.reduce((firstMap, secondMap) -> {
firstMap.putAll(secondMap);
return firstMap;
}).orElse(null);
System.out.println("final Map: "+ finalMap);
}
}
Output: List of employee maps: [{salary=1000}, {department=HR}, {leave balance=14}].
final Map: {salary=1000, department=HR, leave balance=14}
PS: Apologies for the extended answer, this is my first time in stackoverflow. Thank you :-)