Content inside gojax
(The raw file follows this syntax highlighted file.)

/*
Gojax provides a json-ish and xml-ish tool to convert json-ish to xml-ish so you can use an
xpath-ish expression to manipulate the resulting xml. If you can set aside the ishs, you can use
this package to work with JSON and XML.

The Consequences of ish

For JSON, the following are meant by the expression of 'ish' above:
  - A single object is the only allowed root element
  - For numbers, only sequences of digits possibly prefixed with a negative sign are supported,
    including zero prefixed numbers
  - For strings, anything can be escaped, but unicode hexadecimal expressions are not supported
  - Finally, for whitespace, anything that returns true from unicode.IsSpace is accepted

For XML, only the least is supported - hence the 'ish' above.
  - Nodes can have names from any JSON string
  - Attribute keys and values are any Golang string
  - JSON arrays have each inner-element nested inside a node with the following
    format: `<n index="0">...</n>`, where the 0 is replaced with the element's index in the array
  - The JSON values of true, false, and null all convert to XML content as those runes
  - Also, XML attributes are sorted in the output

For XPath, also, only the least is supported.
  - You can separate path parts with either a / or // as in `/firstPathPart/secondPathPart`
  - A single / requires the successive path part to match the node name of a child of the current XMLNode
  - The double // allows the successive path part to match any descendant node name and
    can occur as a prefix to any path part such as `/firstPathPart//secondPathPart``
  - Filters are placed after node names in any path part following a syntax
    such as `/nodeName[k=v]`, where k is any attribute key (or any descendant node name) and v is any attribute value
    (or that same descendant node's AnyContent result) with both being required to match the entire key or value respectively
  - As an example of a descendant node content filter, given structure like
    `{"a":[{"b":{"c":1}}, {"b":{"c":1}}, {"b":{"c":2}}]}` and a path like `//b[c=2]`, you could
    find the node `<b><c>2</c></b>`
  - Filters also support two special keys: meta and position(). The meta special key only
    supports one value 'no_attrs', which will only match nodes that have no attributes. The position()
    special key supports digits as values and checks that the position of that node in it's parents slice
    of children matches the given value.
  - In addition to checking an exact match for the childs position with an =, the position() special
    key supports > and < operators that filter nodes as expected.
  - The wildcard * is supported and matches any node name

As noted below, the above results in some restrictions:
  - Node names cannot contain [ or / (unless you use [ in the givenName parameter when calling NewXMLNode)
  - Node attribute keys and values cannot contain [ or ] or = or > or < or /

Sample Code

All that given, here is a simple sample usage:

	package main

	import (
		"fmt"
		"git.ondollo.com/gojax"
	)

	func main() {
			r := gojax.NewXMLNode("root#123[a=1]")
			b := gojax.NewXMLNode("b")
			b.Add(gojax.NewXMLContentNode("2"))
			r.Add(b)
			c := gojax.NewXMLNode("c")
			d := gojax.NewXMLNode("d")
			d.Add(gojax.NewXMLContentNode("3"))
			c.Add(d)
			r.Add(c)
			fmt.Println(r) // <root a="1" id="123"><b>2</b><c><d>3</d></c></root>

			x, err := gojax.FromJSON("root", `{"a":{"b":1}}`)
			if err != nil {
				fmt.Println("Failed to build an XMLNode from the given JSON:", err)
			}
			fmt.Println(x.Path("//b")) // [<b>1</b>] <nil>

			x, err = gojax.FromJSON("root", `{"a":[{"b":"c"},{"b":"d"}]}`)
			if err != nil {
				fmt.Println("Failed to build an XMLNode from the given JSON:", err)
			}
			fmt.Println(x.Path("//n[index=0]")) // [<n index="0"><b>c</b></n>] <nil>
		}
	}

*/
package gojax

import (
	"bufio"
	"errors"
	"fmt"
	"io"
	"regexp"
	"runtime/debug"
	"sort"
	"strconv"
	"strings"
	"unicode"
	"unicode/utf8"
)

// Options allows setting any of three options to make minor adjustments to the output of this library.
// For functions ending in `WithOptions`, the final parameter will have the Options type.
//
// When Debug is true additional data is available. Avoid using this.
// The default is false.
//
// When OutputHeader is true, the string `<?xml version="1.0"?>` will be output on any call to
// String for an XMLNode without a parent.
// The default is true.
//
// When WrapArrayElements is true, each element in an array will be wrapped with an element that follows the
// format: `<n index="0">...</n>`, where the 0 is replaced with the element's index in the array.
// The default is true.
type Options struct {
	Debug             bool
	OutputHeader      bool
	WrapArrayElements bool
}

// DefaultTestOptions provide a reference to the default test Options
var DefaultTestOptions = Options{false, false, true}
var defaultOptions = Options{false, true, true}
var defaultDebugOptions = Options{true, true, true}

func setNoHeader(givenOptions Options) Options {
	return Options{givenOptions.Debug, false, givenOptions.WrapArrayElements}
}

/*
XMLNode provides just enough structure for the subset of XML that gojax supports.
*/
type XMLNode struct {
	givenName     string
	name          string
	Content       string
	Attrs         map[string]string
	children      []*XMLNode
	parent        *XMLNode
	ntype         possibleState
	cameFromCDATA bool
}

var invalidPath = errors.New("Invalid path")

var attrsRegex = regexp.MustCompile(`\[([^=><]+[=><][^\]]+)\]`)
var innerAttrsRegex = regexp.MustCompile(`[=><]`)
var cleanNameRegex = regexp.MustCompile(`[^-a-zA-Z0-9_.]`)
var xmlPrefixRegex = regexp.MustCompile(`^(?i)xml`)
var letterOrUnderscorePrefixRegex = regexp.MustCompile(`^[a-zA-Z_]`)
var namespaceRegex = regexp.MustCompile(`^([a-zA-Z_][-a-zA-Z0-9_.]+):`)

func protectNamespace(s string) string          { return namespaceRegex.ReplaceAllString(s, "${1}NSPROTECTION") }
func removeNamespaceProtection(s string) string { return strings.Replace(s, "NSPROTECTION", ":", 1) }

var notEnough = errors.New("Not enough XMLNodes in slice")

// First returns the first XMLNode from a slice.
// The parameters are meant to match the Path return values.
// The error either came from Path or was a result of calling First on an empty slice of XMLNodes.
func First(xns []*XMLNode, err error) (*XMLNode, error) { // Tied to output of Path
	if err != nil {
		return nil, err
	}
	if len(xns) < 1 {
		return nil, notEnough
	}
	return xns[0], nil
}

// FirstOr will call Path on the givenNode passing in the givenPath, and either return the first match, or panic
func FirstOr(givenNode *XMLNode, givenPath string) *XMLNode {
	xns, err := givenNode.Path(givenPath)
	if err != nil {
		panic(fmt.Sprintf(
			"The path `%s` matched zero nodes when at least one was required with an error of: %s.",
			givenPath,
			err,
		))
	}
	if len(xns) < 1 {
		panic(fmt.Sprintf("The path `%s` matched zero nodes when at least one was required.", givenPath))
	}
	return xns[0]
}

// Last returns the last XMLNode from a slice.
// The parameters are meant to match the Path return values.
// The error either came from Path or was a result of calling Last on an empty slice of XMLNodes.
func Last(xns []*XMLNode, err error) (*XMLNode, error) { // Tied to output of Path
	if err != nil {
		return nil, err
	}
	if len(xns) < 1 {
		return nil, notEnough
	}
	return xns[len(xns)-1], nil
}

// LastOr will return the last in a slice of XMLNode, or panic.
// The parameters are meant to match the Path return values.
// The error either came from Path or was a result of calling Last on an empty slice of XMLNodes.
func LastOr(givenNodes []*XMLNode, err error) *XMLNode { // Tied to output of Path
	xn, err := Last(givenNodes, err)
	if err != nil {
		panic(fmt.Sprintf("Failed to get last node with an error of: %s.", err))
	}
	return xn
}

// Reprocess runs the givenPath on each of the XMLNodes in givenNodes, collecting and then returning a unique list of matches
func Reprocess(givenNodes []*XMLNode, givenPath string) []*XMLNode {
	result := []*XMLNode{}
	for _, xn := range givenNodes {
		innerXNS, err := xn.Path(givenPath)
		if err == nil {
			for _, innerXN := range innerXNS {
				shouldAdd := true
				for _, tmpxn := range result {
					if tmpxn == innerXN {
						shouldAdd = false
						break
					}
				}
				if shouldAdd {
					result = append(result, innerXN)
				}
			}
		}
	}
	return result
}

var specialKeys = []string{
	"meta",
	"position()", // Here to block setting this attr through a givenName
	"=position()",
	">position()",
	"<position()",
}

func isSpecialKey(k string) bool {
	for _, sk := range specialKeys {
		if k == sk {
			return true
		}
	}
	return false
}

// PathOr will call Path on the givenNode passing in the givenPath, and either return all matches, or panic
func (x *XMLNode) PathOr(givenPath string) []*XMLNode {
	xns, err := x.Path(givenPath)
	if err != nil {
		panic(fmt.Sprintf(
			"The path `%s` matched zero nodes when at least one was required with an error of: %s.",
			givenPath,
			err,
		))
	}
	if len(xns) < 1 {
		panic(fmt.Sprintf("The path `%s` matched zero nodes when at least one was required.", givenPath))
	}
	return xns
}

/*
Path will take the givenPath and attempt to traverse the XMLNode structure.
If it is successful it will return all XMLNodes that satisfy the constraints
of the givenPath, or an empty XMLNode slice with an error.

At each node we can have some remainder of the givenPath (with double prioritized to disambiguate):
	/		- return the node we're at
	//a		- find all descendants with a name of 'a' and return them
	/a		- find a child with a name of 'a' and return it
	//a/<rest>	- recurse into all descendants with a name of 'a' and run Path(`/<rest>`) on every descendant - keep any full match
	/a/<rest>	- recurse into a child with a name of 'a' and run Path(`/<rest>`) on that child - keep any full match

Attribute filters look like:
	nodeName[k=v]	- only match the node with a name of 'nodeName' if it has an attribute 'k' with a value of 'v'

Consequences of this approach:
  - Node names cannot contain [ or / (unless you use [ in the givenName parameter when calling NewXMLNode)
  - Node attribute keys and values cannot contain [ or ] or = or > or < or /
*/
func (x *XMLNode) Path(givenPath string) ([]*XMLNode, error) {
	if len(givenPath) > 1 {
		givenPath = strings.TrimRight(givenPath, "/")
	}
	startsWithDouble := strings.HasPrefix(givenPath, "//")
	startsWithSingle := !startsWithDouble && strings.HasPrefix(givenPath, "/")
	if !startsWithSingle && !startsWithDouble {
		return nil, invalidPath
	}
	cleans := strings.TrimLeft(givenPath, "/")
	part := cleans
	rest := ""
	firstSep := strings.Index(cleans, "/")
	hasParts := firstSep > 0
	onlyPart := !hasParts
	if hasParts {
		part = cleans[:firstSep]
		rest = cleans[firstSep:]
	}
	attrFilterStart := strings.Index(part, "[")
	mightHaveAttrFilter := attrFilterStart > 0
	filters := map[string]string{}
	filtersPass := func(x *XMLNode) bool {
		for k, v := range filters {
			if isSpecialKey(k) {
				continue
			}
			if x.Attrs[k] != v {
				cleank := strings.TrimLeft(k, "/")
				xns, err := x.Path(fmt.Sprintf("//%s", cleank))
				if err == nil {
					for _, xn := range xns {
						if xn.AnyContent() == v {
							return true
						}
					}
				}
				return false
			}
		}
		return true
	}
	specialAttrsMatch := func(x *XMLNode) bool {
		for k, v := range filters {
			if !isSpecialKey(k) {
				continue
			}
			switch {
			case k == "meta":
				if v == "no_attrs" && len(x.Attrs) > 0 {
					return false
				}
			case strings.HasSuffix(k, "position()"):
				iv, err := strconv.Atoi(v)
				if err != nil || x.parent == nil {
					return false
				}
				for i, child := range x.parent.children {
					if child == x {
						switch string(k[0]) {
						case "=":
							return i == iv
						case ">":
							return i > iv
						case "<":
							return i < iv
						}
					}
				}
				return false
			}
		}
		return true
	}
	if mightHaveAttrFilter {
		matches := attrsRegex.FindAllStringSubmatch(part[attrFilterStart:], -1)
		if len(matches) > 0 {
			part = part[:attrFilterStart]
			for _, match := range matches {
				parts := innerAttrsRegex.Split(match[1], -1)
				if len(parts) != 2 {
					panic("Regex for attr parts failed to split in two")
				}
				k := parts[0]
				if k == "position()" {
					tmppos := len(parts[0])
					k = match[1][tmppos:tmppos+1] + k
				}
				filters[k] = parts[1]
			}
		}
	}
	if givenPath == "/" {
		return []*XMLNode{x}, nil
	} else if startsWithDouble && onlyPart {
		matched := []*XMLNode{}
		pending := []*XMLNode{x}
		for i := 0; i < len(pending); i++ {
			current := pending[i]
			for _, child := range current.children {
				pending = append(pending, child)
			}
			if (part == "*" || current.GetName() == part) && filtersPass(current) && specialAttrsMatch(current) {
				matched = append(matched, current)
			}
		}
		return matched, nil
	} else if startsWithSingle && onlyPart {
		if (part == "*" || x.GetName() == part) && filtersPass(x) && specialAttrsMatch(x) {
			return []*XMLNode{x}, nil
		}
	} else if startsWithDouble && hasParts {
		matched := []*XMLNode{}
		pending := []*XMLNode{x}
		for i := 0; i < len(pending); i++ {
			current := pending[i]
			for _, child := range current.children {
				pending = append(pending, child)
			}
			matches, err := current.Path(givenPath[1:])
			if err == nil {
				for _, match := range matches {
					matched = append(matched, match)
				}
			}
		}
		return matched, nil
	} else if startsWithSingle && hasParts {
		if (part == "*" || x.GetName() == part) && filtersPass(x) && specialAttrsMatch(x) {
			possibleResults := []*XMLNode{}
			for _, child := range x.children {
				possibleResult, err := child.Path(rest)
				if err == nil {
					possibleResults = append(possibleResults, possibleResult...)
				}
			}
			return possibleResults, nil
		}
	} else {
		return nil, invalidPath
	}
	return []*XMLNode{}, nil
}

// UnwrappedOr will call FromJSON passing in an internally known root and then return the contents inside that root, or panic
func UnwrappedOr(givenJson string) []*XMLNode {
	return UnwrappedOrWithOptions(givenJson, defaultOptions)
}

/*
UnwrappedOrWithOptions is the same as UnwrappedOr, but allows passing custom Options in.
You will likely want to just use UnwrappedOr.
*/
func UnwrappedOrWithOptions(givenJson string, givenOptions Options) []*XMLNode {
	xn, err := FromJSONWithOptions(`r`, givenJson, givenOptions)
	if err != nil {
		panic("The givenJson was invalid when it was required to be valid: " + err.Error())
	}
	return xn.PathOr(`/r/*`)
}

// NewXMLNode returns an XMLNode with the givenName as it's name.
// There are some supported variations to express attributes, including an id, inside the givenName:
//
//  * You can set the id attribute with nodeName#idValue
//  * You can set attributes with nodeName[k=v]
//  * If any, the id needs to come before attrs and will override any attribute key 'id' set through [] notation
//
// So, combining the above, you can set attrs and id with:
//    nodeName#idValue[k=v]
// Additionally, the special attribute keys available in paths won't hold specific meaning here and are ignored.
//
// Finally, no attempt is made to ensure the uniqueness of any id attribute within any XMLNode
func NewXMLNode(givenName string) *XMLNode { return stateXMLNode(givenName, none) }
func stateXMLNode(givenName string, state possibleState) *XMLNode {
	result := &XMLNode{givenName, "", "", map[string]string{}, []*XMLNode{}, nil, state, false}
	name, attrs := nameAttrsFrom(givenName)
	result.name = name
	for k, v := range attrs {
		result.Set(k, v)
	}
	return result
}
func nameAttrsFrom(givenName string) (string, map[string]string) {
	attrStart := strings.Index(givenName, "[")
	mightHaveAttrs := attrStart > 0
	givenAttrs := map[string]string{}
	if mightHaveAttrs {
		matches := attrsRegex.FindAllStringSubmatch(givenName[attrStart:], -1)
		if len(matches) > 0 {
			for _, match := range matches {
				parts := innerAttrsRegex.Split(match[1], -1)
				if len(parts) != 2 {
					panic("Regex for attr parts failed to split in two")
				}
				k := parts[0]
				if !isSpecialKey(k) {
					givenAttrs[k] = parts[1]
				}
			}
			givenName = givenName[:attrStart]
		}
	}
	if parts := strings.Split(givenName, "#"); len(parts) > 1 && len(parts[1]) > 0 {
		givenName = parts[0]
		givenAttrs["id"] = parts[1]
	}
	return givenName, givenAttrs
}

// NewXMLContentNode returns an XMLNode with the givenContent as it's Content
func NewXMLContentNode(givenContent string) *XMLNode {
	return stateXMLContentNode(givenContent, none)
}
func stateXMLContentNode(givenContent string, state possibleState) *XMLNode {
	return &XMLNode{"", "", givenContent, map[string]string{}, []*XMLNode{}, nil, state, false}
}

// String will output XML from an XMLNode structure.
// If you'd like to output JSON, use the JSON method.
func (x XMLNode) String() string {
	return x.StringWithOptions(defaultOptions)
}

/*
StringWithOptions is the same as String, but allows passing custom Options in.
You will likely want to just use String.
*/
func (x XMLNode) StringWithOptions(givenOptions Options) string {
	if len(x.Content) > 0 {
		result := x.Content
		shouldBeWrapped := x.cameFromCDATA ||
			strings.Contains(result, `&`) ||
			strings.Contains(result, `<`) ||
			strings.Contains(result, `]]>`)
		if shouldBeWrapped {
			result = `<![CDATA[` + strings.ReplaceAll(result, `]]>`, `]]]]><![CDATA[>`) + `]]>`
		}
		return result
	}
	var result strings.Builder
	if x.parent == nil && givenOptions.OutputHeader {
		result.WriteString(`<?xml version="1.0"?>`)
	}
	cleanName := protectNamespace(x.GetName())
	cleanName = cleanNameRegex.ReplaceAllString(cleanName, "_")
	if xmlPrefixRegex.MatchString(cleanName) || !letterOrUnderscorePrefixRegex.MatchString(cleanName) {
		cleanName = "_" + cleanName
	}
	cleanName = removeNamespaceProtection(cleanName)
	result.WriteString("<" + cleanName)
	tmpks := []string{}
	for k, _ := range x.Attrs {
		tmpks = append(tmpks, k)
	}
	sort.Strings(tmpks)
	for _, k := range tmpks {
		result.WriteString(fmt.Sprintf(" %s=%q", k, x.Attrs[k]))
	}
	result.WriteString(">")
	for _, child := range x.children {
		result.WriteString(child.StringWithOptions(givenOptions))
	}
	result.WriteString("</" + cleanName + ">")
	return result.String()
}

// JSON produces a JSON output from an XMLNode structure.
// Children are output in the same order they exist in in the XMLNode structure with matching names simply repeated.
func (x XMLNode) JSON() string {
	if len(x.Content) > 0 {
		return fmt.Sprintf(`%q`, x.Content)
	}
	var result strings.Builder
	cleanName := protectNamespace(x.GetName())
	cleanName = cleanNameRegex.ReplaceAllString(cleanName, "_")
	if xmlPrefixRegex.MatchString(cleanName) || !letterOrUnderscorePrefixRegex.MatchString(cleanName) {
		cleanName = "_" + cleanName
	}
	cleanName = removeNamespaceProtection(cleanName)
	if x.parent == nil {
		result.WriteString(`{`)
	}
	result.WriteString(`"` + cleanName)
	result.WriteString(`":`)
	if len(x.children) > 0 { // TODO - so attrs will only show up on a node with children and NOT content...
		if len(x.children[0].Content) == 0 {
			result.WriteString("{")
			tmpks := []string{}
			for k, _ := range x.Attrs {
				tmpks = append(tmpks, k)
			}
			sort.Strings(tmpks)
			for _, k := range tmpks {
				result.WriteString(fmt.Sprintf("%q:%q", k, x.Attrs[k]))
				result.WriteString(",") // This isn't written 'before', since we know there'll be children
			}
		}
		childrenNames := []string{}
		childrenByName := map[string][]*XMLNode{}
		for _, child := range x.children {
			//cn := child.givenName
			cn := child.name
			previousValue, exists := childrenByName[cn]
			if exists {
				childrenByName[cn] = append(previousValue, child)
			} else {
				childrenByName[cn] = []*XMLNode{child}
				childrenNames = append(childrenNames, cn)
			}
		}
		sort.Strings(childrenNames)
		notFirstChild := false
		for _, name := range childrenNames {
			v := childrenByName[name]
			if notFirstChild {
				result.WriteString(",")
			}
			if len(v) == 1 {
				result.WriteString(v[0].JSON())
			} else {
				childKey := strings.SplitN(v[0].JSON(), ":", 2)[0]
				result.WriteString(childKey)
				result.WriteString(":[")
				for i, childV := range v {
					if i > 0 {
						result.WriteString(",")
					}
					result.WriteString(strings.SplitN(childV.JSON(), ":", 2)[1])
				}
				result.WriteString("]")
			}
			notFirstChild = true
		}
		if len(x.children[0].Content) == 0 {
			result.WriteString("}")
		}
	} else {
		result.WriteString(`""`)
	}
	if x.parent == nil {
		result.WriteString(`}`)
	}
	return result.String()
}

// SetName will turn any valid givenName expression into the resulting name and attributes, including id.
func (x *XMLNode) SetName(givenName string) {
	x.givenName = givenName
	name, attrs := nameAttrsFrom(givenName)
	x.name = name
	for k, v := range attrs {
		x.Set(k, v)
	}
}

// GetName will return the calculated name of the node.
func (x *XMLNode) GetName() string { return x.name }

func (x *XMLNode) updateName(givenRune rune) { x.SetName(x.givenName + string(givenRune)) }

// Set will assign the value v to the attribute key k
func (x *XMLNode) Set(k string, v string) { x.Attrs[k] = v }

// Get will the value v that is assigned to the attribute key k
func (x *XMLNode) Get(k string) string { return x.Attrs[k] }

// AnyContent will return either the content inside x or, if x has only one child that is a content node, the content of that one
func (x *XMLNode) AnyContent() string {
	if len(x.children) == 1 && len(x.children[0].name) == 0 {
		return x.children[0].Content
	}
	return x.Content
}

// Add appends the XMLNode xn as a child in the children XMLNode slice of the XMLNode x
func (x *XMLNode) Add(xn *XMLNode) {
	if x == xn {
		panic("You can't add a node to itself")
	}
	xn.parent = x
	x.children = append(x.children, xn)
}

// AddAll appends all of the XMLNodes xns as children to the XMLNode x
func (x *XMLNode) AddAll(xns []*XMLNode) {
	for _, xn := range xns {
		if x == xn {
			panic("You can't add a node to itself")
		}
		x.Add(xn)
	}
}

var notAChild = errors.New("Unable to modify parent/child relationship. Given child is not in parent.")

// Remove will remove the XMLNode xn from x and possibly return an error if xn is not a child of x
func (x *XMLNode) Remove(xn *XMLNode) error {
	for i, n := range x.children {
		if n == xn {
			n.parent = nil
			x.children = append(x.children[:i], x.children[i+1:]...)
			return nil
		}
	}
	return notAChild
}

// Cut will remove the XMLNode x from it's parent and possibly return an error if x is the root
func (x *XMLNode) Cut() error {
	if x.parent == nil {
		return nil
	}
	return x.parent.Remove(x)
}

func nodeIsRoot(action string) error {
	return errors.New(fmt.Sprintf("Unable to %s on root node", action))
}

// AddBefore will add xn as a sibling of x just before x's position in the list of the parents children
// and possibly return an error if x is the root.
// The XMLNode xn will be Cut before being added to x.
func (x *XMLNode) AddBefore(xn *XMLNode) error {
	if x.parent == nil {
		return nodeIsRoot("AddBefore")
	}
	p := x.parent
	if err := xn.Cut(); err != nil {
		return errors.New("Failed to cut xn inside call to AddBefore")
	}
	tmpxns := []*XMLNode{}
	for _, n := range p.children {
		tmpxns = append(tmpxns, n)
	}
	p.children = []*XMLNode{}
	for _, n := range tmpxns {
		if n == x {
			p.Add(xn)
			p.Add(n)
			continue
		}
		p.Add(n)
	}
	return nil
}

// Prepend will add the XMLNode xn to the beginning of the children of x possibly returning an error
func (x *XMLNode) Prepend(xn *XMLNode) error {
	if x.children == nil {
		x.children = []*XMLNode{}
	}
	if len(x.children) == 0 {
		x.Add(xn)
		return nil
	}
	return x.children[0].AddBefore(xn)
}

// Clone recursively clones X and returns the new XMLNode detatched from the x's parent
func (x *XMLNode) Clone() *XMLNode {
	newx := &XMLNode{x.givenName, x.name, x.Content, map[string]string{}, []*XMLNode{}, nil, x.ntype, false}
	for k, v := range x.Attrs {
		newx.Set(k, v)
	}
	for _, child := range x.children {
		newx.Add(child.Clone())
	}
	return newx
}

// CloneInto calls Clone on x and then calls Add on the given parent passing in the new clone
func (x *XMLNode) CloneInto(parent *XMLNode) *XMLNode {
	newx := x.Clone()
	parent.Add(newx)
	return newx
}

// AddCloneOf calls Clone on the given nonChild and then calls Add on x passing in the new clone
func (x *XMLNode) AddCloneOf(nonChild *XMLNode) { x.Add(nonChild.Clone()) }

/*
   start: ws object ws
   ws: space | tab | newline | cr | <nothing>
   object: { pair *( ws , pair ) ws }
   pair: ws string ws : ws value
   string: " *( \ " | anyNotDouble ) "
   array: ws [ ws value *( ws , ws value ) ws ]
   value: object | array | string | negativeOrPositiveDigits | <true> | <false> | <null>
   negativeOrPositiveDigits: *( - ) +( digits )
*/

type possibleState int

const (
	none possibleState = iota
	object
	key
	colon
	value
	endValue
	sstring
	array
	strue
	sfalse
	snull
	digit
	end
)

func fromState(i possibleState) string {
	return []string{
		"none",
		"object",
		"key",
		"colon",
		"value",
		"endValue",
		"sstring",
		"array",
		"strue",
		"sfalse",
		"snull",
		"digit",
		"end",
	}[i]
}

var invalidInput = errors.New("Invalid input")
var invalidInputNonObjectRoot = errors.New("Invalid input: root must be an object")

/*
FromJSON processes the givenJson and creates as much of an XML-ish structure as it can with root as the first XMLNode's name.

If there is any failure from invalid input, it will return as much of the resulting XMLNode structure as it can
and have an error in the location where the invalid input would have been placed (wrapped in an element with a name 'error').

The following invalid input:

	fmt.Println(gojax.FromJSON("j", `[1]`))

Would result in an output that contained:

	<j><error>Invalid input: root must be an object</error></j>

*/
func FromJSON(root string, givenJson string) (xn *XMLNode, returnedErr error) {
	return FromJSONWithOptions(root, givenJson, defaultOptions)
}

/*
FromJSONWithOptions is the same as FromJSON, but allows passing custom Options in.
You will likely want to just use FromJSON.
*/
func FromJSONWithOptions(root string, givenJson string, givenOptions Options) (xn *XMLNode, returnedErr error) {
	var pdbg func(...interface{})
	var dbg func(rune, possibleState)
	var r rune
	stk := []*XMLNode{NewXMLNode(root)}
	stk[0].ntype = object
	isEmpty := func() bool { return len(stk) == 0 }
	hasOnlyOne := func() bool { return len(stk) == 1 }
	hasSome := func() bool { return len(stk) > 1 }
	push := func(xn *XMLNode) { stk = append(stk, xn) }
	getN := func(n int) *XMLNode {
		if isEmpty() {
			panic("Getting X on empty stack")
		}
		if len(stk)+n < 0 {
			panic("Going too far back for the length of the stack")
		}
		return stk[len(stk)+n]
	}
	get := func() *XMLNode { return getN(-1) }
	pop := func() *XMLNode {
		if isEmpty() {
			panic("Popping X on empty stack")
		}
		result := getN(-1)
		stk = stk[:len(stk)-1]
		return result
	}
	getState := func() possibleState { return getN(-1).ntype }
	getStateN := func(n int) possibleState { return getN(n).ntype }
	givenJson = strings.TrimSpace(givenJson)
	if !strings.HasPrefix(givenJson, "{") {
		panic(invalidInputNonObjectRoot)
	}
	jsonReader := strings.NewReader(givenJson)
	ri := -1 // To account for incrementing early and still being zero based
	defer func() {
		if r := recover(); r != nil {
			var errorContext strings.Builder
			errorContext.WriteString("\nERROR CONTEXT:\n")
			rBack := ri
			if rBack > 10 {
				rBack -= 10
			} else {
				rBack = 0
			}
			rForward := rBack
			if rForward+20 < utf8.RuneCountInString(givenJson) {
				rForward += 20
			} else {
				rForward = utf8.RuneCountInString(givenJson)
			}
			jsonReader.Seek(int64(rBack), io.SeekStart)
			for i := 0; i < (rForward - rBack); i++ {
				ru, _, err := jsonReader.ReadRune()
				if err != nil {
					errorContext.WriteString("Unable to gather error context")
				}
				errorContext.WriteRune(ru)
			}
			errorContext.WriteString("\n")
			if ri-rBack > 0 {
				errorContext.WriteString(strings.Repeat(" ", (ri - rBack)))
			}
			errorContext.WriteString("^\n")
			jsonReader.Seek(int64(ri), io.SeekStart)
			returnedErr = errors.New(invalidInput.Error() + errorContext.String())
			exn := NewXMLNode("error" + errorContext.String())
			if e, ok := r.(error); ok {
				exn.Add(NewXMLContentNode(e.Error() + errorContext.String()))
			} else {
				if _, ok := r.(string); !ok {
					panic("Converting the error to a string failed" + errorContext.String())
				}
				exn.Add(NewXMLContentNode(invalidInput.Error() + ": " + r.(string) + errorContext.String()))
			}
			if hasSome() {
				get().Add(exn)
			} else {
				if _, ok := r.(string); !ok {
					panic("Converting the error to a string failed" + errorContext.String())
				}
				panic("Unable to add node content: " + r.(string) + errorContext.String())
				debug.PrintStack()
			}
		}
	}()
	nextEscaped := false
	isEscaped := false
	defer func() {
		if rerr := recover(); rerr != nil {
			pstate := "N/A"
			if hasSome() {
				pstate = fromState(getStateN(-2))
			}
			debug.PrintStack()
			if _, ok := rerr.(string); !ok {
				panic("ERROR: " + fromState(getState()) + " ~ " + string(r) + " ~ " + pstate + " ~ " + rerr.(error).Error())
			} else {
				panic("ERROR: " + fromState(getState()) + " ~ " + string(r) + " ~ " + pstate + " ~ " + rerr.(string))
			}
		}
	}()
	pdbg = func(s ...interface{}) {
		if !givenOptions.Debug {
			return
		}
		fmt.Println(s...)
	}
	dbg = func(r rune, state possibleState) {
		if !givenOptions.Debug {
			return
		}
		var ss strings.Builder
		var pxs strings.Builder
		for i, xn := range stk {
			if i > 0 {
				ss.WriteString(", ")
				pxs.WriteString(", ")
			}
			ss.WriteString(fromState(xn.ntype))
			pxs.WriteString(xn.StringWithOptions(setNoHeader(givenOptions)))
		}
		fmt.Printf(`Debug:
	IN: %s
	States: %s
	PXs: %s
	Rune: %s
	ri: %d
`, givenJson, ss.String(), pxs.String(), string(r), ri)
	}
	br := bufio.NewReader(jsonReader)
	unread := func() { pdbg("UNREAD UNREAD UNREAD"); br.UnreadRune(); ri -= 1 } // We ignore the err - we know we only ReadRune
	for {
		r, _, err := br.ReadRune()
		if err != nil {
			if err != io.EOF {
				panic(err)
			}
			break
		}
		if nextEscaped {
			nextEscaped = false
			isEscaped = true // This misses escaping the last rune... which I *think* would be invalid anyway
		}
		if r == utf8.RuneError {
			panic("Fail - invalid rune")
		}
		ri += 1
		pdbg("READ:", string(r), ri)
		pdbg(givenJson)
		if ri == 0 {
			pdbg("^")
		} else {
			pdbg(strings.Repeat(" ", ri-1), "^")
		}
		isSpace := unicode.IsSpace(r)
		isLeftCurly := r == '{'
		isComma := r == ','
		isColon := r == ':'
		isDouble := r == '"'
		isRightCurly := r == '}'
		isLeftSquare := r == '['
		isRightSquare := r == ']'
		isEscape := r == '\\'
		isT := r == 't'
		isF := r == 'f'
		isN := r == 'n'
		isDigit := unicode.IsDigit(r)
		isDash := r == '-'
	RERUN:
		dbg(r, getState())
		switch getState() {
		case object:
			if isSpace { // Ignore
			} else if isComma { // Ignore
			} else if isDouble {
				push(stateXMLNode("", key))
			} else if isLeftCurly {
				if ri > 0 {
					push(stateXMLNode("", object))
				}
			} else if isRightCurly {
				pdbg(ri, len(givenJson))
				push(stateXMLNode("", endValue))
				pdbg("RERUN")
				goto RERUN
			} else {
				pdbg("About to panic")
				dbg(r, getState())
				panic("Failed to handle given rune in object state")
			}
		case key:
			if isEscape {
				nextEscaped = true
			} else if isEscaped {
				get().updateName(r)
			} else if isDouble {
				push(stateXMLNode("", colon))
			} else {
				get().updateName(r)
				pdbg("Current name of key:", get().GetName())
			}
		case colon:
			if isSpace { // Ignore
			} else if isColon {
				pop()
				push(stateXMLNode("", value))
			} else {
				panic("Failed to handle given rune in colon state")
			}
		case value:
			if isSpace {
			} else if isDigit || isDash {
				get().updateName(r)
				get().ntype = digit
			} else if isT {
				get().updateName(r)
				get().ntype = strue
			} else if isF {
				get().updateName(r)
				get().ntype = sfalse
			} else if isN {
				get().updateName(r)
				get().ntype = snull
			} else if isDouble {
				get().ntype = sstring
			} else if isLeftCurly {
				get().ntype = object
			} else if isLeftSquare {
				get().ntype = array
			} else {
				panic("Failed to handle given rune in value state")
			}
		case endValue:
			pop()
			valueNeedsToBeUnwrapped := getState() == object || getState() == array
			if isRightCurly && hasOnlyOne() {
				push(stateXMLNode("", end))
				goto END
			} else if getStateN(-2) == key && getStateN(-3) == object {
				if valueNeedsToBeUnwrapped {
					pdbg("Object and array are different - remove the wrapper and add each child to the key")
					o := pop()
					for _, child := range o.children {
						get().Add(child)
					}
				} else {
					pdbg("Assign value to key")
					v := pop()
					get().Add(v)
				}
				pdbg("Assign pair to object")
				pair := pop()
				get().Add(pair)
			} else {
				pdbg("Ending a value that belongs in an array")
				v := pop()
				if givenOptions.WrapArrayElements {
					xn := NewXMLNode(fmt.Sprintf("n[index=%d]", len(get().children)))
					if valueNeedsToBeUnwrapped {
						pdbg("Object and array are different - remove the wrapper and add each child to the key")
						for _, child := range v.children {
							xn.Add(child)
						}
					} else {
						xn.Add(v)
					}
					get().Add(xn)
				} else {
					if valueNeedsToBeUnwrapped {
						pdbg("Object and array are different - remove the wrapper and add each child to the key")
						for _, child := range v.children {
							get().Add(child)
						}
					} else {
						get().Add(v)
					}
				}
			}
		case sstring:
			if isEscape {
				nextEscaped = true
			} else if isEscaped {
				get().updateName(r)
			} else if isDouble {
				xn := pop()
				push(NewXMLContentNode(xn.GetName()))
				push(stateXMLNode("", endValue))
				pdbg("RERUN")
				goto RERUN
			} else {
				get().updateName(r)
			}
		case digit:
			if isDigit {
				get().updateName(r)
			} else {
				unread() // This is unique, since digits don't have a safe ending rune like the others
				xn := pop()
				push(NewXMLContentNode(xn.GetName()))
				push(stateXMLNode("", endValue))
				pdbg("RERUN")
				goto RERUN
			}
		case strue:
			if get().GetName() == "t" && r == 'r' {
				get().updateName(r)
			} else if get().GetName() == "tr" && r == 'u' {
				get().updateName(r)
			} else if get().GetName() == "tru" && r == 'e' {
				get().updateName(r)
				xn := pop()
				push(NewXMLContentNode(xn.GetName()))
				push(stateXMLNode("", endValue))
				pdbg("RERUN")
				goto RERUN
			} else {
				panic("Found an incomplete potential value of true")
			}
		case sfalse:
			if get().GetName() == "f" && r == 'a' {
				get().updateName(r)
			} else if get().GetName() == "fa" && r == 'l' {
				get().updateName(r)
			} else if get().GetName() == "fal" && r == 's' {
				get().updateName(r)
			} else if get().GetName() == "fals" && r == 'e' {
				get().updateName(r)
				xn := pop()
				push(NewXMLContentNode(xn.GetName()))
				push(stateXMLNode("", endValue))
				pdbg("RERUN")
				goto RERUN
			} else {
				panic("Found an incomplete potential value of false")
			}
		case snull:
			if get().GetName() == "n" && r == 'u' {
				get().updateName(r)
			} else if get().GetName() == "nu" && r == 'l' {
				get().updateName(r)
			} else if get().GetName() == "nul" && r == 'l' {
				get().updateName(r)
				xn := pop()
				push(NewXMLContentNode(xn.GetName()))
				push(stateXMLNode("", endValue))
				pdbg("RERUN")
				goto RERUN
			} else {
				panic("Found an incomplete potential value of null")
			}
		case array:
			if isSpace { // Ignore
			} else if isLeftSquare {
				push(stateXMLNode("", array))
			} else if isComma {
				if getState() == digit {
					push(stateXMLNode("", endValue))
					pdbg("RERUN")
					goto RERUN
				}
			} else if isRightSquare {
				push(stateXMLNode("", endValue))
				pdbg("RERUN")
				goto RERUN
			} else {
				push(stateXMLNode("", value))
				pdbg("RERUN")
				goto RERUN
			}
		default:
			panic("Current state has no handler")
		}
		isEscaped = false
		dbg(r, getState())
		pdbg("\n\n")
	}
END:
	if getState() != end {
		if getState() == sstring {
			panic("Unclosed string")
		}
		pdbg("Not ending at end")
		panic("Not ending at end")
	}
	return stk[0], nil
}

// FromJSONDebug sets the Debug Option and passes all given args to FromJSONWithOptions and
// returns all results from FromJSONWithOptions
func FromJSONDebug(root string, givenJson string) (xn *XMLNode, returnedErr error) {
	return FromJSONWithOptions(root, givenJson, defaultDebugOptions)
}

const (
	xnone possibleState = iota
	xstart
	xdecl
	xnodeName
	xconsumeEndNode
	xcontentNode
	xconsumeAttrs
	xcdata
	xcdataStart
	xcdataEnd
)

func fromXState(i possibleState) string {
	defer func() {
		if r := recover(); r != nil {
			panic("Failed to get state from (maybe you forgot to add a string for the given state?)")
		}
	}()
	return []string{
		"none",
		"start",
		"decl",
		"nodeName",
		"consumeEndNode",
		"contentNode",
		"consumeAttrs",
		"cdata",
		"cdataStart",
		"cdataEnd",
	}[i]
}

// FromXML will take xml-ish (see above) and produce an XMLNode structure to mimic.
// One goal with this method is to get JSON back out of an XMLNode structure with the JSON method.
func FromXML(givenXML string) (*XMLNode, error) {
	return FromXMLWithOptions(givenXML, defaultOptions)
}

/*
FromXMLWithOptions is the same as FromXML, but allows passing custom Options in.
You will likely want to just use FromXML.
*/
func FromXMLWithOptions(givenXML string, givenOptions Options) (*XMLNode, error) {
	var r rune
	//fmt.Println("FROM XML")
	var pdbg func(...interface{})
	var dbg func(rune, possibleState)
	stk := []*XMLNode{}
	isEmpty := func() bool { return len(stk) == 0 }
	//hasOnlyOne := func() bool { return len(stk) == 1 }
	hasSome := func() bool { return len(stk) > 1 }
	push := func(xn *XMLNode) { stk = append(stk, xn) }
	getN := func(n int) *XMLNode {
		if isEmpty() {
			//debug.PrintStack()
			panic("Getting X on empty stack")
		}
		if len(stk)+n < 0 {
			panic("Going too far back for the length of the stack")
		}
		return stk[len(stk)+n]
	}
	get := func() *XMLNode { return getN(-1) }
	pop := func() *XMLNode {
		if isEmpty() {
			panic("Popping X on empty stack")
		}
		result := getN(-1)
		stk = stk[:len(stk)-1]
		return result
	}
	getState := func() (rs possibleState) {
		defer func() {
			if r := recover(); r != nil {
				rs = xstart
			}
		}()
		return get().ntype
	}
	givenXML = strings.TrimSpace(givenXML)
	if !strings.HasPrefix(givenXML, "<") {
		panic("Given XML does not start with a <: " + givenXML)
	}
	xmlReader := strings.NewReader(givenXML)
	ri := -1 // To account for incrementing early and still being zero based
	nextEscaped := false
	//isEscaped := false
	wasLessThan := false
	wasQuestion := false
	wasSolidus := false
	wasRightSquare := false
	wasA := false
	br := bufio.NewReader(xmlReader)
	unread := func() { br.UnreadRune(); ri -= 1 } // We ignore the err - we know we only ReadRune
	peek := func() rune {
		r, _, err := br.ReadRune()
		br.UnreadRune()
		if err != nil {
			fmt.Println("Failed to peek:", err)
			return 0
		}
		return r
	}
	pdbg = func(s ...interface{}) {
		if !givenOptions.Debug {
			return
		}
		fmt.Println(s...)
	}
	dbg = func(r rune, state possibleState) {
		if !givenOptions.Debug {
			return
		}
		var ss strings.Builder
		var pxs strings.Builder
		for i, xn := range stk {
			if i > 0 {
				ss.WriteString(", ")
				pxs.WriteString(", ")
			}
			ss.WriteString(fromXState(xn.ntype))
			pxs.WriteString(xn.StringWithOptions(setNoHeader(givenOptions)))
		}
		fmt.Printf(`Debug:
	IN: %s
	States: %s
	PXs: %s
	Rune: %s
	ri: %d
`, givenXML, ss.String(), pxs.String(), string(r), ri)
	}
	var key strings.Builder
	var val strings.Builder
	collectVal := false
	//givenOptions.Debug = true
	for {
		previousr := r
		tmpr, _, err := br.ReadRune()
		if err != nil {
			if err != io.EOF {
				panic(err)
			}
			break
		}
		r = tmpr
		if nextEscaped {
			nextEscaped = false
			//isEscaped = true // This misses escaping the last rune... which I *think* would be invalid anyway
		}
		if r == utf8.RuneError {
			panic("Fail - invalid rune")
		}
		isSpace := unicode.IsSpace(r)
		isLessThan := r == '<'
		isQuestion := r == '?'
		isGreaterThan := r == '>'
		isSolidus := r == '/'
		isDouble := r == '"'
		isEqual := r == '='
		isRightSquare := r == ']'
		isLeftSquare := r == '['
		isDeclStart := wasLessThan && isQuestion
		isDeclEnd := wasQuestion && isGreaterThan
		isPairedNodeEnd := wasLessThan && isSolidus
		isNodeStart := wasLessThan && !isSpace
		ri += 1
		pdbg("READ:", string(r), ri)
		pdbg(givenXML)
		if ri == 0 {
			pdbg("^")
		} else {
			pdbg(strings.Repeat(" ", ri-1), "^")
		}
		wasLessThan = false // TODO - This is only useful *above* in the for loop... check the below usage...
		wasQuestion = false
		pdbg("Starting:")
		dbg(r, getState())
		switch getState() {
		case xstart:
			if isLessThan {
				wasLessThan = true
			} else if isDeclStart {
				push(stateXMLNode("", xdecl))
			} else if isPairedNodeEnd {
				get().ntype = xconsumeEndNode
			} else if isSpace { // Ignore
			} else if isNodeStart {
				if hasSome() && getState() == xstart {
					pop()
				}
				push(stateXMLNode("", xnodeName))
				unread()
			} else if previousr == '>' {
				get().ntype = xcontentNode
				get().updateName(r)
			} else if isSolidus {
				unread()
				get().ntype = xconsumeEndNode
			} else {
				panic("All supported cases are covered - this case is unsupported")
			}
		case xdecl:
			if isQuestion {
				wasQuestion = true
			}
			if isDeclEnd {
				pop()
			}
		case xnodeName:
			if len(get().name) == 0 && r == '!' && peek() == '[' {
				get().ntype = xcdataStart
			}
			if wasSolidus && !isGreaterThan {
				wasSolidus = false
			}
			if isPairedNodeEnd || (wasLessThan && isSolidus) {
				push(stateXMLNode("", xconsumeEndNode)) // This is the <a></a> case
			} else if isSolidus {
				wasSolidus = true
			} else if wasSolidus && isGreaterThan { // This is the <a/> case
				if hasSome() {
					child := pop()
					get().Add(child)
					push(stateXMLNode("", xstart))
				}
			} else if isGreaterThan {
				push(stateXMLNode("", xstart))
			} else if isLessThan {
				if len(get().children) == 0 {
					push(NewXMLContentNode(pop().GetName()))
					child := pop()
					get().Add(child)
				}
				push(stateXMLNode("", xconsumeEndNode))
			} else if isSpace {
				push(stateXMLNode("", xconsumeAttrs))
			} else {
				get().updateName(r)
			}
		case xcdataStart:
			if wasA && isLeftSquare {
				get().ntype = xcdata
				get().SetName("")
				wasA = false
			} else {
				wasA = true
			}
		case xcdata:
			if wasRightSquare && isRightSquare && peek() == '>' {
				wasRightSquare = false
				get().ntype = xcdataEnd
			} else if !wasRightSquare && isRightSquare {
				wasRightSquare = true
			} else {
				get().updateName(r)
				wasRightSquare = false
			}
		case xcdataEnd:
			if isGreaterThan {
				child := NewXMLContentNode(pop().givenName)
				child.cameFromCDATA = true
				get().Add(child)
				push(stateXMLNode("", xstart))
			} else {
				panic("There shouldn't be anything other than a > to consume at this point")
			}
		case xconsumeAttrs:
			if isGreaterThan || isSolidus || isSpace {
				if len(val.String()) > 0 { // TODO - bad cases v==0, k>0... v>0, k==0...
					getN(-2).updateName('[')
					for _, r := range key.String() {
						getN(-2).updateName(r)
					}
					getN(-2).updateName('=')
					for _, r := range val.String() {
						getN(-2).updateName(r)
					}
					getN(-2).updateName(']')
				}
				collectVal = false
				key.Reset()
				val.Reset()
				if isGreaterThan || isSolidus {
					unread()
					pop()
				}
			} else if isDouble {
				if len(key.String()) > 0 {
					collectVal = true
				}
			} else if isEqual { // Ignore ??
			} else {
				if collectVal {
					val.WriteRune(r)
				} else {
					key.WriteRune(r)
				}
			}
		case xconsumeEndNode:
			if isGreaterThan {
				endingNode := pop()
				if endingNode.name != get().name {
					panic(fmt.Sprintf(
						"Mismatched nodes. Maybe a child wasn't added to it's parent?\n\t%s\n\t%s",
						endingNode.name,
						get().name,
					))
				} else {
					if hasSome() {
						child := pop()
						get().Add(child)
					}
				}
				push(stateXMLNode("", xstart))
			} else if isSolidus { // IGNORE
			} else {
				get().updateName(r)
			}
		case xcontentNode: // TODO - needs work...
			if isLessThan {
				child := NewXMLContentNode(pop().GetName())
				get().Add(child)
				push(stateXMLNode("", xstart))
			} else {
				get().updateName(r)
			}
		default:
			panic("Unhandled state: " + fromXState(getState()))
		}
		//isEscaped = false
		pdbg("Ending:")
		dbg(r, getState())
		pdbg("\n\n")
	}
	return stk[0], nil
}


The raw file follows...


/*
Gojax provides a json-ish and xml-ish tool to convert json-ish to xml-ish so you can use an
xpath-ish expression to manipulate the resulting xml. If you can set aside the ishs, you can use
this package to work with JSON and XML.

The Consequences of ish

For JSON, the following are meant by the expression of 'ish' above:
  - A single object is the only allowed root element
  - For numbers, only sequences of digits possibly prefixed with a negative sign are supported,
    including zero prefixed numbers
  - For strings, anything can be escaped, but unicode hexadecimal expressions are not supported
  - Finally, for whitespace, anything that returns true from unicode.IsSpace is accepted

For XML, only the least is supported - hence the 'ish' above.
  - Nodes can have names from any JSON string
  - Attribute keys and values are any Golang string
  - JSON arrays have each inner-element nested inside a node with the following
    format: `<n index="0">...</n>`, where the 0 is replaced with the element's index in the array
  - The JSON values of true, false, and null all convert to XML content as those runes
  - Also, XML attributes are sorted in the output

For XPath, also, only the least is supported.
  - You can separate path parts with either a / or // as in `/firstPathPart/secondPathPart`
  - A single / requires the successive path part to match the node name of a child of the current XMLNode
  - The double // allows the successive path part to match any descendant node name and
    can occur as a prefix to any path part such as `/firstPathPart//secondPathPart``
  - Filters are placed after node names in any path part following a syntax
    such as `/nodeName[k=v]`, where k is any attribute key (or any descendant node name) and v is any attribute value
    (or that same descendant node's AnyContent result) with both being required to match the entire key or value respectively
  - As an example of a descendant node content filter, given structure like
    `{"a":[{"b":{"c":1}}, {"b":{"c":1}}, {"b":{"c":2}}]}` and a path like `//b[c=2]`, you could
    find the node `<b><c>2</c></b>`
  - Filters also support two special keys: meta and position(). The meta special key only
    supports one value 'no_attrs', which will only match nodes that have no attributes. The position()
    special key supports digits as values and checks that the position of that node in it's parents slice
    of children matches the given value.
  - In addition to checking an exact match for the childs position with an =, the position() special
    key supports > and < operators that filter nodes as expected.
  - The wildcard * is supported and matches any node name

As noted below, the above results in some restrictions:
  - Node names cannot contain [ or / (unless you use [ in the givenName parameter when calling NewXMLNode)
  - Node attribute keys and values cannot contain [ or ] or = or > or < or /

Sample Code

All that given, here is a simple sample usage:

	package main

	import (
		"fmt"
		"git.ondollo.com/gojax"
	)

	func main() {
			r := gojax.NewXMLNode("root#123[a=1]")
			b := gojax.NewXMLNode("b")
			b.Add(gojax.NewXMLContentNode("2"))
			r.Add(b)
			c := gojax.NewXMLNode("c")
			d := gojax.NewXMLNode("d")
			d.Add(gojax.NewXMLContentNode("3"))
			c.Add(d)
			r.Add(c)
			fmt.Println(r) // <root a="1" id="123"><b>2</b><c><d>3</d></c></root>

			x, err := gojax.FromJSON("root", `{"a":{"b":1}}`)
			if err != nil {
				fmt.Println("Failed to build an XMLNode from the given JSON:", err)
			}
			fmt.Println(x.Path("//b")) // [<b>1</b>] <nil>

			x, err = gojax.FromJSON("root", `{"a":[{"b":"c"},{"b":"d"}]}`)
			if err != nil {
				fmt.Println("Failed to build an XMLNode from the given JSON:", err)
			}
			fmt.Println(x.Path("//n[index=0]")) // [<n index="0"><b>c</b></n>] <nil>
		}
	}

*/
package gojax

import (
	"bufio"
	"errors"
	"fmt"
	"io"
	"regexp"
	"runtime/debug"
	"sort"
	"strconv"
	"strings"
	"unicode"
	"unicode/utf8"
)

// Options allows setting any of three options to make minor adjustments to the output of this library.
// For functions ending in `WithOptions`, the final parameter will have the Options type.
//
// When Debug is true additional data is available. Avoid using this.
// The default is false.
//
// When OutputHeader is true, the string `<?xml version="1.0"?>` will be output on any call to
// String for an XMLNode without a parent.
// The default is true.
//
// When WrapArrayElements is true, each element in an array will be wrapped with an element that follows the
// format: `<n index="0">...</n>`, where the 0 is replaced with the element's index in the array.
// The default is true.
type Options struct {
	Debug             bool
	OutputHeader      bool
	WrapArrayElements bool
}

// DefaultTestOptions provide a reference to the default test Options
var DefaultTestOptions = Options{false, false, true}
var defaultOptions = Options{false, true, true}
var defaultDebugOptions = Options{true, true, true}

func setNoHeader(givenOptions Options) Options {
	return Options{givenOptions.Debug, false, givenOptions.WrapArrayElements}
}

/*
XMLNode provides just enough structure for the subset of XML that gojax supports.
*/
type XMLNode struct {
	givenName     string
	name          string
	Content       string
	Attrs         map[string]string
	children      []*XMLNode
	parent        *XMLNode
	ntype         possibleState
	cameFromCDATA bool
}

var invalidPath = errors.New("Invalid path")

var attrsRegex = regexp.MustCompile(`\[([^=><]+[=><][^\]]+)\]`)
var innerAttrsRegex = regexp.MustCompile(`[=><]`)
var cleanNameRegex = regexp.MustCompile(`[^-a-zA-Z0-9_.]`)
var xmlPrefixRegex = regexp.MustCompile(`^(?i)xml`)
var letterOrUnderscorePrefixRegex = regexp.MustCompile(`^[a-zA-Z_]`)
var namespaceRegex = regexp.MustCompile(`^([a-zA-Z_][-a-zA-Z0-9_.]+):`)

func protectNamespace(s string) string          { return namespaceRegex.ReplaceAllString(s, "${1}NSPROTECTION") }
func removeNamespaceProtection(s string) string { return strings.Replace(s, "NSPROTECTION", ":", 1) }

var notEnough = errors.New("Not enough XMLNodes in slice")

// First returns the first XMLNode from a slice.
// The parameters are meant to match the Path return values.
// The error either came from Path or was a result of calling First on an empty slice of XMLNodes.
func First(xns []*XMLNode, err error) (*XMLNode, error) { // Tied to output of Path
	if err != nil {
		return nil, err
	}
	if len(xns) < 1 {
		return nil, notEnough
	}
	return xns[0], nil
}

// FirstOr will call Path on the givenNode passing in the givenPath, and either return the first match, or panic
func FirstOr(givenNode *XMLNode, givenPath string) *XMLNode {
	xns, err := givenNode.Path(givenPath)
	if err != nil {
		panic(fmt.Sprintf(
			"The path `%s` matched zero nodes when at least one was required with an error of: %s.",
			givenPath,
			err,
		))
	}
	if len(xns) < 1 {
		panic(fmt.Sprintf("The path `%s` matched zero nodes when at least one was required.", givenPath))
	}
	return xns[0]
}

// Last returns the last XMLNode from a slice.
// The parameters are meant to match the Path return values.
// The error either came from Path or was a result of calling Last on an empty slice of XMLNodes.
func Last(xns []*XMLNode, err error) (*XMLNode, error) { // Tied to output of Path
	if err != nil {
		return nil, err
	}
	if len(xns) < 1 {
		return nil, notEnough
	}
	return xns[len(xns)-1], nil
}

// LastOr will return the last in a slice of XMLNode, or panic.
// The parameters are meant to match the Path return values.
// The error either came from Path or was a result of calling Last on an empty slice of XMLNodes.
func LastOr(givenNodes []*XMLNode, err error) *XMLNode { // Tied to output of Path
	xn, err := Last(givenNodes, err)
	if err != nil {
		panic(fmt.Sprintf("Failed to get last node with an error of: %s.", err))
	}
	return xn
}

// Reprocess runs the givenPath on each of the XMLNodes in givenNodes, collecting and then returning a unique list of matches
func Reprocess(givenNodes []*XMLNode, givenPath string) []*XMLNode {
	result := []*XMLNode{}
	for _, xn := range givenNodes {
		innerXNS, err := xn.Path(givenPath)
		if err == nil {
			for _, innerXN := range innerXNS {
				shouldAdd := true
				for _, tmpxn := range result {
					if tmpxn == innerXN {
						shouldAdd = false
						break
					}
				}
				if shouldAdd {
					result = append(result, innerXN)
				}
			}
		}
	}
	return result
}

var specialKeys = []string{
	"meta",
	"position()", // Here to block setting this attr through a givenName
	"=position()",
	">position()",
	"<position()",
}

func isSpecialKey(k string) bool {
	for _, sk := range specialKeys {
		if k == sk {
			return true
		}
	}
	return false
}

// PathOr will call Path on the givenNode passing in the givenPath, and either return all matches, or panic
func (x *XMLNode) PathOr(givenPath string) []*XMLNode {
	xns, err := x.Path(givenPath)
	if err != nil {
		panic(fmt.Sprintf(
			"The path `%s` matched zero nodes when at least one was required with an error of: %s.",
			givenPath,
			err,
		))
	}
	if len(xns) < 1 {
		panic(fmt.Sprintf("The path `%s` matched zero nodes when at least one was required.", givenPath))
	}
	return xns
}

/*
Path will take the givenPath and attempt to traverse the XMLNode structure.
If it is successful it will return all XMLNodes that satisfy the constraints
of the givenPath, or an empty XMLNode slice with an error.

At each node we can have some remainder of the givenPath (with double prioritized to disambiguate):
	/		- return the node we're at
	//a		- find all descendants with a name of 'a' and return them
	/a		- find a child with a name of 'a' and return it
	//a/<rest>	- recurse into all descendants with a name of 'a' and run Path(`/<rest>`) on every descendant - keep any full match
	/a/<rest>	- recurse into a child with a name of 'a' and run Path(`/<rest>`) on that child - keep any full match

Attribute filters look like:
	nodeName[k=v]	- only match the node with a name of 'nodeName' if it has an attribute 'k' with a value of 'v'

Consequences of this approach:
  - Node names cannot contain [ or / (unless you use [ in the givenName parameter when calling NewXMLNode)
  - Node attribute keys and values cannot contain [ or ] or = or > or < or /
*/
func (x *XMLNode) Path(givenPath string) ([]*XMLNode, error) {
	if len(givenPath) > 1 {
		givenPath = strings.TrimRight(givenPath, "/")
	}
	startsWithDouble := strings.HasPrefix(givenPath, "//")
	startsWithSingle := !startsWithDouble && strings.HasPrefix(givenPath, "/")
	if !startsWithSingle && !startsWithDouble {
		return nil, invalidPath
	}
	cleans := strings.TrimLeft(givenPath, "/")
	part := cleans
	rest := ""
	firstSep := strings.Index(cleans, "/")
	hasParts := firstSep > 0
	onlyPart := !hasParts
	if hasParts {
		part = cleans[:firstSep]
		rest = cleans[firstSep:]
	}
	attrFilterStart := strings.Index(part, "[")
	mightHaveAttrFilter := attrFilterStart > 0
	filters := map[string]string{}
	filtersPass := func(x *XMLNode) bool {
		for k, v := range filters {
			if isSpecialKey(k) {
				continue
			}
			if x.Attrs[k] != v {
				cleank := strings.TrimLeft(k, "/")
				xns, err := x.Path(fmt.Sprintf("//%s", cleank))
				if err == nil {
					for _, xn := range xns {
						if xn.AnyContent() == v {
							return true
						}
					}
				}
				return false
			}
		}
		return true
	}
	specialAttrsMatch := func(x *XMLNode) bool {
		for k, v := range filters {
			if !isSpecialKey(k) {
				continue
			}
			switch {
			case k == "meta":
				if v == "no_attrs" && len(x.Attrs) > 0 {
					return false
				}
			case strings.HasSuffix(k, "position()"):
				iv, err := strconv.Atoi(v)
				if err != nil || x.parent == nil {
					return false
				}
				for i, child := range x.parent.children {
					if child == x {
						switch string(k[0]) {
						case "=":
							return i == iv
						case ">":
							return i > iv
						case "<":
							return i < iv
						}
					}
				}
				return false
			}
		}
		return true
	}
	if mightHaveAttrFilter {
		matches := attrsRegex.FindAllStringSubmatch(part[attrFilterStart:], -1)
		if len(matches) > 0 {
			part = part[:attrFilterStart]
			for _, match := range matches {
				parts := innerAttrsRegex.Split(match[1], -1)
				if len(parts) != 2 {
					panic("Regex for attr parts failed to split in two")
				}
				k := parts[0]
				if k == "position()" {
					tmppos := len(parts[0])
					k = match[1][tmppos:tmppos+1] + k
				}
				filters[k] = parts[1]
			}
		}
	}
	if givenPath == "/" {
		return []*XMLNode{x}, nil
	} else if startsWithDouble && onlyPart {
		matched := []*XMLNode{}
		pending := []*XMLNode{x}
		for i := 0; i < len(pending); i++ {
			current := pending[i]
			for _, child := range current.children {
				pending = append(pending, child)
			}
			if (part == "*" || current.GetName() == part) && filtersPass(current) && specialAttrsMatch(current) {
				matched = append(matched, current)
			}
		}
		return matched, nil
	} else if startsWithSingle && onlyPart {
		if (part == "*" || x.GetName() == part) && filtersPass(x) && specialAttrsMatch(x) {
			return []*XMLNode{x}, nil
		}
	} else if startsWithDouble && hasParts {
		matched := []*XMLNode{}
		pending := []*XMLNode{x}
		for i := 0; i < len(pending); i++ {
			current := pending[i]
			for _, child := range current.children {
				pending = append(pending, child)
			}
			matches, err := current.Path(givenPath[1:])
			if err == nil {
				for _, match := range matches {
					matched = append(matched, match)
				}
			}
		}
		return matched, nil
	} else if startsWithSingle && hasParts {
		if (part == "*" || x.GetName() == part) && filtersPass(x) && specialAttrsMatch(x) {
			possibleResults := []*XMLNode{}
			for _, child := range x.children {
				possibleResult, err := child.Path(rest)
				if err == nil {
					possibleResults = append(possibleResults, possibleResult...)
				}
			}
			return possibleResults, nil
		}
	} else {
		return nil, invalidPath
	}
	return []*XMLNode{}, nil
}

// UnwrappedOr will call FromJSON passing in an internally known root and then return the contents inside that root, or panic
func UnwrappedOr(givenJson string) []*XMLNode {
	return UnwrappedOrWithOptions(givenJson, defaultOptions)
}

/*
UnwrappedOrWithOptions is the same as UnwrappedOr, but allows passing custom Options in.
You will likely want to just use UnwrappedOr.
*/
func UnwrappedOrWithOptions(givenJson string, givenOptions Options) []*XMLNode {
	xn, err := FromJSONWithOptions(`r`, givenJson, givenOptions)
	if err != nil {
		panic("The givenJson was invalid when it was required to be valid: " + err.Error())
	}
	return xn.PathOr(`/r/*`)
}

// NewXMLNode returns an XMLNode with the givenName as it's name.
// There are some supported variations to express attributes, including an id, inside the givenName:
//
//  * You can set the id attribute with nodeName#idValue
//  * You can set attributes with nodeName[k=v]
//  * If any, the id needs to come before attrs and will override any attribute key 'id' set through [] notation
//
// So, combining the above, you can set attrs and id with:
//    nodeName#idValue[k=v]
// Additionally, the special attribute keys available in paths won't hold specific meaning here and are ignored.
//
// Finally, no attempt is made to ensure the uniqueness of any id attribute within any XMLNode
func NewXMLNode(givenName string) *XMLNode { return stateXMLNode(givenName, none) }
func stateXMLNode(givenName string, state possibleState) *XMLNode {
	result := &XMLNode{givenName, "", "", map[string]string{}, []*XMLNode{}, nil, state, false}
	name, attrs := nameAttrsFrom(givenName)
	result.name = name
	for k, v := range attrs {
		result.Set(k, v)
	}
	return result
}
func nameAttrsFrom(givenName string) (string, map[string]string) {
	attrStart := strings.Index(givenName, "[")
	mightHaveAttrs := attrStart > 0
	givenAttrs := map[string]string{}
	if mightHaveAttrs {
		matches := attrsRegex.FindAllStringSubmatch(givenName[attrStart:], -1)
		if len(matches) > 0 {
			for _, match := range matches {
				parts := innerAttrsRegex.Split(match[1], -1)
				if len(parts) != 2 {
					panic("Regex for attr parts failed to split in two")
				}
				k := parts[0]
				if !isSpecialKey(k) {
					givenAttrs[k] = parts[1]
				}
			}
			givenName = givenName[:attrStart]
		}
	}
	if parts := strings.Split(givenName, "#"); len(parts) > 1 && len(parts[1]) > 0 {
		givenName = parts[0]
		givenAttrs["id"] = parts[1]
	}
	return givenName, givenAttrs
}

// NewXMLContentNode returns an XMLNode with the givenContent as it's Content
func NewXMLContentNode(givenContent string) *XMLNode {
	return stateXMLContentNode(givenContent, none)
}
func stateXMLContentNode(givenContent string, state possibleState) *XMLNode {
	return &XMLNode{"", "", givenContent, map[string]string{}, []*XMLNode{}, nil, state, false}
}

// String will output XML from an XMLNode structure.
// If you'd like to output JSON, use the JSON method.
func (x XMLNode) String() string {
	return x.StringWithOptions(defaultOptions)
}

/*
StringWithOptions is the same as String, but allows passing custom Options in.
You will likely want to just use String.
*/
func (x XMLNode) StringWithOptions(givenOptions Options) string {
	if len(x.Content) > 0 {
		result := x.Content
		shouldBeWrapped := x.cameFromCDATA ||
			strings.Contains(result, `&`) ||
			strings.Contains(result, `<`) ||
			strings.Contains(result, `]]>`)
		if shouldBeWrapped {
			result = `<![CDATA[` + strings.ReplaceAll(result, `]]>`, `]]]]><![CDATA[>`) + `]]>`
		}
		return result
	}
	var result strings.Builder
	if x.parent == nil && givenOptions.OutputHeader {
		result.WriteString(`<?xml version="1.0"?>`)
	}
	cleanName := protectNamespace(x.GetName())
	cleanName = cleanNameRegex.ReplaceAllString(cleanName, "_")
	if xmlPrefixRegex.MatchString(cleanName) || !letterOrUnderscorePrefixRegex.MatchString(cleanName) {
		cleanName = "_" + cleanName
	}
	cleanName = removeNamespaceProtection(cleanName)
	result.WriteString("<" + cleanName)
	tmpks := []string{}
	for k, _ := range x.Attrs {
		tmpks = append(tmpks, k)
	}
	sort.Strings(tmpks)
	for _, k := range tmpks {
		result.WriteString(fmt.Sprintf(" %s=%q", k, x.Attrs[k]))
	}
	result.WriteString(">")
	for _, child := range x.children {
		result.WriteString(child.StringWithOptions(givenOptions))
	}
	result.WriteString("</" + cleanName + ">")
	return result.String()
}

// JSON produces a JSON output from an XMLNode structure.
// Children are output in the same order they exist in in the XMLNode structure with matching names simply repeated.
func (x XMLNode) JSON() string {
	if len(x.Content) > 0 {
		return fmt.Sprintf(`%q`, x.Content)
	}
	var result strings.Builder
	cleanName := protectNamespace(x.GetName())
	cleanName = cleanNameRegex.ReplaceAllString(cleanName, "_")
	if xmlPrefixRegex.MatchString(cleanName) || !letterOrUnderscorePrefixRegex.MatchString(cleanName) {
		cleanName = "_" + cleanName
	}
	cleanName = removeNamespaceProtection(cleanName)
	if x.parent == nil {
		result.WriteString(`{`)
	}
	result.WriteString(`"` + cleanName)
	result.WriteString(`":`)
	if len(x.children) > 0 { // TODO - so attrs will only show up on a node with children and NOT content...
		if len(x.children[0].Content) == 0 {
			result.WriteString("{")
			tmpks := []string{}
			for k, _ := range x.Attrs {
				tmpks = append(tmpks, k)
			}
			sort.Strings(tmpks)
			for _, k := range tmpks {
				result.WriteString(fmt.Sprintf("%q:%q", k, x.Attrs[k]))
				result.WriteString(",") // This isn't written 'before', since we know there'll be children
			}
		}
		childrenNames := []string{}
		childrenByName := map[string][]*XMLNode{}
		for _, child := range x.children {
			//cn := child.givenName
			cn := child.name
			previousValue, exists := childrenByName[cn]
			if exists {
				childrenByName[cn] = append(previousValue, child)
			} else {
				childrenByName[cn] = []*XMLNode{child}
				childrenNames = append(childrenNames, cn)
			}
		}
		sort.Strings(childrenNames)
		notFirstChild := false
		for _, name := range childrenNames {
			v := childrenByName[name]
			if notFirstChild {
				result.WriteString(",")
			}
			if len(v) == 1 {
				result.WriteString(v[0].JSON())
			} else {
				childKey := strings.SplitN(v[0].JSON(), ":", 2)[0]
				result.WriteString(childKey)
				result.WriteString(":[")
				for i, childV := range v {
					if i > 0 {
						result.WriteString(",")
					}
					result.WriteString(strings.SplitN(childV.JSON(), ":", 2)[1])
				}
				result.WriteString("]")
			}
			notFirstChild = true
		}
		if len(x.children[0].Content) == 0 {
			result.WriteString("}")
		}
	} else {
		result.WriteString(`""`)
	}
	if x.parent == nil {
		result.WriteString(`}`)
	}
	return result.String()
}

// SetName will turn any valid givenName expression into the resulting name and attributes, including id.
func (x *XMLNode) SetName(givenName string) {
	x.givenName = givenName
	name, attrs := nameAttrsFrom(givenName)
	x.name = name
	for k, v := range attrs {
		x.Set(k, v)
	}
}

// GetName will return the calculated name of the node.
func (x *XMLNode) GetName() string { return x.name }

func (x *XMLNode) updateName(givenRune rune) { x.SetName(x.givenName + string(givenRune)) }

// Set will assign the value v to the attribute key k
func (x *XMLNode) Set(k string, v string) { x.Attrs[k] = v }

// Get will the value v that is assigned to the attribute key k
func (x *XMLNode) Get(k string) string { return x.Attrs[k] }

// AnyContent will return either the content inside x or, if x has only one child that is a content node, the content of that one
func (x *XMLNode) AnyContent() string {
	if len(x.children) == 1 && len(x.children[0].name) == 0 {
		return x.children[0].Content
	}
	return x.Content
}

// Add appends the XMLNode xn as a child in the children XMLNode slice of the XMLNode x
func (x *XMLNode) Add(xn *XMLNode) {
	if x == xn {
		panic("You can't add a node to itself")
	}
	xn.parent = x
	x.children = append(x.children, xn)
}

// AddAll appends all of the XMLNodes xns as children to the XMLNode x
func (x *XMLNode) AddAll(xns []*XMLNode) {
	for _, xn := range xns {
		if x == xn {
			panic("You can't add a node to itself")
		}
		x.Add(xn)
	}
}

var notAChild = errors.New("Unable to modify parent/child relationship. Given child is not in parent.")

// Remove will remove the XMLNode xn from x and possibly return an error if xn is not a child of x
func (x *XMLNode) Remove(xn *XMLNode) error {
	for i, n := range x.children {
		if n == xn {
			n.parent = nil
			x.children = append(x.children[:i], x.children[i+1:]...)
			return nil
		}
	}
	return notAChild
}

// Cut will remove the XMLNode x from it's parent and possibly return an error if x is the root
func (x *XMLNode) Cut() error {
	if x.parent == nil {
		return nil
	}
	return x.parent.Remove(x)
}

func nodeIsRoot(action string) error {
	return errors.New(fmt.Sprintf("Unable to %s on root node", action))
}

// AddBefore will add xn as a sibling of x just before x's position in the list of the parents children
// and possibly return an error if x is the root.
// The XMLNode xn will be Cut before being added to x.
func (x *XMLNode) AddBefore(xn *XMLNode) error {
	if x.parent == nil {
		return nodeIsRoot("AddBefore")
	}
	p := x.parent
	if err := xn.Cut(); err != nil {
		return errors.New("Failed to cut xn inside call to AddBefore")
	}
	tmpxns := []*XMLNode{}
	for _, n := range p.children {
		tmpxns = append(tmpxns, n)
	}
	p.children = []*XMLNode{}
	for _, n := range tmpxns {
		if n == x {
			p.Add(xn)
			p.Add(n)
			continue
		}
		p.Add(n)
	}
	return nil
}

// Prepend will add the XMLNode xn to the beginning of the children of x possibly returning an error
func (x *XMLNode) Prepend(xn *XMLNode) error {
	if x.children == nil {
		x.children = []*XMLNode{}
	}
	if len(x.children) == 0 {
		x.Add(xn)
		return nil
	}
	return x.children[0].AddBefore(xn)
}

// Clone recursively clones X and returns the new XMLNode detatched from the x's parent
func (x *XMLNode) Clone() *XMLNode {
	newx := &XMLNode{x.givenName, x.name, x.Content, map[string]string{}, []*XMLNode{}, nil, x.ntype, false}
	for k, v := range x.Attrs {
		newx.Set(k, v)
	}
	for _, child := range x.children {
		newx.Add(child.Clone())
	}
	return newx
}

// CloneInto calls Clone on x and then calls Add on the given parent passing in the new clone
func (x *XMLNode) CloneInto(parent *XMLNode) *XMLNode {
	newx := x.Clone()
	parent.Add(newx)
	return newx
}

// AddCloneOf calls Clone on the given nonChild and then calls Add on x passing in the new clone
func (x *XMLNode) AddCloneOf(nonChild *XMLNode) { x.Add(nonChild.Clone()) }

/*
   start: ws object ws
   ws: space | tab | newline | cr | <nothing>
   object: { pair *( ws , pair ) ws }
   pair: ws string ws : ws value
   string: " *( \ " | anyNotDouble ) "
   array: ws [ ws value *( ws , ws value ) ws ]
   value: object | array | string | negativeOrPositiveDigits | <true> | <false> | <null>
   negativeOrPositiveDigits: *( - ) +( digits )
*/

type possibleState int

const (
	none possibleState = iota
	object
	key
	colon
	value
	endValue
	sstring
	array
	strue
	sfalse
	snull
	digit
	end
)

func fromState(i possibleState) string {
	return []string{
		"none",
		"object",
		"key",
		"colon",
		"value",
		"endValue",
		"sstring",
		"array",
		"strue",
		"sfalse",
		"snull",
		"digit",
		"end",
	}[i]
}

var invalidInput = errors.New("Invalid input")
var invalidInputNonObjectRoot = errors.New("Invalid input: root must be an object")

/*
FromJSON processes the givenJson and creates as much of an XML-ish structure as it can with root as the first XMLNode's name.

If there is any failure from invalid input, it will return as much of the resulting XMLNode structure as it can
and have an error in the location where the invalid input would have been placed (wrapped in an element with a name 'error').

The following invalid input:

	fmt.Println(gojax.FromJSON("j", `[1]`))

Would result in an output that contained:

	<j><error>Invalid input: root must be an object</error></j>

*/
func FromJSON(root string, givenJson string) (xn *XMLNode, returnedErr error) {
	return FromJSONWithOptions(root, givenJson, defaultOptions)
}

/*
FromJSONWithOptions is the same as FromJSON, but allows passing custom Options in.
You will likely want to just use FromJSON.
*/
func FromJSONWithOptions(root string, givenJson string, givenOptions Options) (xn *XMLNode, returnedErr error) {
	var pdbg func(...interface{})
	var dbg func(rune, possibleState)
	var r rune
	stk := []*XMLNode{NewXMLNode(root)}
	stk[0].ntype = object
	isEmpty := func() bool { return len(stk) == 0 }
	hasOnlyOne := func() bool { return len(stk) == 1 }
	hasSome := func() bool { return len(stk) > 1 }
	push := func(xn *XMLNode) { stk = append(stk, xn) }
	getN := func(n int) *XMLNode {
		if isEmpty() {
			panic("Getting X on empty stack")
		}
		if len(stk)+n < 0 {
			panic("Going too far back for the length of the stack")
		}
		return stk[len(stk)+n]
	}
	get := func() *XMLNode { return getN(-1) }
	pop := func() *XMLNode {
		if isEmpty() {
			panic("Popping X on empty stack")
		}
		result := getN(-1)
		stk = stk[:len(stk)-1]
		return result
	}
	getState := func() possibleState { return getN(-1).ntype }
	getStateN := func(n int) possibleState { return getN(n).ntype }
	givenJson = strings.TrimSpace(givenJson)
	if !strings.HasPrefix(givenJson, "{") {
		panic(invalidInputNonObjectRoot)
	}
	jsonReader := strings.NewReader(givenJson)
	ri := -1 // To account for incrementing early and still being zero based
	defer func() {
		if r := recover(); r != nil {
			var errorContext strings.Builder
			errorContext.WriteString("\nERROR CONTEXT:\n")
			rBack := ri
			if rBack > 10 {
				rBack -= 10
			} else {
				rBack = 0
			}
			rForward := rBack
			if rForward+20 < utf8.RuneCountInString(givenJson) {
				rForward += 20
			} else {
				rForward = utf8.RuneCountInString(givenJson)
			}
			jsonReader.Seek(int64(rBack), io.SeekStart)
			for i := 0; i < (rForward - rBack); i++ {
				ru, _, err := jsonReader.ReadRune()
				if err != nil {
					errorContext.WriteString("Unable to gather error context")
				}
				errorContext.WriteRune(ru)
			}
			errorContext.WriteString("\n")
			if ri-rBack > 0 {
				errorContext.WriteString(strings.Repeat(" ", (ri - rBack)))
			}
			errorContext.WriteString("^\n")
			jsonReader.Seek(int64(ri), io.SeekStart)
			returnedErr = errors.New(invalidInput.Error() + errorContext.String())
			exn := NewXMLNode("error" + errorContext.String())
			if e, ok := r.(error); ok {
				exn.Add(NewXMLContentNode(e.Error() + errorContext.String()))
			} else {
				if _, ok := r.(string); !ok {
					panic("Converting the error to a string failed" + errorContext.String())
				}
				exn.Add(NewXMLContentNode(invalidInput.Error() + ": " + r.(string) + errorContext.String()))
			}
			if hasSome() {
				get().Add(exn)
			} else {
				if _, ok := r.(string); !ok {
					panic("Converting the error to a string failed" + errorContext.String())
				}
				panic("Unable to add node content: " + r.(string) + errorContext.String())
				debug.PrintStack()
			}
		}
	}()
	nextEscaped := false
	isEscaped := false
	defer func() {
		if rerr := recover(); rerr != nil {
			pstate := "N/A"
			if hasSome() {
				pstate = fromState(getStateN(-2))
			}
			debug.PrintStack()
			if _, ok := rerr.(string); !ok {
				panic("ERROR: " + fromState(getState()) + " ~ " + string(r) + " ~ " + pstate + " ~ " + rerr.(error).Error())
			} else {
				panic("ERROR: " + fromState(getState()) + " ~ " + string(r) + " ~ " + pstate + " ~ " + rerr.(string))
			}
		}
	}()
	pdbg = func(s ...interface{}) {
		if !givenOptions.Debug {
			return
		}
		fmt.Println(s...)
	}
	dbg = func(r rune, state possibleState) {
		if !givenOptions.Debug {
			return
		}
		var ss strings.Builder
		var pxs strings.Builder
		for i, xn := range stk {
			if i > 0 {
				ss.WriteString(", ")
				pxs.WriteString(", ")
			}
			ss.WriteString(fromState(xn.ntype))
			pxs.WriteString(xn.StringWithOptions(setNoHeader(givenOptions)))
		}
		fmt.Printf(`Debug:
	IN: %s
	States: %s
	PXs: %s
	Rune: %s
	ri: %d
`, givenJson, ss.String(), pxs.String(), string(r), ri)
	}
	br := bufio.NewReader(jsonReader)
	unread := func() { pdbg("UNREAD UNREAD UNREAD"); br.UnreadRune(); ri -= 1 } // We ignore the err - we know we only ReadRune
	for {
		r, _, err := br.ReadRune()
		if err != nil {
			if err != io.EOF {
				panic(err)
			}
			break
		}
		if nextEscaped {
			nextEscaped = false
			isEscaped = true // This misses escaping the last rune... which I *think* would be invalid anyway
		}
		if r == utf8.RuneError {
			panic("Fail - invalid rune")
		}
		ri += 1
		pdbg("READ:", string(r), ri)
		pdbg(givenJson)
		if ri == 0 {
			pdbg("^")
		} else {
			pdbg(strings.Repeat(" ", ri-1), "^")
		}
		isSpace := unicode.IsSpace(r)
		isLeftCurly := r == '{'
		isComma := r == ','
		isColon := r == ':'
		isDouble := r == '"'
		isRightCurly := r == '}'
		isLeftSquare := r == '['
		isRightSquare := r == ']'
		isEscape := r == '\\'
		isT := r == 't'
		isF := r == 'f'
		isN := r == 'n'
		isDigit := unicode.IsDigit(r)
		isDash := r == '-'
	RERUN:
		dbg(r, getState())
		switch getState() {
		case object:
			if isSpace { // Ignore
			} else if isComma { // Ignore
			} else if isDouble {
				push(stateXMLNode("", key))
			} else if isLeftCurly {
				if ri > 0 {
					push(stateXMLNode("", object))
				}
			} else if isRightCurly {
				pdbg(ri, len(givenJson))
				push(stateXMLNode("", endValue))
				pdbg("RERUN")
				goto RERUN
			} else {
				pdbg("About to panic")
				dbg(r, getState())
				panic("Failed to handle given rune in object state")
			}
		case key:
			if isEscape {
				nextEscaped = true
			} else if isEscaped {
				get().updateName(r)
			} else if isDouble {
				push(stateXMLNode("", colon))
			} else {
				get().updateName(r)
				pdbg("Current name of key:", get().GetName())
			}
		case colon:
			if isSpace { // Ignore
			} else if isColon {
				pop()
				push(stateXMLNode("", value))
			} else {
				panic("Failed to handle given rune in colon state")
			}
		case value:
			if isSpace {
			} else if isDigit || isDash {
				get().updateName(r)
				get().ntype = digit
			} else if isT {
				get().updateName(r)
				get().ntype = strue
			} else if isF {
				get().updateName(r)
				get().ntype = sfalse
			} else if isN {
				get().updateName(r)
				get().ntype = snull
			} else if isDouble {
				get().ntype = sstring
			} else if isLeftCurly {
				get().ntype = object
			} else if isLeftSquare {
				get().ntype = array
			} else {
				panic("Failed to handle given rune in value state")
			}
		case endValue:
			pop()
			valueNeedsToBeUnwrapped := getState() == object || getState() == array
			if isRightCurly && hasOnlyOne() {
				push(stateXMLNode("", end))
				goto END
			} else if getStateN(-2) == key && getStateN(-3) == object {
				if valueNeedsToBeUnwrapped {
					pdbg("Object and array are different - remove the wrapper and add each child to the key")
					o := pop()
					for _, child := range o.children {
						get().Add(child)
					}
				} else {
					pdbg("Assign value to key")
					v := pop()
					get().Add(v)
				}
				pdbg("Assign pair to object")
				pair := pop()
				get().Add(pair)
			} else {
				pdbg("Ending a value that belongs in an array")
				v := pop()
				if givenOptions.WrapArrayElements {
					xn := NewXMLNode(fmt.Sprintf("n[index=%d]", len(get().children)))
					if valueNeedsToBeUnwrapped {
						pdbg("Object and array are different - remove the wrapper and add each child to the key")
						for _, child := range v.children {
							xn.Add(child)
						}
					} else {
						xn.Add(v)
					}
					get().Add(xn)
				} else {
					if valueNeedsToBeUnwrapped {
						pdbg("Object and array are different - remove the wrapper and add each child to the key")
						for _, child := range v.children {
							get().Add(child)
						}
					} else {
						get().Add(v)
					}
				}
			}
		case sstring:
			if isEscape {
				nextEscaped = true
			} else if isEscaped {
				get().updateName(r)
			} else if isDouble {
				xn := pop()
				push(NewXMLContentNode(xn.GetName()))
				push(stateXMLNode("", endValue))
				pdbg("RERUN")
				goto RERUN
			} else {
				get().updateName(r)
			}
		case digit:
			if isDigit {
				get().updateName(r)
			} else {
				unread() // This is unique, since digits don't have a safe ending rune like the others
				xn := pop()
				push(NewXMLContentNode(xn.GetName()))
				push(stateXMLNode("", endValue))
				pdbg("RERUN")
				goto RERUN
			}
		case strue:
			if get().GetName() == "t" && r == 'r' {
				get().updateName(r)
			} else if get().GetName() == "tr" && r == 'u' {
				get().updateName(r)
			} else if get().GetName() == "tru" && r == 'e' {
				get().updateName(r)
				xn := pop()
				push(NewXMLContentNode(xn.GetName()))
				push(stateXMLNode("", endValue))
				pdbg("RERUN")
				goto RERUN
			} else {
				panic("Found an incomplete potential value of true")
			}
		case sfalse:
			if get().GetName() == "f" && r == 'a' {
				get().updateName(r)
			} else if get().GetName() == "fa" && r == 'l' {
				get().updateName(r)
			} else if get().GetName() == "fal" && r == 's' {
				get().updateName(r)
			} else if get().GetName() == "fals" && r == 'e' {
				get().updateName(r)
				xn := pop()
				push(NewXMLContentNode(xn.GetName()))
				push(stateXMLNode("", endValue))
				pdbg("RERUN")
				goto RERUN
			} else {
				panic("Found an incomplete potential value of false")
			}
		case snull:
			if get().GetName() == "n" && r == 'u' {
				get().updateName(r)
			} else if get().GetName() == "nu" && r == 'l' {
				get().updateName(r)
			} else if get().GetName() == "nul" && r == 'l' {
				get().updateName(r)
				xn := pop()
				push(NewXMLContentNode(xn.GetName()))
				push(stateXMLNode("", endValue))
				pdbg("RERUN")
				goto RERUN
			} else {
				panic("Found an incomplete potential value of null")
			}
		case array:
			if isSpace { // Ignore
			} else if isLeftSquare {
				push(stateXMLNode("", array))
			} else if isComma {
				if getState() == digit {
					push(stateXMLNode("", endValue))
					pdbg("RERUN")
					goto RERUN
				}
			} else if isRightSquare {
				push(stateXMLNode("", endValue))
				pdbg("RERUN")
				goto RERUN
			} else {
				push(stateXMLNode("", value))
				pdbg("RERUN")
				goto RERUN
			}
		default:
			panic("Current state has no handler")
		}
		isEscaped = false
		dbg(r, getState())
		pdbg("\n\n")
	}
END:
	if getState() != end {
		if getState() == sstring {
			panic("Unclosed string")
		}
		pdbg("Not ending at end")
		panic("Not ending at end")
	}
	return stk[0], nil
}

// FromJSONDebug sets the Debug Option and passes all given args to FromJSONWithOptions and
// returns all results from FromJSONWithOptions
func FromJSONDebug(root string, givenJson string) (xn *XMLNode, returnedErr error) {
	return FromJSONWithOptions(root, givenJson, defaultDebugOptions)
}

const (
	xnone possibleState = iota
	xstart
	xdecl
	xnodeName
	xconsumeEndNode
	xcontentNode
	xconsumeAttrs
	xcdata
	xcdataStart
	xcdataEnd
)

func fromXState(i possibleState) string {
	defer func() {
		if r := recover(); r != nil {
			panic("Failed to get state from (maybe you forgot to add a string for the given state?)")
		}
	}()
	return []string{
		"none",
		"start",
		"decl",
		"nodeName",
		"consumeEndNode",
		"contentNode",
		"consumeAttrs",
		"cdata",
		"cdataStart",
		"cdataEnd",
	}[i]
}

// FromXML will take xml-ish (see above) and produce an XMLNode structure to mimic.
// One goal with this method is to get JSON back out of an XMLNode structure with the JSON method.
func FromXML(givenXML string) (*XMLNode, error) {
	return FromXMLWithOptions(givenXML, defaultOptions)
}

/*
FromXMLWithOptions is the same as FromXML, but allows passing custom Options in.
You will likely want to just use FromXML.
*/
func FromXMLWithOptions(givenXML string, givenOptions Options) (*XMLNode, error) {
	var r rune
	//fmt.Println("FROM XML")
	var pdbg func(...interface{})
	var dbg func(rune, possibleState)
	stk := []*XMLNode{}
	isEmpty := func() bool { return len(stk) == 0 }
	//hasOnlyOne := func() bool { return len(stk) == 1 }
	hasSome := func() bool { return len(stk) > 1 }
	push := func(xn *XMLNode) { stk = append(stk, xn) }
	getN := func(n int) *XMLNode {
		if isEmpty() {
			//debug.PrintStack()
			panic("Getting X on empty stack")
		}
		if len(stk)+n < 0 {
			panic("Going too far back for the length of the stack")
		}
		return stk[len(stk)+n]
	}
	get := func() *XMLNode { return getN(-1) }
	pop := func() *XMLNode {
		if isEmpty() {
			panic("Popping X on empty stack")
		}
		result := getN(-1)
		stk = stk[:len(stk)-1]
		return result
	}
	getState := func() (rs possibleState) {
		defer func() {
			if r := recover(); r != nil {
				rs = xstart
			}
		}()
		return get().ntype
	}
	givenXML = strings.TrimSpace(givenXML)
	if !strings.HasPrefix(givenXML, "<") {
		panic("Given XML does not start with a <: " + givenXML)
	}
	xmlReader := strings.NewReader(givenXML)
	ri := -1 // To account for incrementing early and still being zero based
	nextEscaped := false
	//isEscaped := false
	wasLessThan := false
	wasQuestion := false
	wasSolidus := false
	wasRightSquare := false
	wasA := false
	br := bufio.NewReader(xmlReader)
	unread := func() { br.UnreadRune(); ri -= 1 } // We ignore the err - we know we only ReadRune
	peek := func() rune {
		r, _, err := br.ReadRune()
		br.UnreadRune()
		if err != nil {
			fmt.Println("Failed to peek:", err)
			return 0
		}
		return r
	}
	pdbg = func(s ...interface{}) {
		if !givenOptions.Debug {
			return
		}
		fmt.Println(s...)
	}
	dbg = func(r rune, state possibleState) {
		if !givenOptions.Debug {
			return
		}
		var ss strings.Builder
		var pxs strings.Builder
		for i, xn := range stk {
			if i > 0 {
				ss.WriteString(", ")
				pxs.WriteString(", ")
			}
			ss.WriteString(fromXState(xn.ntype))
			pxs.WriteString(xn.StringWithOptions(setNoHeader(givenOptions)))
		}
		fmt.Printf(`Debug:
	IN: %s
	States: %s
	PXs: %s
	Rune: %s
	ri: %d
`, givenXML, ss.String(), pxs.String(), string(r), ri)
	}
	var key strings.Builder
	var val strings.Builder
	collectVal := false
	//givenOptions.Debug = true
	for {
		previousr := r
		tmpr, _, err := br.ReadRune()
		if err != nil {
			if err != io.EOF {
				panic(err)
			}
			break
		}
		r = tmpr
		if nextEscaped {
			nextEscaped = false
			//isEscaped = true // This misses escaping the last rune... which I *think* would be invalid anyway
		}
		if r == utf8.RuneError {
			panic("Fail - invalid rune")
		}
		isSpace := unicode.IsSpace(r)
		isLessThan := r == '<'
		isQuestion := r == '?'
		isGreaterThan := r == '>'
		isSolidus := r == '/'
		isDouble := r == '"'
		isEqual := r == '='
		isRightSquare := r == ']'
		isLeftSquare := r == '['
		isDeclStart := wasLessThan && isQuestion
		isDeclEnd := wasQuestion && isGreaterThan
		isPairedNodeEnd := wasLessThan && isSolidus
		isNodeStart := wasLessThan && !isSpace
		ri += 1
		pdbg("READ:", string(r), ri)
		pdbg(givenXML)
		if ri == 0 {
			pdbg("^")
		} else {
			pdbg(strings.Repeat(" ", ri-1), "^")
		}
		wasLessThan = false // TODO - This is only useful *above* in the for loop... check the below usage...
		wasQuestion = false
		pdbg("Starting:")
		dbg(r, getState())
		switch getState() {
		case xstart:
			if isLessThan {
				wasLessThan = true
			} else if isDeclStart {
				push(stateXMLNode("", xdecl))
			} else if isPairedNodeEnd {
				get().ntype = xconsumeEndNode
			} else if isSpace { // Ignore
			} else if isNodeStart {
				if hasSome() && getState() == xstart {
					pop()
				}
				push(stateXMLNode("", xnodeName))
				unread()
			} else if previousr == '>' {
				get().ntype = xcontentNode
				get().updateName(r)
			} else if isSolidus {
				unread()
				get().ntype = xconsumeEndNode
			} else {
				panic("All supported cases are covered - this case is unsupported")
			}
		case xdecl:
			if isQuestion {
				wasQuestion = true
			}
			if isDeclEnd {
				pop()
			}
		case xnodeName:
			if len(get().name) == 0 && r == '!' && peek() == '[' {
				get().ntype = xcdataStart
			}
			if wasSolidus && !isGreaterThan {
				wasSolidus = false
			}
			if isPairedNodeEnd || (wasLessThan && isSolidus) {
				push(stateXMLNode("", xconsumeEndNode)) // This is the <a></a> case
			} else if isSolidus {
				wasSolidus = true
			} else if wasSolidus && isGreaterThan { // This is the <a/> case
				if hasSome() {
					child := pop()
					get().Add(child)
					push(stateXMLNode("", xstart))
				}
			} else if isGreaterThan {
				push(stateXMLNode("", xstart))
			} else if isLessThan {
				if len(get().children) == 0 {
					push(NewXMLContentNode(pop().GetName()))
					child := pop()
					get().Add(child)
				}
				push(stateXMLNode("", xconsumeEndNode))
			} else if isSpace {
				push(stateXMLNode("", xconsumeAttrs))
			} else {
				get().updateName(r)
			}
		case xcdataStart:
			if wasA && isLeftSquare {
				get().ntype = xcdata
				get().SetName("")
				wasA = false
			} else {
				wasA = true
			}
		case xcdata:
			if wasRightSquare && isRightSquare && peek() == '>' {
				wasRightSquare = false
				get().ntype = xcdataEnd
			} else if !wasRightSquare && isRightSquare {
				wasRightSquare = true
			} else {
				get().updateName(r)
				wasRightSquare = false
			}
		case xcdataEnd:
			if isGreaterThan {
				child := NewXMLContentNode(pop().givenName)
				child.cameFromCDATA = true
				get().Add(child)
				push(stateXMLNode("", xstart))
			} else {
				panic("There shouldn't be anything other than a > to consume at this point")
			}
		case xconsumeAttrs:
			if isGreaterThan || isSolidus || isSpace {
				if len(val.String()) > 0 { // TODO - bad cases v==0, k>0... v>0, k==0...
					getN(-2).updateName('[')
					for _, r := range key.String() {
						getN(-2).updateName(r)
					}
					getN(-2).updateName('=')
					for _, r := range val.String() {
						getN(-2).updateName(r)
					}
					getN(-2).updateName(']')
				}
				collectVal = false
				key.Reset()
				val.Reset()
				if isGreaterThan || isSolidus {
					unread()
					pop()
				}
			} else if isDouble {
				if len(key.String()) > 0 {
					collectVal = true
				}
			} else if isEqual { // Ignore ??
			} else {
				if collectVal {
					val.WriteRune(r)
				} else {
					key.WriteRune(r)
				}
			}
		case xconsumeEndNode:
			if isGreaterThan {
				endingNode := pop()
				if endingNode.name != get().name {
					panic(fmt.Sprintf(
						"Mismatched nodes. Maybe a child wasn't added to it's parent?\n\t%s\n\t%s",
						endingNode.name,
						get().name,
					))
				} else {
					if hasSome() {
						child := pop()
						get().Add(child)
					}
				}
				push(stateXMLNode("", xstart))
			} else if isSolidus { // IGNORE
			} else {
				get().updateName(r)
			}
		case xcontentNode: // TODO - needs work...
			if isLessThan {
				child := NewXMLContentNode(pop().GetName())
				get().Add(child)
				push(stateXMLNode("", xstart))
			} else {
				get().updateName(r)
			}
		default:
			panic("Unhandled state: " + fromXState(getState()))
		}
		//isEscaped = false
		pdbg("Ending:")
		dbg(r, getState())
		pdbg("\n\n")
	}
	return stk[0], nil
}