728x90
반응형
버퍼가 없는 플로우
보내는 쪽과 받는 쪽이 모두 바쁘다고 가정해봅시다
import kotlinx.coroutines.*
import kotlinx.coroutines.flow.*
import kotlin.system.*
fun simple(): Flow<Int> = flow {
for (i in 1..3) {
delay(100)
emit(i)
}
}
fun main() = runBlocking<Unit> {
val time = measureTimeMillis {
simple().collect { value ->
delay(300)
println(value)
}
}
println("Collected in $time ms")
}
실행결과
1
2
3
Collected in 1249 ms
buffer
buffer로 버퍼를 추가해 보내는 측이 더 이상 기다리지 않게 합니다.
생산측에 버퍼를 붙이면 ( FLOW) , 소비측 ( collect ) 에 준비가 안되도 보낼수 있다
=> 전체적인 지연시간이 줄어들 것이다 .
import kotlinx.coroutines.*
import kotlinx.coroutines.flow.*
import kotlin.system.*
fun simple(): Flow<Int> = flow {
for (i in 1..3) {
delay(100)
emit(i)
}
}
fun main() = runBlocking<Unit> {
val time = measureTimeMillis {
simple().buffer()
.collect { value ->
delay(300)
println(value)
}
}
println("Collected in $time ms")
}
실행결과
1
2
3
Collected in 1069 ms
.buffer를 붙임으로, 소비측에 300L를 기다리지 않고 다음 flow를 불러온다.
conflate ( 중간 값들을 누락 )
conflate를 이용하면 중간의 값을 융합(conflate)할 수 있습니다.
처리보다 빨리 발생한 데이터의 중간 값들을 누락합니다.
import kotlinx.coroutines.*
import kotlinx.coroutines.flow.*
import kotlin.system.*
fun simple(): Flow<Int> = flow {
for (i in 1..3) {
delay(100)
emit(i)
}
}
fun main() = runBlocking<Unit> {
val time = measureTimeMillis {
simple().conflate()
.collect { value ->
delay(300)
println(value)
}
}
println("Collected in $time ms")
}
실행결과
1
3
Collected in 776 ms
collectLatest 마지막 값만 처리하기
conflate와 같이 방출되는 값을 누락할 수도 있지만
수집 측이 느릴 경우 새로운 데이터가 있을 때 수집 측을 종료시키고
새로 시작하는 방법도 있습니다.
사용예 ) ex 마우스커서 이동.
import kotlinx.coroutines.*
import kotlinx.coroutines.flow.*
import kotlin.system.*
fun simple(): Flow<Int> = flow {
for (i in 1..3) {
delay(100)
emit(i)
}
}
fun main() = runBlocking<Unit> {
val time = measureTimeMillis {
simple().collectLatest { value ->
println("값 ${value}를 처리하기 시작합니다.")
delay(300)
println(value)
println("처리를 완료하였습니다.")
}
}
println("Collected in $time ms")
}
실행결과
값 1를 처리하기 시작합니다.
값 2를 처리하기 시작합니다.
값 3를 처리하기 시작합니다.
3
처리를 완료하였습니다.
Collected in 703 ms
https://dalinaum.github.io/coroutines-example/11
728x90
반응형
'Android 공부 > Coroutine' 카테고리의 다른 글
[XX캠퍼스] 13.Kotlin Coroutines & Flow ( 플래트닝 ) (0) | 2022.07.27 |
---|---|
[XX캠퍼스] 12.Kotlin Coroutines & Flow ( Flow 결합하기 ) (0) | 2022.07.26 |
[XX캠퍼스] 10.Kotlin Coroutines & Flow ( Flow 컨텍스트 ) (0) | 2022.07.26 |
[XX캠퍼스] 09.Kotlin Coroutines & Flow ( Flow 연산) (0) | 2022.07.26 |
[XX캠퍼스] 08.Kotlin Coroutines & Flow ( Flow 기초 ) (0) | 2022.07.26 |