Mustache

Ktor allows you to use Mustache templates as views within your application by installing the Mustache feature.

Add Dependencies

To enable Mustache support, you need to include the ktor-mustache artifact in the build script:

Mustache - 图1

Gradle (Groovy)

Gradle (Kotlin)

Maven

Mustache - 图2

  1. implementation "io.ktor:ktor-mustache:$ktor_version"

Install Mustache

To install the Mustache feature, pass it to the install function in the application initialization code. This can be the main function …

  1. import io.ktor.features.*
  2. // ...
  3. fun Application.main() {
  4. install(Mustache)
  5. // ...
  6. }

… or a specified module:

  1. import io.ktor.features.*
  2. // ...
  3. fun Application.module() {
  4. install(Mustache)
  5. // ...
  6. }

Inside the install block, you can configure the MustacheFactory for loading Mustache templates.

Configure Mustache

Configure Template Loading

To load templates, you need to assign the MustacheFactory to the mustacheFactory property. For example, the code snippet below enables Ktor to look up templates in the templates package relative to the current classpath:

  1. import io.ktor.mustache.*
  2. install(Mustache) {
  3. mustacheFactory = DefaultMustacheFactory("templates")
  4. }

Send a Template in Response

Imagine you have the index.hbs template in resources/templates:

  1. <html>
  2. <body>
  3. <h1>Hello, {{user.name}}</h1>
  4. </body>
  5. </html>

A data model for a user looks as follows:

  1. data class User(val id: Int, val name: String)

To use the template for the specified route, pass MustacheContent to the call.respond method in the following way:

  1. get("/index") {
  2. val sampleUser = User(1, "John")
  3. call.respond(MustacheContent("index.hbs", mapOf("user" to sampleUser)))
  4. }