Kotlin Coroutine与Retrofit网络层构建指南

在Android开发中,结合Kotlin Coroutine和Retrofit可以构建高效、简洁且可维护的网络层。以下是分步骤的实践指南:


一、基础配置

1. 添加依赖
gradle 复制代码
// build.gradle (Module)
dependencies {
    // Retrofit
    implementation 'com.squareup.retrofit2:retrofit:2.9.0'
    implementation 'com.squareup.retrofit2:converter-gson:2.9.0'
    
    // Coroutines
    implementation 'org.jetbrains.kotlinx:kotlinx-coroutines-core:1.6.4'
    implementation 'org.jetbrains.kotlinx:kotlinx-coroutines-android:1.6.4'
    
    // Lifecycle (用于ViewModel的协程作用域)
    implementation 'androidx.lifecycle:lifecycle-viewmodel-ktx:2.5.1'
}

二、Retrofit接口定义

1. 创建数据类
kotlin 复制代码
data class User(
    val id: Int,
    val name: String,
    val email: String
)
2. 定义API接口
kotlin 复制代码
interface ApiService {
    @GET("users/{id}")
    suspend fun getUser(@Path("id") id: Int): Response<User>  // 直接返回Response对象,便于错误处理

    @POST("users")
    suspend fun createUser(@Body user: User): Response<Unit>
}

三、Retrofit实例构建

kotlin 复制代码
object RetrofitClient {
    private const val BASE_URL = "https://api.example.com/"

    private val okHttpClient = OkHttpClient.Builder()
        .addInterceptor(HttpLoggingInterceptor().setLevel(HttpLoggingInterceptor.Level.BODY))
        .connectTimeout(30, TimeUnit.SECONDS)
        .build()

    val instance: ApiService by lazy {
        Retrofit.Builder()
            .baseUrl(BASE_URL)
            .client(okHttpClient)
            .addConverterFactory(GsonConverterFactory.create())
            .build()
            .create(ApiService::class.java)
    }
}

四、协程调用与错误处理

1. Repository层封装
kotlin 复制代码
class UserRepository {
    private val apiService = RetrofitClient.instance

    suspend fun fetchUser(id: Int): Result<User> = try {
        val response = apiService.getUser(id)
        if (response.isSuccessful && response.body() != null) {
            Result.success(response.body()!!)
        } else {
            Result.failure(Exception("API error: ${response.code()}"))
        }
    } catch (e: Exception) {
        Result.failure(e)
    }
}
2. ViewModel层调用
kotlin 复制代码
class UserViewModel : ViewModel() {
    private val repository = UserRepository()
    val userState = MutableStateFlow<UiState<User>>(UiState.Loading)

    fun loadUser(id: Int) {
        viewModelScope.launch {
            userState.value = UiState.Loading
            when (val result = repository.fetchUser(id)) {
                is Result.Success -> userState.value = UiState.Success(result.data)
                is Result.Failure -> userState.value = UiState.Error(result.exception)
            }
        }
    }
}

// UI状态封装
sealed class UiState<out T> {
    object Loading : UiState<Nothing>()
    data class Success<T>(val data: T) : UiState<T>()
    data class Error(val exception: Throwable) : UiState<Nothing>()
}

五、高级优化技巧

1. 多请求并行处理
kotlin 复制代码
suspend fun fetchUserAndPosts(userId: Int): Pair<User, List<Post>> = coroutineScope {
    val userDeferred = async { apiService.getUser(userId) }
    val postsDeferred = async { apiService.getPosts(userId) }
    
    val user = userDeferred.await().body()!!
    val posts = postsDeferred.await().body()!!
    user to posts
}
2. 超时与重试
kotlin 复制代码
suspend fun fetchDataWithRetry() {
    try {
        val data = withTimeout(5000) { // 5秒超时
            retry(retries = 3) {       // 自定义重试逻辑
                apiService.getData()
            }
        }
    } catch (e: TimeoutCancellationException) {
        // 处理超时
    }
}

private suspend fun <T> retry(
    retries: Int = 3,
    initialDelay: Long = 1000,
    maxDelay: Long = 16000,
    factor: Double = 2.0,
    block: suspend () -> T
): T {
    var currentDelay = initialDelay
    repeat(retries) {
        try {
            return block()
        } catch (e: Exception) {
            if (it == retries - 1) throw e
            delay(currentDelay)
            currentDelay = (currentDelay * factor).toLong().coerceAtMost(maxDelay)
        }
    }
    throw IllegalStateException("Unreachable")
}

六、缓存策略实现

1. 内存缓存示例
kotlin 复制代码
class CachedUserRepository {
    private val cache = mutableMapOf<Int, User>()
    private val apiService = RetrofitClient.instance

    suspend fun getUser(id: Int): User {
        return cache[id] ?: apiService.getUser(id).body()?.also {
            cache[id] = it
        } ?: throw NoSuchElementException()
    }
}

七、关键注意事项

  1. 线程切换 :使用 withContext(Dispatchers.IO) 确保网络请求在IO线程执行
  2. 异常边界:在Repository层统一处理所有异常,避免ViewModel中过多try-catch
  3. 生命周期管理 :使用viewModelScope自动取消协程,防止内存泄漏
  4. 响应验证 :始终检查response.isSuccessfulbody() != null
  5. 流量控制 :使用SharedFlowStateFlow暴露数据,替代LiveData

通过以上实践,可以构建出具备以下特性的网络层:

  • 完全的协程支持,避免回调地狱
  • 清晰的错误处理流程
  • 灵活的请求组合能力
  • 可扩展的缓存策略
  • 完善的线程安全管理

最终实现网络请求与UI的无缝衔接,提升应用性能和用户体验。

相关推荐
草莓熊Lotso几秒前
《详解 C++ Date 类的设计与实现:从运算符重载到功能测试》
开发语言·c++·经验分享·笔记·其他
谱写秋天7 分钟前
Qt 5.5 的安装与配置(使用 VSCode编辑)
开发语言·vscode·qt
项目申报小狂人8 分钟前
算法应用上新!自适应更新策略差分进化算法求解球形多飞行器路径规划问题,附完整MATLAB代码
开发语言·算法·matlab
阿珊和她的猫4 小时前
v-scale-scree: 根据屏幕尺寸缩放内容
开发语言·前端·javascript
fouryears_234177 小时前
Flutter InheritedWidget 详解:从生命周期到数据流动的完整解析
开发语言·flutter·客户端·dart
我好喜欢你~7 小时前
C#---StopWatch类
开发语言·c#
lifallen8 小时前
Java Stream sort算子实现:SortedOps
java·开发语言
IT毕设实战小研9 小时前
基于Spring Boot 4s店车辆管理系统 租车管理系统 停车位管理系统 智慧车辆管理系统
java·开发语言·spring boot·后端·spring·毕业设计·课程设计
cui__OaO10 小时前
Linux软件编程--线程
linux·开发语言·线程·互斥锁·死锁·信号量·嵌入式学习