-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathnode.go
110 lines (94 loc) · 2.34 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
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
package gmi
import (
"fmt"
"net/url"
"strings"
)
var textFormat = "%s" // Changed to "%q" in tests for better error messages.
// nodes are the tree elements created by parse logic
type Node interface {
Type() NodeType
String() string
writeTo(*strings.Builder)
}
type NodeType int
// Pos represents a byte position in the original input text from which
// this text was parsed.
type Pos int
func (p Pos) Position() Pos {
return p
}
// Type returns itself and provides an easy default implementation
// for embedding in a Node. Embedded in all non-trivial Nodes.
func (t NodeType) Type() NodeType {
return t
}
const (
NodeText NodeType = iota // Plain text.
NodeLink // Link.
NodeList // A list of nodes.
gmPretoggle // Preformat toggle switch.
gmPreformat // Preformat text body.
gmBlank
)
// Nodes.
// ListNode represents a sub/tree as a sequence of nodes.
type ListNode struct {
NodeType
Pos
Nodes []Node // The element nodes in lexical order.
}
func (t *Tree) newList(pos Pos) *ListNode {
return &ListNode{NodeType: NodeList, Pos: pos}
}
func (l *ListNode) append(n Node) {
l.Nodes = append(l.Nodes, n)
}
func (l *ListNode) String() string {
var sb strings.Builder
l.writeTo(&sb)
return sb.String()
}
func (l *ListNode) writeTo(sb *strings.Builder) {
for _, n := range l.Nodes {
n.writeTo(sb)
}
}
// TextNode holds plain text.
type TextNode struct {
NodeType
Pos
Text []byte
}
func (t *Tree) newText(pos Pos, text string) *TextNode {
return &TextNode{NodeType: NodeText, Pos: pos, Text: []byte(text)}
}
func (n *TextNode) String() string {
return fmt.Sprintf(textFormat, n.Text)
}
func (n *TextNode) writeTo(sb *strings.Builder) {
sb.WriteString(n.String())
}
// LinkNode holds hyperlink.
type LinkNode struct {
NodeType
Pos
URL *url.URL
Friendly string
//todo does the gemini spec require exact spaces?
//whtspace []string
Text []byte // The original textual representation of the input.
}
func (t *Tree) newLink(pos Pos, text string) *LinkNode {
return &LinkNode{NodeType: NodeLink, Pos: pos, Text: []byte(text)}
}
func (n LinkNode) String() string {
return fmt.Sprintf("%s %s", n.URL, n.Friendly)
}
func (n LinkNode) writeTo(sb *strings.Builder) {
sb.WriteString(n.String())
}
// BlankNode represents empty line.
type blankLine struct {
whtspace string
}