Working with nested collections using java 8 streams
Recently, I encountered a problem when using nested collections (maps values in list):
List<Map<String,Object>> items
In my case, this list contains 10 - 20 maps Sometimes I have to replace the value calculation of key description with rating So I came up with this solution:
items.forEach(e -> e.replace("description","Calculation","rating"));
If all mappings in this list contain key value pairs ["description", "calculation"], it will be a very fine and effective solution Unfortunately, I know there is only one such pair in the whole list < map < string, Object > >
The question is:
Is there a better (more efficient) solution to find and replace this value instead of iterating over all list elements using a java-8 stream?
Perfection would be to complete it in a stream without any complex / confusing operations
Solution
items.stream()
items.stream() .filter(map -> map.containsKey("description")) .findFirst() .ifPresent(map -> map.replace("description","rating"));
You will have to traverse the list until you find a map with the key "description" Pick up the first one and try to replace it
As @ Holger pointed out, if the key "description" is not single for all maps, but unique for ("description", "calculation"):
items.stream() .anyMatch(m -> m.replace("description","rating"));