mirror of
https://github.com/go-sylixos/elvish.git
synced 2024-12-05 03:17:50 +08:00
81 lines
1.3 KiB
Go
81 lines
1.3 KiB
Go
package parse
|
|
|
|
import (
|
|
"bytes"
|
|
"errors"
|
|
"strings"
|
|
"unicode/utf8"
|
|
)
|
|
|
|
// parser maintains some mutable states of parsing.
|
|
//
|
|
// NOTE: The str member is assumed to be valid UF-8.
|
|
type parser struct {
|
|
src string
|
|
pos int
|
|
overEOF int
|
|
error error
|
|
}
|
|
|
|
const (
|
|
EOF rune = -1 - iota
|
|
ParseError
|
|
)
|
|
|
|
func newError(text string, shouldbe ...string) error {
|
|
if len(shouldbe) == 0 {
|
|
return errors.New(text)
|
|
}
|
|
var buf bytes.Buffer
|
|
if len(text) > 0 {
|
|
buf.WriteString(text + ", ")
|
|
}
|
|
buf.WriteString("should be " + shouldbe[0])
|
|
for i, opt := range shouldbe[1:] {
|
|
if i == len(shouldbe)-2 {
|
|
buf.WriteString(" or ")
|
|
} else {
|
|
buf.WriteString(", ")
|
|
}
|
|
buf.WriteString(opt)
|
|
}
|
|
return errors.New(buf.String())
|
|
}
|
|
|
|
func (ps *parser) peek() rune {
|
|
if ps.error != nil {
|
|
return ParseError
|
|
}
|
|
if ps.pos == len(ps.src) {
|
|
return EOF
|
|
}
|
|
r, _ := utf8.DecodeRuneInString(ps.src[ps.pos:])
|
|
return r
|
|
}
|
|
|
|
func (ps *parser) hasPrefix(prefix string) bool {
|
|
return strings.HasPrefix(ps.src[ps.pos:], prefix)
|
|
}
|
|
|
|
func (ps *parser) next() rune {
|
|
if ps.error != nil {
|
|
return ParseError
|
|
}
|
|
if ps.pos == len(ps.src) {
|
|
ps.overEOF += 1
|
|
return EOF
|
|
}
|
|
r, s := utf8.DecodeRuneInString(ps.src[ps.pos:])
|
|
ps.pos += s
|
|
return r
|
|
}
|
|
|
|
func (ps *parser) backup() {
|
|
if ps.overEOF > 0 {
|
|
ps.overEOF -= 1
|
|
return
|
|
}
|
|
_, s := utf8.DecodeLastRuneInString(ps.src[:ps.pos])
|
|
ps.pos -= s
|
|
}
|