blob: 324e16d4443498ff553651c813d962ab10c512a3 (
plain)
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
|
package j1
const stackSize = 0x20
type stack struct {
data [stackSize]uint16 // stack
sp int8 // 5 bit stack pointer
}
func (s *stack) move(dir int8) {
s.sp = (s.sp + dir) & (stackSize - 1)
}
func (s *stack) push(v uint16) {
s.sp = (s.sp + 1) & (stackSize - 1)
s.data[s.sp] = v
}
func (s *stack) pop() uint16 {
sp := s.sp
s.sp = (s.sp - 1) & (stackSize - 1)
return s.data[sp]
}
func (s *stack) peek() uint16 {
return s.data[s.sp]
}
func (s *stack) replace(v uint16) {
s.data[s.sp] = v
}
func (s *stack) depth() uint16 {
return uint16(s.sp)
}
func (s *stack) dump() []uint16 {
return s.data[:s.sp+1]
}
|