1
0
mirror of https://git.sr.ht/~adnano/kiln synced 2024-11-23 17:12:18 +01:00
kiln/config.go

89 lines
2.1 KiB
Go
Raw Normal View History

2020-11-20 18:07:38 +01:00
package main
import (
"log"
2020-11-20 18:07:38 +01:00
"os"
"os/exec"
"path"
"strings"
2020-11-20 18:07:38 +01:00
"text/template"
2021-03-21 04:54:55 +01:00
"github.com/BurntSushi/toml"
2020-11-20 18:07:38 +01:00
)
// Config contains site configuration.
type Config struct {
2021-03-20 21:29:06 +01:00
Title string `toml:"title"` // site title
URLs []string `toml:"urls"` // site URLs
Feeds map[string]string `toml:"feeds"` // site feeds
2021-03-21 04:44:13 +01:00
Tasks map[string]*Task `toml:"tasks"` // site tasks
2021-03-20 21:29:06 +01:00
Templates *Templates `toml:"-"` // site templates
2020-11-20 18:07:38 +01:00
}
// Task represents a site build task.
type Task struct {
2021-04-12 00:42:55 +02:00
InputExt string `toml:"input_ext"` // input file extension
OutputExt string `toml:"output_ext"` // output file extension
TemplateExt string `toml:"template_ext"` // template file extension
PostProcess string `toml:"postprocess"` // postprocess command
StaticDir string `toml:"static_dir"` // static file directory
OutputDir string `toml:"output_dir"` // output directory
}
func (t Task) Format(p *Page) (string, []byte) {
2021-04-12 00:42:55 +02:00
path := path.Join(p.Path, "index"+t.OutputExt)
// Run a custom command.
if t.PostProcess != "" {
split := strings.Split(t.PostProcess, " ")
cmd := exec.Command(split[0], split[1:]...)
cmd.Stdin = strings.NewReader(p.Content)
cmd.Stderr = os.Stderr
output, err := cmd.Output()
if err != nil {
log.Fatal(err)
}
return path, output
}
return path, []byte(p.Content)
}
// LoadConfig loads the configuration from the provided path.
func LoadConfig(path string) (*Config, error) {
2020-11-20 18:07:38 +01:00
f, err := os.Open(path)
if err != nil {
2021-03-20 07:02:36 +01:00
return nil, err
2020-11-20 18:07:38 +01:00
}
2021-03-20 07:02:36 +01:00
defer f.Close()
2020-11-20 18:07:38 +01:00
2021-04-20 22:16:12 +02:00
c := &Config{}
2021-03-21 04:54:55 +01:00
if _, err := toml.DecodeReader(f, c); err != nil {
2021-03-20 07:02:36 +01:00
return nil, err
}
return c, nil
2020-11-20 18:07:38 +01:00
}
// LoadTemplates loads templates from the provided path.
func (c *Config) LoadTemplates(path string) error {
// Site contains site metadata passed to templates
type Site struct {
Title string
2020-11-28 00:24:31 +01:00
URLs []string
2020-11-20 18:07:38 +01:00
}
// Load templates
c.Templates = NewTemplates()
c.Templates.Funcs(template.FuncMap{
"site": func() Site {
return Site{
Title: c.Title,
2020-11-28 00:24:31 +01:00
URLs: c.URLs,
2020-11-20 18:07:38 +01:00
}
},
})
2020-11-22 21:14:50 +01:00
c.Templates.LoadDefault()
2020-11-20 18:07:38 +01:00
return c.Templates.Load(path)
}