我更喜欢使用前者而不是后者,但我不确定如何将Scalatags合并到playframework中。
这是我简单的布局:
object Test
{
import scalatags.Text.all._
def build =
{
html(
head(
title := "Test"
),
body(
h1("This is a Triumph"),
div(
"Test"
)
)
)
}
}
这是我尝试呈现它的方式:
Ok(views.Test.build.render)
问题是,我把它作为普通的字符串而不是HTML。
现在,当然一个解决方案就是简单地追加。
Ok(views.Test.build.render).as("text/html")
但这真的是唯一的方法吗? (不创建辅助方法)
答案 0 :(得分:13)
我假设您希望能够拨打Ok(views.Test.build)
。 Play不知道ScalaTags所以我们必须在这里写某些东西。
Play使用一些隐式机制来生成HTTP响应。当您致电Ok(...)
时,您实际上正在调用apply
特征上的play.api.mvc.Results
。我们来看看它的签名:
def apply[C](content: C)(implicit writeable: Writeable[C]): Result
所以我们可以看到我们需要一个隐含的Writeable[scalatags.Text.all.Tag]
:
implicit def writeableOfTag(implicit codec: Codec): Writeable[Tag] = {
Writeable(tag => codec.encode("<!DOCTYPE html>\n" + tag.render))
}
不要忘记包含doctype声明。 ScalaTags不会给你一个。
对Writeable.apply
本身的调用需要另一个隐式来确定内容类型。这是它的签名:
def apply[A](transform: A => ByteString)(implicit ct: ContentTypeOf[A]): Writeable[A]
所以让我们写一个隐含的ContentTypeOf[Tag]
:
implicit def contentTypeOfTag(implicit codec: Codec): ContentTypeOf[Tag] = {
ContentTypeOf[Tag](Some(ContentTypes.HTML))
}
这使我们可以避免必须明确地写出as("text/html")
和它包含charset(由隐式编解码器提供),从而产生Content-Type
text/html; charset=utf-8
标题}}
全部放在一起:
import play.api.http.{ ContentTypeOf, ContentTypes, Writeable }
import play.api.mvc.Results.Ok
import scalatags.Text.all._
def build: Tag = {
html(
head(
title := "Test"
),
body(
h1("This is a Triumph"),
div(
"Test"
)
)
)
}
implicit def contentTypeOfTag(implicit codec: Codec): ContentTypeOf[Tag] = {
ContentTypeOf[Tag](Some(ContentTypes.HTML))
}
implicit def writeableOfTag(implicit codec: Codec): Writeable[Tag] = {
Writeable(tag => codec.encode("<!DOCTYPE html>\n" + tag.render))
}
def foo = Action { implicit request =>
Ok(build)
}
你可能想把这些暗示放在方便的地方,然后将它们导入你的控制器。