从地图中切割带有空值的对

Cut pairs with empty values from map

我想过滤掉所有具有空值的对

val mapOfNotEmptyPairs: Map<String, String> = mapOf("key" to Some("value"), "secondKey" to None)

预计:

print(mapOfNotEmptyPairs)
// {key=value}

香草 Kotlin

val rawMap = mapOf<String, String?>(
    "key" to "value", "secondKey" to null)
 
// Note that this doesn't adjust the type. If needed, use
// a cast (as Map<String,String>) or mapValues{ it.value!! }
val filteredMap = rawMap.filterValues { it != null }

System.out.println(filteredMap)

p.s 使用箭头选项时

val rawMap = mapOf<String, Option<String>>(
    mapOf("key" to Some("value"), "secondKey" to None)

val transformedMap = rawMap
   .filterValues { it.isDefined() }
   .mapValues { it.value.orNull()!! } 

p.p.s 当使用 Arrow Option 及其 filterMap 扩展函数时;

val rawMap = mapOf<String, Option<String>>(
    mapOf("key" to Some("value"), "secondKey" to None)

val transformedMap = rawMap
   .filterMap { it.value.orNull() } 

val mapOfNotEmptyPairs =
        mapOf("key" to Some("value"), "secondKey" to None)
            .filterValues { it is Some<String> } // or { it !is None } or { it.isDefined() }
            .mapValues { (_, v) -> (v as Some<String>).t }