1

假设我的注释处理器的处理功能如下所示

override fun process(
        annotations: MutableSet<out TypeElement>,
        roundEnv: RoundEnvironment
    ): Boolean {
        try {
            roundEnv.getElementsAnnotatedWith(CustomAnnotation::class.java)
                .mapNotNull {
                    if (it.kind != ElementKind.INTERFACE) {
                        printError(
                            "Only interfaces can be annotated with " +
                                    MapperConfig::class.java.simpleName
                        )
                        null
                    } else {
                        it as TypeElement
                    }
                }.forEach {
                    processMapperConfigInterface(it, roundEnv)
                }
        } catch (ex: Exception) {
            messager.printError(ex.message!!)
        }
        return true
    }

roundEnv.getElementsAnnotatedWith返回没有任何 kotlin 类型信息的 java Elements,如何使用注释处理来获取正确的 kotlin 类型信息?

4

1 回答 1

2

我遇到了同样的问题,我能想出的唯一解决方案是使用kotlinpoet-metadata API解析元素的元数据。

重要说明: kotlinpoet-metadata仍处于生产初期,并且本身基于实验kotlinx-metadata库,因此将来可能会中断。但是,它目前用于Moshi Kotlin 代码生成器的稳定版本。

首先,确保您已将以下内容添加到 build.gradle 中的依赖项中:

dependencies {
    implementation 'com.squareup:kotlinpoet:1.7.1'
    implementation 'com.squareup:kotlinpoet-metadata:1.7.1'`
}

1.7.1 是目前最新的 KotlinPoet 版本。

KmClass您可以通过从元素的元数据构造的 , 获取 Kotlin 类型信息。这是使用KmClass的示例,这是您需要在代码中更改的内容:

override fun process(
    annotations: MutableSet<out TypeElement>,
    roundEnv: RoundEnvironment
): Boolean {
    try {
        roundEnv.getElementsAnnotatedWith(CustomAnnotation::class.java)
            .mapNotNull {
                if (it.kind != ElementKind.INTERFACE) {
                    printError(
                        "Only interfaces can be annotated with " +
                                MapperConfig::class.java.simpleName
                    )
                    null
                } else {
                    it as TypeElement
                }
            }.forEach {
                val typeMetadata = it.getAnnotation(Metadata::class.java) ?: return@forEach
                var kmClass = typeMetadata.toImmutableKmClass()
                // HERE: kmClass should contain all the Kotlin type information.
            }
    } catch (ex: Exception) {
        messager.printError(ex.message!!)
    }
    return true
}
于 2020-10-20T08:45:07.800 回答