如何让Kotlin的类型安全构建器在Scala中工作?

时间:2016-09-22 06:18:56

标签: scala kotlin dsl type-safety

Kotlin有令人敬畏的type safe builders,可以创建像这样的dsl

html {
  head {
    title("The title")
    body {} // compile error
  }
  body {} // fine
}

令人敬畏的是你不能把标签放在无效的地方,比如头部内部,自动完成也能正常工作。

我很感兴趣,如果可以在Scala中实现这一点。如何获得它?

1 个答案:

答案 0 :(得分:1)

如果您对构建html感兴趣,那么有一个库scalatags使用类似的概念。 实现这种构建器不需要任何特定的语言结构。这是一个例子:

object HtmlBuilder extends App {
    import html._
    val result = html {
        div {
            div{
                a(href = "http://stackoverflow.com")
            }
        }
    }
}

sealed trait Node
case class Element(name: String, attrs: Map[String, String], body: Node) extends Node
case class Text(content: String) extends Node
case object Empty extends Node

object html {
    implicit val node: Node = Empty
    def apply(body: Node) = body
    def a(href: String)(implicit body: Node) =
        Element("a", Map("href" -> href), body)
    def div(body: Node) =
        Element("div", Map.empty, body)
}

object Node {
    implicit def strToText(str: String): Text = Text(str)
}