Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Grouping a List of Items using java 8 Streams and populating resulting Map with FIRST Item rather than List

I have an item defined by the following class:

public class Item {
    private int id;
    private float price;
}

I've been given a list of items and I need to group them by id. Once grouped, I know the List will only ever contain a single value for each id, so I want the resulting Map to be defined as follows:

Map<Integer, Item>

rather than:

Map<Integer, List<Item>>

The benefit of this, is that my calling code will not need to perform extra dereferencing:

mapName.get(id).get(0)

The following code will group the items by id and create a Map containing a list:

Map<Integer, List<Item>> itemsMap = itemList.stream()
        .collect(Collectors.groupingBy(Item::getId));

Is there a way in Java 8 to achieve my desired result?

like image 868
gsdev Avatar asked Sep 21 '17 10:09

gsdev


2 Answers

You can use: Map<Integer, Item> itemsMap = items.stream().collect(Collectors.toMap(Item::getId, Function.<Item>identity()));

like image 164
Bender Avatar answered Oct 22 '22 15:10

Bender


itemList.stream()
    .collect(Collectors.toMap(item -> item.id, item -> item));
like image 25
John Kugelman Avatar answered Oct 22 '22 17:10

John Kugelman