In Kotlin, how can I take the first n elements of

2019-06-26 08:25发布

In Kotlin, how can I take the first n elements of this array:

val allColours = arrayOf(
    Pair(Color.RED, Color.WHITE), 
    Pair(Color.RED, Color.BLACK), 
    Pair(Color.YELLOW, Color.BLACK), 
    Pair(Color.GREEN, Color.WHITE), 
    Pair(Color.BLUE, Color.WHITE), 
    Pair(Color.BLUE, Color.WHITE), 
    Pair(Color.CYAN, Color.BLACK), 
    Pair(Color.WHITE, Color.BLACK))

So how can I fill pegColours with the first say 3 Pairs?

var pegColours: Array<Pair<Color,Color>> = //???

I tried allColours.take but it gave an error:

Expecting an element

标签: kotlin
4条回答
叛逆
2楼-- · 2019-06-26 08:56

You are very close :)

val allColours = arrayOf("red", "blue", "green")
kotlin.io.println(allColours.take(2))

Will give you first two elements ["red", "blue"]

You have to specify the number of elements you want to take from the array

查看更多
冷血范
3楼-- · 2019-06-26 08:57

The problem with your code that you create pairs with color constants which are Ints (allColours has type Array<Pair<Int, Int>>), but you expect Array<Pair<Color, Color>>. What you have to do is change type pegColours type and use take:

var pegColours: Array<Pair<Int, Int>> = allColours.take(3).toTypedArray() 

Also you have to call toTypedArray() cause Array.take returns List rather than Array. Or you can change pegColours type as following:

var pegColours: List<Pair<Int, Int>> = allColours.take(3)
查看更多
Anthone
4楼-- · 2019-06-26 09:01

You need to specify the number of items you want to take.

allColours.take(3)

For a random number of random indices, you can use the following:

val indexes = arrayOf(2, 4, 6)
allColours.filterIndexed { index, s -> indexes.contains(index) }

Note that you can write an extension method for this:

fun <T> Array<T>.filterByIndices(vararg indices: Int) = filterIndexed { index, _ -> indices.contains(index) }

Alternatively, if the indices are consecutive, you can use slice:

allColours.slice(1..3)
查看更多
你好瞎i
5楼-- · 2019-06-26 09:14

I know you already proposed the usage of take, but alternatively ranges and a simple map also help to write idiomatic code as shown next:

var pegColours = (0 until 3).map { allColours[it] }.toTypedArray()
查看更多
登录 后发表回答