2015-05-16 00:05:47 -04:00
|
|
|
package interpolate
|
|
|
|
|
|
|
|
import (
|
|
|
|
"bytes"
|
|
|
|
"text/template"
|
|
|
|
)
|
|
|
|
|
|
|
|
// Context is the context that an interpolation is done in. This defines
|
|
|
|
// things such as available variables.
|
|
|
|
type Context struct {
|
2015-05-16 00:08:46 -04:00
|
|
|
// Data is the data for the template that is available
|
|
|
|
Data interface{}
|
|
|
|
|
2015-05-27 14:10:09 -04:00
|
|
|
// Funcs are extra functions available in the template
|
|
|
|
Funcs map[string]interface{}
|
|
|
|
|
2015-05-16 00:18:27 -04:00
|
|
|
// UserVariables is the mapping of user variables that the
|
|
|
|
// "user" function reads from.
|
|
|
|
UserVariables map[string]string
|
|
|
|
|
2015-05-23 19:06:11 -04:00
|
|
|
// EnableEnv enables the env function
|
|
|
|
EnableEnv bool
|
2015-06-13 16:48:35 -04:00
|
|
|
|
|
|
|
// All the fields below are used for built-in functions.
|
|
|
|
//
|
|
|
|
// BuildName and BuildType are the name and type, respectively,
|
|
|
|
// of the builder being used.
|
|
|
|
//
|
|
|
|
// TemplatePath is the path to the template that this is being
|
|
|
|
// rendered within.
|
|
|
|
BuildName string
|
|
|
|
BuildType string
|
|
|
|
TemplatePath string
|
2015-05-16 00:05:47 -04:00
|
|
|
}
|
|
|
|
|
2015-05-23 19:12:32 -04:00
|
|
|
// Render is shorthand for constructing an I and calling Render.
|
|
|
|
func Render(v string, ctx *Context) (string, error) {
|
|
|
|
return (&I{Value: v}).Render(ctx)
|
|
|
|
}
|
|
|
|
|
2015-05-27 17:16:28 -04:00
|
|
|
// Validate is shorthand for constructing an I and calling Validate.
|
|
|
|
func Validate(v string, ctx *Context) error {
|
|
|
|
return (&I{Value: v}).Validate(ctx)
|
|
|
|
}
|
|
|
|
|
2015-05-16 00:05:47 -04:00
|
|
|
// I stands for "interpolation" and is the main interpolation struct
|
|
|
|
// in order to render values.
|
|
|
|
type I struct {
|
|
|
|
Value string
|
|
|
|
}
|
|
|
|
|
|
|
|
// Render renders the interpolation with the given context.
|
|
|
|
func (i *I) Render(ctx *Context) (string, error) {
|
|
|
|
tpl, err := i.template(ctx)
|
|
|
|
if err != nil {
|
|
|
|
return "", err
|
|
|
|
}
|
|
|
|
|
|
|
|
var result bytes.Buffer
|
2015-05-16 00:08:46 -04:00
|
|
|
var data interface{}
|
|
|
|
if ctx != nil {
|
|
|
|
data = ctx.Data
|
|
|
|
}
|
2015-05-16 00:05:47 -04:00
|
|
|
if err := tpl.Execute(&result, data); err != nil {
|
|
|
|
return "", err
|
|
|
|
}
|
|
|
|
|
|
|
|
return result.String(), nil
|
|
|
|
}
|
|
|
|
|
2015-05-27 17:16:28 -04:00
|
|
|
// Validate validates that the template is syntactically valid.
|
|
|
|
func (i *I) Validate(ctx *Context) error {
|
|
|
|
_, err := i.template(ctx)
|
|
|
|
return err
|
|
|
|
}
|
|
|
|
|
2015-05-16 00:05:47 -04:00
|
|
|
func (i *I) template(ctx *Context) (*template.Template, error) {
|
|
|
|
return template.New("root").Funcs(Funcs(ctx)).Parse(i.Value)
|
|
|
|
}
|