我有这个自定义对象:
data class Pair(
var first: String = "1",
var second: String = "2"
)
现在我想用我的application.yml
自动连接它:
my-properties:
my-integer-list:
- 1
- 2
- 3
my-map:
- "abc": "123"
- "test": "test"
pair:
first: "abc"
second: "123"
使用此类:
@Configuration
@ConfigurationProperties(prefix = "my-properties")
class ComplexProperties {
lateinit var myIntegerList: List<Int>
lateinit var myMap: Map<String, String>
lateinit var pair: Pair
}
在添加Pair
之前它可以正常工作,但是在我只得到Reason: lateinit property pair has not been initialized
后
这是我的main
:
@SpringBootApplication
class DemoApplication
fun main(args: Array<String>) {
runApplication<DemoApplication>(*args)
}
@RestController
class MyRestController(
val props: ComplexProperties
) {
@GetMapping
fun getProperties(): String {
println("myIntegerList: ${props.myIntegerList}")
println("myMap: ${props.myMap}")
println("pair: ${props.pair}")
return "hello world"
}
}
使用Java我已经完成了此操作,但是我看不到这里缺少什么。
答案 0 :(得分:1)
您不能使用lateinit var来做到这一点。
解决方案是将您的pair属性初始化为null:
@Configuration
@ConfigurationProperties(prefix = "my-properties")
class ComplexProperties {
...
var pair: Pair? = null
}
或使用默认值实例化配对:
@Configuration
@ConfigurationProperties(prefix = "my-properties")
class ComplexProperties {
...
var pair = Pair()
}
您现在可以将其与应用程序自动连接。yml:
...
pair:
first: "abc"
second: "123"