scpt/scpt.go

307 lines
8.4 KiB
Go
Raw Normal View History

2021-03-02 01:07:35 +00:00
/*
Copyright (c) 2021 Arsen Musayelyan
Permission is hereby granted, free of charge, to any person obtaining a copy
of this software and associated documentation files (the "Software"), to deal
in the Software without restriction, including without limitation the rights
to use, copy, modify, merge, publish, distribute, sublicense, and/or sell
copies of the Software, and to permit persons to whom the Software is
furnished to do so, subject to the following conditions:
The above copyright notice and this permission notice shall be included in all
copies or substantial portions of the Software.
*/
2021-03-01 23:01:21 +00:00
// Package scpt provides an interpreter for my simple applescript-like
// scripting language
2021-03-01 17:11:22 +00:00
package scpt
import (
"errors"
"fmt"
"github.com/alecthomas/participle"
"github.com/antonmedv/expr"
2021-03-01 17:11:22 +00:00
"io"
"reflect"
2021-03-01 17:11:22 +00:00
"strings"
)
// AddFuncs adds all functions from the provided FuncMap into
// the Funcs variable
2021-03-01 17:11:22 +00:00
func AddFuncs(fnMap FuncMap) {
2021-03-01 23:01:21 +00:00
// Add each function to Funcs
2021-03-01 17:11:22 +00:00
for name, fn := range fnMap {
Funcs[name] = fn
}
}
// AddVars adds all functions from the provided map into
// the Vars variable
2021-03-01 17:11:22 +00:00
func AddVars(varMap map[string]interface{}) {
for name, val := range varMap {
2021-03-01 23:01:21 +00:00
// Add each variable to Vars
2021-03-01 17:11:22 +00:00
Vars[name] = val
}
}
// Parse uses participle to parse a script from r into a new AST
2021-03-01 17:11:22 +00:00
func Parse(r io.Reader) (*AST, error) {
// Build parser from empty AST struct with custom lexer
parser, err := participle.Build(
&AST{},
participle.Lexer(scptLexer),
participle.Elide("Whitespace", "Comment"),
2021-03-02 04:18:52 +00:00
)
2021-03-01 17:11:22 +00:00
if err != nil {
return nil, err
}
2021-03-01 23:01:21 +00:00
// Create new empty AST struct
2021-03-01 17:11:22 +00:00
ast := &AST{}
2021-03-01 23:01:21 +00:00
// Parse script from provided reader into ast
2021-03-01 17:22:00 +00:00
err = parser.Parse(r, ast)
2021-03-01 17:11:22 +00:00
if err != nil {
return nil, err
}
2021-03-01 23:01:21 +00:00
// Return filled AST struct
2021-03-01 17:11:22 +00:00
return ast, nil
}
// ParseValue parses a Value struct into a go value
func ParseValue(val *Value) (interface{}, error) {
2021-03-01 23:01:21 +00:00
// Determine which value was provided and return it
2021-03-01 17:11:22 +00:00
if val.String != nil {
2021-03-01 23:01:21 +00:00
// Return unquoted string
return strings.Trim(*val.String, `"`), nil
2021-03-01 17:11:22 +00:00
} else if val.Bool != nil {
// Return dereferenced Bool converted to bool
return bool(*val.Bool), nil
} else if val.Number != nil {
2021-03-01 23:01:21 +00:00
// Return dereferenced float
return *val.Number, nil
2021-03-01 17:11:22 +00:00
} else if val.SubCmd != nil {
2021-03-01 23:01:21 +00:00
// Return reference to subcommand
return val.SubCmd, nil
2021-03-01 17:11:22 +00:00
} else if val.VarVal != nil {
// If variable access contains index
if val.VarVal.Index != nil {
// Get index value
index, err := callIfFunc(ParseValue(val.VarVal.Index))
if err != nil {
return nil, err
}
// Get requested variable and attempt to assert as []interface{}
slc, ok := Vars[*val.VarVal.Name].([]interface{})
// If assertion successful
if ok {
// Attempt to assert index as a 64-bit float
indexFlt, ok := index.(float64)
if !ok {
return nil, errors.New("array index must be a number")
}
// If requested index is out of range, return error
if int64(len(slc)) <= int64(indexFlt) {
return nil, fmt.Errorf("index %d is out of range with length %d", *val.VarVal.Index, len(slc))
}
// Return value at requested index of requested variable
return slc[int64(indexFlt)], nil
} else {
// If assertion unsuccessful, attempt to assert as a map[interface{}]interface{}
iMap, ok := Vars[*val.VarVal.Name].(map[interface{}]interface{})
if !ok {
return nil, errors.New("variable " + *val.VarVal.Name + " does not exist or is not a map")
}
// Attempt to get value at requested key
val, ok := iMap[index]
if !ok {
return nil, fmt.Errorf("index %v does not exist in map", index)
}
// Return value at key with no error
return val, nil
}
} else {
// If index is absent, attempt to get variable value from Vars
value, ok := Vars[*val.VarVal.Name]
if !ok {
return nil, errors.New("variable " + *val.VarVal.Name + " does not exist")
}
// Return value with no error
return value, nil
}
} else if val.Expr != nil {
// If value is an expression, return evaluated expression
2021-03-02 08:27:28 +00:00
return evalExpr(*val.Expr)
} else if val.Array != nil {
// If value is an array, create new nil []interface{}
var iSlice []interface{}
// For each value in array
for _, value := range val.Array {
// Recursively parse value
iVal, err := callIfFunc(ParseValue(value))
if err != nil {
return nil, err
}
// Append value to []interface{}
iSlice = append(iSlice, iVal)
}
// Return []interface{]
return iSlice, nil
} else if val.Map != nil {
// If value is a map, create new empty map[interface{}]interface{}
iMap := map[interface{}]interface{}{}
// For each value in map
for _, value := range val.Map {
// Recursively parse value
iVal, err := ParseValue(value.Value)
if err != nil {
return nil, err
}
// Recursively parse key
iKey, err := ParseValue(value.Key)
if err != nil {
return nil, err
}
// Set key of map to value
iMap[iKey] = iVal
}
// Return map[interface{}]interface{}
return iMap, nil
2021-03-02 08:27:28 +00:00
}
return nil, nil
}
// Evaluate given expression, returning its value and optionally an error
func evalExpr(expression Expression) (interface{}, error) {
// Parse value of left side of expression
left, _ := callIfFunc(ParseValue(expression.Left))
// If value is string, requote
if isStr(left) {
left = quoteStr(left.(string))
2021-03-02 08:27:28 +00:00
}
// Create new nil string
var right string
// For every right gsegment
for _, segment := range expression.RightSegs {
// Parse value of right segment, calling it if it is a function
rVal, _ := callIfFunc(ParseValue(segment.Right))
2021-03-01 23:01:21 +00:00
// If value is string, requote
2021-03-02 08:27:28 +00:00
if isStr(rVal) {
rVal = quoteStr(rVal)
}
2021-03-02 08:27:28 +00:00
// Append right segment to right string
right = right + fmt.Sprintf(
" %s %v",
segment.Op,
rVal,
)
}
2021-03-02 08:27:28 +00:00
// Create string expression from segments and operator
exp := fmt.Sprintf(
"%v %s",
left,
right,
)
// Compile string expression
program, err := expr.Compile(strings.ReplaceAll(exp, "^", "**"))
if err != nil {
return nil, err
}
// Run expression
out, err := expr.Run(program, Vars)
if err != nil {
return nil, err
}
// Return expression output value
return out, nil
}
// Add quotes to an unquoted string
func quoteStr(s interface{}) string {
// If s is nil
if s == nil {
// Return empty quotes
return `""`
} else {
// Otherwise return formatted string using %v (any value)
return fmt.Sprintf(`"%v"`, s)
}
}
// Check if i is a string
func isStr(i interface{}) bool {
if i == nil {
return true
}
2021-03-01 23:01:21 +00:00
// if type of input is string, return true
if reflect.TypeOf(i).String() == "string" {
return true
2021-03-01 17:11:22 +00:00
}
return false
2021-03-01 17:11:22 +00:00
}
// Call val if it is a function, otherwise pass through return values
func callIfFunc(val interface{}, err error) (interface{}, error) {
if err != nil {
return nil, err
}
// If val is a pointer to a FuncCall
if IsFuncCall(val) {
// Pass through return values of function call
return CallFunction(val.(*FuncCall))
}
// Return given value
return val, nil
}
// UnwrapArgs takes a slice of Arg structs and returns a map
// storing the argument name and its value. If the argument has
// no name, its key will be an empty string
func UnwrapArgs(args []*Arg) (map[string]interface{}, error) {
2021-03-01 23:01:21 +00:00
// Create new empty map of strings to any type
2021-03-01 17:11:22 +00:00
argMap := map[string]interface{}{}
2021-03-01 23:01:21 +00:00
// For each argument
2021-03-01 17:11:22 +00:00
for _, arg := range args {
2021-03-01 23:01:21 +00:00
// Parse value into interface{}
val, err := ParseValue(arg.Value)
if err != nil {
return nil, err
}
2021-03-01 23:01:21 +00:00
// If value is function call
if IsFuncCall(val) {
2021-03-01 23:01:21 +00:00
// Call function, setting its value as the argument's value
argMap[arg.Key], err = CallFunction(val.(*FuncCall))
if err != nil {
return nil, err
}
2021-03-01 23:01:21 +00:00
// Skip further code and start next loop
continue
}
2021-03-01 23:01:21 +00:00
// Set argument value to parsed value
argMap[arg.Key] = val
2021-03-01 17:11:22 +00:00
}
2021-03-01 23:01:21 +00:00
// Return map of arguments
return argMap, nil
2021-03-01 17:11:22 +00:00
}
// IsFuncCall checks if val is a FuncCall struct
func IsFuncCall(val interface{}) bool {
// If type of val is a pointer to FuncCall, return true
return reflect.TypeOf(val) == reflect.TypeOf(&FuncCall{})
2021-03-01 17:11:22 +00:00
}
// CallFunction executes a given function call in the form of
// a FuncCall struct
func CallFunction(call *FuncCall) (interface{}, error) {
2021-03-01 23:01:21 +00:00
// Unwrap provided arguments
argMap, err := UnwrapArgs(call.Args)
if err != nil {
return nil, err
2021-03-01 17:11:22 +00:00
}
2021-03-01 23:01:21 +00:00
// Attempt to get function from Funcs map
fn, ok := Funcs[call.Name]
2021-03-01 17:11:22 +00:00
if !ok {
return nil, errors.New("no such function: " + call.Name)
2021-03-01 17:11:22 +00:00
}
2021-03-01 23:01:21 +00:00
// Return value received from function
return fn(argMap)
2021-03-01 17:11:22 +00:00
}