Scala 2.12 在这里尝试使用 Lift-JSON 来解析配置文件。我有以下myapp.json
配置文件:
{
"health" : {
"checkPeriodSeconds" : 10,
"metrics" : {
"stores" : {
"primary" : "INFLUX_DB",
"fallback" : "IN_MEMORY"
}
}
}
}
以及以下MyAppConfig
类:
case class MyAppConfig()
我的myapp.json
将不断发展,并可能变得非常大,其中包含许多嵌套的JSON结构。我不想为每个 JSON 对象创建 Scala 对象,然后将其注入MyAppConfig
如下所示:
case class Stores(primary : String, fallback : String)
case class Metrics(stores : Stores)
case class Health(checkPeriodSeconds : Int, metrics : Metrics)
case class MyAppConfig(health : Health)
等。这样做的原因是我最终会得到">配置对象蔓延",其中包含数十个案例类,这些案例类只是为了满足从 JSON 到 Scala-land 的序列化。
相反,我想使用 Lift-JSON 来读取myapp.json
配置文件,然后MyAppConfig
只使用从 JSON 中读取/解析值的辅助函数:
import net.liftweb.json._
// Assume we instantiate MyAppConfig like so:
//
// val json = Source.fromFile(configFilePath)
// val myAppConfig : MyAppConfig = new MyAppConfig(json.mkString)
//
class MyAppConfig(json : String) {
implicit val formats = DefaultFormats
def primaryMetricsStore() : String = {
// Parse "INFLUX_DB" value from health.metrics.stores.primary
}
def checkPeriodSeconds() : Int = {
// Parse 10 value from health.checkPeriodSeconds
}
}
这样,我可以挑选要向应用程序公开(使其可读(的配置。我只是没有按照 Lift API 文档来了解这种策略是如何实现的,他们似乎都希望我创建大量的案例类。有什么想法吗?
案例类对于从 JSON 中提取数据不是必需的。您可以根据需要查询解析后的树和转自数据。示例中的值可以按如下方式提取:
import net.liftweb.json._
class MyAppConfig(json : String) {
private implicit val formats = DefaultFormats
private val parsed = parse(json)
def primaryMetricsStore() : String = {
(parsed "health" "metrics" "stores" "primary").extract[String]
}
def checkPeriodSeconds() : Int = {
(parsed "health" "checkPeriodSeconds").extract[Int]
}
}
原始文档提供了所有详细信息。