Common use cases

模板作为简单的函数,可以由任意的方式构成。下面是一些常见的使用情况。

页面布局(layout)

让我们来声明一个 views/main.scala.html 模板来作为主要的布局模板:

  1. @(title: String)(content: Html)
  2. <!DOCTYPE html>
  3. <html>
  4. <head>
  5. <title>@title</title>
  6. </head>
  7. <body>
  8. <section class="content">@content</section>
  9. </body>
  10. </html>

正如你所见,这个模板接收两个参数:标题(title)和 HTML 内容块(content)。下面我们在另一个模板(views/Application/index.scala.html)中使用它:

  1. @main(title = "Home") {
  2. <h1>Home page</h1>
  3. }

注意:有时候我们使用命名参数,如 @main(title = "Home"),而不是 @main("Home")。这个视具体情况,选择一个表述清楚的即可。

有时候,你需要另一个页面内容来作为侧边栏(sidebar),这时你可以添加一个额外的参数来做到:

  1. @(title: String)(sidebar: Html)(content: Html)
  2. <!DOCTYPE html>
  3. <html>
  4. <head>
  5. <title>@title</title>
  6. </head>
  7. <body>
  8. <section class="sidebar">@sidebar</section>
  9. <section class="content">@content</section>
  10. </body>
  11. </html>

在我们的 index 模板中使用:

  1. @main("Home") {
  2. <h1>Sidebar</h1>
  3. } {
  4. <h1>Home page</h1>
  5. }

或者,我们可以单独声明侧边栏:

  1. @sidebar = {
  2. <h1>Sidebar</h1>
  3. }
  4. @main("Home")(sidebar) {
  5. <h1>Home page</h1>
  6. }

标签(它们也是函数)

下面我们来写一个简单的标签 views/tags/notice.scala.html,用于显示 HTML 通知:

  1. @(level: String = "error")(body: (String) => Html)
  2. @level match {
  3. case "success" => {
  4. <p class="success">
  5. @body("green")
  6. </p>
  7. }
  8. case "warning" => {
  9. <p class="warning">
  10. @body("orange")
  11. </p>
  12. }
  13. case "error" => {
  14. <p class="error">
  15. @body("red")
  16. </p>
  17. }
  18. }

现在,我们在另一个模板中使用它:

  1. @import tags._
  2. @notice("error") { color =>
  3. Oops, something is <span style="color:@color">wrong</span>
  4. }

Includes

同样没有任何特别之处,你可以调用任意其它模板(事实上可以调用任意地方的任意函数):

  1. <h1>Home</h1>
  2. <div id="side">
  3. @common.sideBar()
  4. </div>

moreScripts 与 moreStyles 等价物

想在 Scala 模板中定义 moreScripts 和 moreStyles 等价物(像在 Play! 1.x 那样),你只需像下面那样在主模板中定义一个变量:

  1. @(title: String, scripts: Html = Html(""))(content: Html)
  2. <!DOCTYPE html>
  3. <html>
  4. <head>
  5. <title>@title</title>
  6. <link rel="stylesheet" media="screen" href="@routes.Assets.at("stylesheets/main.css")">
  7. <link rel="shortcut icon" type="image/png" href="@routes.Assets.at("images/favicon.png")">
  8. <script src="@routes.Assets.at("javascripts/jquery-1.7.1.min.js")" type="text/javascript"></script>
  9. @scripts
  10. </head>
  11. <body>
  12. <div class="navbar navbar-fixed-top">
  13. <div class="navbar-inner">
  14. <div class="container">
  15. <a class="brand" href="#">Movies</a>
  16. </div>
  17. </div>
  18. </div>
  19. <div class="container">
  20. @content
  21. </div>
  22. </body>
  23. </html>

对于一个需要额外脚本的扩展模板,用法如下:

  1. @scripts = {
  2. <script type="text/javascript">alert("hello !");</script>
  3. }
  4. @main("Title",scripts){
  5. Html content here ...
  6. }

如果扩展模板不需要额外脚本,则:

  1. @main("Title"){
  2. Html content here ...
  3. }