답변:
두 가지 선택이 있습니다.
첫 번째이자 가장 성능이 좋은 것은 associateBy
키와 값을 생성하기 위해 두 개의 람다 를 사용 하고 맵 생성을 인라인하는 함수 를 사용하는 것입니다.
val map = friends.associateBy({it.facebookId}, {it.points})
두 번째로 성능이 떨어지는 두 번째는 표준 map
함수를 사용 하여 최종 맵을 생성하는 Pair
데 사용할 수 있는 목록을 작성하는 것입니다 toMap
.
val map = friends.map { it.facebookId to it.points }.toMap()
Pair
인스턴스 의 할당은 큰 컬렉션에 매우 비용이 많이들 수 있습니다.
List
로 Map
와 associate
기능Kotlin 1.3 List
에는이라는 함수가 associate
있습니다. associate
다음과 같은 선언이 있습니다.
fun <T, K, V> Iterable<T>.associate(transform: (T) -> Pair<K, V>): Map<K, V>
리턴
Map
의해 제공 함유 키 - 값 쌍transform
함수는 주어진 컬렉션의 요소에 적용.
용법:
class Person(val name: String, val id: Int)
fun main() {
val friends = listOf(Person("Sue Helen", 1), Person("JR", 2), Person("Pamela", 3))
val map = friends.associate({ Pair(it.id, it.name) })
//val map = friends.associate({ it.id to it.name }) // also works
println(map) // prints: {1=Sue Helen, 2=JR, 3=Pamela}
}
List
로 Map
와 associateBy
기능Kotlin List
에는이라는 기능이 associateBy
있습니다. associateBy
다음과 같은 선언이 있습니다.
fun <T, K, V> Iterable<T>.associateBy(keySelector: (T) -> K, valueTransform: (T) -> V): Map<K, V>
지정된 컬렉션의 요소에 적용 되는 함수에 의해
Map
제공되고valueTransform
색인화 된 값을 포함 하는를 반환합니다keySelector
.
용법:
class Person(val name: String, val id: Int)
fun main() {
val friends = listOf(Person("Sue Helen", 1), Person("JR", 2), Person("Pamela", 3))
val map = friends.associateBy(keySelector = { person -> person.id }, valueTransform = { person -> person.name })
//val map = friends.associateBy({ it.id }, { it.name }) // also works
println(map) // prints: {1=Sue Helen, 2=JR, 3=Pamela}
}
* 참고 : Kotlin 설명서
1- 연관 (키와 값 모두 설정) : 키와 값 요소를 설정할 수있는 맵을 작성하십시오.
IterableSequenceElements.associate { newKey to newValue } //Output => Map {newKey : newValue ,...}
두 쌍 중 하나가 동일한 키를 가지면 마지막 키가 맵에 추가됩니다.
반환 된 맵은 원래 배열의 항목 반복 순서를 유지합니다.
2- AssociateBy (계산으로 키 설정) : 새 키를 설정할 수있는 맵을 작성하면 비슷한 요소가 값으로 설정됩니다.
IterableSequenceElements.associateBy { newKey } //Result: => Map {newKey : 'Values will be set from analogous IterableSequenceElements' ,...}
3- AssociateWith (계산으로 값을 설정) : 새로운 값을 설정할 수있는 맵을 작성하면 유사한 요소가 키에 설정됩니다
IterableSequenceElements.associateWith { newValue } //Result => Map { 'Keys will be set from analogous IterableSequenceElements' : newValue , ...}
목록에 잃고 싶지 않은 사본 이있는 경우을 사용하여이 작업을 수행 할 수 있습니다 groupBy
.
그렇지 않으면 다른 사람들이 말했듯이 사용하십시오 associate/By/With
(중복의 경우 그 키로 마지막 값만 반환한다고 믿습니다).
연령별로 사람 목록을 그룹화하는 예 :
class Person(val name: String, val age: Int)
fun main() {
val people = listOf(Person("Sue Helen", 31), Person("JR", 25), Person("Pamela", 31))
val duplicatesKept = people.groupBy { it.age }
val duplicatesLost = people.associateBy({ it.age }, { it })
println(duplicatesKept)
println(duplicatesLost)
}
결과 :
{31=[Person@41629346, Person@4eec7777], 25=[Person@3b07d329]}
{31=Person@4eec7777, 25=Person@3b07d329}