hcl: delete old parser

This commit is contained in:
Mitchell Hashimoto 2015-11-06 16:18:44 -08:00
parent d7c35808a8
commit c1090aad4a
9 changed files with 0 additions and 1836 deletions

View File

@ -1,4 +0,0 @@
package hcl
// This is the directory where our test fixtures are.
const fixtureDir = "./test-fixtures"

View File

@ -1,445 +0,0 @@
package hcl
import (
"bytes"
"fmt"
"strconv"
"unicode"
"unicode/utf8"
)
//go:generate go tool yacc -p "hcl" parse.y
// The parser expects the lexer to return 0 on EOF.
const lexEOF = 0
// The parser uses the type <prefix>Lex as a lexer. It must provide
// the methods Lex(*<prefix>SymType) int and Error(string).
type hclLex struct {
Input string
lastNumber bool
pos int
width int
col, line int
lastCol, lastLine int
err error
}
// The parser calls this method to get each new token.
func (x *hclLex) Lex(yylval *hclSymType) int {
for {
c := x.next()
if c == lexEOF {
return lexEOF
}
// Ignore all whitespace except a newline which we handle
// specially later.
if unicode.IsSpace(c) {
x.lastNumber = false
continue
}
// Consume all comments
switch c {
case '#':
fallthrough
case '/':
// Starting comment
if !x.consumeComment(c) {
return lexEOF
}
continue
}
// If it is a number, lex the number
if c >= '0' && c <= '9' {
x.lastNumber = true
x.backup()
return x.lexNumber(yylval)
}
// This is a hacky way to find 'e' and lex it, but it works.
if x.lastNumber {
switch c {
case 'e':
fallthrough
case 'E':
switch x.next() {
case '+':
return EPLUS
case '-':
return EMINUS
default:
x.backup()
return EPLUS
}
}
}
x.lastNumber = false
switch c {
case '.':
return PERIOD
case '-':
return MINUS
case ',':
return COMMA
case '=':
return EQUAL
case '[':
return LEFTBRACKET
case ']':
return RIGHTBRACKET
case '{':
return LEFTBRACE
case '}':
return RIGHTBRACE
case '"':
return x.lexString(yylval)
case '<':
return x.lexHeredoc(yylval)
default:
x.backup()
return x.lexId(yylval)
}
}
}
func (x *hclLex) consumeComment(c rune) bool {
single := c == '#'
if !single {
c = x.next()
if c != '/' && c != '*' {
x.backup()
x.createErr(fmt.Sprintf("comment expected, got '%c'", c))
return false
}
single = c == '/'
}
nested := 1
for {
c = x.next()
if c == lexEOF {
x.backup()
if single {
// Single line comments can end with an EOF
return true
}
// Multi-line comments must end with a */
x.createErr(fmt.Sprintf("end of multi-line comment expected, got EOF"))
return false
}
// Single line comments continue until a '\n'
if single {
if c == '\n' {
return true
}
continue
}
// Multi-line comments continue until a '*/'
switch c {
case '/':
c = x.next()
if c == '*' {
nested++
} else {
x.backup()
}
case '*':
c = x.next()
if c == '/' {
return true
} else {
x.backup()
}
default:
// Continue
}
}
}
// lexId lexes an identifier
func (x *hclLex) lexId(yylval *hclSymType) int {
var b bytes.Buffer
first := true
for {
c := x.next()
if c == lexEOF {
break
}
if !unicode.IsDigit(c) && !unicode.IsLetter(c) &&
c != '_' && c != '-' && c != '.' {
x.backup()
if first {
x.createErr("Invalid identifier")
return lexEOF
}
break
}
first = false
if _, err := b.WriteRune(c); err != nil {
return lexEOF
}
}
yylval.str = b.String()
switch yylval.str {
case "true":
yylval.b = true
return BOOL
case "false":
yylval.b = false
return BOOL
}
return IDENTIFIER
}
// lexHeredoc extracts a string from the input in heredoc format
func (x *hclLex) lexHeredoc(yylval *hclSymType) int {
if x.next() != '<' {
x.createErr("Heredoc must start with <<")
return lexEOF
}
// Now determine the marker
var buf bytes.Buffer
for {
c := x.next()
if c == lexEOF {
return lexEOF
}
// Newline signals the end of the marker
if c == '\n' {
break
}
if _, err := buf.WriteRune(c); err != nil {
return lexEOF
}
}
marker := buf.String()
if marker == "" {
x.createErr("Heredoc must have a marker, e.g. <<FOO")
return lexEOF
}
check := true
buf.Reset()
for {
c := x.next()
// If we're checking, then check to see if we see the marker
if check {
check = false
var cs []rune
for _, r := range marker {
if r != c {
break
}
cs = append(cs, c)
c = x.next()
}
if len(cs) == len(marker) {
break
}
if len(cs) > 0 {
for _, c := range cs {
if _, err := buf.WriteRune(c); err != nil {
return lexEOF
}
}
}
}
if c == lexEOF {
return lexEOF
}
// If we hit a newline, then reset to check
if c == '\n' {
check = true
}
if _, err := buf.WriteRune(c); err != nil {
return lexEOF
}
}
yylval.str = buf.String()
return STRING
}
// lexNumber lexes out a number
func (x *hclLex) lexNumber(yylval *hclSymType) int {
var b bytes.Buffer
gotPeriod := false
for {
c := x.next()
if c == lexEOF {
break
}
if c == '.' {
if gotPeriod {
x.backup()
break
}
gotPeriod = true
} else if c < '0' || c > '9' {
x.backup()
break
}
if _, err := b.WriteRune(c); err != nil {
x.createErr(fmt.Sprintf("Internal error: %s", err))
return lexEOF
}
}
if !gotPeriod {
v, err := strconv.ParseInt(b.String(), 0, 0)
if err != nil {
x.createErr(fmt.Sprintf("Expected number: %s", err))
return lexEOF
}
yylval.num = int(v)
return NUMBER
}
f, err := strconv.ParseFloat(b.String(), 64)
if err != nil {
x.createErr(fmt.Sprintf("Expected float: %s", err))
return lexEOF
}
yylval.f = float64(f)
return FLOAT
}
// lexString extracts a string from the input
func (x *hclLex) lexString(yylval *hclSymType) int {
braces := 0
var b bytes.Buffer
for {
c := x.next()
if c == lexEOF {
break
}
// String end
if c == '"' && braces == 0 {
break
}
// If we hit a newline, then its an error
if c == '\n' {
x.createErr(fmt.Sprintf("Newline before string closed"))
return lexEOF
}
// If we're escaping a quote, then escape the quote
if c == '\\' {
n := x.next()
switch n {
case '"':
c = n
case 'n':
c = '\n'
case '\\':
c = n
default:
x.backup()
}
}
// If we're starting into variable, mark it
if braces == 0 && c == '$' && x.peek() == '{' {
braces += 1
if _, err := b.WriteRune(c); err != nil {
return lexEOF
}
c = x.next()
} else if braces > 0 && c == '{' {
braces += 1
}
if braces > 0 && c == '}' {
braces -= 1
}
if _, err := b.WriteRune(c); err != nil {
return lexEOF
}
}
yylval.str = b.String()
return STRING
}
// Return the next rune for the lexer.
func (x *hclLex) next() rune {
if int(x.pos) >= len(x.Input) {
x.width = 0
return lexEOF
}
r, w := utf8.DecodeRuneInString(x.Input[x.pos:])
x.width = w
x.pos += x.width
x.col += 1
if x.line == 0 {
x.line = 1
}
if r == '\n' {
x.line += 1
x.col = 0
}
return r
}
// peek returns but does not consume the next rune in the input
func (x *hclLex) peek() rune {
r := x.next()
x.backup()
return r
}
// backup steps back one rune. Can only be called once per next.
func (x *hclLex) backup() {
x.col -= 1
x.pos -= x.width
}
// createErr records the given error
func (x *hclLex) createErr(msg string) {
x.err = fmt.Errorf("Line %d, column %d: %s", x.line, x.col, msg)
}
// The parser calls this method on a parse error.
func (x *hclLex) Error(s string) {
x.createErr(s)
}

View File

@ -1,104 +0,0 @@
package hcl
import (
"io/ioutil"
"path/filepath"
"reflect"
"testing"
)
func TestLex(t *testing.T) {
cases := []struct {
Input string
Output []int
}{
{
"comment.hcl",
[]int{IDENTIFIER, EQUAL, STRING, lexEOF},
},
{
"comment_single.hcl",
[]int{lexEOF},
},
{
"complex_key.hcl",
[]int{IDENTIFIER, EQUAL, STRING, lexEOF},
},
{
"multiple.hcl",
[]int{
IDENTIFIER, EQUAL, STRING,
IDENTIFIER, EQUAL, NUMBER,
lexEOF,
},
},
{
"list.hcl",
[]int{
IDENTIFIER, EQUAL, LEFTBRACKET,
NUMBER, COMMA, NUMBER, COMMA, STRING,
RIGHTBRACKET, lexEOF,
},
},
{
"old.hcl",
[]int{IDENTIFIER, EQUAL, LEFTBRACE, STRING, lexEOF},
},
{
"structure_basic.hcl",
[]int{
IDENTIFIER, LEFTBRACE,
IDENTIFIER, EQUAL, NUMBER,
STRING, EQUAL, NUMBER,
STRING, EQUAL, NUMBER,
RIGHTBRACE, lexEOF,
},
},
{
"structure.hcl",
[]int{
IDENTIFIER, IDENTIFIER, STRING, LEFTBRACE,
IDENTIFIER, EQUAL, NUMBER,
IDENTIFIER, EQUAL, STRING,
RIGHTBRACE, lexEOF,
},
},
{
"array_comment.hcl",
[]int{
IDENTIFIER, EQUAL, LEFTBRACKET,
STRING, COMMA,
STRING, COMMA,
RIGHTBRACKET, lexEOF,
},
},
}
for _, tc := range cases {
d, err := ioutil.ReadFile(filepath.Join(fixtureDir, tc.Input))
if err != nil {
t.Fatalf("err: %s", err)
}
l := &hclLex{Input: string(d)}
var actual []int
for {
token := l.Lex(new(hclSymType))
actual = append(actual, token)
if token == lexEOF {
break
}
if len(actual) > 500 {
t.Fatalf("Input:%s\n\nExausted.", tc.Input)
}
}
if !reflect.DeepEqual(actual, tc.Output) {
t.Fatalf(
"Input: %s\n\nBad: %#v\n\nExpected: %#v",
tc.Input, actual, tc.Output)
}
}
}

View File

@ -1,128 +0,0 @@
package hcl
import (
"fmt"
"strings"
)
//go:generate stringer -type=ValueType
// ValueType is an enum represnting the type of a value in
// a LiteralNode.
type ValueType byte
const (
ValueTypeUnknown ValueType = iota
ValueTypeFloat
ValueTypeInt
ValueTypeString
ValueTypeBool
ValueTypeNil
ValueTypeList
ValueTypeObject
)
// Object represents any element of HCL: an object itself, a list,
// a literal, etc.
type Object struct {
Key string
Type ValueType
Value interface{}
Next *Object
}
// GoString is an implementation of the GoStringer interface.
func (o *Object) GoString() string {
return fmt.Sprintf("*%#v", *o)
}
// Get gets all the objects that match the given key.
//
// It returns the resulting objects as a single Object structure with
// the linked list populated.
func (o *Object) Get(k string, insensitive bool) *Object {
if o.Type != ValueTypeObject {
return nil
}
for _, o := range o.Elem(true) {
if o.Key != k {
if !insensitive || !strings.EqualFold(o.Key, k) {
continue
}
}
return o
}
return nil
}
// Elem returns all the elements that are part of this object.
func (o *Object) Elem(expand bool) []*Object {
if !expand {
result := make([]*Object, 0, 1)
current := o
for current != nil {
obj := *current
obj.Next = nil
result = append(result, &obj)
current = current.Next
}
return result
}
if o.Value == nil {
return nil
}
switch o.Type {
case ValueTypeList:
return o.Value.([]*Object)
case ValueTypeObject:
result := make([]*Object, 0, 5)
for _, obj := range o.Elem(false) {
result = append(result, obj.Value.([]*Object)...)
}
return result
default:
return []*Object{o}
}
}
// Len returns the number of objects in this object structure.
func (o *Object) Len() (i int) {
current := o
for current != nil {
i += 1
current = current.Next
}
return
}
// ObjectList is a list of objects.
type ObjectList []*Object
// Flat returns a flattened list structure of the objects.
func (l ObjectList) Flat() []*Object {
m := make(map[string]*Object)
result := make([]*Object, 0, len(l))
for _, obj := range l {
prev, ok := m[obj.Key]
if !ok {
m[obj.Key] = obj
result = append(result, obj)
continue
}
for prev.Next != nil {
prev = prev.Next
}
prev.Next = obj
}
return result
}

View File

@ -1,39 +0,0 @@
package hcl
import (
"sync"
"github.com/hashicorp/go-multierror"
)
// hclErrors are the errors built up from parsing. These should not
// be accessed directly.
var hclErrors []error
var hclLock sync.Mutex
var hclResult *Object
// Parse parses the given string and returns the result.
func Parse(v string) (*Object, error) {
hclLock.Lock()
defer hclLock.Unlock()
hclErrors = nil
hclResult = nil
// Parse
lex := &hclLex{Input: v}
hclParse(lex)
// If we have an error in the lexer itself, return it
if lex.err != nil {
return nil, lex.err
}
// Build up the errors
var err error
if len(hclErrors) > 0 {
err = &multierror.Error{Errors: hclErrors}
hclResult = nil
}
return hclResult, err
}

View File

@ -1,259 +0,0 @@
// This is the yacc input for creating the parser for HCL.
%{
package hcl
import (
"fmt"
"strconv"
)
%}
%union {
b bool
f float64
num int
str string
obj *Object
objlist []*Object
}
%type <f> float
%type <num> int
%type <objlist> list listitems objectlist
%type <obj> block number object objectitem
%type <obj> listitem
%type <str> blockId exp objectkey
%token <b> BOOL
%token <f> FLOAT
%token <num> NUMBER
%token <str> COMMA IDENTIFIER EQUAL NEWLINE STRING MINUS
%token <str> LEFTBRACE RIGHTBRACE LEFTBRACKET RIGHTBRACKET PERIOD
%token <str> EPLUS EMINUS
%%
top:
{
hclResult = &Object{Type: ValueTypeObject}
}
| objectlist
{
hclResult = &Object{
Type: ValueTypeObject,
Value: ObjectList($1).Flat(),
}
}
objectlist:
objectitem
{
$$ = []*Object{$1}
}
| objectlist objectitem
{
$$ = append($1, $2)
}
object:
LEFTBRACE objectlist RIGHTBRACE
{
$$ = &Object{
Type: ValueTypeObject,
Value: ObjectList($2).Flat(),
}
}
| LEFTBRACE RIGHTBRACE
{
$$ = &Object{
Type: ValueTypeObject,
}
}
objectkey:
IDENTIFIER
{
$$ = $1
}
| STRING
{
$$ = $1
}
objectitem:
objectkey EQUAL number
{
$$ = $3
$$.Key = $1
}
| objectkey EQUAL BOOL
{
$$ = &Object{
Key: $1,
Type: ValueTypeBool,
Value: $3,
}
}
| objectkey EQUAL STRING
{
$$ = &Object{
Key: $1,
Type: ValueTypeString,
Value: $3,
}
}
| objectkey EQUAL object
{
$3.Key = $1
$$ = $3
}
| objectkey EQUAL list
{
$$ = &Object{
Key: $1,
Type: ValueTypeList,
Value: $3,
}
}
| block
{
$$ = $1
}
block:
blockId object
{
$2.Key = $1
$$ = $2
}
| blockId block
{
$$ = &Object{
Key: $1,
Type: ValueTypeObject,
Value: []*Object{$2},
}
}
blockId:
IDENTIFIER
{
$$ = $1
}
| STRING
{
$$ = $1
}
list:
LEFTBRACKET listitems RIGHTBRACKET
{
$$ = $2
}
| LEFTBRACKET listitems COMMA RIGHTBRACKET
{
$$ = $2
}
| LEFTBRACKET RIGHTBRACKET
{
$$ = nil
}
listitems:
listitem
{
$$ = []*Object{$1}
}
| listitems COMMA listitem
{
$$ = append($1, $3)
}
listitem:
number
{
$$ = $1
}
| STRING
{
$$ = &Object{
Type: ValueTypeString,
Value: $1,
}
}
number:
int
{
$$ = &Object{
Type: ValueTypeInt,
Value: $1,
}
}
| float
{
$$ = &Object{
Type: ValueTypeFloat,
Value: $1,
}
}
| int exp
{
fs := fmt.Sprintf("%d%s", $1, $2)
f, err := strconv.ParseFloat(fs, 64)
if err != nil {
panic(err)
}
$$ = &Object{
Type: ValueTypeFloat,
Value: f,
}
}
| float exp
{
fs := fmt.Sprintf("%f%s", $1, $2)
f, err := strconv.ParseFloat(fs, 64)
if err != nil {
panic(err)
}
$$ = &Object{
Type: ValueTypeFloat,
Value: f,
}
}
int:
MINUS int
{
$$ = $2 * -1
}
| NUMBER
{
$$ = $1
}
float:
MINUS float
{
$$ = $2 * -1
}
| FLOAT
{
$$ = $1
}
exp:
EPLUS NUMBER
{
$$ = "e" + strconv.FormatInt(int64($2), 10)
}
| EMINUS NUMBER
{
$$ = "e-" + strconv.FormatInt(int64($2), 10)
}
%%

View File

@ -1,79 +0,0 @@
package hcl
import (
"io/ioutil"
"path/filepath"
"testing"
)
func TestParse(t *testing.T) {
cases := []struct {
Name string
Err bool
}{
{
"assign_colon.hcl",
true,
},
{
"comment.hcl",
false,
},
{
"comment_single.hcl",
false,
},
{
"empty.hcl",
false,
},
{
"list_comma.hcl",
false,
},
{
"multiple.hcl",
false,
},
{
"structure.hcl",
false,
},
{
"structure_basic.hcl",
false,
},
{
"structure_empty.hcl",
false,
},
{
"complex.hcl",
false,
},
{
"assign_deep.hcl",
true,
},
{
"types.hcl",
false,
},
{
"array_comment.hcl",
false,
},
}
for _, tc := range cases {
d, err := ioutil.ReadFile(filepath.Join(fixtureDir, tc.Name))
if err != nil {
t.Fatalf("err: %s", err)
}
_, err = Parse(string(d))
if (err != nil) != tc.Err {
t.Fatalf("Input: %s\n\nError: %s", tc.Name, err)
}
}
}

View File

@ -1,16 +0,0 @@
// generated by stringer -type=ValueType; DO NOT EDIT
package hcl
import "fmt"
const _ValueType_name = "ValueTypeUnknownValueTypeFloatValueTypeIntValueTypeStringValueTypeBoolValueTypeNilValueTypeListValueTypeObject"
var _ValueType_index = [...]uint8{0, 16, 30, 42, 57, 70, 82, 95, 110}
func (i ValueType) String() string {
if i >= ValueType(len(_ValueType_index)-1) {
return fmt.Sprintf("ValueType(%d)", i)
}
return _ValueType_name[_ValueType_index[i]:_ValueType_index[i+1]]
}

762
hcl/y.go
View File

@ -1,762 +0,0 @@
//line parse.y:4
package hcl
import __yyfmt__ "fmt"
//line parse.y:4
import (
"fmt"
"strconv"
)
//line parse.y:13
type hclSymType struct {
yys int
b bool
f float64
num int
str string
obj *Object
objlist []*Object
}
const BOOL = 57346
const FLOAT = 57347
const NUMBER = 57348
const COMMA = 57349
const IDENTIFIER = 57350
const EQUAL = 57351
const NEWLINE = 57352
const STRING = 57353
const MINUS = 57354
const LEFTBRACE = 57355
const RIGHTBRACE = 57356
const LEFTBRACKET = 57357
const RIGHTBRACKET = 57358
const PERIOD = 57359
const EPLUS = 57360
const EMINUS = 57361
var hclToknames = [...]string{
"$end",
"error",
"$unk",
"BOOL",
"FLOAT",
"NUMBER",
"COMMA",
"IDENTIFIER",
"EQUAL",
"NEWLINE",
"STRING",
"MINUS",
"LEFTBRACE",
"RIGHTBRACE",
"LEFTBRACKET",
"RIGHTBRACKET",
"PERIOD",
"EPLUS",
"EMINUS",
}
var hclStatenames = [...]string{}
const hclEofCode = 1
const hclErrCode = 2
const hclMaxDepth = 200
//line parse.y:259
//line yacctab:1
var hclExca = [...]int{
-1, 1,
1, -1,
-2, 0,
-1, 6,
9, 7,
-2, 17,
-1, 7,
9, 8,
-2, 18,
}
const hclNprod = 36
const hclPrivate = 57344
var hclTokenNames []string
var hclStates []string
const hclLast = 64
var hclAct = [...]int{
35, 3, 21, 22, 9, 30, 31, 29, 17, 26,
25, 11, 44, 26, 25, 18, 24, 13, 10, 23,
24, 43, 19, 2, 42, 26, 25, 38, 39, 9,
32, 37, 24, 26, 25, 6, 45, 27, 7, 37,
24, 40, 36, 6, 34, 46, 7, 14, 6, 28,
15, 7, 13, 16, 5, 41, 1, 4, 8, 33,
20, 0, 0, 12,
}
var hclPact = [...]int{
40, -1000, 40, -1000, 9, -1000, -1000, -1000, 39, -1000,
4, -1000, -1000, 35, -1000, -1000, -1000, -1000, -1000, -1000,
-1000, -13, -13, 28, 8, -1000, -1000, 27, -1000, -1000,
49, 18, -1000, 5, -1000, -1000, -1000, -1000, -1000, -1000,
-1000, -1000, -1000, -1000, 20, -1000, -1000,
}
var hclPgo = [...]int{
0, 3, 2, 60, 59, 23, 54, 42, 11, 1,
0, 58, 7, 57, 56,
}
var hclR1 = [...]int{
0, 14, 14, 5, 5, 8, 8, 13, 13, 9,
9, 9, 9, 9, 9, 6, 6, 11, 11, 3,
3, 3, 4, 4, 10, 10, 7, 7, 7, 7,
2, 2, 1, 1, 12, 12,
}
var hclR2 = [...]int{
0, 0, 1, 1, 2, 3, 2, 1, 1, 3,
3, 3, 3, 3, 1, 2, 2, 1, 1, 3,
4, 2, 1, 3, 1, 1, 1, 1, 2, 2,
2, 1, 2, 1, 2, 2,
}
var hclChk = [...]int{
-1000, -14, -5, -9, -13, -6, 8, 11, -11, -9,
9, -8, -6, 13, 8, 11, -7, 4, 11, -8,
-3, -2, -1, 15, 12, 6, 5, -5, 14, -12,
18, 19, -12, -4, 16, -10, -7, 11, -2, -1,
14, 6, 6, 16, 7, 16, -10,
}
var hclDef = [...]int{
1, -2, 2, 3, 0, 14, -2, -2, 0, 4,
0, 15, 16, 0, 17, 18, 9, 10, 11, 12,
13, 26, 27, 0, 0, 31, 33, 0, 6, 28,
0, 0, 29, 0, 21, 22, 24, 25, 30, 32,
5, 34, 35, 19, 0, 20, 23,
}
var hclTok1 = [...]int{
1,
}
var hclTok2 = [...]int{
2, 3, 4, 5, 6, 7, 8, 9, 10, 11,
12, 13, 14, 15, 16, 17, 18, 19,
}
var hclTok3 = [...]int{
0,
}
var hclErrorMessages = [...]struct {
state int
token int
msg string
}{}
//line yaccpar:1
/* parser for yacc output */
var (
hclDebug = 0
hclErrorVerbose = false
)
type hclLexer interface {
Lex(lval *hclSymType) int
Error(s string)
}
type hclParser interface {
Parse(hclLexer) int
Lookahead() int
}
type hclParserImpl struct {
lookahead func() int
}
func (p *hclParserImpl) Lookahead() int {
return p.lookahead()
}
func hclNewParser() hclParser {
p := &hclParserImpl{
lookahead: func() int { return -1 },
}
return p
}
const hclFlag = -1000
func hclTokname(c int) string {
if c >= 1 && c-1 < len(hclToknames) {
if hclToknames[c-1] != "" {
return hclToknames[c-1]
}
}
return __yyfmt__.Sprintf("tok-%v", c)
}
func hclStatname(s int) string {
if s >= 0 && s < len(hclStatenames) {
if hclStatenames[s] != "" {
return hclStatenames[s]
}
}
return __yyfmt__.Sprintf("state-%v", s)
}
func hclErrorMessage(state, lookAhead int) string {
const TOKSTART = 4
if !hclErrorVerbose {
return "syntax error"
}
for _, e := range hclErrorMessages {
if e.state == state && e.token == lookAhead {
return "syntax error: " + e.msg
}
}
res := "syntax error: unexpected " + hclTokname(lookAhead)
// To match Bison, suggest at most four expected tokens.
expected := make([]int, 0, 4)
// Look for shiftable tokens.
base := hclPact[state]
for tok := TOKSTART; tok-1 < len(hclToknames); tok++ {
if n := base + tok; n >= 0 && n < hclLast && hclChk[hclAct[n]] == tok {
if len(expected) == cap(expected) {
return res
}
expected = append(expected, tok)
}
}
if hclDef[state] == -2 {
i := 0
for hclExca[i] != -1 || hclExca[i+1] != state {
i += 2
}
// Look for tokens that we accept or reduce.
for i += 2; hclExca[i] >= 0; i += 2 {
tok := hclExca[i]
if tok < TOKSTART || hclExca[i+1] == 0 {
continue
}
if len(expected) == cap(expected) {
return res
}
expected = append(expected, tok)
}
// If the default action is to accept or reduce, give up.
if hclExca[i+1] != 0 {
return res
}
}
for i, tok := range expected {
if i == 0 {
res += ", expecting "
} else {
res += " or "
}
res += hclTokname(tok)
}
return res
}
func hcllex1(lex hclLexer, lval *hclSymType) (char, token int) {
token = 0
char = lex.Lex(lval)
if char <= 0 {
token = hclTok1[0]
goto out
}
if char < len(hclTok1) {
token = hclTok1[char]
goto out
}
if char >= hclPrivate {
if char < hclPrivate+len(hclTok2) {
token = hclTok2[char-hclPrivate]
goto out
}
}
for i := 0; i < len(hclTok3); i += 2 {
token = hclTok3[i+0]
if token == char {
token = hclTok3[i+1]
goto out
}
}
out:
if token == 0 {
token = hclTok2[1] /* unknown char */
}
if hclDebug >= 3 {
__yyfmt__.Printf("lex %s(%d)\n", hclTokname(token), uint(char))
}
return char, token
}
func hclParse(hcllex hclLexer) int {
return hclNewParser().Parse(hcllex)
}
func (hclrcvr *hclParserImpl) Parse(hcllex hclLexer) int {
var hcln int
var hcllval hclSymType
var hclVAL hclSymType
var hclDollar []hclSymType
_ = hclDollar // silence set and not used
hclS := make([]hclSymType, hclMaxDepth)
Nerrs := 0 /* number of errors */
Errflag := 0 /* error recovery flag */
hclstate := 0
hclchar := -1
hcltoken := -1 // hclchar translated into internal numbering
hclrcvr.lookahead = func() int { return hclchar }
defer func() {
// Make sure we report no lookahead when not parsing.
hclstate = -1
hclchar = -1
hcltoken = -1
}()
hclp := -1
goto hclstack
ret0:
return 0
ret1:
return 1
hclstack:
/* put a state and value onto the stack */
if hclDebug >= 4 {
__yyfmt__.Printf("char %v in %v\n", hclTokname(hcltoken), hclStatname(hclstate))
}
hclp++
if hclp >= len(hclS) {
nyys := make([]hclSymType, len(hclS)*2)
copy(nyys, hclS)
hclS = nyys
}
hclS[hclp] = hclVAL
hclS[hclp].yys = hclstate
hclnewstate:
hcln = hclPact[hclstate]
if hcln <= hclFlag {
goto hcldefault /* simple state */
}
if hclchar < 0 {
hclchar, hcltoken = hcllex1(hcllex, &hcllval)
}
hcln += hcltoken
if hcln < 0 || hcln >= hclLast {
goto hcldefault
}
hcln = hclAct[hcln]
if hclChk[hcln] == hcltoken { /* valid shift */
hclchar = -1
hcltoken = -1
hclVAL = hcllval
hclstate = hcln
if Errflag > 0 {
Errflag--
}
goto hclstack
}
hcldefault:
/* default state action */
hcln = hclDef[hclstate]
if hcln == -2 {
if hclchar < 0 {
hclchar, hcltoken = hcllex1(hcllex, &hcllval)
}
/* look through exception table */
xi := 0
for {
if hclExca[xi+0] == -1 && hclExca[xi+1] == hclstate {
break
}
xi += 2
}
for xi += 2; ; xi += 2 {
hcln = hclExca[xi+0]
if hcln < 0 || hcln == hcltoken {
break
}
}
hcln = hclExca[xi+1]
if hcln < 0 {
goto ret0
}
}
if hcln == 0 {
/* error ... attempt to resume parsing */
switch Errflag {
case 0: /* brand new error */
hcllex.Error(hclErrorMessage(hclstate, hcltoken))
Nerrs++
if hclDebug >= 1 {
__yyfmt__.Printf("%s", hclStatname(hclstate))
__yyfmt__.Printf(" saw %s\n", hclTokname(hcltoken))
}
fallthrough
case 1, 2: /* incompletely recovered error ... try again */
Errflag = 3
/* find a state where "error" is a legal shift action */
for hclp >= 0 {
hcln = hclPact[hclS[hclp].yys] + hclErrCode
if hcln >= 0 && hcln < hclLast {
hclstate = hclAct[hcln] /* simulate a shift of "error" */
if hclChk[hclstate] == hclErrCode {
goto hclstack
}
}
/* the current p has no shift on "error", pop stack */
if hclDebug >= 2 {
__yyfmt__.Printf("error recovery pops state %d\n", hclS[hclp].yys)
}
hclp--
}
/* there is no state on the stack with an error shift ... abort */
goto ret1
case 3: /* no shift yet; clobber input char */
if hclDebug >= 2 {
__yyfmt__.Printf("error recovery discards %s\n", hclTokname(hcltoken))
}
if hcltoken == hclEofCode {
goto ret1
}
hclchar = -1
hcltoken = -1
goto hclnewstate /* try again in the same state */
}
}
/* reduction by production hcln */
if hclDebug >= 2 {
__yyfmt__.Printf("reduce %v in:\n\t%v\n", hcln, hclStatname(hclstate))
}
hclnt := hcln
hclpt := hclp
_ = hclpt // guard against "declared and not used"
hclp -= hclR2[hcln]
// hclp is now the index of $0. Perform the default action. Iff the
// reduced production is ε, $1 is possibly out of range.
if hclp+1 >= len(hclS) {
nyys := make([]hclSymType, len(hclS)*2)
copy(nyys, hclS)
hclS = nyys
}
hclVAL = hclS[hclp+1]
/* consult goto table to find next state */
hcln = hclR1[hcln]
hclg := hclPgo[hcln]
hclj := hclg + hclS[hclp].yys + 1
if hclj >= hclLast {
hclstate = hclAct[hclg]
} else {
hclstate = hclAct[hclj]
if hclChk[hclstate] != -hcln {
hclstate = hclAct[hclg]
}
}
// dummy call; replaced with literal code
switch hclnt {
case 1:
hclDollar = hclS[hclpt-0 : hclpt+1]
//line parse.y:39
{
hclResult = &Object{Type: ValueTypeObject}
}
case 2:
hclDollar = hclS[hclpt-1 : hclpt+1]
//line parse.y:43
{
hclResult = &Object{
Type: ValueTypeObject,
Value: ObjectList(hclDollar[1].objlist).Flat(),
}
}
case 3:
hclDollar = hclS[hclpt-1 : hclpt+1]
//line parse.y:52
{
hclVAL.objlist = []*Object{hclDollar[1].obj}
}
case 4:
hclDollar = hclS[hclpt-2 : hclpt+1]
//line parse.y:56
{
hclVAL.objlist = append(hclDollar[1].objlist, hclDollar[2].obj)
}
case 5:
hclDollar = hclS[hclpt-3 : hclpt+1]
//line parse.y:62
{
hclVAL.obj = &Object{
Type: ValueTypeObject,
Value: ObjectList(hclDollar[2].objlist).Flat(),
}
}
case 6:
hclDollar = hclS[hclpt-2 : hclpt+1]
//line parse.y:69
{
hclVAL.obj = &Object{
Type: ValueTypeObject,
}
}
case 7:
hclDollar = hclS[hclpt-1 : hclpt+1]
//line parse.y:77
{
hclVAL.str = hclDollar[1].str
}
case 8:
hclDollar = hclS[hclpt-1 : hclpt+1]
//line parse.y:81
{
hclVAL.str = hclDollar[1].str
}
case 9:
hclDollar = hclS[hclpt-3 : hclpt+1]
//line parse.y:87
{
hclVAL.obj = hclDollar[3].obj
hclVAL.obj.Key = hclDollar[1].str
}
case 10:
hclDollar = hclS[hclpt-3 : hclpt+1]
//line parse.y:92
{
hclVAL.obj = &Object{
Key: hclDollar[1].str,
Type: ValueTypeBool,
Value: hclDollar[3].b,
}
}
case 11:
hclDollar = hclS[hclpt-3 : hclpt+1]
//line parse.y:100
{
hclVAL.obj = &Object{
Key: hclDollar[1].str,
Type: ValueTypeString,
Value: hclDollar[3].str,
}
}
case 12:
hclDollar = hclS[hclpt-3 : hclpt+1]
//line parse.y:108
{
hclDollar[3].obj.Key = hclDollar[1].str
hclVAL.obj = hclDollar[3].obj
}
case 13:
hclDollar = hclS[hclpt-3 : hclpt+1]
//line parse.y:113
{
hclVAL.obj = &Object{
Key: hclDollar[1].str,
Type: ValueTypeList,
Value: hclDollar[3].objlist,
}
}
case 14:
hclDollar = hclS[hclpt-1 : hclpt+1]
//line parse.y:121
{
hclVAL.obj = hclDollar[1].obj
}
case 15:
hclDollar = hclS[hclpt-2 : hclpt+1]
//line parse.y:127
{
hclDollar[2].obj.Key = hclDollar[1].str
hclVAL.obj = hclDollar[2].obj
}
case 16:
hclDollar = hclS[hclpt-2 : hclpt+1]
//line parse.y:132
{
hclVAL.obj = &Object{
Key: hclDollar[1].str,
Type: ValueTypeObject,
Value: []*Object{hclDollar[2].obj},
}
}
case 17:
hclDollar = hclS[hclpt-1 : hclpt+1]
//line parse.y:142
{
hclVAL.str = hclDollar[1].str
}
case 18:
hclDollar = hclS[hclpt-1 : hclpt+1]
//line parse.y:146
{
hclVAL.str = hclDollar[1].str
}
case 19:
hclDollar = hclS[hclpt-3 : hclpt+1]
//line parse.y:152
{
hclVAL.objlist = hclDollar[2].objlist
}
case 20:
hclDollar = hclS[hclpt-4 : hclpt+1]
//line parse.y:156
{
hclVAL.objlist = hclDollar[2].objlist
}
case 21:
hclDollar = hclS[hclpt-2 : hclpt+1]
//line parse.y:160
{
hclVAL.objlist = nil
}
case 22:
hclDollar = hclS[hclpt-1 : hclpt+1]
//line parse.y:166
{
hclVAL.objlist = []*Object{hclDollar[1].obj}
}
case 23:
hclDollar = hclS[hclpt-3 : hclpt+1]
//line parse.y:170
{
hclVAL.objlist = append(hclDollar[1].objlist, hclDollar[3].obj)
}
case 24:
hclDollar = hclS[hclpt-1 : hclpt+1]
//line parse.y:176
{
hclVAL.obj = hclDollar[1].obj
}
case 25:
hclDollar = hclS[hclpt-1 : hclpt+1]
//line parse.y:180
{
hclVAL.obj = &Object{
Type: ValueTypeString,
Value: hclDollar[1].str,
}
}
case 26:
hclDollar = hclS[hclpt-1 : hclpt+1]
//line parse.y:189
{
hclVAL.obj = &Object{
Type: ValueTypeInt,
Value: hclDollar[1].num,
}
}
case 27:
hclDollar = hclS[hclpt-1 : hclpt+1]
//line parse.y:196
{
hclVAL.obj = &Object{
Type: ValueTypeFloat,
Value: hclDollar[1].f,
}
}
case 28:
hclDollar = hclS[hclpt-2 : hclpt+1]
//line parse.y:203
{
fs := fmt.Sprintf("%d%s", hclDollar[1].num, hclDollar[2].str)
f, err := strconv.ParseFloat(fs, 64)
if err != nil {
panic(err)
}
hclVAL.obj = &Object{
Type: ValueTypeFloat,
Value: f,
}
}
case 29:
hclDollar = hclS[hclpt-2 : hclpt+1]
//line parse.y:216
{
fs := fmt.Sprintf("%f%s", hclDollar[1].f, hclDollar[2].str)
f, err := strconv.ParseFloat(fs, 64)
if err != nil {
panic(err)
}
hclVAL.obj = &Object{
Type: ValueTypeFloat,
Value: f,
}
}
case 30:
hclDollar = hclS[hclpt-2 : hclpt+1]
//line parse.y:231
{
hclVAL.num = hclDollar[2].num * -1
}
case 31:
hclDollar = hclS[hclpt-1 : hclpt+1]
//line parse.y:235
{
hclVAL.num = hclDollar[1].num
}
case 32:
hclDollar = hclS[hclpt-2 : hclpt+1]
//line parse.y:241
{
hclVAL.f = hclDollar[2].f * -1
}
case 33:
hclDollar = hclS[hclpt-1 : hclpt+1]
//line parse.y:245
{
hclVAL.f = hclDollar[1].f
}
case 34:
hclDollar = hclS[hclpt-2 : hclpt+1]
//line parse.y:251
{
hclVAL.str = "e" + strconv.FormatInt(int64(hclDollar[2].num), 10)
}
case 35:
hclDollar = hclS[hclpt-2 : hclpt+1]
//line parse.y:255
{
hclVAL.str = "e-" + strconv.FormatInt(int64(hclDollar[2].num), 10)
}
}
goto hclstack /* stack new state and value */
}