我正在尝试构建一个通用类来处理Kotlin和Java中的配置注入。
基本上,我希望将一个类绑定到一个数据类,并希望将一个资源文件的路径绑定到该数据文件中,该文件应包含一个易于写的数据类实例的反序列化。
到目前为止,我想出的是:
import com.fasterxml.jackson.module.kotlin.jacksonObjectMapper
import com.fasterxml.jackson.module.kotlin.readValue
class ResourceLoader()
inline fun <reified T : Any> loadObject(resourcePath: String): T {
// Load resource file
val resource = ResourceLoader::class.java.classLoader.getResource(resourcePath)
val resourceContent = resource.readText()
// Return deserialized object
return jacksonObjectMapper().readValue(resourceContent)
}
abstract class ResourceBound<T : Any>(val resourcePath: String) {
inline fun <reified U : T> getResource(): U {
return loadObject(this.resourcePath)
}
}
有了这个,我可以将测试类绑定到资源文件的存在,如果文件缺少格式错误的文件,则它会在光荣的 exception ality中失败,例如:
data class ServiceConfig(val endpoint: String, val apiKey: String)
class TestClassLoadingConfig() : ResourceBound<ServiceConfig>("TestConfig.json") {
@Test
fun testThis() {
val config: ServiceConfig = this.getResource()
val client = ServiceClient(config.endpoint, config.apiKey)
...
}
}
唯一的问题是,它仅在Kotlin中可用,因为inline
与Java不兼容。那我该如何解决呢?
作为奖励,我想摆脱显式类型声明,因此val config: ServiceConfig = this.getResource()
可以只是val config = this.getResource()
。
答案 0 :(得分:0)
我最近偶然发现了一个相同的问题,并通过将TypeReference
作为第二个参数来解决了这个问题。
我的基本配置类:
package config
import com.fasterxml.jackson.core.type.TypeReference
import com.fasterxml.jackson.databind.ObjectMapper
import com.fasterxml.jackson.dataformat.yaml.YAMLFactory
import com.fasterxml.jackson.module.kotlin.KotlinModule
open class BaseConfig<T>(configFile: String, typeReference: TypeReference<T>) {
val config: T
init {
val mapper = ObjectMapper(YAMLFactory())
mapper.registerModule(KotlinModule())
val inputStream = this.javaClass.classLoader
.getResourceAsStream(configFile)
config = mapper.readValue(inputStream, typeReference)
}
}
示例数据类:
package config.dto
data class MessageDto(
val `example messages`: List<String>
)
示例对象:
package config
import com.fasterxml.jackson.core.type.TypeReference
import config.dto.MessageDto
object Message: BaseConfig<MessageDto>("messages.yml", object: TypeReference<MessageDto>() {}) {
val exampleMessages: List<String> = config.`example messages`
}
示例yaml:
example messages:
- "An example message"
- "Another example message"
它不像我希望的那样简洁,但是它可以工作,它为我提供了一种灵活的方法,可以将内容从配置文件映射到任何数据类。