summaryrefslogtreecommitdiffstats
path: root/vendor/github.com/d5/tengo/script/compiled.go
blob: 4acc46ee318742b7fdaf893a611cefcf4f12aba6 (plain) (blame)
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
package script

import (
	"context"
	"fmt"

	"github.com/d5/tengo/compiler"
	"github.com/d5/tengo/objects"
	"github.com/d5/tengo/runtime"
)

// Compiled is a compiled instance of the user script.
// Use Script.Compile() to create Compiled object.
type Compiled struct {
	symbolTable *compiler.SymbolTable
	machine     *runtime.VM
}

// Run executes the compiled script in the virtual machine.
func (c *Compiled) Run() error {
	return c.machine.Run()
}

// RunContext is like Run but includes a context.
func (c *Compiled) RunContext(ctx context.Context) (err error) {
	ch := make(chan error, 1)

	go func() {
		ch <- c.machine.Run()
	}()

	select {
	case <-ctx.Done():
		c.machine.Abort()
		<-ch
		err = ctx.Err()
	case err = <-ch:
	}

	return
}

// IsDefined returns true if the variable name is defined (has value) before or after the execution.
func (c *Compiled) IsDefined(name string) bool {
	symbol, _, ok := c.symbolTable.Resolve(name)
	if !ok {
		return false
	}

	v := c.machine.Globals()[symbol.Index]
	if v == nil {
		return false
	}

	return *v != objects.UndefinedValue
}

// Get returns a variable identified by the name.
func (c *Compiled) Get(name string) *Variable {
	value := &objects.UndefinedValue

	symbol, _, ok := c.symbolTable.Resolve(name)
	if ok && symbol.Scope == compiler.ScopeGlobal {
		value = c.machine.Globals()[symbol.Index]
		if value == nil {
			value = &objects.UndefinedValue
		}
	}

	return &Variable{
		name:  name,
		value: value,
	}
}

// GetAll returns all the variables that are defined by the compiled script.
func (c *Compiled) GetAll() []*Variable {
	var vars []*Variable
	for _, name := range c.symbolTable.Names() {
		symbol, _, ok := c.symbolTable.Resolve(name)
		if ok && symbol.Scope == compiler.ScopeGlobal {
			value := c.machine.Globals()[symbol.Index]
			if value == nil {
				value = &objects.UndefinedValue
			}

			vars = append(vars, &Variable{
				name:  name,
				value: value,
			})
		}
	}

	return vars
}

// Set replaces the value of a global variable identified by the name.
// An error will be returned if the name was not defined during compilation.
func (c *Compiled) Set(name string, value interface{}) error {
	obj, err := objects.FromInterface(value)
	if err != nil {
		return err
	}

	symbol, _, ok := c.symbolTable.Resolve(name)
	if !ok || symbol.Scope != compiler.ScopeGlobal {
		return fmt.Errorf("'%s' is not defined", name)
	}

	c.machine.Globals()[symbol.Index] = &obj

	return nil
}