协程
Kotlin 协程 (Coroutines) 是可挂起计算的实例,允许以命令式方式编写非阻塞代码。在语言层面,suspend
函数提供了异步操作的抽象,而在库层面,kotlinx.coroutines 提供了诸如 async { }
的函数和诸如 Flow
的类型。
Spring Data 模块在以下范围内提供对协程的支持
依赖
当 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 的转换如下
-
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
是基于推(push-based),而Flux
是推拉混合(push-pull hybrid) -
背压(Backpressure)通过挂起函数实现
-
Flow
只有一个 单一挂起方法collect
,操作符作为扩展实现 -
由于协程,操作符易于实现
-
扩展允许向
Flow
添加自定义操作符 -
collect 操作是挂起函数
-
map
操作符支持异步操作(无需flatMap
),因为它接受一个挂起函数参数
阅读这篇关于使用 Spring、协程和 Kotlin Flow 实现响应式编程的博客文章,了解更多详细信息,包括如何使用协程并发运行代码。
Repository
这是一个协程 Repository 的示例
interface CoroutineRepository : CoroutineCrudRepository<User, String> {
suspend fun findOne(id: String): User
fun findByFirstname(firstname: String): Flow<User>
suspend fun findAllByFirstname(id: String): List<User>
}
协程 Repository 构建在响应式 Repository 之上,通过 Kotlin 的协程暴露数据访问的非阻塞特性。协程 Repository 中的方法可以由查询方法或自定义实现支持。如果自定义方法是 suspend
函数,调用自定义实现方法会将协程调用传播到实际的实现方法,而无需该实现方法返回响应式类型(如 Mono
或 Flux
)。
请注意,根据方法声明,协程上下文可能可用,也可能不可用。要保留对上下文的访问,请将方法声明为 suspend
函数或返回启用上下文传播的类型(如 Flow
)。
-
suspend fun findOne(id: String): User
: 通过挂起一次性同步检索数据。 -
fun findByFirstname(firstname: String): Flow<User>
: 检索数据流。Flow
会立即创建,而数据则在与Flow
交互时(Flow.collect(…)
)获取。 -
fun getUser(): User
: 一次性检索数据,会阻塞线程且不进行上下文传播。应避免这样做。
仅当 Repository 扩展 CoroutineCrudRepository 接口时,才会发现协程 Repository。 |