Skip to content

Wernfried/xml-twig

Folders and files

NameName
Last commit message
Last commit date

Latest commit

 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 
 

Repository files navigation

xml-twig

Node module for processing huge XML documents in tree mode

Inspired by Perl module XML::Twig

When to Use This Module and Its Motivation

When you need to read an XML file, there are two primary approaches:

  1. The Document Object Model (DOM) Style

    These parsers read the entire XML document into memory. They usually provide convenient methods for navigating the document tree or making modifications. DOM parsers are ideal for smaller files, such as configuration files or (X-)HTML pages. However, for larger XML files, you may run into memory limitations. Parsing an XML file using the DOM method can cause memory usage to increase by 10-20 times the size of the raw XML string. If the XML file exceeds the size of Buffer.constants.MAX_STRING_LENGTH (typically 512 MB), the DOM parser may throw an error: "Cannot create a string longer than 0x1fffffe8 characters."

  2. Stream or Event-Based Parsers

    These parsers read the XML file "line by line" or node by node. The main advantage of this approach is that there is no size limitation for the XML file. You can read XML files of several terabytes because only a single node is read into memory at a time.

    The downside is that, by default, you cannot navigate the document tree - you can only access the current node.

This module aims to combine both approaches. It reads the XML document in chunks, and within each chunk, you can utilize the familiar features and functions of a DOM-based parser.

Dependencies

XML documents are parsed using either the sax or node-expat parser. parsers. Additional parsers may be added in future releases. By default, the sax parser is used. However, I strongly recommend using the node-expat parser, as other parsers I tested are not fully compliant with XML standards.

NOTE: The node-expat module is not automatically installed with this module. If you wish to use it, you must install it manually.

Installation

To install the module, use the standard Node.js installation process. Optionally, you can also install the node-expat parser:

npm install xml-twig

# and optionally 
npm install node-expat

In my tests, I parsed a 900 MB XML file, and the node-expatt parser was faster than sax (node-expat: around 2:30 minutes, sax: around 3:40 minutes). However, you may encounter issues when installing the node-expat parser, which is why it's not installed automatically.

How to use it

API Documentation: see Twig

Read XML Document

  • Read entire XML file at once

    This module is designed to read huge XML-Files. Of course, it works also well for small files. First create the Twig parser. Then create a Stream and pipe it to the parser.

    const fs = require('fs')
    const twig = require('xml-twig')
    
    function rootHandler(elt, parserObj) {
       console.log(`<${elt.name}> finished after ${parserObj.currentLine} lines`);
    }
    
    const parser = twig.createParser({ tag: twig.Root, function: rootHandler }, { method: 'sax' })
    fs.createReadStream(`${__dirname}/bookstore.xml`).pipe(parser)
    
    // Output -> <bookstore> finished after 48 lines

    If you prefer events, then use event property instead of function in handler declaration:

    const parser = twig.createParser({ tag: twig.Root, event: 'rootElement' }, { method: 'expat' })
    fs.createReadStream(`${__dirname}/bookstore.xml`).pipe(parser)
    
    parser.on('rootElement', (elt) => {
       console.log(`<${elt.name}> finished after ${parser.currentLine} lines`);
    })
  • Read XML Document in chucks

    The key feature of this module is the ability to read and process XML files in chunks. You need to define handler functions for the elements you want to process.

    A major difference compared to other parsers is the purge() and purgeUpTo() methods. The parser reads an element, and you decide how long to keep it in memory. In many cases, you will purge the element immediately after processing it, but in some situations, you might want to retain it for later use. The parser keeps track of the element’s position within the XML tree.

    function bookHandler(elt, parserObj) {
       console.log(`${elt.attr("category")} ${elt.name} at line ${parserObj.currentLine}`)
       elt.purge() // -> without `purge()` the entire XML document will be loaded into memory
    }
    
    // different styles: below `handle_book` are all equivalent (with sample file `bookstore.xml`)
    handle_book = [
       { tag: 'book', function: bookHandler },
       { tag: 'ebook', function: bookHandler }
    ];
    handle_book = [ { tag: ['book', 'ebook'], function: bookHandler } ];
    handle_book = { tag: /book$/, function: bookHandler };
    handle_book = [{
       tag: function(name, elt) { return name.endsWith('book') },
       function: bookHandler
    }];
    handle_book = [{
       tag: function(name, elt) { return ['book', 'ebook'].includes(name) },
       function: bookHandler
    }];
    handle_book = [{
       tag: function(name, elt) { return ['book', 'ebook'].includes(elt.name) },
       function: bookHandler
    }];
    
    const parser = twig.createParser(handle_book, { method: 'sax' })
    fs.createReadStream(`${__dirname}/bookstore.xml`).pipe(parser)
    
    Output: 
    
    cooking book at line 8
    children book at line 15
    fantasy ebook at line 23
    web book at line 34
    biography ebook at line 42
    web book at line 48
  • Read every element from XML Document

    function anyHandler(elt, parserObj) {
       console.log(`${'  '.repeat(elt.level)}${elt.name} => "${elt.text ?? ''}" at line ${parserObj.currentLine}`)
       elt.purge() // -> without `purge()` the entire XML document will be loaded into memory
    }
    
    const parser = twig.createParser({ tag: twig.Any, function: anyHandler }) 
    // or with Regular Expression -> `{ tag: /./, function: anyHandler }` 
    // or with Function -> `{ tag: () => {return true}, function: anyHandler }`
    fs.createReadStream(`${__dirname}/bookstore.xml`).pipe(parser)
    
    Output: 
    
       title => "Everyday Italian" at line 4
       author => "Giada De Laurentiis" at line 5
       year => "2005" at line 6
       price => "30.00" at line 7
    book => "" at line 8
       title => "Harry Potter" at line 10
       author => "J K. Rowling" at line 11
       year => "2005" at line 12
       price => "29.99" at line 13
    book => "" at line 14
    ... some more
    bookstore => "" at line 48
  • Read only parts from XML Document

    If you like to read only certain elements, use option partial: true. The root element is always read.

    This sample program reads the root element and <ebook> elements (include their children elements), and the branches to reach the element.

    const handle_ebook = [
       { tag: 'ebook', function: ebookHandler },
       { tag: twig.Root, function: rootHandler }
    ];
    const parser = twig.createParser(handle_ebook, { partial: true })
    fs.createReadStream(`${__dirname}/bookstore.xml`).pipe(parser);
    
    function ebookHandler(elt, parserObj) {
       console.log(`${elt.name} at line ${parserObj.currentLine}`)
    }
    
    function rootHandler(elt) {
       console.log( elt.writer('  ').toString() );
    }
    
    
    Output:
    
    ebook at line 23
    ebook at line 41
    <bookstore>
      <ebook category="fantasy">
        <title lang="en">Harry Potter</title>
        <author>Joanne Kathleen Rowling</author>
        <year>2001</year>
        <price>12.99</price>
        <format>Kindle</format>
        <device>ePub</device>
      </ebook>
      <ebook category="biography">
        <title lang="en">The Autobiography of Benjamin Franklin</title>
        <author>Benjamin Franklin</author>
        <year>1996</year>
        <price>39.99</price>
        <format>Kindle</format>
        <device>ePub</device>
      </ebook>
    </bookstore>

For details and other options, see ParserOptions and TwigHandler

Names and Definitions

In XML-Path, there are seven kinds of nodes: element, attribute, text, namespace, processingInstruction, comment, and document, see Nodes at W3C. XML documents are treated as trees of nodes.

The Twig Class models a "some-kind" Element tree. I try to follow the XML-Path conventions whenever possible to avoid confusion.

XML-Namespaces

When the XML-Files uses Namespaces then you can address the elements as they appear in the file, for example cd:data. With option { xmlns : true } you will get access to the .namespace property.

Access elements and attributes

Get XML Attributes

.hasAttribute(name): Checks if the attribute exists and returns true or false

.attr(condition): Returns the value of attribute. If more than one attribute matches, then it returns all attributes as object

.attribute(condition): Get attributes as object or null if no matching attribute was found. If condition is undefined, then all attributes are returned.

Specify attribute name or regular expression or custom condition. For details see AttributeCondition.
Let's assume an XML element like this:

<person firstName="Jean-Luc" lastName="Picard" age="59" />

Here are some examples the get attribute and values:

.hasAttribute('foo')                                                   => false
.hasAttribute('age')                                                   => true

.attr('lastName')                                                      => Picard
.attr(/^first/)                                                        => Jean-Luc
.attr(/name/i)                                                         => { "firstName": "Jean-Luc", "lastName": "Picard" }
.attr(key => { return ['firstName', 'lastName'].includes(key) })       => { "firstName": "Jean-Luc", "lastName": "Picard" }

.attribute()                                                            => { "firstName": "Jean-Luc", "lastName": "Picard", "age":59 }
.attribute("FIRSTNAME")                                                 => null
.attribute("firstName")                                                 => { "firstName": "Jean-Luc" }
.attribute(/name/i)                                                     => { "firstName": "Jean-Luc", "lastName": "Picard" }

.attribute(key => { return ['firstName', 'lastName'].includes(key) }))  => { "firstName": "Jean-Luc", "lastName": "Picard" }
.attribute(key => { return key.includes('Name') }))                     => { "firstName": "Jean-Luc", "lastName": "Picard" }

.attribute((key, val) => { return key === 'age' && val > 50 }))         => { "age": 59 }

Twig Methods, accessing XML Elements

.root() - Twig: The topmost element of the tree

.self() - Twig: The current element

.parent() - Twig: The parent of the current element

.children(condition) - Twig[]: All matching children of the current element or empty array

.next(condition) - Twig: Returns the next elt (optionally matching condition) element. This is defined as the next element which opens after the current element opens. Which usually means the first child of the element. Counter-intuitive as it might look this allows you to loop through the whole document by starting from the root.

.previous(condition) - Twig: Return the previous elt (optionally matching condition) of the element. This is the first element which opens before the current one. It is usually either the last descendant of the previous sibling or simply the parent

.first(condition) - Twig: Returns the first (optionally matching condition) element. Usually the root element.

.last(condition) - Twig: Returns the last (optionally matching condition) element. Usually the last element in the document without children.

.ancestor(condition) - Twig[]: All ancestors (parent, grandparent, etc.) of the current element (optionally matching condition) or an empty array.

.ancestorOrSelf(condition) - Twig[]: All ancestors (parent, grandparent, etc.) of the current element and the current element itself (optionally matching condition) or an empty array.

.descendant(condition) - Twig[]: All descendants (children, grandchildren, etc.) of the current element (optionally matching condition) or an empty array.

.descendantOrSelf(condition) - Twig[]: All descendants (children, grandchildren, etc.) of the current element and the current element itself (optionally matching condition) or an empty array.

.sibling(condition) - Twig[]: All siblings (optionally matching condition) before and after the current element or an empty array.

.siblingOrSelf(condition) - Twig[]: All siblings (optionally matching condition) before and after the current element and the current element itself or an empty array.

.followingSibling(condition) - Twig[]: All siblings (optionally matching condition) after the current element or an empty array.

.precedingSibling(condition) - Twig[]: All siblings (optionally matching condition) before the current element or an empty array.

.nextSibling(condition) - Twig: Returns the next (optionally matching condition) sibling element.

.prevSibling(condition) - Twig: Returns the previous (optionally matching condition) sibling element.

.find(condition) - Twig: Find a specific element in current element and returns the first match. In principle .descendant(condition)[0]

.purge() - void: Removes the current element from tree. Usually this method is called after the element has been processed and when not needed anymore.

.purgeUpTo(elt) - void: Purges up to the elt element. This allows you to keep part of the tree in memory when you purge.

.writer(indented|xw) - XMLWriter: Returns a XMLWriter object you can use to print the currently loaded XML tree.
Instead of providing an indented parameter (true, false or indent character) you can also provide an XMLWriter object which adds more flexibility.

Be aware if you call methods like elt.followingSibling(), elt.descendant(), elt.next(), etc. on the current element, they will return empty results. This is because the following elements have not yet been read from the XML file. To navigate to an earlier element, you can use a method like:
elt.root().children()[0].followingSibling()

condition Parameter

You can specify condition on above methods. You can filter elements by following conditions:

  • If undefined, then all elements are returned.

  • If string then the element name must be equal to the string
    Example: "book"

  • If RegExp then the element name must match the Regular Expression
    Example: /book$/i

  • With ElementConditionFilter you can specify any custom filter function.
    Example: (name, elt) => { return name === 'book' && elt.children().length > 1 }

  • With a Twig object, you can specify the element directly. Apart from purgeUpTo(elt), it is rarely used, because when you know the element then there is no reason to find it again.
    Example: elt.children()[2]

For details see ElementCondition.

For methods which return a Twig[] array, a call like elt.sibling("book") is equal to elt.sibling().filter( x => x.name === "book" )

For methods which return a single Twig element (e.g. elt.next("book")) the method is executed in a loop till a <book> element is found.

Twig Properties

.isEmpty - boolean: true if empty. An empty element has no text nor any child elements, however empty elements can have attributes.

.level - integer: The level of the element. Root element has 0, children have 1, grand-children 2 and so on

.isRoot - boolean: true for the root element

.hasChildren - boolean: true if the element has any child elements

.isFirstChild - boolean: true if the element is the first child in the parent

.isLastChild - boolean: true if the element is the last child in the parent

.index - integer: The position (starting at 0) of the element within the parent. The root element returns always 0

.name - string: Name of the element/tag

.tag - string: Synonym for name

.text - string: The text of an element, no matter if given as CDATA entity or plain character data node (PCDATA)

.attributes - object: All attributes of the object

.comment - string|string[]: Comments or array of comments inside the element

.declaration - object: The XML-Declaration object, exist only on root.
Example {version: '1.0', encoding: 'UTF-8'}.

.PI - object: Processing Instruction, exist only on root.
Example { target: 'xml-stylesheet', data: 'type="text/xsl" href="style.xsl"' }.

.namespace - object: Namespace of the element or null. Only available if parsed with option xmlns: true.
Example { local: 'h', uri: 'http://www.w3.org/TR/html4/' }

.path - string: The XPath location of the Element. Note:
Like all other methods the returned path refers to currently loaded XML Chunk, not the input XML-File. Unlike JavaScript, indexes in XPath are starting at 1 instead of 0.

Update XML Elements

To update the XML, use these methods. These methods modify the XML tree in the memory, not the input XML file. Use writer() to print modified XML or save it to a file.

.attribute(name, value): Updates an attribute.

  • name: Name of the attribute. Regular Expression or other conditions are not supported
  • value: The new value

.deleteAttribute(name): Deletes the attribute.

  • name: Name of the attribute. Regular Expression or other conditions are not supported

.text(value): Update the text (PCDATA) of current element

  • value: The new text or null to remove existing text

.addElement(name, text, attributes, position): Adds a new child element to the current element

  • name: The name/tag of the new element
  • text: The text (PCDATA) of the element or null
  • attributes: Object of XML attributes, example: { id: 1, lang="en" } or null
  • position: The position in children() array where you like to add new child. You can also specify 'first' or 'last'

Limitations

This xml-twig module focus on reading a XML files. In principle it would be possible to create a XML file from scratch with the Twig class. However, I think there are better modules available. Of course, you may run operations like elt.root().children().push(elt.root().children()[0]), but I think this is not so handy to use.

Accessing Twig-Elements by XML-Path language is not supported. One reason it, the Twig class models more an Element rather than a Node which would be more generic.

As already mentioned above, I recommend the expat parser. The other parser may work for your purpose, however they have several limitations and bugs:

  • sax does not support UTF-16 encoding. I did not test other encodings, because W3C Recommendations defines only UTF-8 and UTF-16 as required
  • sax misinterpret character entities

About

Node module for processing huge XML documents in tree mode

Resources

License

Stars

Watchers

Forks

Packages

No packages published