databricks-cli/libs/template/execute.go

96 lines
2.4 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"
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
func executeTemplate(config map[string]any, templateDefination string) (string, error) {
// configure template with helper functions
2023-05-17 13:00:27 +00:00
tmpl, err := template.New("").Funcs(HelperFuncs).Parse(templateDefination)
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: allow skipping directories
func generateDirectory(config map[string]any, parentDir, nameTempate string) (string, error) {
dirName, err := executeTemplate(config, nameTempate)
if err != nil {
return "", err
}
err = os.Mkdir(filepath.Join(parentDir, dirName), 0755)
if err != nil {
return "", err
}
return dirName, nil
}
func generateFile(config map[string]any, parentDir, nameTempate, contentTemplate string) error {
// compute file content
fileContent, err := executeTemplate(config, contentTemplate)
2023-05-17 13:33:04 +00:00
if errors.Is(err, errSkipThisFile) {
2023-05-17 00:43:41 +00:00
return nil
}
if err != nil {
return err
}
// create the file by executing the templatized file name
fileName, err := executeTemplate(config, nameTempate)
if err != nil {
return err
}
2023-05-17 13:33:04 +00:00
return os.WriteFile(filepath.Join(parentDir, fileName), []byte(fileContent), 0644)
2023-05-17 00:43:41 +00:00
}
2023-05-17 09:53:13 +00:00
func WalkFileTree(config map[string]any, templatePath, instancePath string) error {
2023-05-17 13:33:04 +00:00
entries, err := os.ReadDir(templatePath)
2023-05-17 00:43:41 +00:00
if err != nil {
return err
}
2023-05-17 13:33:04 +00:00
for _, entry := range entries {
2023-05-17 00:43:41 +00:00
if entry.IsDir() {
// case: materialize a template directory
dirName, err := generateDirectory(config, instancePath, entry.Name())
if err != nil {
return err
}
// recusive generate files and directories inside inside our newly generated
// directory from the template defination
2023-05-17 09:53:13 +00:00
err = WalkFileTree(config, filepath.Join(templatePath, entry.Name()), filepath.Join(instancePath, dirName))
2023-05-17 00:43:41 +00:00
if err != nil {
return err
}
} else {
// case: materialize a template file with it's contents
b, err := os.ReadFile(filepath.Join(templatePath, entry.Name()))
if err != nil {
return err
}
contentTemplate := string(b)
fileNameTemplate := entry.Name()
err = generateFile(config, instancePath, fileNameTemplate, contentTemplate)
if err != nil {
return err
}
}
}
return nil
}