package ini
ASTKind represents different states in the parse table and the type of AST that is being constructed
type ASTKind int
ASTKind* is used in the parse table to transition between the different states
const (
	ASTKindNone = ASTKind(iota)
	ASTKindStart
	ASTKindExpr
	ASTKindEqualExpr
	ASTKindStatement
	ASTKindSkipStatement
	ASTKindExprStatement
	ASTKindSectionStatement
	ASTKindNestedSectionStatement
	ASTKindCompletedNestedSectionStatement
	ASTKindCommentStatement
	ASTKindCompletedSectionStatement
)

func ( ASTKind) () string {
	switch  {
	case ASTKindNone:
		return "none"
	case ASTKindStart:
		return "start"
	case ASTKindExpr:
		return "expr"
	case ASTKindStatement:
		return "stmt"
	case ASTKindSectionStatement:
		return "section_stmt"
	case ASTKindExprStatement:
		return "expr_stmt"
	case ASTKindCommentStatement:
		return "comment"
	case ASTKindNestedSectionStatement:
		return "nested_section_stmt"
	case ASTKindCompletedSectionStatement:
		return "completed_stmt"
	case ASTKindSkipStatement:
		return "skip"
	default:
		return ""
	}
}
AST interface allows us to determine what kind of node we are on and casting may not need to be necessary. The root is always the first node in Children
type AST struct {
	Kind      ASTKind
	Root      Token
	RootToken bool
	Children  []AST
}

func ( ASTKind,  AST,  ...AST) AST {
	return AST{
		Kind:     ,
		Children: append([]AST{}, ...),
	}
}

func ( ASTKind,  Token,  ...AST) AST {
	return AST{
		Kind:      ,
		Root:      ,
		RootToken: true,
		Children:  ,
	}
}
AppendChild will append to the list of children an AST has.
func ( *AST) ( AST) {
	.Children = append(.Children, )
}
GetRoot will return the root AST which can be the first entry in the children list or a token.
func ( *AST) () AST {
	if .RootToken {
		return *
	}

	if len(.Children) == 0 {
		return AST{}
	}

	return .Children[0]
}
GetChildren will return the current AST's list of children
func ( *AST) () []AST {
	if len(.Children) == 0 {
		return []AST{}
	}

	if .RootToken {
		return .Children
	}

	return .Children[1:]
}
SetChildren will set and override all children of the AST.
func ( *AST) ( []AST) {
	if .RootToken {
		.Children = 
	} else {
		.Children = append(.Children[:1], ...)
	}
}
Start is used to indicate the starting state of the parse table.