• 再探Kotlin 跨平台——迁移Paging分页库至KMM


    前言

    KMM的发展除了靠官方社区的支持外,一些大企业的开源落地也尤为重要。从这些开源中我们需要借鉴他的设计思想和实现方式。从而在落地遇到问题时,寻得更多的解决办法。

    上周,Square正式将Paging分页库迁移到了Kotlin Multiplatform平台,使用在旗下的支付软件Cash App中。

    迁移过程

    初衷

    据Cash App称,他们想在跨平台中使用分页逻辑,但是AndroidX Paging只支持Android平台。所以他们参照AndroidX下Paging库的设计,实现了一套Multiplatform Paging。

    模型

    与AndroidX下的Paging设计一样,paging-common模块提供存储层、视图模型层;paging-runtim模块提供UI层。

    最主要的是,paging-common中的API与AndroidX 下的API完全相同,仅仅是将包从androidx.paging迁移到了app.cash.paging中,所以这部分的使用我们直接按照AndroidX中的Paging使用即可。如果之前项目已经使用了AndroiX的Paging库,则可以在Android平台上无缝迁移。

    如果你之前从未使用过Paging库,可以参考许久之前我写的两篇相关文章:

    在View中使用Paging3分页库

    在Compose中使用分页库

    接下来我们就以multiplatform-paging-samples为例,来看如何实现在Multiplatform使用Paging库。

    项目分析

    项目介绍


    multiplatform-paging-samples 项目(Demo)的功能是使用github的接口:api.github.com/search/repositories 查询项目,输出项目路径和start数量。

    也就是github主页上的搜索功能。App运行截图如下所示。

     这里我们搜索关键词为“MVI”,左侧输出为作者/项目名 右侧为start数量,且实现了分页功能。接着我们来看这个项目结构是怎么样的。

    项目架构

    从项目架构中可以看出在共享模块中,只有iosMain并没有AndroidMain,这是因为我们前面所讲到的针对Android平台是可以无缝迁移的。接着我们再来看shared模块中的通用逻辑。

    commonMain通用逻辑

    models.kt文件中定义了若干数据结构,部分代码如下所示。

    1. sealed interface ViewModel {
    2.   object Empty : ViewModel
    3.   data class SearchResults(
    4.     val searchTerm: String,
    5.     val repositories: Flow>,
    6.   ) : ViewModel
    7. }
    8. @Serializable
    9. data class Repositories(
    10.   @SerialName("total_count") val totalCount: Int,
    11.   val items: List,
    12. )
    13. @Serializable
    14. data class Repository(
    15.   @SerialName("full_name") val fullName: String,
    16.   @SerialName("stargazers_count") val stargazersCount: Int,
    17. )

    RepoSearchPresenter类中主要做了三件事:

    • 定义Pager与PagerSource

    • 定义查询数据的方法

    定义HttpClient对象

    这里的网络请求框架使用的是Ktor,代码如下所示:

    1. private val httpClient = HttpClient {
    2.   install(ContentNegotiation) {
    3.     val json = Json {
    4.       ignoreUnknownKeys = true
    5.     }
    6.     json(json)
    7.   }
    8. }

    定义Pager与PagerSource

    pager的声明如下所示:

    1. private val pager: Pager<Int, Repository> = run {
    2.   val pagingConfig = PagingConfig(pageSize = 20, initialLoadSize = 20)
    3.   check(pagingConfig.pageSize == pagingConfig.initialLoadSize) {
    4.     "As GitHub uses offset based pagination, an elegant PagingSource implementation requires each page to be of equal size."
    5.   }
    6.   Pager(pagingConfig) {
    7.       RepositoryPagingSource(httpClient, latestSearchTerm)
    8.   }
    9. }

    这里指定了pageSize的大小为20,并调用PagerSource的方法,RepositoryPagingSource声明如下所示:

    1. private class RepositoryPagingSource(
    2.   private val httpClient: HttpClient,
    3.   private val searchTerm: String,
    4. ) : PagingSource<Int, Repository>() {
    5.   override suspend fun load(params: PagingSourceLoadParams<Int>): PagingSourceLoadResult<Int, Repository> {
    6.     val page = params.key ?: FIRST_PAGE_INDEX
    7.     println("veyndan___ $page")
    8.     val httpResponse = httpClient.get("https://api.github.com/search/repositories") {
    9.       url {
    10.         parameters.append("page", page.toString())
    11.         parameters.append("per_page", params.loadSize.toString())
    12.         parameters.append("sort""stars")
    13.         parameters.append("q", searchTerm)
    14.       }
    15.       headers {
    16.         append(HttpHeaders.Accept, "application/vnd.github.v3+json")
    17.       }
    18.     }
    19.     return when {
    20.       httpResponse.status.isSuccess() -> {
    21.         val repositories = httpResponse.body()
    22.         println("veyndan___ ${repositories.items}")
    23.         PagingSourceLoadResultPage(
    24.           data = repositories.items,
    25.           prevKey = (page - 1).takeIf { it >= FIRST_PAGE_INDEX },
    26.           nextKey = if (repositories.items.isNotEmpty()) page + 1 else null,
    27.         ) as PagingSourceLoadResult<Int, Repository>
    28.       }
    29.       httpResponse.status == HttpStatusCode.Forbidden -> {
    30.         PagingSourceLoadResultError<Int, Repository>(
    31.           Exception("Whoops! You just exceeded the GitHub API rate limit."),
    32.         ) as PagingSourceLoadResult<Int, Repository>
    33.       }
    34.       else -> {
    35.         PagingSourceLoadResultError<Int, Repository>(
    36.           Exception("Received a ${httpResponse.status}."),
    37.         ) as PagingSourceLoadResult<Int, Repository>
    38.       }
    39.     }
    40.   }
    41.   override fun getRefreshKey(state: PagingState<Int, Repository>)Int? = null

    这部分代码没什么好解释的,和AndroidX的Paging使用是一样的。

    定义查询数据的方法

    这里还定一个一个查询数据的方法,使用flow分发分发给UI层,代码如下所示:

    1. suspend fun produceViewModels(
    2.     events: Flow<Event>,
    3.   ): Flow {
    4.     return coroutineScope {
    5.       channelFlow {
    6.         events
    7.           .collectLatest { event ->
    8.             when (event) {
    9.               is Event.SearchTerm -> {
    10.                 latestSearchTerm = event.searchTerm
    11.                 if (event.searchTerm.isEmpty()) {
    12.                   send(ViewModel.Empty)
    13.                 } else {
    14.                   send(ViewModel.SearchResults(latestSearchTerm, pager.flow))
    15.                 }
    16.               }
    17.             }
    18.           }
    19.       }
    20.     }
    21.   }
    22. }

    这里的Event是定义在models.kt中的密封接口。代码如下所示:

    1. sealed interface Event {
    2.   data class SearchTerm(
    3.     val searchTerm: String,
    4.   ) : Event
    5. }

    iosMain的逻辑

    在iosMain中仅定义了两个未使用的方法,用于将类型导出到Object-C或Swift,代码如下所示。

    1. @Suppress("unused""UNUSED_PARAMETER"// Used to export types to Objective-C / Swift.
    2. fun exposedTypes(
    3.   pagingCollectionViewController: PagingCollectionViewController<*>,
    4.   mutableSharedFlow: MutableSharedFlow<*>,
    5. ) {
    6.   throw AssertionError()
    7. }
    8. @Suppress("unused"// Used to export types to Objective-C / Swift.
    9. fun <T> mutableSharedFlow(extraBufferCapacity: Int= MutableSharedFlow<T>(extraBufferCapacity = extraBufferCapacity)

     其实这里我没有理解定义这两个方法的实际意义在哪里,还望大佬们指教。

    Android UI层实现

    Android UI层的实现比较简单,定义了一个event用于事件分发

    1. val events = MutableSharedFlow(extraBufferCapacity = Int.MAX_VALUE)
    2. lifecycleScope.launch {
    3.   viewModels.emitAll(presenter.produceViewModels(events))
    4. }

    当输入框中的内容改变时,发送事件,收到结果显示数据即可,代码如下所示:

    1. @Composable
    2. private fun SearchResults(repositories: LazyPagingItems<Repository>) {
    3.   LazyColumn(
    4.     Modifier.fillMaxWidth(),
    5.     contentPadding = PaddingValues(16.dp),
    6.     horizontalAlignment = Alignment.CenterHorizontally,
    7.   ) {
    8.     when (val loadState = repositories.loadState.refresh) {
    9.       LoadState.Loading -> {
    10.         item {
    11.           CircularProgressIndicator()
    12.         }
    13.       }
    14.       is LoadState.NotLoading -> {
    15.         items(repositories) { repository ->
    16.           Row(Modifier.fillMaxWidth()) {
    17.             Text(
    18.               repository!!.fullName,
    19.               Modifier.weight(1f),
    20.             )
    21.             Text(repository.stargazersCount.toString())
    22.           }
    23.         }
    24.       }
    25.       is LoadState.Error -> {
    26.         item {
    27.           Text(loadState.error.message!!)
    28.         }
    29.       }
    30.     }
    31.   }
    32. }

    iOS平台的实现

    AppDelegate.swift文件是程序启动入口文件,RepositoryCell类继承自UICollectionViewCell,并补充了API中返回的字段信息,UICollectionViewCell是iOS中的集合视图,代码如下所示:

    1. class RepositoryCellUICollectionViewCell {
    2.   @IBOutlet weak var fullName: UILabel!
    3.   @IBOutlet weak var stargazersCount: UILabel!
    4. }

    iOS触发查询代码如下所示:

    1. extension RepositoriesViewControllerUITextFieldDelegate {
    2.   func textFieldShouldReturn(_ textFieldUITextField) -> Bool {
    3.     let activityIndicator = UIActivityIndicatorView(style: .gray)
    4.     textField.addSubview(activityIndicator)
    5.     activityIndicator.frame = textField.bounds
    6.     activityIndicator.startAnimating()
    7.     self.collectionView?.reloadData()
    8.     activityIndicator.removeFromSuperview()
    9.     events.emit(value: EventSearchTerm(searchTerm: textField.text!), completionHandler: {error in
    10.       print("error", error ?? "null")
    11.     })
    12.     presenter.produceViewModels(events: events, completionHandler: {viewModels,_ in
    13.       viewModels?.collect(collector: ViewModelCollector(pagingCollectionViewController: self.delegate), completionHandler: {_ in print("completed")})
    14.     })
    15.     textField.resignFirstResponder()
    16.     return true
    17.   }
    18. }

    写在最后

    KMM的发展出除了靠官方社区的支持之外,一些有名项目的落地实践也很重要。目前我们所能做的就是持续关注KMM的动态,探索可尝试落地的组件,为己所用。

  • 相关阅读:
    持续投入商品研发,叮咚买菜赢在了供应链投入上
    【毕业设计】基于stm32的车牌识别系统 - 物联网 单片机
    手写数据库连接池
    C++ 内联和嵌套命名空间
    tf.while_loop
    含文档+PPT+源码等]精品基于SpringBoot的便捷网住宿预约系统的设计与实现包运行成功]Java毕业设计SpringBoot项目源码
    NC-UClient下载安装应用详解
    【Android安全】vdex、odex文件
    软件测试V模型
    pyenv管理python版本
  • 原文地址:https://blog.csdn.net/huangliniqng/article/details/127908417