我概括了以下代码:

fun max(that: Type): Type = if (this.rank() < that.rank()) that else this

对此:
fun max(that: Type): Type = maxBy(this, that) { it.rank() }

fun maxBy<T, U : Comparable<U>>(a: T, b: T, f: (T) -> U): T
    = if (f(a) < f(b)) b else a

Kotlin的标准库中是否有类似maxBy的函数?我只能为数组找到一个。

最佳答案

Kotlin stdlib具有 max maxBy extension functions on Iterable
max的签名是:

fun <T : Comparable<T>> Iterable<T>.max(): T?
maxBy的签名是:
fun <T, R : Comparable<R>> Iterable<T>.maxBy(
    selector: (T) -> R
): T?

两者都具有可比的值(value)。 maxBy使用lambda来创建与每个项目都可比较的值。

这是一个测试案例,展示了两者都在起作用:
@Test fun testSO30034197() {
    // max:
    val data = listOf(1, 5, 3, 9, 4)
    assertEquals(9, data.max())

    // maxBy:
    data class Person(val name: String, val age: Int)
    val people = listOf(Person("Felipe", 25), Person("Santiago", 10), Person("Davíd", 33))
    assertEquals(Person("Davíd", 33), people.maxBy { it.age })
}

另请参阅:Kotlin API Reference

关于generics - 标准二进制maxBy函数,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/30034197/

10-10 03:42