-
Notifications
You must be signed in to change notification settings - Fork 2
/
Copy pathrepl.go
276 lines (259 loc) · 7.06 KB
/
repl.go
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
82
83
84
85
86
87
88
89
90
91
92
93
94
95
96
97
98
99
100
101
102
103
104
105
106
107
108
109
110
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
package repl
import (
"errors"
"fmt"
"io"
"regexp"
"slices"
"strconv"
"strings"
"fortio.org/log"
"fortio.org/terminal"
"grol.io/grol/ast"
"grol.io/grol/eval"
"grol.io/grol/lexer"
"grol.io/grol/object"
"grol.io/grol/parser"
)
const (
PROMPT = "$ "
CONTINUATION = "> "
)
func logParserErrors(p *parser.Parser) bool {
errors := p.Errors()
if len(errors) == 0 {
return false
}
log.Critf("parser has %d error(s)", len(errors))
for _, msg := range errors {
log.Errf("parser error: %s", msg)
}
return true
}
type Options struct {
ShowParse bool
ShowEval bool
All bool
NoColor bool // color controlled by log package, unless this is set to true.
FormatOnly bool
Compact bool
NilAndErr bool // Show nil and errors in normal output.
HistoryFile string
MaxHistory int
}
func EvalAll(s *eval.State, macroState *object.Environment, in io.Reader, out io.Writer, options Options) []string {
b, err := io.ReadAll(in)
if err != nil {
log.Fatalf("%v", err)
}
what := string(b)
_, errs, _ := EvalOne(s, macroState, what, out, options)
return errs
}
// Kinda ugly (global) but helpful to not change the signature of EvalString for now and
// yet allow the caller to set this (ie. the discord bot).
var CompactEvalString bool
// EvalString can be used from playground etc for single eval.
// returns the eval errors and an array of errors if any.
// also returns the normalized/reformatted input if no parsing errors
// occurred.
func EvalString(what string) (res string, errs []string, formatted string) {
defer func() {
if r := recover(); r != nil {
errs = append(errs, fmt.Sprintf("panic: %v", r))
}
}()
s := eval.NewState()
macroState := object.NewMacroEnvironment()
out := &strings.Builder{}
s.Out = out
s.LogOut = out
s.NoLog = true
_, errs, formatted = EvalOne(s, macroState, what, out,
Options{All: true, ShowEval: true, NoColor: true, Compact: CompactEvalString})
res = out.String()
return
}
func Interactive(options Options) int {
options.NilAndErr = true
s := eval.NewState()
macroState := object.NewMacroEnvironment()
prev := ""
term, err := terminal.Open()
if err != nil {
return log.FErrf("Error creating readline: %v", err)
}
defer term.Close()
term.SetPrompt(PROMPT)
options.Compact = true // because terminal doesn't (yet) do well will multi-line commands.
term.NewHistory(options.MaxHistory)
_ = term.SetHistoryFile(options.HistoryFile)
// Regular expression for "!nn" to run history command nn.
historyRegex := regexp.MustCompile(`^!(\d+)$`)
for {
rd, err := term.ReadLine()
if errors.Is(err, io.EOF) {
log.Infof("Exit requested") // Don't say EOF as ^C comes through as EOF as well.
return 0
}
if err != nil {
return log.FErrf("Error reading line: %v", err)
}
log.Debugf("Read: %q", rd)
l := prev + rd
if historyRegex.MatchString(l) {
h := term.History()
slices.Reverse(h)
idxStr := l[1:]
idx, _ := strconv.Atoi(idxStr)
if idx < 1 || idx > len(h) {
log.Errf("Invalid history index %d", idx)
continue
}
l = h[idx-1]
fmt.Fprintf(term.Out, "Repeating history %d: %s\n", idx, l)
term.ReplaceLatest(l)
}
switch {
case l == "history":
h := term.History()
slices.Reverse(h)
for i, v := range h {
fmt.Fprintf(term.Out, "%02d: %s\n", i+1, v)
}
continue
case l == "help":
fmt.Fprintln(term.Out, "Type 'history' to see history, '!n' to repeat history n, 'info' for language builtins")
continue
}
// errors are already logged and this is the only case that can get contNeeded (EOL instead of EOF mode)
contNeeded, _, formatted := EvalOne(s, macroState, l, term.Out, options)
if contNeeded {
prev = l + "\n"
term.SetPrompt(CONTINUATION)
} else {
if prev != "" {
// In addition to raw lines, we also add the single line version to history.
log.LogVf("Adding to history: %q", formatted)
term.AddToHistory(formatted)
}
prev = ""
term.SetPrompt(PROMPT)
}
}
}
// Alternate API for benchmarking and simplicity.
type Grol struct {
State *eval.State
Macros *object.Environment
PrintEval bool
program *ast.Statements
}
// Initialize with new empty state.
func New() *Grol {
g := &Grol{State: eval.NewState(), Macros: object.NewMacroEnvironment()}
return g
}
func (g *Grol) Parse(inp []byte) error {
l := lexer.NewBytes(inp)
p := parser.New(l)
g.program = p.ParseProgram()
if len(p.Errors()) > 0 {
return fmt.Errorf("parse errors: %v", p.Errors())
}
if g.Macros == nil {
return nil
}
eval.DefineMacros(g.Macros, g.program)
numMacros := g.Macros.Len()
if numMacros == 0 {
return nil
}
log.LogVf("Expanding, %d macros defined", numMacros)
// This actually modifies the original program, not sure... that's good but that's why
// expanded return value doesn't need to be used.
_ = eval.ExpandMacros(g.Macros, g.program)
return nil
}
func (g *Grol) Run(out io.Writer) error {
g.State.Out = out
res := g.State.Eval(g.program)
if res.Type() == object.ERROR {
return fmt.Errorf("eval error: %v", res.Inspect())
}
if g.PrintEval {
fmt.Fprint(out, res.Inspect())
}
return nil
}
// Returns true in line mode if more should be fed to the parser.
// TODO: this one size fits 3 different calls (file, interactive, bot) is getting spaghetti.
func EvalOne(s *eval.State, macroState *object.Environment, what string, out io.Writer, options Options) (bool, []string, string) {
var l *lexer.Lexer
if options.All {
l = lexer.New(what)
} else {
l = lexer.NewLineMode(what)
}
p := parser.New(l)
program := p.ParseProgram()
if logParserErrors(p) {
return false, p.Errors(), what
}
if p.ContinuationNeeded() {
return true, nil, what
}
printer := ast.NewPrintState()
printer.Compact = options.Compact
formatted := program.PrettyPrint(printer).String()
if options.FormatOnly {
_, _ = out.Write([]byte(formatted))
return false, nil, formatted
}
if options.ShowParse {
fmt.Fprint(out, "== Parse ==> ", formatted)
if options.Compact {
fmt.Fprintln(out)
}
}
eval.DefineMacros(macroState, program)
numMacros := macroState.Len()
if numMacros > 0 {
log.LogVf("Expanding, %d macros defined", numMacros)
// This actually modifies the original program, not sure... that's good but that's why
// expanded return value doesn't need to be used.
_ = eval.ExpandMacros(macroState, program)
if options.ShowParse {
fmt.Fprint(out, "== Macro ==> ")
program.PrettyPrint(&ast.PrintState{Out: out})
}
} else {
log.LogVf("Skipping macro expansion as none are defined")
}
if options.ShowParse && options.ShowEval {
fmt.Fprint(out, "== Eval ==> ")
}
obj := s.Eval(program)
if !options.ShowEval {
return false, nil, formatted
}
var errs []string
if obj.Type() == object.ERROR {
errs = append(errs, obj.Inspect())
}
if !options.NilAndErr && (obj.Type() == object.NIL || obj.Type() == object.ERROR) {
return false, errs, formatted
}
if !options.NoColor {
if obj.Type() == object.ERROR {
fmt.Fprint(out, log.Colors.Red)
} else {
fmt.Fprint(out, log.Colors.Green)
}
}
fmt.Fprintln(out, obj.Inspect())
if !options.NoColor {
fmt.Fprint(out, log.Colors.Reset)
}
return false, errs, formatted
}