terraform/config/lang/engine.go

283 lines
6.8 KiB
Go
Raw Normal View History

2015-01-12 00:26:54 +01:00
package lang
import (
"bytes"
"fmt"
"sync"
"github.com/hashicorp/terraform/config/lang/ast"
)
// Engine is the execution engine for this language. It should be configured
// prior to running Execute.
type Engine struct {
2015-01-12 18:57:16 +01:00
// GlobalScope is the global scope of execution for this engine.
GlobalScope *Scope
2015-01-12 00:26:54 +01:00
// SemanticChecks is a list of additional semantic checks that will be run
// on the tree prior to executing it. The type checker, identifier checker,
// etc. will be run before these.
SemanticChecks []SemanticChecker
}
// SemanticChecker is the type that must be implemented to do a
// semantic check on an AST tree. This will be called with the root node.
type SemanticChecker func(ast.Node) error
// Execute executes the given ast.Node and returns its final value, its
// type, and an error if one exists.
func (e *Engine) Execute(root ast.Node) (interface{}, ast.Type, error) {
// Copy the scope so we can add our builtins
scope := e.scope()
implicitMap := map[ast.Type]map[ast.Type]string{
ast.TypeInt: {
ast.TypeString: "__builtin_IntToString",
},
2015-01-14 21:02:26 +01:00
ast.TypeString: {
ast.TypeInt: "__builtin_StringToInt",
},
}
// Build our own semantic checks that we always run
tv := &TypeCheck{Scope: scope, Implicit: implicitMap}
ic := &IdentifierCheck{Scope: scope}
// Build up the semantic checks for execution
checks := make(
[]SemanticChecker, len(e.SemanticChecks), len(e.SemanticChecks)+2)
copy(checks, e.SemanticChecks)
checks = append(checks, ic.Visit)
checks = append(checks, tv.Visit)
// Run the semantic checks
for _, check := range checks {
if err := check(root); err != nil {
return nil, ast.TypeInvalid, err
}
}
// Execute
v := &executeVisitor{Scope: scope}
2015-01-12 00:26:54 +01:00
return v.Visit(root)
}
func (e *Engine) scope() *Scope {
var scope Scope
if e.GlobalScope != nil {
scope = *e.GlobalScope
}
registerBuiltins(&scope)
return &scope
}
2015-01-12 00:26:54 +01:00
// executeVisitor is the visitor used to do the actual execution of
// a program. Note at this point it is assumed that the types check out
// and the identifiers exist.
type executeVisitor struct {
2015-01-12 18:57:16 +01:00
Scope *Scope
2015-01-12 00:26:54 +01:00
2015-01-13 18:46:13 +01:00
stack EngineStack
2015-01-12 00:26:54 +01:00
err error
lock sync.Mutex
}
func (v *executeVisitor) Visit(root ast.Node) (interface{}, ast.Type, error) {
v.lock.Lock()
defer v.lock.Unlock()
// Run the actual visitor pattern
root.Accept(v.visit)
// Get our result and clear out everything else
var result *ast.LiteralNode
2015-01-13 18:46:13 +01:00
if v.stack.Len() > 0 {
result = v.stack.Pop()
2015-01-12 00:26:54 +01:00
} else {
result = new(ast.LiteralNode)
}
resultErr := v.err
// Clear everything else so we aren't just dangling
2015-01-13 18:46:13 +01:00
v.stack.Reset()
2015-01-12 00:26:54 +01:00
v.err = nil
return result.Value, result.Type, resultErr
}
func (v *executeVisitor) visit(raw ast.Node) ast.Node {
2015-01-12 00:26:54 +01:00
if v.err != nil {
return raw
2015-01-12 00:26:54 +01:00
}
switch n := raw.(type) {
2015-01-12 00:33:24 +01:00
case *ast.Call:
v.visitCall(n)
2015-01-12 00:26:54 +01:00
case *ast.Concat:
v.visitConcat(n)
case *ast.LiteralNode:
v.visitLiteral(n)
case *ast.VariableAccess:
v.visitVariableAccess(n)
default:
v.err = fmt.Errorf("unknown node: %#v", raw)
}
return raw
2015-01-12 00:26:54 +01:00
}
2015-01-12 00:33:24 +01:00
func (v *executeVisitor) visitCall(n *ast.Call) {
// Look up the function in the map
function, ok := v.Scope.LookupFunc(n.Func)
2015-01-12 00:33:24 +01:00
if !ok {
v.err = fmt.Errorf("unknown function called: %s", n.Func)
return
}
// The arguments are on the stack in reverse order, so pop them off.
args := make([]interface{}, len(n.Args))
for i, _ := range n.Args {
2015-01-13 18:46:13 +01:00
node := v.stack.Pop()
2015-01-12 00:33:24 +01:00
args[len(n.Args)-1-i] = node.Value
}
// Call the function
result, err := function.Callback(args)
if err != nil {
v.err = fmt.Errorf("%s: %s", n.Func, err)
return
}
// Push the result
2015-01-13 18:46:13 +01:00
v.stack.Push(&ast.LiteralNode{
2015-01-12 00:33:24 +01:00
Value: result,
Type: function.ReturnType,
})
}
2015-01-12 00:26:54 +01:00
func (v *executeVisitor) visitConcat(n *ast.Concat) {
// The expressions should all be on the stack in reverse
// order. So pop them off, reverse their order, and concatenate.
nodes := make([]*ast.LiteralNode, 0, len(n.Exprs))
for range n.Exprs {
2015-01-13 18:46:13 +01:00
nodes = append(nodes, v.stack.Pop())
2015-01-12 00:26:54 +01:00
}
var buf bytes.Buffer
for i := len(nodes) - 1; i >= 0; i-- {
buf.WriteString(nodes[i].Value.(string))
}
2015-01-13 18:46:13 +01:00
v.stack.Push(&ast.LiteralNode{
2015-01-12 00:26:54 +01:00
Value: buf.String(),
Type: ast.TypeString,
})
}
func (v *executeVisitor) visitLiteral(n *ast.LiteralNode) {
2015-01-13 18:46:13 +01:00
v.stack.Push(n)
2015-01-12 00:26:54 +01:00
}
func (v *executeVisitor) visitVariableAccess(n *ast.VariableAccess) {
// Look up the variable in the map
variable, ok := v.Scope.LookupVar(n.Name)
2015-01-12 00:26:54 +01:00
if !ok {
v.err = fmt.Errorf("unknown variable accessed: %s", n.Name)
return
}
2015-01-13 18:46:13 +01:00
v.stack.Push(&ast.LiteralNode{
2015-01-12 00:26:54 +01:00
Value: variable.Value,
Type: variable.Type,
})
}
2015-01-13 18:46:13 +01:00
// EngineStack is a stack of ast.LiteralNodes that the Engine keeps track
// of during execution. This is currently backed by a dumb slice, but can be
// replaced with a better data structure at some point in the future if this
// turns out to require optimization.
type EngineStack struct {
stack []*ast.LiteralNode
}
func (s *EngineStack) Len() int {
return len(s.stack)
2015-01-12 00:26:54 +01:00
}
2015-01-13 18:46:13 +01:00
func (s *EngineStack) Push(n *ast.LiteralNode) {
s.stack = append(s.stack, n)
}
func (s *EngineStack) Pop() *ast.LiteralNode {
x := s.stack[len(s.stack)-1]
s.stack[len(s.stack)-1] = nil
s.stack = s.stack[:len(s.stack)-1]
2015-01-12 00:26:54 +01:00
return x
}
2015-01-12 18:57:16 +01:00
2015-01-13 18:46:13 +01:00
func (s *EngineStack) Reset() {
s.stack = nil
}
2015-01-12 18:57:16 +01:00
// Scope represents a lookup scope for execution.
type Scope struct {
// VarMap and FuncMap are the mappings of identifiers to functions
// and variable values.
VarMap map[string]Variable
FuncMap map[string]Function
}
// Variable is a variable value for execution given as input to the engine.
// It records the value of a variables along with their type.
type Variable struct {
Value interface{}
Type ast.Type
}
// Function defines a function that can be executed by the engine.
// The type checker will validate that the proper types will be called
// to the callback.
type Function struct {
2015-01-13 21:40:47 +01:00
// ArgTypes is the list of types in argument order. These are the
// required arguments.
//
// ReturnType is the type of the returned value. The Callback MUST
// return this type.
2015-01-12 18:57:16 +01:00
ArgTypes []ast.Type
ReturnType ast.Type
2015-01-13 21:40:47 +01:00
// Variadic, if true, says that this function is variadic, meaning
// it takes a variable number of arguments. In this case, the
// VariadicType must be set.
Variadic bool
VariadicType ast.Type
// Callback is the function called for a function. The argument
// types are guaranteed to match the spec above by the type checker.
// The length of the args is strictly == len(ArgTypes) unless Varidiac
// is true, in which case its >= len(ArgTypes).
Callback func([]interface{}) (interface{}, error)
2015-01-12 18:57:16 +01:00
}
// LookupFunc will look up a variable by name.
// TODO test
func (s *Scope) LookupFunc(n string) (Function, bool) {
if s == nil {
return Function{}, false
}
v, ok := s.FuncMap[n]
return v, ok
}
2015-01-12 18:57:16 +01:00
// LookupVar will look up a variable by name.
// TODO test
func (s *Scope) LookupVar(n string) (Variable, bool) {
if s == nil {
return Variable{}, false
}
v, ok := s.VarMap[n]
return v, ok
}