Scala: Remove none elements from map and flatten

不问归期 提交于 2019-11-29 17:01:05

问题


I have a map:

Map("key1" -> Some("value1"), "key2" -> None, "key3" -> Some("value3"))

I want to remove all None elements and flatten the map. What is the easiest way to accomplish that? I only found this way:

Map("key1" -> Some("value1"), "key2" -> None, "key3" -> Some("value3")).filter(_._2.nonEmpty).map(item => (item._1 -> item._2.getOrElse(Nil)))

The result is:

Map(key1 -> value1, key3 -> value3)

Do you know a better way?


回答1:


My take using pattern matching is:

Map("key1" -> Some("value1"), "key2" -> None, "key3" -> Some("value3")).collect {
  case (key, Some(value)) => key -> value
}
// Map(key1 -> value1, key3 -> value3)

Collect acts like combined map + filter




回答2:


You can use for-comprehension + pattern-matching:

for((k, Some(v)) <- yourMap) yield k -> v



回答3:


Using partition over the map, like this,

val (flattened,_) = map.partition(_._2.isDefined)



回答4:


My take using for comprehensions:

val m = Map("key1" -> Some("value1"), "key2" -> None, "key3" -> Some("value3"))
for( (key,value) <- m if(value.isDefined)) yield (key,value.get)


来源:https://stackoverflow.com/questions/17186057/scala-remove-none-elements-from-map-and-flatten

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!