協程
相依性
當類路徑中存在 kotlinx-coroutines-core
、kotlinx-coroutines-reactive
和 kotlinx-coroutines-reactor
相依性時,即啟用協程支援
<dependency>
<groupId>org.jetbrains.kotlinx</groupId>
<artifactId>kotlinx-coroutines-core</artifactId>
</dependency>
<dependency>
<groupId>org.jetbrains.kotlinx</groupId>
<artifactId>kotlinx-coroutines-reactive</artifactId>
</dependency>
<dependency>
<groupId>org.jetbrains.kotlinx</groupId>
<artifactId>kotlinx-coroutines-reactor</artifactId>
</dependency>
支援版本 1.3.0 及以上。 |
反應式如何轉換為協程?
對於回傳值,從反應式 API 到協程 API 的轉換如下
-
fun handler(): Mono<Void>
變成suspend fun handler()
-
fun handler(): Mono<T>
變成suspend fun handler(): T
或suspend fun handler(): T?
,取決於Mono
是否可以為空(具有更靜態類型的優勢) -
fun handler(): Flux<T>
變成fun handler(): Flow<T>
Flow
是協程世界中與 Flux
等效的概念,適用於熱或冷流、有限或無限流,具有以下主要差異
-
Flow
是基於推送的,而Flux
是推送-拉取混合模式 -
背壓是透過暫停函數實現的
-
Flow
只有一個 單一暫停collect
方法,而運算子則實作為 擴充功能 -
擴充功能允許將自訂運算子新增到
Flow
-
收集操作是暫停函數
-
map
運算子 支援非同步操作(無需flatMap
),因為它採用暫停函數參數
閱讀這篇關於 使用 Spring、協程和 Kotlin Flow 實現反應式 的部落格文章,以了解更多詳細資訊,包括如何使用協程並行執行程式碼。
儲存庫
以下是協程儲存庫的範例
interface CoroutineRepository : CoroutineCrudRepository<User, String> {
suspend fun findOne(id: String): User
fun findByFirstname(firstname: String): Flow<User>
suspend fun findAllByFirstname(id: String): List<User>
}
協程儲存庫建立在反應式儲存庫之上,以透過 Kotlin 的協程公開資料存取的非阻塞特性。協程儲存庫上的方法可以由查詢方法或自訂實作來支援。如果自訂方法是可 suspend
的,則調用自訂實作方法會將協程調用傳播到實際的實作方法,而無需實作方法傳回諸如 Mono
或 Flux
之類的反應式類型。
請注意,根據方法宣告,協程上下文可能可用或不可用。為了保留對上下文的存取權,請使用 suspend
宣告您的方法,或傳回啟用上下文傳播的類型,例如 Flow
。
-
suspend fun findOne(id: String): User
:透過暫停同步檢索資料一次。 -
fun findByFirstname(firstname: String): Flow<User>
:檢索資料流。Flow
是預先建立的,而資料是在Flow
互動時提取的 (Flow.collect(…)
)。 -
fun getUser(): User
:檢索資料一次,阻塞執行緒且不進行上下文傳播。應避免這樣做。
只有當儲存庫擴充 CoroutineCrudRepository 介面時,才會發現協程儲存庫。 |