2015-02-03 03:43:18 -06:00
|
|
|
package terraform
|
|
|
|
|
2015-02-08 19:58:02 -06:00
|
|
|
import (
|
|
|
|
"log"
|
|
|
|
)
|
|
|
|
|
2015-02-03 03:43:18 -06:00
|
|
|
// EvalNode is the interface that must be implemented by graph nodes to
|
|
|
|
// evaluate/execute.
|
|
|
|
type EvalNode interface {
|
|
|
|
// Args returns the arguments for this node as well as the list of
|
|
|
|
// expected types. The expected types are only used for type checking
|
|
|
|
// and not used at runtime.
|
|
|
|
Args() ([]EvalNode, []EvalType)
|
|
|
|
|
2015-02-03 18:06:12 -06:00
|
|
|
// Eval evaluates this node with the given context. The second parameter
|
|
|
|
// are the argument values. These will match in order and 1-1 with the
|
|
|
|
// results of the Args() return value.
|
|
|
|
Eval(EvalContext, []interface{}) (interface{}, error)
|
2015-02-03 03:43:18 -06:00
|
|
|
|
|
|
|
// Type returns the type that will be returned by this node.
|
|
|
|
Type() EvalType
|
|
|
|
}
|
|
|
|
|
|
|
|
// GraphNodeEvalable is the interface that graph nodes must implement
|
|
|
|
// to enable valuation.
|
|
|
|
type GraphNodeEvalable interface {
|
|
|
|
EvalTree() EvalNode
|
|
|
|
}
|
2015-02-04 10:30:53 -06:00
|
|
|
|
|
|
|
// Eval evaluates the given EvalNode with the given context, properly
|
|
|
|
// evaluating all args in the correct order.
|
|
|
|
func Eval(n EvalNode, ctx EvalContext) (interface{}, error) {
|
|
|
|
argNodes, _ := n.Args()
|
|
|
|
args := make([]interface{}, len(argNodes))
|
|
|
|
for i, n := range argNodes {
|
|
|
|
v, err := Eval(n, ctx)
|
|
|
|
if err != nil {
|
|
|
|
return nil, err
|
|
|
|
}
|
|
|
|
|
|
|
|
args[i] = v
|
|
|
|
}
|
|
|
|
|
2015-02-08 19:58:02 -06:00
|
|
|
log.Printf("[DEBUG] eval: %T", n)
|
|
|
|
output, err := n.Eval(ctx, args)
|
|
|
|
if err != nil {
|
|
|
|
log.Printf("[ERROR] eval: %T, err: %s", n, err)
|
|
|
|
}
|
|
|
|
|
|
|
|
return output, err
|
2015-02-04 10:30:53 -06:00
|
|
|
}
|