GoLang Templates

Creating Templates with GoLang’s html/template Package

Templates are a powerful feature in web development, allowing developers to separate the presentation layer from the application logic. Go, also known as Golang, provides robust support for template rendering through its html/template package. This package enables developers to create dynamic HTML pages by embedding data within template files.

Pluralsight Logo
Accelerate your tech career
with hands-on learning.
Whether you're a tech newbie or a total pro,
get the skills and confidence to land your next move.
Start 10-Day Free Trial

The html/template package is part of Go’s standard library and provides a safe and efficient way to generate HTML output. By leveraging templates, you can create clean and maintainable web applications that are easier to update and extend. In this guide, we will explore how to use the html/template package in Go, covering everything from basic template syntax to advanced features and best practices.

Understanding the html/template Package

What is the html/template Package?

The html/template package in Go is used to generate HTML output by parsing and executing templates. It provides a way to embed dynamic content within HTML pages, allowing you to create web applications with dynamic data. The package ensures that the generated HTML is safe from injection attacks by automatically escaping data.

Use Cases for html/template

The html/template package is commonly used for:

  1. Generating Dynamic Web Pages: Embedding data in HTML templates to create dynamic web pages.
  2. Email Templating: Creating HTML email templates with dynamic content.
  3. Report Generation: Generating HTML reports with dynamic data.

Setting Up Your GoLang Environment

Installing Go

To get started with Go, you need to install it on your development machine. Go to the official Go website and download the installer for your operating system. Follow the installation instructions to complete the setup.

Creating a New Project

Once Go is installed, set up your workspace by configuring the GOPATH environment variable. Create a directory for your new project:

mkdir -p $GOPATH/src/github.com/yourusername/templateapp
cd $GOPATH/src/github.com/yourusername/templateapp

Initialize a new Go module for your project:

go mod init github.com/yourusername/templateapp

Creating and Parsing Templates

Basic Template Syntax

Templates in Go are created using the text/template or html/template packages. The basic syntax for defining a template is straightforward. Here is an example of creating and executing a simple template:

package main

import (
    "html/template"
    "log"
    "os"
)

func main() {

    tmpl := template.New("example")
    tmpl, err := tmpl.Parse("Hello, {{.Name}}!")

    if err != nil {
        log.Fatalf("Error parsing template: %v", err)
    }

    data := struct {
        Name string
    }{
        Name: "World",
    }

    err = tmpl.Execute(os.Stdout, data)

    if err != nil {
        log.Fatalf("Error executing template: %v", err)
    }

}

In this code, we create a new template named “example” and parse a simple string template with a placeholder for the Name field. We then execute the template, passing in a struct with the Name field set to “World”. The output is Hello, World!.

Parsing Templates from Files

Templates can be stored in files and parsed using the ParseFiles function. This is useful for separating template definitions from the application code.

Create a file named template.html with the following content:

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <title>Example</title>
</head>
<body>
    <h1>Hello, {{.Name}}!</h1>
</body>
</html>

Modify the Go code to parse and execute the template from the file:

package main

import (
    "html/template"
    "log"
    "os"
)

func main() {

    tmpl, err := template.ParseFiles("template.html")

    if err != nil {
        log.Fatalf("Error parsing template file: %v", err)
    }

    data := struct {
        Name string
    }{
        Name: "World",
    }

    err = tmpl.Execute(os.Stdout, data)

    if err != nil {
        log.Fatalf("Error executing template: %v", err)
    }

}

In this code, we use ParseFiles to load the template.html file and then execute the template with the same data struct. The output is the rendered HTML with Hello, World! in the body.

Template Data and Functions

Passing Data to Templates

Data can be passed to templates using any Go data type, including structs, maps, and slices. Here’s an example of passing a more complex data structure to a template:

package main

import (
    "html/template"
    "log"
    "os"
)

type Person struct {
    Name  string
    Age   int
    Email string
}

func main() {

    tmpl := template.Must(template.ParseFiles("template.html"))

    person := Person{
        Name:  "John Doe",
        Age:   30,
        Email: "john@example.com",
    }

    err := tmpl.Execute(os.Stdout, person)

    if err != nil {
        log.Fatalf("Error executing template: %v", err)
    }

}

In this code, we define a Person struct and pass an instance of it to the template. The template can then access the fields of the struct.

Using Functions in Templates

Go templates support the use of functions to perform operations on data. You can define custom template functions and pass them to the template using the Funcs method.

Here’s an example of using a custom function in a template:

package main

import (
    "html/template"
    "log"
    "os"
    "strings"
)

func main() {

    tmpl := template.New("example").Funcs(template.FuncMap{
        "toUpperCase": strings.ToUpper,
    })

    tmpl, err := tmpl.Parse("{{.Name | toUpperCase}}")

    if err != nil {
        log.Fatalf("Error parsing template: %v", err)
    }

    data := struct {
        Name string
    }{
        Name: "john",
    }

    err = tmpl.Execute(os.Stdout, data)

    if err != nil {
        log.Fatalf("Error executing template: %v", err)
    }

}

In this code, we define a custom function toUpperCase that converts a string to uppercase using the strings.ToUpper function. We then use this function in the template to transform the Name field.

Advanced Template Features

Template Inheritance and Layouts

Template inheritance allows you to define base layouts and extend them with specific content. This is useful for creating consistent layouts across multiple pages.

Create a base layout file named layout.html:

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <title>{{block "title" .}}Title{{end}}</title>
</head>
<body>
    {{block "content" .}}{{end}}
</body>
</html>

Create a content file named content.html:

{{define "title"}}Home{{end}}
{{define "content"}}<h1>Welcome to the Home Page</h1>{{end}}

Modify the Go code to parse and execute the templates:

package main

import (
    "html/template"
    "log"
    "os"
)

func main() {

    tmpl, err := template.ParseFiles("layout.html", "content.html")

    if err != nil {
        log.Fatalf("Error parsing template files: %v", err)
    }

    err = tmpl.ExecuteTemplate(os.Stdout, "layout.html", nil)

    if err != nil {
        log.Fatalf("Error executing template: %v", err)
    }

}

In this code, we define a base layout with placeholder blocks for the title and content. The content file defines the actual content for these blocks. The ExecuteTemplate method renders the final HTML by combining the layout and content templates.

Conditional Statements and Loops

Templates in Go support conditional statements and loops for dynamic content generation. Here’s an example of using if statements and range loops:

Create a file named conditionals.html:

<!DOCTYPE html>
<html lang="en">
<head>
    <meta charset="UTF-8">
    <title>Conditionals and Loops</title>
</head>
<body>

    {{if .LoggedIn}}
    <h1>Welcome, {{.Username}}!</h1>
    {{else}}
    <h1>Please log in.</h1>
    {{end}}

    <h2>Items:</h2>
    <ul>
        {{range .Items}}
        <li>{{.}}</li>
        {{end}}
    </ul>

</body>
</html>

Modify the Go code to pass data to the template:

package main

import (
    "html/template"
    "log"
    "os"
)

type Data struct {
    LoggedIn bool
    Username string
    Items    []string
}

func main() {

    tmpl := template.Must(template.ParseFiles("conditionals.html"))

    data := Data{
        LoggedIn: true,
        Username: "john",
        Items:    []string{"Item 1", "Item 2", "Item 3"},
    }

    err := tmpl.Execute(os.Stdout, data)

    if err != nil {
        log.Fatalf("Error executing template: %v", err)
    }

}

In this code, we define a Data struct with fields for the login status, username, and a list of items. The template uses conditional statements to display different content based on the login status and loops through the list of items to display them in an unordered list.

Security Considerations

Escaping HTML

One of the key features of the html/template package is automatic HTML escaping. This protects against cross-site scripting (XSS) attacks by ensuring that data passed to the template is properly escaped.

For example, if the Username field contains HTML tags, they will be escaped to prevent execution:

data := Data {
    LoggedIn: true,
    Username: "<script>alert('XSS');</script>",
    Items:    []string{"Item 1", "Item 2", "Item 3"},
}

The output will be:

<h1>Welcome, <script>alert('XSS');</script>!</h1>

Avoiding Common Security Pitfalls

  • Do Not Disable Escaping: Avoid disabling HTML escaping unless absolutely necessary. Disabling escaping can introduce security vulnerabilities.
  • Validate Input: Always validate and sanitize user input before processing it.
  • Use Trusted Sources: Ensure that data passed to templates comes from trusted sources to prevent injection attacks.

Best Practices for Using html/template

  1. Organize Templates: Store templates in a dedicated directory and organize them by functionality or page type.
  2. Reuse Templates: Use template inheritance and partials to reuse common layout elements.
  3. Keep Logic Out of Templates: Minimize logic in templates. Perform complex data processing in the application code and pass the final data to the template.
  4. Test Templates: Write tests for your templates to ensure they render correctly and handle edge cases.

Conclusion

In this article, we explored how to use GoLang’s html/template package to create dynamic HTML pages. We covered the basics of template syntax, parsing templates from files, passing data to templates, and using functions in templates. We also delved into advanced features like template inheritance, conditional statements, and loops. Additionally, we discussed security considerations and best practices for using the html/template package.

By following these guidelines and examples, you can create robust and maintainable web applications with GoLang’s html/template package.

Additional Resources

To further your understanding of GoLang’s html/template package, consider exploring the following resources:

  1. Go Programming Language Documentation: The official Go documentation provides comprehensive information on the html/template package. Go Documentation
  2. Go Web Programming: A book that covers web development in Go, including templates. Go Web Programming

By leveraging these resources, you can deepen your knowledge of Go and enhance your ability to create dynamic web applications with the html/template package.

Scroll to Top