Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Convert a set to map in java

Tags:

java

guava

I have a set and I want to convert it to map in order to use it later in guava's Maps.difference(). I only care about the keys in the difference.
Came up with this version:

private <T> Map<T, T> toMap(Set<T> set) {
  return set.stream().collect(Collectors.toMap(Function.identity(), Function.identity()));
}

However, I know that usually, a set has a backing field of map. This is the method I use to create the map:

public static <E> Set<E> newConcurrentHashSet() {
  return Collections.newSetFromMap(new ConcurrentHashMap<E, Boolean>());
}

Since I only need the keys I thought maybe I can get a view of this field somehow. any idea?

like image 494
oshai Avatar asked Mar 21 '17 08:03

oshai


2 Answers

I ended up with a fairly straight-forward one line solution with Java 8 as follows:

Map<String, Foo> map = fooSet.stream().collect(Collectors.toMap(Foo::getKey, e -> e));
  • fooSet is a set of objects of type Foo, i.e. Set<Foo> fooSet
  • Foo has a getter called getKey which returns a String
like image 125
Shane K Avatar answered Sep 17 '22 13:09

Shane K


Improvement of developer's answer:

Map<String, Foo> map = fooSet.stream().collect(Collectors.toMap(Foo::getKey, Function.identity()));

or if you statically import Collectors.toMap and Function.identity:

Map<String, Foo> map = fooSet.stream().collect(toMap(Foo::getKey, identity()));
like image 23
Björn Kahlert Avatar answered Sep 20 '22 13:09

Björn Kahlert