3

给定这样的接口方法(Android Retrofit),我如何在运行时从 Kotlin 代码中读取注解参数中指定的 URL 路径?

ApiDefinition 接口:

@GET("/api/somepath/objects/")
fun getObjects(...)

读取注解值:

val method = ApiDefinition::getObjects.javaMethod
val verb = method!!.annotations[0].annotationClass.simpleName ?: ""
// verb contains "GET" as expected
// But how to get the path specified in the annotation?
val path = method!!.annotations[0].????????

更新 1

感谢您的回答。我仍在苦苦挣扎,因为我看不到使用什么类型来执行以下操作:

val apiMethod = ApiDefinition::getObjects

....然后将该函数引用传递给这样的方法(它被重用)

private fun getHttpPathFromAnnotation(method: Method?) : String {
    val a = method!!.annotations[0].message
}

IntelliJ IDE 建议我使用 KFunction5<> 作为函数参数类型(据我所见,它不存在),并且似乎要求我也为该方法指定所有参数类型,这使得通用调用 get注释属性不可能。没有 Kotlin 等效的“方法”吗?一种可以接受任何方法的类型?我尝试了 KFunction,但没有成功。

更新 2

感谢您澄清事情。我已经到了这一点:

ApiDefinition(改造接口)

@GET(API_ENDPOINT_LOCATIONS)
fun getLocations(@Header(API_HEADER_TIMESTAMP) timestamp: String,
                 @Header(API_HEADER_SIGNATURE) encryptedSignature: String,
                 @Header(API_HEADER_TOKEN) token: String,
                 @Header(API_HEADER_USERNAME) username: String
                 ): Call<List<Location>>

检索注释参数的方法:

private fun <T> getHttpPathFromAnnotation(method: KFunction<T>) : String {
    return method.annotations.filterIsInstance<GET>().get(0).value
}

调用以获取特定方法的路径参数:

    val path = getHttpPathFromAnnotation<ApiDefinition>(ApiDefinition::getLocations as KFunction<ApiDefinition>)

隐式转换似乎是必要的,或者类型参数要求我提供 KFunction5 类型。

此代码有效,但它具有硬编码的 GET 注释,有没有办法让它更通用?我怀疑我可能需要查找 GET、POST 和 PUT 并返回第一个匹配项。

4

1 回答 1

4

直接使用 Kotlin而不是(无论如何你都在使用 Kotlin!),并且为了简洁、惯用的代码。KFunction javaMethodfindAnnotation

如果注释碰巧不是第一个注释,这也将起作用,这annotations[0]可能会中断。

val method = ApiDefinition::getObjects

val annotation = method.findAnnotation<GET>() // Will be null if it doesn't exist

val path = annotation?.path

基本上findAnnotation所做的就是返回

annotations.filterIsInstance<T>().firstOrNull()
于 2017-11-27T14:15:05.150 回答