Разбор конфигурации Typesafe для класса дел
Что является подходящим классом для разбора:
input {
foo {
bar = "a"
baz = "b"
}
bar {
bar = "a"
baz = "c"
other= "foo"
}
}
из безопасной конфигурации HOCON через https://github.com/kxbmap/configs?
Как это можно прочитать через ADT? Глядя на их пример, я не уверен, как построить иерархию классов, где некоторые классы имеют разное количество полей - но могут наследовать некоторые.
sealed trait Tree case class Branch(value: Int, left: Tree, right: Tree) extends Tree case object Leaf extends Tree
Мой образец здесь:
import at.tmobile.bigdata.utils.config.ConfigurationException
import com.typesafe.config.ConfigFactory
import configs.syntax._
val txt =
"""
|input {
| foo {
| bar = "a"
| baz = "b"
| type = "foo"
| }
|
| bar {
| bar = "a"
| baz = "c"
| other= "foo"
| type="bar"
| }
|}
""".stripMargin
val config = ConfigFactory.parseString(txt)
config
sealed trait Input{ def bar: String
def baz:String }
case class Foo(bar: String, baz: String) extends Input
case class Bar(bar:String, baz:String, other:String)extends Input
config.extract[Input].toEither match {
case Right(s) => s
case Left(l) =>
throw new ConfigurationException(
s"Failed to start. There is a problem with the configuration: " +
s"${l.messages.foreach(println)}"
)
}
не удается с:
No configuration setting found for key 'type'
1 ответ
Решение
Если input
конфиг всегда состоит из 2
поля (как в примере txt
значение; т.е. просто foo
а также bar
), то вы можете сделать это так:
val txt =
"""
|input {
| foo {
| bar = "a"
| baz = "b"
| type = "foo"
| }
|
| bar {
| bar = "a"
| baz = "c"
| other = "foo"
| type = "bar"
| }
|}
""".stripMargin
sealed trait Input {
def bar: String
def baz: String
}
case class Foo(bar: String, baz: String) extends Input
case class Bar(bar: String, baz: String, other:String) extends Input
case class Inputs(foo: Foo, bar: Bar)
val result = ConfigFactory.parseString(txt).get[Inputs]("input")
println(result)
Выход:
Success(Inputs(Foo(a,b),Bar(a,c,foo)))
-
Если вы намереваетесь настроить последовательность общих входных данных, вы должны отразить это в конфигурации и проанализировать Seq[Input]
:
val txt =
"""
|inputs = [
| {
| type = "Foo"
| bar = "a"
| baz = "b"
| }
|
| {
| type = "Bar"
| bar = "a"
| baz = "c"
| other= "foo"
| }
|]
""".stripMargin
sealed trait Input {
def bar: String
def baz: String
}
case class Foo(bar: String, baz: String) extends Input
case class Bar(bar: String, baz: String, other: String) extends Input
val result = ConfigFactory.parseString(txt).get[Seq[Input]]("inputs")
println(result)
Выход:
Success(Vector(Foo(a,b), Bar(a,c,foo)))