-
Notifications
You must be signed in to change notification settings - Fork 0
/
Copy pathelement.go
557 lines (466 loc) · 16.9 KB
/
element.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
111
112
113
114
115
116
117
118
119
120
121
122
123
124
125
126
127
128
129
130
131
132
133
134
135
136
137
138
139
140
141
142
143
144
145
146
147
148
149
150
151
152
153
154
155
156
157
158
159
160
161
162
163
164
165
166
167
168
169
170
171
172
173
174
175
176
177
178
179
180
181
182
183
184
185
186
187
188
189
190
191
192
193
194
195
196
197
198
199
200
201
202
203
204
205
206
207
208
209
210
211
212
213
214
215
216
217
218
219
220
221
222
223
224
225
226
227
228
229
230
231
232
233
234
235
236
237
238
239
240
241
242
243
244
245
246
247
248
249
250
251
252
253
254
255
256
257
258
259
260
261
262
263
264
265
266
267
268
269
270
271
272
273
274
275
276
277
278
279
280
281
282
283
284
285
286
287
288
289
290
291
292
293
294
295
296
297
298
299
300
301
302
303
304
305
306
307
308
309
310
311
312
313
314
315
316
317
318
319
320
321
322
323
324
325
326
327
328
329
330
331
332
333
334
335
336
337
338
339
340
341
342
343
344
345
346
347
348
349
350
351
352
353
354
355
356
357
358
359
360
361
362
363
364
365
366
367
368
369
370
371
372
373
374
375
376
377
378
379
380
381
382
383
384
385
386
387
388
389
390
391
392
393
394
395
396
397
398
399
400
401
402
403
404
405
406
407
408
409
410
411
412
413
414
415
416
417
418
419
420
421
422
423
424
425
426
427
428
429
430
431
432
433
434
435
436
437
438
439
440
441
442
443
444
445
446
447
448
449
450
451
452
453
454
455
456
457
458
459
460
461
462
463
464
465
466
467
468
469
470
471
472
473
474
475
476
477
478
479
480
481
482
483
484
485
486
487
488
489
490
491
492
493
494
495
496
497
498
499
500
501
502
503
504
505
506
507
508
509
510
511
512
513
514
515
516
517
518
519
520
521
522
523
524
525
526
527
528
529
530
531
532
533
534
535
536
537
538
539
540
541
542
543
544
545
546
547
548
549
550
551
552
553
554
555
556
557
package dom
import (
"fmt"
"strings"
)
type domElement struct {
localName string // The local part, without the (optional) namespace prefix.
nodes []Node // Child nodes.
parentNode Node // Parent node
attributes NamedNodeMap // Attributes on this element.
ownerDocument Document // Owner document.
namespaceURI string // Namespace uri.
// Element specific things:
tagName XMLName // The complete tagname given, with prefix.
}
func newElement(owner Document, tagname string, namespaceURI string) Element {
e := &domElement{}
e.ownerDocument = owner
e.tagName = XMLName(tagname)
e.namespaceURI = namespaceURI
e.attributes = newNamedNodeMap()
return e
}
func (de *domElement) GetNodeName() string {
return string(de.tagName)
}
func (de *domElement) GetNodeType() NodeType {
return ElementNode
}
// NodeValue should return null/nil for Element types like the spec says,
// but Go does not permit nil strings which are not pointers. So for now we
// just return an empty string at all times.
func (de *domElement) GetNodeValue() string {
return ""
}
func (de *domElement) GetLocalName() string {
return de.tagName.GetLocalPart()
}
func (de *domElement) GetChildNodes() []Node {
return de.nodes
}
func (de *domElement) GetParentNode() Node {
return de.parentNode
}
func (de *domElement) GetFirstChild() Node {
if de.HasChildNodes() {
return de.nodes[0]
}
return nil
}
func (de *domElement) GetLastChild() Node {
if de.HasChildNodes() {
return de.nodes[len(de.nodes)-1]
}
return nil
}
func (de *domElement) GetAttributes() NamedNodeMap {
return de.attributes
}
func (de *domElement) HasAttributes() bool {
return len(de.attributes.GetItems()) > 0
}
func (de *domElement) GetOwnerDocument() Document {
return de.ownerDocument
}
func (de *domElement) AppendChild(child Node) error {
if de == child {
return fmt.Errorf("%v: adding a node to itself as a child", ErrorHierarchyRequest)
}
// Uh, we can do type assertion, or this.
if child.GetNodeType() == AttributeNode || child.GetNodeType() == DocumentNode {
return fmt.Errorf("%v: an attempt was made to insert a node where it is not permitted", ErrorHierarchyRequest)
}
// Remove child from it's exisiting parent, if any.
parent := child.GetParentNode()
if parent != nil {
parent.RemoveChild(child)
}
child.setParentNode(de)
de.nodes = append(de.nodes, child)
return nil
}
// RemoveChild removes the child node indicated by oldChild from the list of children of ref, and returns it.
// The returned error will be non nil in case the oldChild is not a child of the current Node.
func (de *domElement) RemoveChild(oldChild Node) (Node, error) {
if oldChild == nil {
return nil, nil
}
for i, child := range de.GetChildNodes() {
if child == oldChild {
// Slice trickery to remove the node at the found index:
de.nodes = append(de.nodes[:i], de.nodes[i+1:]...)
return child, nil
}
}
return nil, ErrorNotFound
}
// ReplaceChild replaces the child node oldChild with newChild in the list of children, and
// returns the oldChild node. If newChild is a DocumentFragment object, oldChild is replaced
// by all of the DocumentFragment children, which are inserted in the same order. If the
// newChild is already in the tree, it is first removed.
func (de *domElement) ReplaceChild(newChild, oldChild Node) (Node, error) {
if newChild == nil {
return nil, fmt.Errorf("%v: given new child is nil", ErrorHierarchyRequest)
}
if oldChild == nil {
return nil, fmt.Errorf("%v: given old child is nil", ErrorHierarchyRequest)
}
// newChild must be created by the same owner document of this element.
if newChild.GetOwnerDocument() != de.GetOwnerDocument() {
return nil, ErrorWrongDocument
}
// Find the old child, and replace it with the new child.
for i, child := range de.GetChildNodes() {
if child == oldChild {
// Check if newChild has a parent (i.e., it's in the tree).
ncParent := newChild.GetParentNode()
if ncParent != nil {
// Remove the newChild from its parent.
ncParent.RemoveChild(newChild)
}
// Slice trickery, again. It will make a new underlying slice with one element,
// the 'newChild', and then append the rest of the de.nodes to that.
de.nodes = append(de.nodes[:i], append([]Node{newChild}, de.nodes[i+1:]...)...)
// Change the parent node:
newChild.setParentNode(de)
return oldChild, nil
}
}
return nil, ErrorNotFound
}
// InsertBefore inserts the Node newChild before the reference child, refChild.
// If the refChild is nil, the newChild will simply be appended at the end of
// the list of children.
func (de *domElement) InsertBefore(newChild, refChild Node) (Node, error) {
if newChild == nil {
// FIXME: what in this case? Is an error ok?
return nil, ErrorHierarchyRequest
}
if newChild.GetNodeType() == AttributeNode {
return nil, ErrorHierarchyRequest
}
// New child must have the same owner Document as this element's document.
if newChild.GetOwnerDocument() != de.GetOwnerDocument() {
return nil, ErrorWrongDocument
}
// If refChild is nil, append to the end, and return.
if refChild == nil {
err := de.AppendChild(newChild)
if err != nil {
return nil, err
}
return newChild, nil
}
// Find the reference child, insert newChild before that one.
for i, child := range de.GetChildNodes() {
if child == refChild {
// Check if newChild is in the tree already. If so, remove it.
ncParent := newChild.GetParentNode()
if ncParent != nil {
ncParent.RemoveChild(newChild)
}
newChild.setParentNode(de)
de.nodes = append(de.nodes[:i], append([]Node{newChild}, de.nodes[i:]...)...)
return newChild, nil
}
}
// The reference child is given, but not found. We got no information where
// to insert the newChild at.
return nil, ErrorNotFound
}
func (de *domElement) HasChildNodes() bool {
return len(de.nodes) > 0
}
func (de *domElement) GetPreviousSibling() Node {
return getPreviousSibling(de)
}
func (de *domElement) GetNextSibling() Node {
return getNextSibling(de)
}
func (de *domElement) GetNamespaceURI() string {
return de.namespaceURI
}
func (de *domElement) GetNamespacePrefix() string {
return de.tagName.GetPrefix()
}
func (de *domElement) GetTagName() string {
return string(de.tagName)
}
func (de *domElement) SetAttribute(name, value string) error {
attr, err := de.GetOwnerDocument().CreateAttribute(name)
if err != nil {
return err
}
var namespaceFound = false
// Get the prefix (if any), double check if its declared. If it is not, then setting that
// attribute generates an error. Attributes with prefix "xmlns" must always be able
// to be set, and no lookup is necessary. Attributes without a prefix should be ok
// as well.
if attr.GetNamespacePrefix() == "xmlns" || attr.GetNamespacePrefix() == "" {
namespaceFound = true
} else if attr.GetNamespacePrefix() != "" {
// Not xmlns, but a different prefix. Look it up, see if it's declared somewhere
// up in the tree.
_, namespaceFound = de.LookupNamespaceURI(attr.GetNamespacePrefix())
}
if !namespaceFound {
return fmt.Errorf("the namespace for prefix '%v' has not been declared", attr.GetNamespacePrefix())
}
attr.SetValue(value)
attr.setOwnerElement(de)
de.attributes.SetNamedItem(attr)
return nil
}
// SetAttributeNode adds a new attribute node. If an attribute with that name (nodeName) is
// already present in the element, it is replaced by the new one. Replacing an attribute node
// by itself has no effect. To add a new attribute node with a qualified name and namespace
// URI, use the SetAttributeNodeNS method.
func (de *domElement) SetAttributeNode(a Attr) error {
// Attribute and Element must share the same owner document.
if a.GetOwnerDocument() != de.GetOwnerDocument() {
return ErrorWrongDocument
}
// Is the Attribute is already owned by another Element?
if a.GetOwnerElement() != nil {
return ErrorAttrInUse
}
a.setOwnerElement(de)
de.attributes.SetNamedItem(a)
return nil
}
// TODO: SetAttributeNodeNS
func (de *domElement) GetAttribute(name string) string {
if theAttr := de.attributes.GetNamedItem(name); theAttr != nil {
return theAttr.GetNodeValue()
}
// Not found, can return an empty string as per spec.
return ""
}
// GetElementsByTagName finds all descendant element with the given tagname.
// This implementation does a recursive search.
func (de *domElement) GetElementsByTagName(tagname string) []Element {
return getElementsBy(de, "", tagname, false)
}
func (de *domElement) GetElementsByTagNameNS(namespaceURI, tagname string) []Element {
return getElementsBy(de, namespaceURI, tagname, true)
}
// setTagName is only used internally, when the tagname needs to change. One example is during parsing:
// The Go encoding/xml package does not directly take prefixes into account, so we do some hackery to
// make that work. After we found a prefx<->namespace match, we need to change the tagname.
//
// Is it assumed that the tagname is XML valid at that point. For now.
func (de *domElement) setTagName(tagname string) {
de.tagName = XMLName(tagname)
}
// normalizeNamespaces normalizes namespace declaration attributes and prefixes, as part of the NormalizeDocument
// method of the Document interface.
func (de *domElement) normalizeNamespaces(counter *int) {
parent := de.GetParentNode()
// fmt.Printf("==> Parent node: %v\n", parent)
// fmt.Printf(" Normalizing: %v\n", de)
// Does the current element have a namespace URI defined?
if de.GetNamespaceURI() != "" {
// Never inherited if the parent is the Document itself. In that case,
// this element is the root element.
if parent.GetNodeType() == DocumentNode {
de.removeNSDecl()
de.createXmlnsDecl()
} else {
// Check if the declaration is inherited by looking up the prefix.
ns, found := parent.LookupNamespaceURI(de.GetNamespacePrefix())
if !found || ns != de.GetNamespaceURI() {
// The namespace is inherited from a top level element.
// fmt.Println(" Inherited?")
de.removeNSDecl()
de.createXmlnsDecl()
} else {
// fmt.Printf(" Found: %s, %s\n", ns, de.GetNamespacePrefix())
}
// Else, it's inherited from the parent, and nothing needs to be done.
}
}
// fmt.Printf("==> Result: %v\n", de)
// fmt.Println()
for _, c := range de.GetChildNodes() {
if e, ok := c.(Element); ok {
e.normalizeNamespaces(counter)
}
}
}
// LookupPrefix looks up the prefix associated to the given namespace URI, starting from this node.
// The default namespace declarations are ignored by this method. See Namespace Prefix Lookup for
// details on the algorithm used by this method:
// https://www.w3.org/TR/2004/REC-DOM-Level-3-Core-20040407/namespaces-algorithms.html#lookupNamespacePrefixAlgo
func (de *domElement) LookupPrefix(requestedNamespace string) (string, bool) {
if requestedNamespace == "" {
return "", false
}
// Check if the element has a namespace URI declared, and if there's a
// namespace.
elementPrefix := de.GetNamespacePrefix()
lookedupNamespace, found := de.LookupNamespaceURI(elementPrefix)
if de.GetNamespaceURI() == requestedNamespace &&
elementPrefix != "" &&
found &&
lookedupNamespace == requestedNamespace {
return elementPrefix, true
}
// Iterate over attributes with xmlns declarations.
if de.GetAttributes() != nil {
attrs := de.GetAttributes().GetItems()
for _, node := range attrs {
a := node.(Attr)
attrpfx := a.GetNamespacePrefix() // xmlns : ... = .........
attrloc := a.GetLocalName() // ..... : pfx = .........
attrval := a.GetNodeValue() // ..... : ... = namespace
if attrpfx == "xmlns" && attrval == requestedNamespace {
return attrloc, true
}
}
}
// Nothing found in this element, maybe something is declared up in the tree?
if parentElement, ok := de.GetParentNode().(Element); ok {
return parentElement.LookupPrefix(requestedNamespace)
}
return "", false
}
// LookupNamespaceURI looks up the namespace URI belonging to the prefix pfx. See
// https://www.w3.org/TR/2004/REC-DOM-Level-3-Core-20040407/namespaces-algorithms.html#lookupNamespaceURIAlgo
// for more information on the implementation of this method.
func (de *domElement) LookupNamespaceURI(pfx string) (string, bool) {
if de.GetNamespaceURI() != "" && de.GetNamespacePrefix() == pfx {
return de.GetNamespaceURI(), true
}
// Check the element's xmlns declarations.
if de.GetAttributes() != nil {
attrs := de.GetAttributes().GetItems()
for _, node := range attrs {
a := node.(Attr)
// <elem xmlns="..." />, and prefix is empty:
if a.GetNodeName() == "xmlns" && pfx == "" {
return a.GetNodeValue(), true
}
// <elem xmlnsanycharacter="..." />, and prefix is empty:
//
// This seems to be according to spec. Anything starting with xmlns is just a namespace declaration.
// Xerces DOM also works like this.
if strings.HasPrefix(a.GetNodeName(), "xmlns") && !strings.Contains(a.GetNodeName(), ":") && pfx == "" {
return a.GetNodeValue(), true
}
// <pfx:elem xmlns:pfx="..." />, with a given prefix:
//
// First, get the last index of the 'xmlns:pfx' part. The node name can possibly contain multiple
// colon characters, like 'xmlns:bla:cruft:pfx'. In the Xerces implementation of the DOM, this will
// result in the local name 'pfx'.
s := strings.LastIndex(a.GetNodeName(), ":")
if strings.HasPrefix(a.GetNodeName(), "xmlns") && s >= 0 && a.GetNodeName()[s+1:] == pfx {
return a.GetNodeValue(), true
}
}
}
// Found no declarations in the attributes of this element, therefore we check the ancestor. We must only check
// if the parent element is an Element itself. If we don't, we can get in an infinite loop when the parent node
// is a Document, since the Document will use the GetDocumentElement() to lookup the prefix.
if parentElement, ok := de.GetParentNode().(Element); ok {
return parentElement.LookupNamespaceURI(pfx)
}
// In the end, nothing is found.
return "", false
}
func (de *domElement) IsDefaultNamespace(namespace string) bool {
if de.GetNamespacePrefix() == "" {
return de.GetNamespaceURI() == namespace
}
// TODO verify this loop
for k, v := range de.GetAttributes().GetItems() {
if k == "xmlns" {
return v.GetNodeValue() == namespace
}
}
if parentElement, ok := de.GetParentNode().(Element); ok {
return parentElement.IsDefaultNamespace(namespace)
}
return false
}
func (de *domElement) GetTextContent() string {
if !de.HasChildNodes() {
return ""
}
textContent := ""
for _, child := range de.GetChildNodes() {
// Skip comments and PIs.
if child.GetNodeType() == CommentNode || child.GetNodeType() == ProcessingInstructionNode {
continue
}
textContent += child.GetTextContent()
}
return textContent
}
// SetTextContent will remove any possible children this node may have if the content string is not empty. The children
// will be replaced by a single Text node containing the content.
func (de *domElement) SetTextContent(content string) {
if content == "" {
return
}
// Remove existing nodes from this element by initializing an empty Node slice.
de.nodes = make([]Node, 0)
text := de.GetOwnerDocument().CreateText(content)
de.AppendChild(text)
}
// CloneNode for Elements clones this element. If deep is set to false, it will create a clone of the
// Element, plus its attributes. If deep is set to true, it will create a clone of all its children (and so on).
func (de *domElement) CloneNode(deep bool) Node {
// Clone element. The clone does not have a parent.
cloneElement, err := de.ownerDocument.CreateElementNS(de.namespaceURI, string(de.tagName))
if err != nil {
panic("CreateElement returned an error, but should be impossible at this point")
}
// Then its attributes.
for _, attrNode := range de.GetAttributes().GetItems() {
cloneAttr := attrNode.CloneNode(deep).(Attr)
cloneElement.SetAttributeNode(cloneAttr)
}
if !deep {
// No deep clone, so return it.
return cloneElement
}
// Do a deep clone.
for _, child := range de.GetChildNodes() {
childClone := child.CloneNode(true)
cloneElement.AppendChild(childClone)
}
return cloneElement
}
func (de *domElement) ImportNode(n Node, deep bool) Node {
return importNode(de.ownerDocument, n, deep)
}
// Private functions:
func (de *domElement) setParentNode(parent Node) {
de.parentNode = parent
}
func (de *domElement) setOwnerDocument(doc Document) {
de.ownerDocument = doc
}
// removeNSDeclAndSet finds xmlns:prefix declarations, and removes them. New namespace declarations will be
// created once we see we need them.
func (de *domElement) removeNSDecl() {
for nsdecl := range de.GetAttributes().GetItems() {
if strings.HasPrefix(nsdecl, "xmlns") {
// remove it.
//fmt.Printf("Removing xmlns attribute '%s'\n", nsdecl)
de.GetAttributes().RemoveNamedItem(nsdecl)
}
}
}
func (de *domElement) createXmlnsDecl() {
if de.GetNamespacePrefix() == "" {
de.SetAttribute("xmlns", de.GetNamespaceURI())
} else {
de.SetAttribute("xmlns:"+de.GetNamespacePrefix(), de.GetNamespaceURI())
}
}
func (de *domElement) String() string {
return fmt.Sprintf("%s, <%s>, ns=%s, attrs={%v}",
de.GetNodeType(), de.tagName, de.namespaceURI, de.attributes)
}