1
0
mirror of https://github.com/danog/liquid.git synced 2024-11-30 08:39:01 +01:00
liquid/expression/parser.go

59 lines
1.3 KiB
Go
Raw Normal View History

2017-07-07 17:55:41 +02:00
//go:generate ragel -Z scanner.rl
2017-07-09 22:24:17 +02:00
//go:generate gofmt -w scanner.go
2017-07-07 17:55:41 +02:00
//go:generate goyacc expressions.y
2017-07-04 17:12:40 +02:00
package expression
2017-06-27 21:10:44 +02:00
2017-07-05 20:24:15 +02:00
import "fmt"
2017-06-27 21:10:44 +02:00
type parseValue struct {
assgn Assignment
val func(Context) interface{}
2017-06-27 21:10:44 +02:00
}
// ParseError represents a parse error. The yacc-generated compiler
// doesn't use error returns; this lets us recognize them.
2017-06-27 21:10:44 +02:00
type ParseError string
func (e ParseError) Error() string { return string(e) }
// Parse parses an expression string into an Expression.
func Parse(source string) (expr Expression, err error) {
p, err := parse(source)
if err != nil {
return nil, err
}
return &expression{p.val}, nil
}
func parse(source string) (p *parseValue, err error) {
2017-06-27 21:10:44 +02:00
defer func() {
if r := recover(); r != nil {
switch e := r.(type) {
case ParseError:
err = e
2017-06-29 13:54:31 +02:00
case UndefinedFilter:
2017-06-27 21:10:44 +02:00
err = e
default:
panic(r)
}
}
}()
// FIXME hack to recognize EOF
lex := newLexer([]byte(source + ";"))
n := yyParse(lex)
2017-06-27 21:10:44 +02:00
if n != 0 {
2017-07-05 20:24:15 +02:00
return nil, ParseError(fmt.Errorf("parse error in %q", source).Error())
2017-06-27 21:10:44 +02:00
}
return &lex.parseValue, nil
}
2017-06-29 13:54:31 +02:00
// EvaluateString is a wrapper for Parse and Evaluate.
func EvaluateString(source string, ctx Context) (interface{}, error) {
expr, err := Parse(source)
if err != nil {
return nil, err
}
return expr.Evaluate(ctx)
}