1
0
Fork 0
mirror of https://git.sr.ht/~adnano/kiln synced 2024-05-10 16:46:07 +02:00
kiln/templates.go

87 lines
2.0 KiB
Go
Raw Normal View History

2020-09-29 22:42:27 +02:00
package main
2020-11-20 18:07:38 +01:00
import (
2021-02-27 21:56:23 +01:00
"embed"
2020-11-20 18:07:38 +01:00
"io/ioutil"
"os"
2020-11-22 21:51:07 +01:00
pathpkg "path"
2020-11-20 18:07:38 +01:00
"path/filepath"
"strings"
"text/template"
)
2021-02-27 21:56:23 +01:00
//go:embed templates
var builtinTemplates embed.FS
2020-11-20 18:07:38 +01:00
// Templates contains site templates.
type Templates struct {
tmpls map[string]*template.Template
funcs template.FuncMap
}
// NewTemplates returns a new Templates with the default templates.
func NewTemplates() *Templates {
t := &Templates{
tmpls: map[string]*template.Template{},
}
return t
}
// Funcs sets the functions available to newly created templates.
func (t *Templates) Funcs(funcs template.FuncMap) {
t.funcs = funcs
}
2020-11-22 21:14:50 +01:00
// LoadDefault loads the default templates.
// Should be called after Funcs.
func (t *Templates) LoadDefault() {
2021-02-27 21:56:23 +01:00
t.loadDefault("index.gmi")
t.loadDefault("page.gmi")
t.loadDefault("atom.xml")
t.loadDefault("output.html")
}
func (t *Templates) loadDefault(name string) {
b, err := builtinTemplates.ReadFile("templates/" + name)
if err != nil {
panic(err)
}
t.LoadTemplate("/_default/"+name, b)
2020-11-22 21:14:50 +01:00
}
2020-11-20 18:07:38 +01:00
// LoadTemplate loads a template from the provided path and content.
2021-02-27 21:56:23 +01:00
func (t *Templates) LoadTemplate(path string, content []byte) {
2020-11-20 18:07:38 +01:00
tmpl := template.New(path)
tmpl.Funcs(t.funcs)
2021-02-27 21:56:23 +01:00
template.Must(tmpl.Parse(string(content)))
2020-11-20 18:07:38 +01:00
t.tmpls[path] = tmpl
}
// Load loads templates from the provided directory
func (t *Templates) Load(dir string) error {
return filepath.Walk(dir, func(path string, info os.FileInfo, err error) error {
if err != nil {
return err
}
if info.Mode().IsRegular() {
b, err := ioutil.ReadFile(path)
if err != nil {
return err
}
// Remove directory from beginning of path
path = strings.TrimPrefix(path, dir)
2021-02-27 21:56:23 +01:00
t.LoadTemplate(path, b)
2020-11-20 18:07:38 +01:00
}
return nil
})
}
2020-09-29 22:42:27 +02:00
2020-11-22 21:51:07 +01:00
// FindTemplate returns a template for the given path, or the default template if it does not exist.
2020-11-20 18:07:38 +01:00
func (t *Templates) FindTemplate(path string, tmpl string) *template.Template {
2020-11-22 21:51:07 +01:00
tmplPath := pathpkg.Join(path, tmpl)
if t, ok := t.tmpls[tmplPath]; ok {
return t
2020-11-20 18:07:38 +01:00
}
2020-11-22 21:51:07 +01:00
return t.tmpls[pathpkg.Join("/_default", tmpl)]
2020-11-20 18:07:38 +01:00
}