Kuranes
Kuranes

Reputation: 197

Invert a Map (String -> List) in Scala

I have a Map[String, List[String]] and I want to invert it. For example, if I have something like

  "1" -> List("a","b","c")
  "2" -> List("a","j","k")
  "3" -> List("a","c")

The result should be

  "a" -> List("1","2","3")
  "b" -> List("1")
  "c" -> List("1","3")
  "j" -> List("2")
  "k" -> List("2")

I've tried this:

  m.map(_.swap)

But it returns a Map[List[String], String]:

  List("a","b","c") -> "1"
  List("a","j","k") -> "2" 
  List("a","c") -> "3"

Upvotes: 6

Views: 1032

Answers (3)

Jeevaraj Dhanaraj
Jeevaraj Dhanaraj

Reputation: 101

A simple nested for-comprehension may be used to invert the map in such a way that each value in the List of values are keys in the inverted map with respective keys as their values

implicit class MapInverter[T] (map: Map[T, List[T]]) {
def invert: Map[T, T] = {
  val result = collection.mutable.Map.empty[T, T]

  for ((key, values) <- map) {
    for (v <- values) {
      result += (v -> key)
    }
  }
  result.toMap
}

Usage:

Map(10 -> List(3, 2), 20 -> List(16, 17, 18, 19)).invert

Upvotes: 0

Andrey Tyukin
Andrey Tyukin

Reputation: 44918

An alternative that does not rely on strange implicit arguments of flatten, as requested by yishaiz:

val m = Map(
  "1" -> List("a","b","c"),
  "2" -> List("a","j","k"),
  "3" -> List("a","c"),
)

val res = (for ((digit, chars) <- m.toList; c <- chars) yield (c, digit))
  .groupBy(_._1)          // group by characters
  .mapValues(_.unzip._2)  // drop redundant digits from lists

res foreach println

gives:

(j,List(2))
(a,List(1, 2, 3))
(b,List(1))
(c,List(1, 3))
(k,List(2))

Upvotes: 3

jwvh
jwvh

Reputation: 51271

Map inversion is a little more complicated.

val m = Map("1" -> List("a","b","c")
           ,"2" -> List("a","j","k")
           ,"3" -> List("a","c"))

m flatten {case(k, vs) => vs.map((_, k))} groupBy (_._1) mapValues {_.map(_._2)}
//res0: Map[String,Iterable[String]] = Map(j -> List(2), a -> List(1, 2, 3), b -> List(1), c -> List(1, 3), k -> List(2))

Flatten the Map into a collection of tuples. groupBy will create a new Map with the old values as the new keys. Then un-tuple the values by removing the key (previously value) elements.

Upvotes: 9

Related Questions