databricks-cli/libs/template/execute.go

94 lines
2.3 KiB
Go
Raw Normal View History

2023-05-17 09:53:13 +00:00
package template
2023-05-17 00:43:41 +00:00
import (
2023-05-17 13:27:03 +00:00
"errors"
"io/fs"
2023-05-17 00:43:41 +00:00
"os"
"path/filepath"
"strings"
"text/template"
)
2023-05-17 13:00:27 +00:00
// Executes the template by applying config on it. Returns the materialized config
2023-05-17 00:43:41 +00:00
// as a string
// TODO: test this function
func executeTemplate(config map[string]any, templateDefinition string) (string, error) {
2023-05-17 00:43:41 +00:00
// configure template with helper functions
tmpl, err := template.New("").Funcs(HelperFuncs).Parse(templateDefinition)
2023-05-17 00:43:41 +00:00
if err != nil {
return "", err
}
// execute template
result := strings.Builder{}
err = tmpl.Execute(&result, config)
if err != nil {
return "", err
}
return result.String(), nil
}
// TODO: test this function
func generateFile(config map[string]any, pathTemplate, contentTemplate string, perm fs.FileMode) error {
2023-05-17 00:43:41 +00:00
// compute file content
fileContent, err := executeTemplate(config, contentTemplate)
2023-05-17 13:33:04 +00:00
if errors.Is(err, errSkipThisFile) {
2023-05-22 07:46:26 +00:00
// skip this file
2023-05-17 00:43:41 +00:00
return nil
}
if err != nil {
return err
}
2023-05-22 07:46:26 +00:00
// compute the path for this file
path, err := executeTemplate(config, pathTemplate)
if err != nil {
return err
}
// create any intermediate directories required. Directories are lazily generated
// only when they are required for a file.
err = os.MkdirAll(filepath.Dir(path), 0755)
2023-05-17 00:43:41 +00:00
if err != nil {
return err
}
2023-05-22 07:46:26 +00:00
// write content to file
return os.WriteFile(path, []byte(fileContent), perm)
2023-05-17 00:43:41 +00:00
}
func walkFileTree(config map[string]any, templateRoot, instanceRoot string) error {
return filepath.WalkDir(templateRoot, func(path string, d fs.DirEntry, err error) error {
if err != nil {
return err
}
2023-05-17 00:43:41 +00:00
// skip if current entry is a directory
if d.IsDir() {
return nil
2023-05-17 00:43:41 +00:00
}
// read template file to get the templatized content for the file
b, err := os.ReadFile(path)
if err != nil {
return err
}
contentTemplate := string(b)
// get relative path to the template file, This forms the template for the
// path to the file
relPathTemplate, err := filepath.Rel(templateRoot, path)
if err != nil {
return err
}
// Get info about the template file. Used to ensure instance path also
// has the same permission bits
info, err := d.Info()
if err != nil {
return err
}
return generateFile(config, filepath.Join(instanceRoot, relPathTemplate), contentTemplate, info.Mode().Perm())
})
2023-05-17 00:43:41 +00:00
}