Click here to Skip to main content
15,885,757 members
Articles / Desktop Programming / Win32
Article

Schemaless C#-XML data binding with VTD-XML

Rate me:
Please Sign up or sign in to vote.
4.31/5 (23 votes)
25 Jun 2008CPOL9 min read 74K   353   54   7
Agile, efficient XML data binding without schema.

Summary

This article introduces a new C#-XML data binding technique based entirely on VTD-XML and XPath. The new approach differs from traditional C# XML data binding tools in that it doesn't mandate schema, takes advantage of XML's inherent loose encoding, and is also more flexible and efficient.

Limitations of Schema-based XML Data Binding

XML data binding APIs are a class of XML processing tools that automatically map XML data into custom, strongly typed objects or data structures, relieving XML developers of the drudgery of DOM or SAX parsing. In order for traditional, static, XML data binding tools (e.g., various binding frameworks in .NET, Liquid Technology, Castor.NET) to work, developers assume the availability of the XML schema (or its equivalence) of the document. In the first step, most XML data binders compile XML schemas into a set of class files, which the calling applications then include to perform the corresponding "unmarshalling."

However, developers dealing with XML documents don't always have their schemas on hand. And, even when the XML schemas are available, slight changes to them (due often to evolving business requirement) would require the class files to be generated anew. Also, XML data binding is the most effective when processing shallow, regular-shaped, XML data. When the underlying structures of XML documents are complex, the typed hierarchical trees still need to be manually navigated, which can still require significant coding.

Most limitations of XML data binding can be attributed to its rigid dependency on XML schema. Unlike many binary data formats, XML is intended primarily as a schema-less data format flexible enough to represent virtually any kind of information. For advanced uses, XML also is loosely encoded: applications may use a portion of the XML document that they need, and skip the parts that they don't care about. Because of XML's loose encoding, Web Services and SOA applications are far less likely to break in the face of changes.

Interestingly, the schema-less nature of XML has subtle performance implications in XML data binding. In many cases, only a small data subset in an XML document (as opposed to the whole data set) is needed to drive the application logic. Yet, the traditional approach indiscriminately converts the entire data set into objects, producing unnecessary memory and processing overhead.

Binding XML with VTD-XML and XPath

Motivation

While the concept of XML data binding has essentially remained unchanged since the early days of XML, the landscape of XML processing has evolved considerably. It is worth noting that the primary purpose of XML data binding APIs is to map XML to objects, and the presence of XML schemas merely helps lighten the coding effort of XML processing. In other words, if mapping XML to objects is made sufficiently simple, you not only don't need schemas, but you have strong incentive to avoid schemas because of all the issues they introduce.

As you probably have guessed by looking at the title of this section, the combination of VTD-XML and XPath is ideally suited for schema-less data binding.

Why XPath and VTD-XML?

There are three main reasons why XPath lends itself to our new approach. First, when properly written, your data binding code only needs proximate knowledge (e.g., topology, tag names, etc.) of the XML tree structure, which you can determine by looking at the XML data. XML schemas are no longer mandatory. Furthermore, XPath allows your application to bind the relevant data items and filter out everything else, avoiding wasteful object creation. Finally, the XPath-based code is easy to understand, simple to write and debug, and generally, quite maintainable.

But XPath still needs the parsed tree of XML to work. Superior to both DOM and SAX, VTD-XML offers a long list of features and benefits relevant to data binding, some of which are highlighted below.

  • High performance, low memory usage, and ease of use: When choosing an XML processing API, you need to consider those three factors (performance, memory consumption, and usability) as a whole. The SAX parser claims constant memory usage regardless of document size. Yet, by not exporting the hierarchical structure of XML, it is difficult to use, and doesn't even support XPath. The DOM parser builds the in-memory tree, is easier to use, and supports XPath. But, it is also very slow, and incurs exorbitant memory usage. As the next generation XML processing API based on state-of-the-art "non-extractive" tokenization technique, VTD-XML pushes the XML processing envelope to a whole new level previously thought impossible to achieve. Like DOM, VTD-XML builds an in-memory tree, and is capable of random access. But, it consumes only 1/5 the memory of DOM. Performance-wise, VTD-XML not only outperforms DOM by 5x to 12x, but also is typically twice as fast as SAX with a null content handler (the max performance). The benchmark comparison can be found here.
  • Non-blocking XPath implementation: VTD-XML also pioneers the incremental, non-blocking XPath evaluation. Unlike traditional XPath engines that return the entire evaluated node set all at once, VTD-XML's AutoPilot-based returns a qualified node as soon as it is evaluated, resulting in unsurpassed performance and flexibility. For further reading, please visit this link.
  • Native XML indexing: VTD-XML also is a native XML indexer that allows your applications to run XPath queries without parsing.
  • Incremental update: VTD-XML is the only XML processing API that allows you to update XML content without touching irrelevant parts of the XML document (Improve XPath Efficiency with VTD-XML), improving performance and efficiency from a different angle.

Process

The process for our new schema-less XML data binding roughly consists of the following steps.

  1. Observe the XML document and write down the XPath expressions corresponding to the data fields of interest.
  2. Define the class file and member variables to which those data fields are mapped.
  3. Refactor the XPath expressions in step (1) to reduce navigation cost.
  4. Write the XPath-based data binding routine that does the object mapping. XPath 1.0 allows XPath to be evaluated to four data types: string, boolean, double, and node set. The string type can be further converted to additional data types.
  5. If the XML processing requires both read and write, use VTD-XML's XMLModifier to update the content of XML. Notice that you may need to record more information to take advantage of VTD-XML's incremental update capability.

A Sample Project

Let me show you how to put this new XML binding in action. This project, written in C#, follows the steps outlined above to create simple data binding routes. The first part of this project is to create read-only objects which are not modified by application logic. The second part extracts more information that allows the XML document to be updated incrementally. The last part also adds VTD+XML indexing to the mix. The XML document I use in this example looks like the following:

XML
<CATALOG>
  <CD>
    <TITLE>Empire Burlesque</TITLE>
    <ARTIST>Bob Dylan</ARTIST>
    <COUNTRY>USA</COUNTRY>
    <COMPANY>Columbia</COMPANY>
    <PRICE>10.90</PRICE>
    <YEAR>1985</YEAR>
  </CD>
  <CD>
    <TITLE>Still got the blues</TITLE>
    <ARTIST>Gary More</ARTIST>
    <COUNTRY>UK</COUNTRY>
    <COMPANY>Virgin redords</COMPANY>
    <PRICE>10.20</PRICE>
    <YEAR>1990</YEAR>
  </CD>
  <CD>
    <TITLE>Hide your heart</TITLE>
    <ARTIST>Bonnie Tyler</ARTIST>
    <COUNTRY>UK</COUNTRY>
    <COMPANY>CBS Records</COMPANY>
    <PRICE>9.90</PRICE>
    <YEAR>1988</YEAR>
  </CD>
  <CD>
    <TITLE>Greatest Hits</TITLE>
    <ARTIST>Dolly Parton</ARTIST>
    <COUNTRY>USA</COUNTRY>
    <COMPANY>RCA</COMPANY>
    <PRICE>9.90</PRICE>
    <YEAR>1982</YEAR>
  </CD>
</CATALOG>

Read Only

Assume the application logic is driven by CD record objects between 1982 and 1990 (non-inclusive), corresponding to XPath "/CATALOG/CD[ YEAR < 1990 and YEAR>1982]". The class definition (shown below) contains four fields, corresponding to the title, artist, price, and year of a CD.

C#
using System;
using System.Collections.Generic;
using System.Text;
namespace bind1
{
    public class CDRecord
    {
        public String title;
        public String artist;
        public double price;
        public int year;
    }
}

The mapping between the object member and its corresponding XPath expression is as follows:

  • The "title" field corresponds to "/CATALOG/CD[ YEAR < 1990 and YEAR>1982]/TITLE"
  • The "artist" field corresponds to "/CATALOG/CD[ YEAR < 1990 and YEAR>1982]/ARTIST"
  • The "price" field corresponds to "/CATALOG/CD[ YEAR < 1990 and YEAR>1982]/PRICE"
  • The "year" field corresponds to "/CATALOG/CD[ YEAR < 1990 and YEAR>1982]/YEAR"

The XPath expressions can be further re-factored (for efficiency reasons) as follows:

  • Use "/CATALOG/CD[ YEAR < 1990 and YEAR>1982]" to navigate to the "CD" node.
  • Use "TITLE" to extract the "title" field (a string).
  • Use "ARTIST" to extract the "artist" field (a string).
  • Use "PRICE" to extract the "price" field (a double).
  • Use "YEAR" to extract the "year" field (an integer).

The code (shown below) has two methods: The "bind()" accepts the XML file name as the input, performs the data binding by plugging in the above XPath expressions, and returns an array list containing object references. The "main()" method invokes the binding routine and prints out the contents of the objects.

C#
using System;
using System.Collections;
using System.Text;
using com.ximpleware;
namespace bind1
{
    class XMLBinder
    {
        ArrayList bind(String fileName)
        {
            ArrayList al = new ArrayList();
            VTDGen vg = new VTDGen();
            AutoPilot ap0 = new AutoPilot();
            AutoPilot ap1 = new AutoPilot();
            AutoPilot ap2 = new AutoPilot();
            AutoPilot ap3 = new AutoPilot();
            AutoPilot ap4 = new AutoPilot();
            ap0.selectXPath("/CATALOG/CD[YEAR > 1982 and YEAR <1990]");
            ap1.selectXPath("TITLE");
            ap2.selectXPath("ARTIST");
            ap3.selectXPath("PRICE");
            ap4.selectXPath("YEAR");
            if (vg.parseFile(fileName, false))
            {
                VTDNav vn = vg.getNav();
                ap0.bind(vn);
                ap1.bind(vn);
                ap2.bind(vn);
                ap3.bind(vn);
                ap4.bind(vn);
                while (ap0.evalXPath() != -1)
                {
                    CDRecord cdr = new CDRecord();
                    cdr.title = ap1.evalXPathToString();
                    cdr.artist = ap2.evalXPathToString();
                    cdr.price = ap3.evalXPathToNumber();
                    // evalXPathToNumber evaluates to a double
                    cdr.year = (int)ap4.evalXPathToNumber();
                    al.Add(cdr);
                }
                ap0.resetXPath();
            }
            return al;
        }
        public static void Main(String[] args)
        {
            XMLBinder xb = new XMLBinder();
            ArrayList al = xb.bind("d:/codeProject/app1/bind1/bind1/catalog.xml");
            IEnumerator ie = al.GetEnumerator();
            //Iterator it = al.Iterator();
            while (ie.MoveNext())
            {
                CDRecord cdr = (CDRecord)ie.Current;
                Console.WriteLine("===================");
                Console.WriteLine("TITLE:  ==> " + cdr.title);
                Console.WriteLine("ARTIST: ==> " + cdr.artist);
                Console.WriteLine("PRICE:  ==> " + cdr.price);
                Console.WriteLine("YEAR:   ==> " + cdr.year);
            }
        }
    }
}

Read and Write

This part of the project deals with the same XML document, but the application logic lowers the "price" of each CD by 1. To that end, two changes are necessary: the CD record class file now has a new field (named priceIndex) containing the VTD index for the text node of "PRICE".

C#
using System;
using System.Collections.Generic;
using System.Text;
namespace bind1
{
    public class CDRecord
    {
        public String title;
        public String artist;
        public double price;
        public int year;
    }
}

The new "bind()" now accepts a VTDNav object as input, but returns the same array list. The main method invokes "bind(...)", iterates over the objects, and uses XMLModifer to create "cd_updated.xml".

C#
using System;
using System.Collections;
using System.Text;
using com.ximpleware;
namespace XMLBinder2
{
    class XMLBinder2
    {
        ArrayList bind(VTDNav vn)
        {
            ArrayList al = new ArrayList();
            AutoPilot ap0 = new AutoPilot();
            AutoPilot ap1 = new AutoPilot();
            AutoPilot ap2 = new AutoPilot();
            AutoPilot ap3 = new AutoPilot();
            AutoPilot ap4 = new AutoPilot();
            ap0.selectXPath("/CATALOG/CD[YEAR > 1982 and YEAR < 1990]");
            ap1.selectXPath("TITLE");  /*/CATALOG/CD[YEAR > 1982 and YEAR < 1990]/TITLE */
            ap2.selectXPath("ARTIST"); /* /CATALOG/CD[YEAR > 1982 and YEAR < 1990]/ARTIST */
            ap3.selectXPath("PRICE"); /* /CATALOG/CD[YEAR > 1982 and YEAR < 1990]/PRICE */
            ap4.selectXPath("YEAR"); /* /CATALOG/CD[YEAR > 1982 and YEAR < 1990]/YEAR */
            ap0.bind(vn);
            ap1.bind(vn);
            ap2.bind(vn);
            ap3.bind(vn);
            ap4.bind(vn);
            while (ap0.evalXPath() != -1)
            {
                CDRecord2 cdr = new CDRecord2();
                cdr.title = ap1.evalXPathToString();
                cdr.artist = ap2.evalXPathToString();
                vn.push();
                ap3.evalXPath();
                cdr.priceIndex = vn.getText();
                cdr.price = vn.parseDouble(cdr.priceIndex);
                ap3.resetXPath();
                vn.pop();
                cdr.year = (int)ap4.evalXPathToNumber();
                al.Add(cdr);
            }
            ap0.resetXPath();
            return al;
        }
        public static void Main(String[] args)
        {
            XMLBinder2 xb = new XMLBinder2();
            VTDGen vg = new VTDGen();
            XMLModifier xm = new XMLModifier();
            if (vg.parseFile("D:\\codeProject\\app1\\XMLBinder2" + 
                             "\\XMLBinder2\\catalog.xml", false))
            {
                VTDNav vn = vg.getNav();
                ArrayList al2 = xb.bind(vn);
                IEnumerator ie2 = al2.GetEnumerator();
                xm.bind(vn);
                while (ie2.MoveNext())
                {
                    CDRecord2 cdr = (CDRecord2)ie2.Current;  // reduce prices by 1
                    xm.updateToken(cdr.priceIndex, "" + (cdr.price - 1));
                }
                xm.output("D:\\codeProject\\app1\\XMLBinder2\\XMLBinder2\\cd_update.xml");
            }
        }
    }
}

The updated XML, containing the new prices, looks like the following:

XML
<CATALOG>
    <CD>
        <TITLE>Empire Burlesque</TITLE>
        <ARTIST>Bob Dylan</ARTIST>
        <COUNTRY>USA</COUNTRY>
        <COMPANY>Columbia</COMPANY>
        <PRICE>9.9</PRICE>
        <YEAR>1985</YEAR>
    </CD><br/> 
    <CD>
        <TITLE>Still Got the Blues</TITLE>
        <ARTIST>Gary More</ARTIST>
        <COUNTRY>UK</COUNTRY>
        <COMPANY>Virgin Records</COMPANY>
        <PRICE>10.20</PRICE>
        <YEAR>1990</YEAR>
      </CD>
    <CD>
        <TITLE>Hide Your Heart</TITLE>
        <ARTIST>Bonnie Tyler</ARTIST>
        <COUNTRY>UK</COUNTRY>
        <COMPANY>CBS Records</COMPANY>
        <PRICE>8.9</PRICE>
        <YEAR>1988</YEAR>
    </CD><br/> 
    <CD>
        <TITLE>Greatest Hits</TITLE>
        <ARTIST>Dolly Parton</ARTIST>
        <COUNTRY>USA</COUNTRY>
        <COMPANY>RCA</COMPANY>
        <PRICE>9.90</PRICE>
        <YEAR>1982</YEAR>
      </CD>
</CATALOG>

Read, Write, and Indexing

With the introduction of the native XML indexing feature since VTD-XML 2.0, you don't even have to parse the XML. If "catalog.xml" is pre-indexed, just load it up, and immediately, you can let the binding routine go to work! The main() can be quickly rewritten as follows, to entirely bypass parsing:

C#
using System;
using System.Collections.Generic;
using System.Text;
using System.Collections;
using com.ximpleware;
namespace XMLBinder3
{
    class XMLBinder3
    {
        // convert an XML file into a .vxl file here
        void indexDocument(String XMLFileName, String indexName)
        {
            VTDGen vg = new VTDGen();
            if (vg.parseFile(XMLFileName, true))
            {
                vg.writeIndex(indexName);
            }
        }
        ArrayList bind(VTDNav vn)
        {
            ArrayList al = new ArrayList();
            AutoPilot ap0 = new AutoPilot();
            AutoPilot ap1 = new AutoPilot();
            AutoPilot ap2 = new AutoPilot();
            AutoPilot ap3 = new AutoPilot();
            AutoPilot ap4 = new AutoPilot();
            ap0.selectXPath("/CATALOG/CD[YEAR > 1982 and YEAR < 1990]");
            ap1.selectXPath("TITLE");  /*/CATALOG/CD[YEAR > 1982 and YEAR < 1990]/TITLE */
            ap2.selectXPath("ARTIST"); /* /CATALOG/CD[YEAR > 1982 and YEAR < 1990]/ARTIST */
            ap3.selectXPath("PRICE"); /* /CATALOG/CD[YEAR > 1982 and YEAR < 1990]/PRICE */
            ap4.selectXPath("YEAR"); /* /CATALOG/CD[YEAR > 1982 and YEAR < 1990]/YEAR */
            ap0.bind(vn);
            ap1.bind(vn);
            ap2.bind(vn);
            ap3.bind(vn);
            ap4.bind(vn);
            while (ap0.evalXPath() != -1)
            {
                CDRecord2 cdr = new CDRecord2();
                cdr.title = ap1.evalXPathToString();
                cdr.artist = ap2.evalXPathToString();
                vn.push();
                ap3.evalXPath();
                cdr.priceIndex = vn.getText();
                cdr.price = vn.parseDouble(cdr.priceIndex);
                ap3.resetXPath();
                vn.pop();
                cdr.year = (int)ap4.evalXPathToNumber();
                al.Add(cdr);
            }
            ap0.resetXPath();
            return al;
        }
        public static void Main(String[] args)
        {
            XMLBinder3 xb = new XMLBinder3();
            VTDGen vg = new VTDGen();
            XMLModifier xm = new XMLModifier();
            xb.indexDocument("D:\\codeProject\\app1\\XMLBinder3\\XMLBinder3\\catalog.xml",
                             "D:\\codeProject\\app1\\XMLBinder3\\XMLBinder3\\catalog.vxl");
            VTDNav vn = vg.loadIndex("D:\\codeProject\\app1\\" + 
                                     "XMLBinder3\\XMLBinder3\\catalog.vxl");
            ArrayList al2 = xb.bind(vn);
            IEnumerator ie2 = al2.GetEnumerator();
            xm.bind(vn);
            while (ie2.MoveNext())
            {
                CDRecord2 cdr = (CDRecord2)ie2.Current;  // reduce prices by 1
                xm.updateToken(cdr.priceIndex, "" + (cdr.price - 1));
            }
            xm.output("D:\\codeProject\\app1\\XMLBinder3\\XMLBinder3\\cd_update.xml");
        }
    }
}

Benefits

Adopting this new XML binding instantly turbo-charges your XML applications. Whether it is parsing, indexing, incremental update, or non-blocking XPath, or avoiding needless object creation, VTD-XML not only does so many things well, in many situations, VTD-XML is the only tool that at all meets the performance requirements for your next SOA project.

And, you also waved goodbye to all the schema related drawbacks. Your XML/SOA applications become far less likely to break, and much more resilient to changes.

In other words, it is official: the performance issue of XML is no more. Welcome to the age of SOA!

Conclusion

Hope this article has helped you understand the process and benefits of the new XML data binding. Fundamentally speaking, XML schema is a means to an end, not an end in itself. As you probably have seen, when XML processing is made simple enough, XML schemas are mostly a bad thing for data binding. Why create all those objects that are never used? Finding a good solution once again requires that we change the problem first. Your SOA success starts with the first step, at the foundation. By combining XPath with VTD-XML, your applications can now break free of XML schema, and achieve unrivaled efficiency and agility.

History

  • Initial posting on Feb 27, 2008.

License

This article, along with any associated source code and files, is licensed under The Code Project Open License (CPOL)


Written By
Chief Technology Officer XimpleWare
United States United States
Jimmy Zhang is a cofounder of XimpleWare, a provider of high performance XML processing solutions. He has working experience in the fields of electronic design automation and Voice over IP for a number of Silicon Valley high-tech companies. He holds both a BS and MS from the department of EECS from U.C. Berkeley.

Comments and Discussions

 
General[Message Removed] Pin
Mojtaba Vali24-May-08 23:24
Mojtaba Vali24-May-08 23:24 
GeneralRe: a very useful article Pin
Jimmy Zhang25-May-08 7:38
Jimmy Zhang25-May-08 7:38 
QuestionIs there a way so that I can mandate my XML document Structure via VTD-XML? Pin
AnandChavali27-Feb-08 19:44
AnandChavali27-Feb-08 19:44 
AnswerRe: Is there a way so that I can mandate my XML document Structure via VTD-XML? Pin
Jimmy Zhang28-Feb-08 8:12
Jimmy Zhang28-Feb-08 8:12 
GeneralRe: Is there a way so that I can mandate my XML document Structure via VTD-XML? Pin
AnandChavali28-Feb-08 19:53
AnandChavali28-Feb-08 19:53 
May be I have not framed my question properly. Here is my actual doubt:

I can validate a XML file using schema using C# with few lines of code, with out actually doing all the circus myself.

How can this be achieved in your case?

Thanks and Regards,
Anand.

GeneralRe: Is there a way so that I can mandate my XML document Structure via VTD-XML? Pin
Jimmy Zhang1-Mar-08 9:33
Jimmy Zhang1-Mar-08 9:33 
AnswerRe: Is there a way so that I can mandate my XML document Structure via VTD-XML? Pin
User 246299114-Aug-08 0:59
professionalUser 246299114-Aug-08 0:59 

General General    News News    Suggestion Suggestion    Question Question    Bug Bug    Answer Answer    Joke Joke    Praise Praise    Rant Rant    Admin Admin   

Use Ctrl+Left/Right to switch messages, Ctrl+Up/Down to switch threads, Ctrl+Shift+Left/Right to switch pages.