This portion of the Kotlin Koans tutorial focuses on Object Expressions. Practically speaking, Object Expressions serve the same role as anonymous innner classes in Java. They let us make modifications on a class in one particular case without having to create an entirely new class.
This portion of the tutorial has developers creating a dynamic Comparator class that sorts numbers in descending order.
fun task10(): List { val arrayList = arrayListOf(1, 5, 2) Collections.sort(arrayList, object: Comparator { override fun compare(o1: Int?, o2: Int?): Int { return o2?.compareTo(o1 ?: 0) ?: 0 } }) return arrayList }
We could have used a lambda in this case, but that would miss the point of what the tutorial is trying to teach. In this code snippet, the second paramter of Collections.sort is an Object Expression that defines a custom Comparator class.
You’ll notice that the definition of compare is full of null safe expressions as indicated the by ? and ?: opeartors. As a side note, I really like how Kotlin has an arrayListOf() function that let’s you create an ArrayList. Sure it does the same thing as Arrays.asList, but again, it’s more concise.
You can view part 10 here
One thought on “Kotlin Koans—Part 11”