// Copyright 2011 The Go Authors. All rights reserved.
// Use of this source code is governed by a BSD-style
// license that can be found in the LICENSE file.

package parse

import (
	
	
	
	
)

// item represents a token or text string returned from the scanner.
type item struct {
	typ  itemType // The type of this item.
	pos  Pos      // The starting position, in bytes, of this item in the input string.
	val  string   // The value of this item.
	line int      // The line number at the start of this item.
}

func ( item) () string {
	switch {
	case .typ == itemEOF:
		return "EOF"
	case .typ == itemError:
		return .val
	case .typ > itemKeyword:
		return fmt.Sprintf("<%s>", .val)
	case len(.val) > 10:
		return fmt.Sprintf("%.10q...", .val)
	}
	return fmt.Sprintf("%q", .val)
}

// itemType identifies the type of lex items.
type itemType int

const (
	itemError        itemType = iota // error occurred; value is text of error
	itemBool                         // boolean constant
	itemChar                         // printable ASCII character; grab bag for comma etc.
	itemCharConstant                 // character constant
	itemComment                      // comment text
	itemComplex                      // complex constant (1+2i); imaginary is just a number
	itemAssign                       // equals ('=') introducing an assignment
	itemDeclare                      // colon-equals (':=') introducing a declaration
	itemEOF
	itemField      // alphanumeric identifier starting with '.'
	itemIdentifier // alphanumeric identifier not starting with '.'
	itemLeftDelim  // left action delimiter
	itemLeftParen  // '(' inside action
	itemNumber     // simple number, including imaginary
	itemPipe       // pipe symbol
	itemRawString  // raw quoted string (includes quotes)
	itemRightDelim // right action delimiter
	itemRightParen // ')' inside action
	itemSpace      // run of spaces separating arguments
	itemString     // quoted string (includes quotes)
	itemText       // plain text
	itemVariable   // variable starting with '$', such as '$' or  '$1' or '$hello'
	// Keywords appear after all the rest.
	itemKeyword  // used only to delimit the keywords
	itemBlock    // block keyword
	itemBreak    // break keyword
	itemContinue // continue keyword
	itemDot      // the cursor, spelled '.'
	itemDefine   // define keyword
	itemElse     // else keyword
	itemEnd      // end keyword
	itemIf       // if keyword
	itemNil      // the untyped nil constant, easiest to treat as a keyword
	itemRange    // range keyword
	itemTemplate // template keyword
	itemWith     // with keyword
)

var key = map[string]itemType{
	".":        itemDot,
	"block":    itemBlock,
	"break":    itemBreak,
	"continue": itemContinue,
	"define":   itemDefine,
	"else":     itemElse,
	"end":      itemEnd,
	"if":       itemIf,
	"range":    itemRange,
	"nil":      itemNil,
	"template": itemTemplate,
	"with":     itemWith,
}

const eof = -1

// Trimming spaces.
// If the action begins "{{- " rather than "{{", then all space/tab/newlines
// preceding the action are trimmed; conversely if it ends " -}}" the
// leading spaces are trimmed. This is done entirely in the lexer; the
// parser never sees it happen. We require an ASCII space (' ', \t, \r, \n)
// to be present to avoid ambiguity with things like "{{-3}}". It reads
// better with the space present anyway. For simplicity, only ASCII
// does the job.
const (
	spaceChars    = " \t\r\n"  // These are the space characters defined by Go itself.
	trimMarker    = '-'        // Attached to left/right delimiter, trims trailing spaces from preceding/following text.
	trimMarkerLen = Pos(1 + 1) // marker plus space before or after
)

// stateFn represents the state of the scanner as a function that returns the next state.
type stateFn func(*lexer) stateFn

// lexer holds the state of the scanner.
type lexer struct {
	name        string    // the name of the input; used only for error reports
	input       string    // the string being scanned
	leftDelim   string    // start of action
	rightDelim  string    // end of action
	emitComment bool      // emit itemComment tokens.
	pos         Pos       // current position in the input
	start       Pos       // start position of this item
	width       Pos       // width of last rune read from input
	items       chan item // channel of scanned items
	parenDepth  int       // nesting depth of ( ) exprs
	line        int       // 1+number of newlines seen
	startLine   int       // start line of this item
	breakOK     bool      // break keyword allowed
	continueOK  bool      // continue keyword allowed
}

// next returns the next rune in the input.
func ( *lexer) () rune {
	if int(.pos) >= len(.input) {
		.width = 0
		return eof
	}
	,  := utf8.DecodeRuneInString(.input[.pos:])
	.width = Pos()
	.pos += .width
	if  == '\n' {
		.line++
	}
	return 
}

// peek returns but does not consume the next rune in the input.
func ( *lexer) () rune {
	 := .next()
	.backup()
	return 
}

// backup steps back one rune. Can only be called once per call of next.
func ( *lexer) () {
	.pos -= .width
	// Correct newline count.
	if .width == 1 && .input[.pos] == '\n' {
		.line--
	}
}

// emit passes an item back to the client.
func ( *lexer) ( itemType) {
	.items <- item{, .start, .input[.start:.pos], .startLine}
	.start = .pos
	.startLine = .line
}

// ignore skips over the pending input before this point.
func ( *lexer) () {
	.line += strings.Count(.input[.start:.pos], "\n")
	.start = .pos
	.startLine = .line
}

// accept consumes the next rune if it's from the valid set.
func ( *lexer) ( string) bool {
	if strings.ContainsRune(, .next()) {
		return true
	}
	.backup()
	return false
}

// acceptRun consumes a run of runes from the valid set.
func ( *lexer) ( string) {
	for strings.ContainsRune(, .next()) {
	}
	.backup()
}

// errorf returns an error token and terminates the scan by passing
// back a nil pointer that will be the next state, terminating l.nextItem.
func ( *lexer) ( string,  ...any) stateFn {
	.items <- item{itemError, .start, fmt.Sprintf(, ...), .startLine}
	return nil
}

// nextItem returns the next item from the input.
// Called by the parser, not in the lexing goroutine.
func ( *lexer) () item {
	return <-.items
}

// drain drains the output so the lexing goroutine will exit.
// Called by the parser, not in the lexing goroutine.
func ( *lexer) () {
	for range .items {
	}
}

// lex creates a new scanner for the input string.
func (, , ,  string,  bool) *lexer {
	if  == "" {
		 = leftDelim
	}
	if  == "" {
		 = rightDelim
	}
	 := &lexer{
		name:        ,
		input:       ,
		leftDelim:   ,
		rightDelim:  ,
		emitComment: ,
		items:       make(chan item),
		line:        1,
		startLine:   1,
	}
	go .run()
	return 
}

// run runs the state machine for the lexer.
func ( *lexer) () {
	for  := lexText;  != nil; {
		 = ()
	}
	close(.items)
}

// state functions

const (
	leftDelim    = "{{"
	rightDelim   = "}}"
	leftComment  = "/*"
	rightComment = "*/"
)

// lexText scans until an opening action delimiter, "{{".
func ( *lexer) stateFn {
	.width = 0
	if  := strings.Index(.input[.pos:], .leftDelim);  >= 0 {
		 := Pos(len(.leftDelim))
		.pos += Pos()
		 := Pos(0)
		if hasLeftTrimMarker(.input[.pos+:]) {
			 = rightTrimLength(.input[.start:.pos])
		}
		.pos -= 
		if .pos > .start {
			.line += strings.Count(.input[.start:.pos], "\n")
			.emit(itemText)
		}
		.pos += 
		.ignore()
		return lexLeftDelim
	}
	.pos = Pos(len(.input))
	// Correctly reached EOF.
	if .pos > .start {
		.line += strings.Count(.input[.start:.pos], "\n")
		.emit(itemText)
	}
	.emit(itemEOF)
	return nil
}

// rightTrimLength returns the length of the spaces at the end of the string.
func ( string) Pos {
	return Pos(len() - len(strings.TrimRight(, spaceChars)))
}

// atRightDelim reports whether the lexer is at a right delimiter, possibly preceded by a trim marker.
func ( *lexer) () (,  bool) {
	if hasRightTrimMarker(.input[.pos:]) && strings.HasPrefix(.input[.pos+trimMarkerLen:], .rightDelim) { // With trim marker.
		return true, true
	}
	if strings.HasPrefix(.input[.pos:], .rightDelim) { // Without trim marker.
		return true, false
	}
	return false, false
}

// leftTrimLength returns the length of the spaces at the beginning of the string.
func ( string) Pos {
	return Pos(len() - len(strings.TrimLeft(, spaceChars)))
}

// lexLeftDelim scans the left delimiter, which is known to be present, possibly with a trim marker.
func ( *lexer) stateFn {
	.pos += Pos(len(.leftDelim))
	 := hasLeftTrimMarker(.input[.pos:])
	 := Pos(0)
	if  {
		 = trimMarkerLen
	}
	if strings.HasPrefix(.input[.pos+:], leftComment) {
		.pos += 
		.ignore()
		return lexComment
	}
	.emit(itemLeftDelim)
	.pos += 
	.ignore()
	.parenDepth = 0
	return lexInsideAction
}

// lexComment scans a comment. The left comment marker is known to be present.
func ( *lexer) stateFn {
	.pos += Pos(len(leftComment))
	 := strings.Index(.input[.pos:], rightComment)
	if  < 0 {
		return .errorf("unclosed comment")
	}
	.pos += Pos( + len(rightComment))
	,  := .atRightDelim()
	if ! {
		return .errorf("comment ends before closing delimiter")
	}
	if .emitComment {
		.emit(itemComment)
	}
	if  {
		.pos += trimMarkerLen
	}
	.pos += Pos(len(.rightDelim))
	if  {
		.pos += leftTrimLength(.input[.pos:])
	}
	.ignore()
	return lexText
}

// lexRightDelim scans the right delimiter, which is known to be present, possibly with a trim marker.
func ( *lexer) stateFn {
	 := hasRightTrimMarker(.input[.pos:])
	if  {
		.pos += trimMarkerLen
		.ignore()
	}
	.pos += Pos(len(.rightDelim))
	.emit(itemRightDelim)
	if  {
		.pos += leftTrimLength(.input[.pos:])
		.ignore()
	}
	return lexText
}

// lexInsideAction scans the elements inside action delimiters.
func ( *lexer) stateFn {
	// Either number, quoted string, or identifier.
	// Spaces separate arguments; runs of spaces turn into itemSpace.
	// Pipe symbols separate and are emitted.
	,  := .atRightDelim()
	if  {
		if .parenDepth == 0 {
			return lexRightDelim
		}
		return .errorf("unclosed left paren")
	}
	switch  := .next(); {
	case  == eof:
		return .errorf("unclosed action")
	case isSpace():
		.backup() // Put space back in case we have " -}}".
		return lexSpace
	case  == '=':
		.emit(itemAssign)
	case  == ':':
		if .next() != '=' {
			return .errorf("expected :=")
		}
		.emit(itemDeclare)
	case  == '|':
		.emit(itemPipe)
	case  == '"':
		return lexQuote
	case  == '`':
		return lexRawQuote
	case  == '$':
		return lexVariable
	case  == '\'':
		return lexChar
	case  == '.':
		// special look-ahead for ".field" so we don't break l.backup().
		if .pos < Pos(len(.input)) {
			 := .input[.pos]
			if  < '0' || '9' <  {
				return lexField
			}
		}
		fallthrough // '.' can start a number.
	case  == '+' ||  == '-' || ('0' <=  &&  <= '9'):
		.backup()
		return lexNumber
	case isAlphaNumeric():
		.backup()
		return lexIdentifier
	case  == '(':
		.emit(itemLeftParen)
		.parenDepth++
	case  == ')':
		.emit(itemRightParen)
		.parenDepth--
		if .parenDepth < 0 {
			return .errorf("unexpected right paren %#U", )
		}
	case  <= unicode.MaxASCII && unicode.IsPrint():
		.emit(itemChar)
	default:
		return .errorf("unrecognized character in action: %#U", )
	}
	return 
}

// lexSpace scans a run of space characters.
// We have not consumed the first space, which is known to be present.
// Take care if there is a trim-marked right delimiter, which starts with a space.
func ( *lexer) stateFn {
	var  rune
	var  int
	for {
		 = .peek()
		if !isSpace() {
			break
		}
		.next()
		++
	}
	// Be careful about a trim-marked closing delimiter, which has a minus
	// after a space. We know there is a space, so check for the '-' that might follow.
	if hasRightTrimMarker(.input[.pos-1:]) && strings.HasPrefix(.input[.pos-1+trimMarkerLen:], .rightDelim) {
		.backup() // Before the space.
		if  == 1 {
			return lexRightDelim // On the delim, so go right to that.
		}
	}
	.emit(itemSpace)
	return lexInsideAction
}

// lexIdentifier scans an alphanumeric.
func ( *lexer) stateFn {
:
	for {
		switch  := .next(); {
		case isAlphaNumeric():
			// absorb.
		default:
			.backup()
			 := .input[.start:.pos]
			if !.atTerminator() {
				return .errorf("bad character %#U", )
			}
			switch {
			case key[] > itemKeyword:
				 := key[]
				if  == itemBreak && !.breakOK ||  == itemContinue && !.continueOK {
					.emit(itemIdentifier)
				} else {
					.emit()
				}
			case [0] == '.':
				.emit(itemField)
			case  == "true",  == "false":
				.emit(itemBool)
			default:
				.emit(itemIdentifier)
			}
			break 
		}
	}
	return lexInsideAction
}

// lexField scans a field: .Alphanumeric.
// The . has been scanned.
func ( *lexer) stateFn {
	return lexFieldOrVariable(, itemField)
}

// lexVariable scans a Variable: $Alphanumeric.
// The $ has been scanned.
func ( *lexer) stateFn {
	if .atTerminator() { // Nothing interesting follows -> "$".
		.emit(itemVariable)
		return lexInsideAction
	}
	return lexFieldOrVariable(, itemVariable)
}

// lexVariable scans a field or variable: [.$]Alphanumeric.
// The . or $ has been scanned.
func ( *lexer,  itemType) stateFn {
	if .atTerminator() { // Nothing interesting follows -> "." or "$".
		if  == itemVariable {
			.emit(itemVariable)
		} else {
			.emit(itemDot)
		}
		return lexInsideAction
	}
	var  rune
	for {
		 = .next()
		if !isAlphaNumeric() {
			.backup()
			break
		}
	}
	if !.atTerminator() {
		return .errorf("bad character %#U", )
	}
	.emit()
	return lexInsideAction
}

// atTerminator reports whether the input is at valid termination character to
// appear after an identifier. Breaks .X.Y into two pieces. Also catches cases
// like "$x+2" not being acceptable without a space, in case we decide one
// day to implement arithmetic.
func ( *lexer) () bool {
	 := .peek()
	if isSpace() {
		return true
	}
	switch  {
	case eof, '.', ',', '|', ':', ')', '(':
		return true
	}
	// Does r start the delimiter? This can be ambiguous (with delim=="//", $x/2 will
	// succeed but should fail) but only in extremely rare cases caused by willfully
	// bad choice of delimiter.
	if ,  := utf8.DecodeRuneInString(.rightDelim);  ==  {
		return true
	}
	return false
}

// lexChar scans a character constant. The initial quote is already
// scanned. Syntax checking is done by the parser.
func ( *lexer) stateFn {
:
	for {
		switch .next() {
		case '\\':
			if  := .next();  != eof &&  != '\n' {
				break
			}
			fallthrough
		case eof, '\n':
			return .errorf("unterminated character constant")
		case '\'':
			break 
		}
	}
	.emit(itemCharConstant)
	return lexInsideAction
}

// lexNumber scans a number: decimal, octal, hex, float, or imaginary. This
// isn't a perfect number scanner - for instance it accepts "." and "0x0.2"
// and "089" - but when it's wrong the input is invalid and the parser (via
// strconv) will notice.
func ( *lexer) stateFn {
	if !.scanNumber() {
		return .errorf("bad number syntax: %q", .input[.start:.pos])
	}
	if  := .peek();  == '+' ||  == '-' {
		// Complex: 1+2i. No spaces, must end in 'i'.
		if !.scanNumber() || .input[.pos-1] != 'i' {
			return .errorf("bad number syntax: %q", .input[.start:.pos])
		}
		.emit(itemComplex)
	} else {
		.emit(itemNumber)
	}
	return lexInsideAction
}

func ( *lexer) () bool {
	// Optional leading sign.
	.accept("+-")
	// Is it hex?
	 := "0123456789_"
	if .accept("0") {
		// Note: Leading 0 does not mean octal in floats.
		if .accept("xX") {
			 = "0123456789abcdefABCDEF_"
		} else if .accept("oO") {
			 = "01234567_"
		} else if .accept("bB") {
			 = "01_"
		}
	}
	.acceptRun()
	if .accept(".") {
		.acceptRun()
	}
	if len() == 10+1 && .accept("eE") {
		.accept("+-")
		.acceptRun("0123456789_")
	}
	if len() == 16+6+1 && .accept("pP") {
		.accept("+-")
		.acceptRun("0123456789_")
	}
	// Is it imaginary?
	.accept("i")
	// Next thing mustn't be alphanumeric.
	if isAlphaNumeric(.peek()) {
		.next()
		return false
	}
	return true
}

// lexQuote scans a quoted string.
func ( *lexer) stateFn {
:
	for {
		switch .next() {
		case '\\':
			if  := .next();  != eof &&  != '\n' {
				break
			}
			fallthrough
		case eof, '\n':
			return .errorf("unterminated quoted string")
		case '"':
			break 
		}
	}
	.emit(itemString)
	return lexInsideAction
}

// lexRawQuote scans a raw quoted string.
func ( *lexer) stateFn {
:
	for {
		switch .next() {
		case eof:
			return .errorf("unterminated raw quoted string")
		case '`':
			break 
		}
	}
	.emit(itemRawString)
	return lexInsideAction
}

// isSpace reports whether r is a space character.
func ( rune) bool {
	return  == ' ' ||  == '\t' ||  == '\r' ||  == '\n'
}

// isAlphaNumeric reports whether r is an alphabetic, digit, or underscore.
func ( rune) bool {
	return  == '_' || unicode.IsLetter() || unicode.IsDigit()
}

func ( string) bool {
	return len() >= 2 && [0] == trimMarker && isSpace(rune([1]))
}

func ( string) bool {
	return len() >= 2 && isSpace(rune([0])) && [1] == trimMarker
}