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
|
package main
import (
"bufio"
"io"
"main/json"
"main/walk"
"os"
)
type ProgramState struct {
value, xreg, yreg, zreg []walk.Value
start, prevStart, end, nextEnd bool
// TODO: This will only ever have 0 or 1 values, it is a slice out of laziness
peekStack []walk.WalkItem
in walk.StredReader
out walk.StredWriter
program []Command
pc int
}
func (state *ProgramState) Read() (walk.WalkItem, error) {
if len(state.peekStack) > 0 {
item := state.peekStack[len(state.peekStack) - 1]
state.peekStack = state.peekStack[:len(state.peekStack) - 1]
return item, nil
}
return state.in.Read()
}
func (state *ProgramState) Peek() (walk.WalkItem, error) {
item, err := state.Read()
if err != nil {
return walk.WalkItem{}, err
}
state.peekStack = append(state.peekStack, item)
return item, nil
}
type config struct {
quiet bool
program string
in io.Reader
out io.Writer
}
func run(config config) {
tokens := Lex(config.program)
program := Parse(tokens)
stdin := bufio.NewReader(config.in)
stdout := bufio.NewWriter(config.out)
state := ProgramState {
in: json.NewJSONReader(stdin),
out: json.NewJSONWriter(stdout),
program: program,
}
for {
walkItem, err := state.Read()
if err != nil {
break
}
state.value = []walk.Value{walkItem.Value}
state.start = walkItem.Start
state.prevStart = walkItem.PrevStart
state.end = walkItem.End
state.nextEnd = walkItem.NextEnd
state.pc = 0
for state.pc < len(state.program) {
state.program[state.pc].exec(&state)
}
if !config.quiet {
for _, value := range state.value {
err := state.out.Write(value)
if err != nil {
panic("Error while outputting")
}
}
}
}
state.in.AssertDone()
state.out.AssertDone()
}
func main() {
config := config {
quiet: false,
in: os.Stdin,
out: os.Stdout,
}
hasInput := false
for i := 1; i < len(os.Args); i += 1 {
switch os.Args[i] {
case "-n":
config.quiet = true
continue
}
if i < len(os.Args) - 1 {
panic("Unexpected arguments after program")
}
config.program = os.Args[i]
hasInput = true
}
if !hasInput {
panic("Missing program")
}
run(config)
}
|