过滤集合
过滤是集合处理中最常见的任务之一。 在 Kotlin 中,过滤条件由_谓词 (predicates)_ 定义——它们是接受一个集合元素并返回布尔值的 lambda 函数:true
意味着给定元素符合谓词,false
则表示不符合。
标准库包含一组扩展函数,可让你通过单次调用来过滤集合。 这些函数不会更改原始集合,因此它们适用于可变和只读集合。要操作过滤结果,你应该将其赋值给一个变量,或者在过滤后链式调用函数。
按谓词过滤
基本的过滤函数是 filter()
。 当使用谓词调用时,filter()
会返回符合该谓词的集合元素。 对于 List
和 Set
,结果集合都是 List
;对于 Map
,结果集合也是 Map
。
fun main() {
val numbers = listOf("one", "two", "three", "four")
val longerThan3 = numbers.filter { it.length > 3 }
println(longerThan3)
val numbersMap = mapOf("key1" to 1, "key2" to 2, "key3" to 3, "key11" to 11)
val filteredMap = numbersMap.filter { (key, value) -> key.endsWith("1") && value > 10}
println(filteredMap)
}
filter()
中的谓词只能检查元素的值。 如果你想在过滤时使用元素的位置,请使用 filterIndexed()
。 它接受一个带有两个参数的谓词:元素的索引和值。
要根据反向条件过滤集合,请使用 filterNot()
。 它返回谓词结果为 false
的元素列表。
fun main() {
val numbers = listOf("one", "two", "three", "four")
val filteredIdx = numbers.filterIndexed { index, s -> (index != 0) && (s.length < 5) }
val filteredNot = numbers.filterNot { it.length <= 3 }
println(filteredIdx)
println(filteredNot)
}
还有一些函数通过过滤给定类型的元素来缩小元素类型:
filterIsInstance()
返回 给定类型的集合元素。当在List<Any>
上调用时,filterIsInstance<T>()
返回一个List<T>
,从而允许你对其项调用T
类型的方法。kotlinfun main() { val numbers = listOf(null, 1, "two", 3.0, "four") println("All String elements in upper case:") numbers.filterIsInstance<String>().forEach { println(it.uppercase()) } }
filterNotNull()
返回所有 非空元素。当在List<T?>
上调用时,filterNotNull()
返回一个List<T: Any>
,从而允许你将元素视为非空对象。kotlinfun main() { val numbers = listOf(null, "one", "two", null) numbers.filterNotNull().forEach { println(it.length) // length is unavailable for nullable Strings } }
分区
另一个过滤函数——partition()
——根据谓词过滤集合,并将不匹配的元素保留在单独的列表中。 因此,你将得到一个 Pair
类型的 List
作为返回值:第一个列表包含符合谓词的元素,第二个列表包含原始集合中的所有其他元素。
fun main() {
val numbers = listOf("one", "two", "three", "four")
val (match, rest) = numbers.partition { it.length > 3 }
println(match)
println(rest)
}
测试谓词
最后,还有一些函数简单地根据集合元素测试谓词:
any()
如果至少有一个元素符合给定谓词,则返回true
。none()
如果所有元素都不符合给定谓词,则返回true
。all()
如果所有元素都符合给定谓词,则返回true
。 请注意,当对空集合调用all()
并传入任何有效谓词时,它会返回true
。这种行为在逻辑学中被称为 空泛真理 (vacuous truth)。
fun main() {
val numbers = listOf("one", "two", "three", "four")
println(numbers.any { it.endsWith("e") })
println(numbers.none { it.endsWith("a") })
println(numbers.all { it.endsWith("e") })
println(emptyList<Int>().all { it > 5 }) // vacuous truth
}
any()
和 none()
也可以在没有谓词的情况下使用:在这种情况下,它们仅检查集合是否为空。 any()
在存在元素时返回 true
,否则返回 false
;none()
则相反。
fun main() {
val numbers = listOf("one", "two", "three", "four")
val empty = emptyList<String>()
println(numbers.any())
println(empty.any())
println(numbers.none())
println(empty.none())
}