Go语言通过html/template实现安全模板渲染,首先定义User结构体并创建HTML模板文件,使用{{.FieldName}}插入数据,在服务器Handler中加载模板并执行渲染;支持布局复用,通过define和block实现继承,结合range、if等指令控制循环与条件逻辑,适用于Web页面高效安全输出。

在Go语言中实现基础的模板渲染功能非常直观,得益于标准库 text/template 和 html/template 的强大支持。以下是一个完整的项目实战思路,帮助你快速搭建并理解模板渲染的核心机制。
选择合适的模板包
Go 提供了两个主要的模板包:
- text/template:通用文本模板引擎,适用于生成任意文本内容(如配置文件、邮件正文)
- html/template:专为 HTML 设计,自动转义变量内容,防止 XSS 攻击,适合 Web 应用
Web 项目推荐使用 html/template,确保输出安全。
定义数据结构与模板文件
模板渲染的关键是数据和视图分离。先准备一个简单的结构体来承载数据:
立即学习“go语言免费学习笔记(深入)”;
type User struct {
Name string
Email string
Age int
}
创建模板文件 templates/profile.html:
用户资料
姓名:{{.Name}}
邮箱:{{.Email}}
年龄:{{.Age}}
其中 {{.FieldName}} 是 Go 模板的占位语法,表示从当前数据上下文中提取字段值。
加载并执行模板
使用 template.ParseFiles() 加载模板文件,并通过 Execute() 将数据注入生成最终内容:
package main
import (
"html/template"
"log"
"net/http"
)
func profileHandler(w http.ResponseWriter, r *http.Request) {
user := User{
Name: "张三",
Email: "zhangsan@example.com",
Age: 28,
}
tmpl, err := template.ParseFiles("templates/profile.html")
if err != nil {
http.Error(w, err.Error(), http.StatusInternalServerError)
return
}
err = tmpl.Execute(w, user)
if err != nil {
http.Error(w, err.Error(), http.StatusInternalServerError)
}
}
func main() {
http.HandleFunc("/profile", profileHandler)
log.Println("服务器启动在 :8080")
log.Fatal(http.ListenAndServe(":8080", nil))
}
访问 http://localhost:8080/profile 即可看到渲染后的 HTML 页面。
使用模板继承与布局复用
实际项目中常需共用头部、底部等结构。Go 模板通过 define 和 template 实现布局复用。
创建基础布局 templates/layout.html:
{{block "title" .}}默认标题{{end}} 网站导航栏 {{block "content" .}}{{end}}
子模板 templates/home.html 继承布局:
{{define "title"}}首页{{end}}
{{define "content"}}
欢迎光临
你好,{{.Name}}!
{{end}}
在代码中解析多个文件并执行主布局:
tmpl, err := template.ParseFiles("templates/layout.html", "templates/home.html")
if err != nil {
// 处理错误
}
tmpl.ExecuteTemplate(w, "layout.html", user)
处理条件与循环
模板支持基本逻辑控制:
-
条件判断:
{{if .Age gt 18}}成人{{else}}未成年{{end}} -
遍历切片:
{{range .Friends}} - {{.}} {{end}}
配合数据结构如包含切片的结构体,能灵活展示列表类内容。
基本上就这些。掌握模板加载、数据绑定、布局复用和基础逻辑控制后,你就能在 Golang 项目中高效实现页面渲染。无论是静态站点生成还是简单 Web 服务,这套方案都足够实用且安全。










