-
Notifications
You must be signed in to change notification settings - Fork 163
/
node.go
82 lines (69 loc) · 1.94 KB
/
node.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
package mimetype
import "fmt"
type (
// Node represents a node in the matchers tree structure.
// It holds the mime type, the extension and the function
// to check whether a byte slice has the mime type.
Node struct {
mime string
extension string
matchFunc matchFunc
children []*Node
}
matchFunc func([]byte) bool
)
// NewNode creates a new Node.
func NewNode(mime, extension string, matchFunc matchFunc, children ...*Node) *Node {
return &Node{
mime: mime,
extension: extension,
matchFunc: matchFunc,
children: children,
}
}
// Mime returns the mime type associated with the node.
func (n *Node) Mime() string { return n.mime }
// Extension returns the file extension associated with the node.
func (n *Node) Extension() string { return n.extension }
// Append adds a new node to the matchers tree.
// When a node's matching function passes the check, the node's children are
// also checked in order to find a more accurate mime type for the input.
func (n *Node) Append(cs ...*Node) { n.children = append(n.children, cs...) }
// match does a depth-first search on the matchers tree.
// it returns the deepest successful matcher for which all the children fail.
func (n *Node) match(in []byte, deepestMatch *Node) *Node {
for _, c := range n.children {
if c.matchFunc(in) {
return c.match(in, c)
}
}
return deepestMatch
}
// Tree returns a string representation of the matchers tree.
func (n *Node) Tree() string {
var printTree func(*Node, int) string
printTree = func(n *Node, level int) string {
offset := ""
i := 0
for i < level {
offset += "|\t"
i++
}
if len(n.children) > 0 {
offset += "+"
}
out := fmt.Sprintf("%s%s\n", offset, n.Mime())
for _, c := range n.children {
out += printTree(c, level+1)
}
return out
}
return printTree(n, 0)
}
func (n *Node) flatten() []*Node {
out := []*Node{n}
for _, c := range n.children {
out = append(out, c.flatten()...)
}
return out
}