aboutsummaryrefslogtreecommitdiffstats
path: root/difftree/internal/radixmerkle/frame.go
blob: a40c6ad7b070edfabfab4fbddca445f5f10f13c8 (plain) (blame)
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
package merkletrie

import (
	"bytes"
	"fmt"
)

const sep = "/"

// A frame represents siblings in a trie, along with the path to get to
// them.  For example the frame for the node with key `b` in this trie:
//
//                    a
//                   / \
//                  /   \
//                 /     \
//                b       c
//               /|\     / \
//              y z x   d   e
//                |
//                g
//
// would be:
//
//     f := frame{
//         base: "a/b",           // path to the siblings
//         stack: []Node{z, y, x} // in reverse alphabetical order
//     }
type frame struct {
	base  string  // absolute key of their parents
	stack []Noder // siblings, sorted in reverse alphabetical order by key
}

// newFrame returns a frame for the children of a node n.
func newFrame(parentAbsoluteKey string, n Noder) *frame {
	return &frame{
		base:  parentAbsoluteKey + sep + n.Key(),
		stack: n.Children(),
	}
}

func (f *frame) String() string {
	var buf bytes.Buffer
	_, _ = buf.WriteString(fmt.Sprintf("base=%q, stack=[", f.base))

	sep := ""
	for _, e := range f.stack {
		_, _ = buf.WriteString(sep)
		sep = ", "
		_, _ = buf.WriteString(fmt.Sprintf("%q", e.Key()))
	}

	_ = buf.WriteByte(']')

	return buf.String()
}

func (f *frame) top() (Noder, bool) {
	if len(f.stack) == 0 {
		return nil, false
	}

	top := len(f.stack) - 1

	return f.stack[top], true
}

func (f *frame) pop() (Noder, bool) {
	if len(f.stack) == 0 {
		return nil, false
	}

	top := len(f.stack) - 1
	ret := f.stack[top]
	f.stack[top] = nil
	f.stack = f.stack[:top]

	return ret, true
}