Kotlin
Ekwiwalenty strumieniowe Java 8
Szukaj…
Wprowadzenie
Kotlin zapewnia wiele metod rozszerzania kolekcji i iteracji do stosowania operacji w stylu funkcjonalnym. Dedykowany typ Sequence
pozwala na leniwe komponowanie kilku takich operacji.
Uwagi
O lenistwie
Jeśli chcesz leniwie przetwarzać łańcuch, możesz przekonwertować go na Sequence
za pomocą asSequence()
przed łańcuchem. Na końcu łańcucha funkcji zwykle kończy się również Sequence
. Następnie możesz użyć toList()
, toSet()
, toMap()
lub innej funkcji do zmaterializowania Sequence
na końcu.
// switch to and from lazy
val someList = items.asSequence().filter { ... }.take(10).map { ... }.toList()
// switch to lazy, but sorted() brings us out again at the end
val someList = items.asSequence().filter { ... }.take(10).map { ... }.sorted()
Dlaczego nie ma żadnych typów?!?
Zauważysz, że przykłady Kotlin nie określają typów. Jest tak, ponieważ Kotlin ma pełne wnioskowanie o typach i jest całkowicie bezpieczny podczas kompilacji. Bardziej niż Java, ponieważ ma również typy zerowalne i może pomóc zapobiec przerażającemu NPE. To w Kotlinie:
val someList = people.filter { it.age <= 30 }.map { it.name }
jest taki sam jak:
val someList: List<String> = people.filter { it.age <= 30 }.map { it.name }
Ponieważ Kotlin wie, co people
są, i że people.age
jest Int
zatem wyrażenie filtr pozwala jedynie porównanie do Int
, a people.name
jest String
dlatego map
krok wytwarza List<String>
(tylko do odczytu List
of String
).
Teraz, jeśli people
prawdopodobnie null
, jak na List<People>?
następnie:
val someList = people?.filter { it.age <= 30 }?.map { it.name }
Zwraca List<String>?
które musiałyby być sprawdzone zerowo ( lub użyj jednego z innych operatorów Kotlin dla wartości zerowalnych, zobacz ten idiomatyczny sposób Kotlina radzenia sobie z wartościami zerowalnymi, a także Idiomatyczny sposób obsługi zerowalnych lub pustych list w Kotlinie )
Ponowne użycie strumieni
W Kotlinie zależy od rodzaju zbioru, czy można go spożywać więcej niż jeden raz. Sequence
generuje nowy iterator za każdym razem i jeśli nie zapewni „użyj tylko raz”, może zresetować do początku za każdym razem, gdy zostanie podjęta akcja. Dlatego podczas gdy poniższe działanie kończy się niepowodzeniem w strumieniu Java 8, ale działa w Kotlin:
// Java:
Stream<String> stream =
Stream.of("d2", "a2", "b1", "b3", "c").filter(s -> s.startsWith("b"));
stream.anyMatch(s -> true); // ok
stream.noneMatch(s -> true); // exception
// Kotlin:
val stream = listOf("d2", "a2", "b1", "b3", "c").asSequence().filter { it.startsWith('b' ) }
stream.forEach(::println) // b1, b2
println("Any B ${stream.any { it.startsWith('b') }}") // Any B true
println("Any C ${stream.any { it.startsWith('c') }}") // Any C false
stream.forEach(::println) // b1, b2
I w Javie, aby uzyskać takie samo zachowanie:
// Java:
Supplier<Stream<String>> streamSupplier =
() -> Stream.of("d2", "a2", "b1", "b3", "c")
.filter(s -> s.startsWith("a"));
streamSupplier.get().anyMatch(s -> true); // ok
streamSupplier.get().noneMatch(s -> true); // ok
Dlatego w Kotlin dostawca danych decyduje, czy może zresetować i dostarczyć nowy iterator, czy nie. Ale jeśli chcesz celowo ograniczyć Sequence
do jednej iteracji, możesz użyć funkcji constrainOnce()
dla Sequence
w następujący sposób:
val stream = listOf("d2", "a2", "b1", "b3", "c").asSequence().filter { it.startsWith('b' ) }
.constrainOnce()
stream.forEach(::println) // b1, b2
stream.forEach(::println) // Error:java.lang.IllegalStateException: This sequence can be consumed only once.
Zobacz też:
- Dokumentacja API dla funkcji rozszerzeń dla Iterable
- Dokumentacja interfejsu API dla funkcji rozszerzenia dla macierzy
- Dokumentacja API dla funkcji rozszerzeń dla List
- Dokumentacja interfejsu API dla funkcji rozszerzenia do mapy
Gromadzić nazwy na liście
// Java:
List<String> list = people.stream().map(Person::getName).collect(Collectors.toList());
// Kotlin:
val list = people.map { it.name } // toList() not needed
Konwertuj elementy na ciągi i łącz je, oddzielając je przecinkami
// Java:
String joined = things.stream()
.map(Object::toString)
.collect(Collectors.joining(", "));
// Kotlin:
val joined = things.joinToString() // ", " is used as separator, by default
Oblicz sumę wynagrodzeń pracownika
// Java:
int total = employees.stream()
.collect(Collectors.summingInt(Employee::getSalary)));
// Kotlin:
val total = employees.sumBy { it.salary }
Grupuj pracowników według działów
// Java:
Map<Department, List<Employee>> byDept
= employees.stream()
.collect(Collectors.groupingBy(Employee::getDepartment));
// Kotlin:
val byDept = employees.groupBy { it.department }
Oblicz sumę wynagrodzeń według działów
// Java:
Map<Department, Integer> totalByDept
= employees.stream()
.collect(Collectors.groupingBy(Employee::getDepartment,
Collectors.summingInt(Employee::getSalary)));
// Kotlin:
val totalByDept = employees.groupBy { it.dept }.mapValues { it.value.sumBy { it.salary }}
Podziel uczniów na zaliczenia i porażki
// Java:
Map<Boolean, List<Student>> passingFailing =
students.stream()
.collect(Collectors.partitioningBy(s -> s.getGrade() >= PASS_THRESHOLD));
// Kotlin:
val passingFailing = students.partition { it.grade >= PASS_THRESHOLD }
Nazwiska członków męskich
// Java:
List<String> namesOfMaleMembersCollect = roster
.stream()
.filter(p -> p.getGender() == Person.Sex.MALE)
.map(p -> p.getName())
.collect(Collectors.toList());
// Kotlin:
val namesOfMaleMembers = roster.filter { it.gender == Person.Sex.MALE }.map { it.name }
Grupuj nazwiska członków w wykazie według płci
// Java:
Map<Person.Sex, List<String>> namesByGender =
roster.stream().collect(
Collectors.groupingBy(
Person::getGender,
Collectors.mapping(
Person::getName,
Collectors.toList())));
// Kotlin:
val namesByGender = roster.groupBy { it.gender }.mapValues { it.value.map { it.name } }
Filtruj listę do innej listy
// Java:
List<String> filtered = items.stream()
.filter( item -> item.startsWith("o") )
.collect(Collectors.toList());
// Kotlin:
val filtered = items.filter { item.startsWith('o') }
Znajdowanie najkrótszego ciągu znaków na liście
// Java:
String shortest = items.stream()
.min(Comparator.comparing(item -> item.length()))
.get();
// Kotlin:
val shortest = items.minBy { it.length }
Różne rodzaje strumieni # 2 - leniwie używając pierwszego przedmiotu, jeśli istnieje
// Java:
Stream.of("a1", "a2", "a3")
.findFirst()
.ifPresent(System.out::println);
// Kotlin:
sequenceOf("a1", "a2", "a3").firstOrNull()?.apply(::println)
Różne rodzaje strumieni # 3 - iteruj zakres liczb całkowitych
// Java:
IntStream.range(1, 4).forEach(System.out::println);
// Kotlin: (inclusive range)
(1..3).forEach(::println)
Różne rodzaje strumieni # 4 - iteruj tablicę, mapuj wartości, oblicz średnią
// Java:
Arrays.stream(new int[] {1, 2, 3})
.map(n -> 2 * n + 1)
.average()
.ifPresent(System.out::println); // 5.0
// Kotlin:
arrayOf(1,2,3).map { 2 * it + 1}.average().apply(::println)
Różne rodzaje strumieni # 5 - leniwie iteruj listę ciągów, mapuj wartości, konwertuj na Int, znajdź maks
// Java:
Stream.of("a1", "a2", "a3")
.map(s -> s.substring(1))
.mapToInt(Integer::parseInt)
.max()
.ifPresent(System.out::println); // 3
// Kotlin:
sequenceOf("a1", "a2", "a3")
.map { it.substring(1) }
.map(String::toInt)
.max().apply(::println)
Różne rodzaje strumieni # 6 - leniwie iteruj strumień Ints, mapuj wartości, drukuj wyniki
// Java:
IntStream.range(1, 4)
.mapToObj(i -> "a" + i)
.forEach(System.out::println);
// a1
// a2
// a3
// Kotlin: (inclusive range)
(1..3).map { "a$it" }.forEach(::println)
Różne rodzaje strumieni # 7 - leniwie iteruj podwójne, mapuj na Int, mapuj na String, drukuj każdy
// Java:
Stream.of(1.0, 2.0, 3.0)
.mapToInt(Double::intValue)
.mapToObj(i -> "a" + i)
.forEach(System.out::println);
// a1
// a2
// a3
// Kotlin:
sequenceOf(1.0, 2.0, 3.0).map(Double::toInt).map { "a$it" }.forEach(::println)
Zliczanie elementów na liście po zastosowaniu filtra
// Java:
long count = items.stream().filter( item -> item.startsWith("t")).count();
// Kotlin:
val count = items.filter { it.startsWith('t') }.size
// but better to not filter, but count with a predicate
val count = items.count { it.startsWith('t') }
Jak działają strumienie - filtruj, wielkie litery, a następnie sortuj listę
// Java:
List<String> myList = Arrays.asList("a1", "a2", "b1", "c2", "c1");
myList.stream()
.filter(s -> s.startsWith("c"))
.map(String::toUpperCase)
.sorted()
.forEach(System.out::println);
// C1
// C2
// Kotlin:
val list = listOf("a1", "a2", "b1", "c2", "c1")
list.filter { it.startsWith('c') }.map (String::toUpperCase).sorted()
.forEach (::println)
Różne rodzaje strumieni # 1 - chętnie korzystasz z pierwszego przedmiotu, jeśli istnieje
// Java:
Arrays.asList("a1", "a2", "a3")
.stream()
.findFirst()
.ifPresent(System.out::println);
// Kotlin:
listOf("a1", "a2", "a3").firstOrNull()?.apply(::println)
lub utwórz funkcję rozszerzenia na łańcuchu o nazwie ifPresent:
// Kotlin:
inline fun String?.ifPresent(thenDo: (String)->Unit) = this?.apply { thenDo(this) }
// now use the new extension function:
listOf("a1", "a2", "a3").firstOrNull().ifPresent(::println)
Zobacz też: funkcja apply()
Zobacz także: Funkcje rozszerzeń
Zobacz także ?.
Operator bezpiecznego połączenia i ogólnie zerowanie: http://stackoverflow.com/questions/34498562/in-kotlin-what-is-the-idiomatic-way-to-deal-with-nullable-values-referencing-o/34498563 # 34498563
Zbierz przykład 5 - znajdź osoby pełnoletnie, sformatuj dane wyjściowe
// Java:
String phrase = persons
.stream()
.filter(p -> p.age >= 18)
.map(p -> p.name)
.collect(Collectors.joining(" and ", "In Germany ", " are of legal age."));
System.out.println(phrase);
// In Germany Max and Peter and Pamela are of legal age.
// Kotlin:
val phrase = persons
.filter { it.age >= 18 }
.map { it.name }
.joinToString(" and ", "In Germany ", " are of legal age.")
println(phrase)
// In Germany Max and Peter and Pamela are of legal age.
Na marginesie, w Kotlin możemy tworzyć proste klasy danych i tworzyć instancję danych testowych w następujący sposób:
// Kotlin:
// data class has equals, hashcode, toString, and copy methods automagically
data class Person(val name: String, val age: Int)
val persons = listOf(Person("Tod", 5), Person("Max", 33),
Person("Frank", 13), Person("Peter", 80),
Person("Pamela", 18))
Zbierz przykład # 6 - grupuj osoby według wieku, drukuj wiek i nazwiska razem
// Java:
Map<Integer, String> map = persons
.stream()
.collect(Collectors.toMap(
p -> p.age,
p -> p.name,
(name1, name2) -> name1 + ";" + name2));
System.out.println(map);
// {18=Max, 23=Peter;Pamela, 12=David}
Ok, bardziej interesujący przypadek tutaj dla Kotlina. Najpierw złe odpowiedzi, aby zbadać warianty tworzenia Map
z kolekcji / sekwencji:
// Kotlin:
val map1 = persons.map { it.age to it.name }.toMap()
println(map1)
// output: {18=Max, 23=Pamela, 12=David}
// Result: duplicates overridden, no exception similar to Java 8
val map2 = persons.toMap({ it.age }, { it.name })
println(map2)
// output: {18=Max, 23=Pamela, 12=David}
// Result: same as above, more verbose, duplicates overridden
val map3 = persons.toMapBy { it.age }
println(map3)
// output: {18=Person(name=Max, age=18), 23=Person(name=Pamela, age=23), 12=Person(name=David, age=12)}
// Result: duplicates overridden again
val map4 = persons.groupBy { it.age }
println(map4)
// output: {18=[Person(name=Max, age=18)], 23=[Person(name=Peter, age=23), Person(name=Pamela, age=23)], 12=[Person(name=David, age=12)]}
// Result: closer, but now have a Map<Int, List<Person>> instead of Map<Int, String>
val map5 = persons.groupBy { it.age }.mapValues { it.value.map { it.name } }
println(map5)
// output: {18=[Max], 23=[Peter, Pamela], 12=[David]}
// Result: closer, but now have a Map<Int, List<String>> instead of Map<Int, String>
A teraz poprawna odpowiedź:
// Kotlin:
val map6 = persons.groupBy { it.age }.mapValues { it.value.joinToString(";") { it.name } }
println(map6)
// output: {18=Max, 23=Peter;Pamela, 12=David}
// Result: YAY!!
Musieliśmy tylko dołączyć pasujące wartości, aby zwinąć listy i zapewnić transformator do joinToString
aby przejść z instancji Person
do Person.name
.
Zbierz przykład # 7a - Nazwy map, połącz razem z separatorem
// Java (verbose):
Collector<Person, StringJoiner, String> personNameCollector =
Collector.of(
() -> new StringJoiner(" | "), // supplier
(j, p) -> j.add(p.name.toUpperCase()), // accumulator
(j1, j2) -> j1.merge(j2), // combiner
StringJoiner::toString); // finisher
String names = persons
.stream()
.collect(personNameCollector);
System.out.println(names); // MAX | PETER | PAMELA | DAVID
// Java (concise)
String names = persons.stream().map(p -> p.name.toUpperCase()).collect(Collectors.joining(" | "));
// Kotlin:
val names = persons.map { it.name.toUpperCase() }.joinToString(" | ")
Zbierz przykład # 7b - Zbierz z Podsumowaniem
// Java:
IntSummaryStatistics ageSummary =
persons.stream()
.collect(Collectors.summarizingInt(p -> p.age));
System.out.println(ageSummary);
// IntSummaryStatistics{count=4, sum=76, min=12, average=19.000000, max=23}
// Kotlin:
// something to hold the stats...
data class SummaryStatisticsInt(var count: Int = 0,
var sum: Int = 0,
var min: Int = Int.MAX_VALUE,
var max: Int = Int.MIN_VALUE,
var avg: Double = 0.0) {
fun accumulate(newInt: Int): SummaryStatisticsInt {
count++
sum += newInt
min = min.coerceAtMost(newInt)
max = max.coerceAtLeast(newInt)
avg = sum.toDouble() / count
return this
}
}
// Now manually doing a fold, since Stream.collect is really just a fold
val stats = persons.fold(SummaryStatisticsInt()) { stats, person -> stats.accumulate(person.age) }
println(stats)
// output: SummaryStatisticsInt(count=4, sum=76, min=12, max=23, avg=19.0)
Ale lepiej jest utworzyć funkcję rozszerzenia, 2 w rzeczywistości pasującą do stylów w Kotlin stdlib:
// Kotlin:
inline fun Collection<Int>.summarizingInt(): SummaryStatisticsInt
= this.fold(SummaryStatisticsInt()) { stats, num -> stats.accumulate(num) }
inline fun <T: Any> Collection<T>.summarizingInt(transform: (T)->Int): SummaryStatisticsInt =
this.fold(SummaryStatisticsInt()) { stats, item -> stats.accumulate(transform(item)) }
Teraz masz dwa sposoby korzystania z nowych funkcji summarizingInt
:
val stats2 = persons.map { it.age }.summarizingInt()
// or
val stats3 = persons.summarizingInt { it.age }
Wszystkie dają te same wyniki. Możemy również utworzyć to rozszerzenie do pracy z Sequence
i dla odpowiednich typów pierwotnych.