Click here to Skip to main content
15,885,216 members
Articles / Programming Languages / C#

XML Pathfinder – A C# Utility

Rate me:
Please Sign up or sign in to vote.
3.57/5 (4 votes)
26 Feb 2008CPOL5 min read 48.4K   31   5
This article discusses the construction of a simple utility that may be used to locate and evaluate paths within an XML document, and to test queries against those paths.

Introduction

This article discusses the construction of a simple utility that may be used to locate and evaluate paths within an XML document, and to test queries against those paths. The application allows the user to open an XML document into a TreeView control for easy viewing of the structure; the user may right click on any node within the TreeView to expose a context menu that will allow the user to copy the current path to that node. The user may then open a test window up and paste the copied path into an expression text box. Once the path has been pasted into the text box, the user may test the path directly, or may edit the path and test the edit.

The project includes a collection of sample XML documents which may be used to try out the application.

To use the application, open the main form and use the file menu to open an XML document. The document will be displayed in the main form using a TreeView control. The user may click on any node in the TreeView and the path to that node as well as the node type will be displayed in the status bar at the bottom of the window. The user may right click on any selected node and select from one of three options:

  1. Copy only the text contained in the current node
  2. Copy the path to the node formatted as a query for that attribute value, and
  3. Copy the full path exactly as it is

XML_Pathfinder/image001.png

Figure 1: Context Menu

XML_Pathfinder/image002.png

Figure 2: The Main Form

XML_Pathfinder/image003.png

Figure 3: The Test Form (Example shows use
of the “Copy Full Path to Query an Attribute” context menu option)

XML_Pathfinder/image004.png

Figure 4: Editing a path manually to test alternative paths
(“/description” added to path shown in Figure 3)

The intent of the application was to provide a simple tool that may be used to test paths for XPath based queries; it is intended to simplify viewing the XML and to make it easier to identify specific paths within an XML document.

Getting Started

In order to get started, unzip the included project and open the solution in the Visual Studio 2005 environment. In the solution explorer, you should note these files:

XML_Pathfinder/image005.png

Figure 3: Solution Explorer

The Main Form (frmXmlPathfinder.cs)

The main form is used to open XML documents and to display them in TreeView format; form also provides the interface necessary to copy node paths and to open a test window which may be used to test XPath based queries against the XML document’s content. The code is annotated and should be easy enough to follow from the descriptions provided:

If you’d care to open the code view up in the IDE, you will see that the code file begins as follows:

C#
using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Linq;
using System.Text;
using System.Windows.Forms;
using System.Xml;
using System.Xml.XPath;

The imports are primarily per the default configuration for a Windows application; the System.Xml and System.Xml.XPath library import are the only departure from the default.

Following the imports, the namespace and class are defined and a constructor added. A local string variable is declared and used to hold the path to the XML document.

C#
namespace XmlPathfinder
{
    /// <summary>
    /// A simple utility to find paths in an xml document
    /// </summary>
    public partial class frmXmlPathfinder : Form
    {
        // private member variables
        private string mFilePath;  // the file of interest

        public frmXmlPathfinder()
        {
            InitializeComponent();

            // init the file path as empty
            mFilePath = string.Empty;
        }

Next up is the method used to exit the application.

C#
/// <summary>
/// Exit the application
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void tspExit_Click(object sender, EventArgs e)
{
    Application.Exit();
}

The next section of the code is used to load the XML document into the TreeView control.

C#
/// <summary>
/// Write the xml document into a treeview to make 
/// easier to read and navigate, starting with the top
/// of the document, the method uses recursion to
/// populate the treeview with all the child nodes
/// </summary>
/// <param name="currentNode"></param>
/// <param name="nodCollection"></param>
private void PushToTreeView(XmlNode currentNode, TreeNodeCollection 
                            nodCollection)
{
    // add a
    TreeNode insertNode = nodCollection.Add(currentNode.Name);

    switch (currentNode.NodeType)
    {
    case XmlNodeType.Element:
        insertNode.Text = currentNode.Name;
        insertNode.Tag = "Element";
        insertNode.ImageIndex = 1;
        break;
    case XmlNodeType.Attribute:
        insertNode.Text = "@" + currentNode.Name;
        insertNode.Tag = "Attribute";
        insertNode.ImageIndex = 2;
        break;
    case XmlNodeType.Text:
        insertNode.Text = currentNode.Value;
        insertNode.Tag = "Text";
        insertNode.ImageIndex = 3;
        break;
    case XmlNodeType.CDATA:
        insertNode.Text = currentNode.Value;
        insertNode.Tag = "CDATA";
        insertNode.ImageIndex = 4;
        break;
    case XmlNodeType.Comment:
        insertNode.Text = currentNode.Value;
        insertNode.Tag = "Comment";
        insertNode.ImageIndex = 5;
        break;
    case XmlNodeType.Entity:
        insertNode.Text = currentNode.Value;
        insertNode.Tag = "Entity";
        insertNode.ImageIndex = 6;
        break;
    case XmlNodeType.Notation:
        insertNode.Text = currentNode.Value;
        insertNode.Tag = "Notation";
        insertNode.ImageIndex = 7;
        break;
    default:
        break;
    }

    // recursive stuff
    // check the current node for attributes
    if (currentNode.Attributes != null && 
        currentNode.Attributes.Count > 0)
    {
        // write out the attributes to the treeview
        foreach (XmlAttribute attribute in currentNode.Attributes)
        {
            PushToTreeView(attribute, insertNode.Nodes);
        }
    }

    // check the current node for child nodes
    if (currentNode.HasChildNodes)
    {
        // write out the child nodes to the treeview
        foreach (XmlNode childNode in currentNode.ChildNodes)
        {
            PushToTreeView(childNode, insertNode.Nodes);
        }
    }
}

The next method is used to load up a new XML document into the form.

C#
/// <summary>
/// Open a new xml document
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void tspOpen_Click(object sender, EventArgs e)
{
    try
    {
        openFileDialog1.Title = "Open XML File";
        openFileDialog1.Filter = "XML Files|*.xml";
        openFileDialog1.DefaultExt = "XML";
        openFileDialog1.FileName = "";

        openFileDialog1.ShowDialog();

        if (openFileDialog1.FileName == "")
            return;

        // set the file path member var
        mFilePath = openFileDialog1.FileName;

        // Clear the treeview.
        treeXml.Nodes.Clear();

        // set the wait cursor
        this.Cursor = Cursors.WaitCursor;

        // create a new xml doc
        XmlDocument doc = new XmlDocument();

        try
        {
            // load the xml doc
            doc.Load(mFilePath);

            // set the form text to include
            // the file name
            this.Text = "XML Pathfinder - " + mFilePath;

            // return the cursor
            this.Cursor = Cursors.Default;
        }
        catch (Exception ex1)
        {
            // return the cursor
            this.Cursor = Cursors.Default;

            // tell a story
            MessageBox.Show(ex1.Message);
            return;
        }

        // open the doc into the treeview for 
        // inspection
        PushToTreeView(doc, treeXml.Nodes);

        // restore the cursor
        this.Cursor = Cursors.Default;

    }
    catch (Exception ex2)
    {
        // snitch
        MessageBox.Show(ex2.Message, "Unable to Open Document");
    }
}

The next bit of code is used display the selected node’s path within the context of the XML document; the path shown is a cleaned up version of what appears in the TreeView. This code will display both the path as well as the selected node’s type (e.g., Element or Attribute).

C#
/// <summary>
/// Display the path and the node type in the
/// status bar
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void treeXml_AfterSelect(object sender, TreeViewEventArgs e)
{
    try
    {
        string tmp = treeXml.SelectedNode.FullPath;
        tmp = tmp.Replace("#document", "/");

        // show the path in the status bar
        statusPath.Text = "Selected Path: " + tmp;

        // show the selected node type in the status bar
        statusType.Text = "     Selected Type: " + 
            treeXml.SelectedNode.Tag;
    }
    catch { }
}

The next three methods are used to format the path and to copy it into the clipboard making it possible to then paste the selected path directly into the expression test text box on the test form.

C#
/// <summary>
/// Copy the node text to the clipboard
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void copyTextToClipboardToolStripMenuItem_Click(object 
                                                        sender, EventArgs e)
{
    string tmp = treeXml.SelectedNode.Text;
    Clipboard.SetDataObject(tmp, true);
}


/// <summary>
/// Copy the node's full path to the clipboard
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void copyFullPathToolStripMenuItem_Click(object sender, 
                                                 EventArgs e)
{
    try
    {
        // clean #document off the path
        string tmp = treeXml.SelectedNode.FullPath;
        tmp = tmp.Replace("#document", "/");

        // check to see if there is an attribute present;
        // you'd likely query the attribute; this can
        // get hosed if the user selects this option and
        // has not clicked on an attribute's value
        int pos = 0;
        pos = tmp.LastIndexOf('@');
        pos = pos - 1;

        if (pos != 0)
        {
            tmp = tmp.Remove(pos, 1);
            tmp = tmp.Insert(pos, "[");

            int posSlash = 
                treeXml.SelectedNode.FullPath.LastIndexOf('/');

            if (posSlash < pos)
            {
                tmp += "='KeyValueHere']";
            }
            else
            {
                tmp = tmp.Remove(posSlash-8,1);
                tmp = tmp.Insert(posSlash-8, "='");
                tmp += "']";
            }
        }

        Clipboard.SetDataObject(tmp, true);
    }
    catch 
    {
        // if it fails, just select the selected node's
        // full path
        string tmp = treeXml.SelectedNode.FullPath;
        tmp = tmp.Replace("#document", "/");

        // put it in the clip board
        Clipboard.SetDataObject(tmp, true);
    }
}

/// <summary>
/// Copy the selected node's full path as is.
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void copyFullPathAsIsToolStripMenuItem_Click(object sender, 
                                                     EventArgs e)
{
    try
    {
        // clean #document off the path
        string tmp = treeXml.SelectedNode.FullPath;
        tmp = tmp.Replace("#document", "/");

        Clipboard.SetDataObject(tmp, true);
    }
    catch
    {
        // do nothing
    }
}

The last two methods in the main form are used to either open a help window or to open a test window.

C#
/// <summary>
/// Open up a test window and pass in the current
/// xml file
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void openTestWindowToolStripMenuItem_Click(object sender, 
                                                   EventArgs e)
{
    if (mFilePath != string.Empty)
    {
        frmTest f = new frmTest(mFilePath);
        f.Show();
    }
    else
    {
        MessageBox.Show("Open an xml document prior to starting a 
            test.", "Invalid File");
    }
}

/// <summary>
/// Show the help file
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void helpToolStripMenuItem1_Click(object sender, EventArgs e)
{
    frmHelp f = new frmHelp();
    f.ShowDialog();
}

The Text Form (frmTest.cs)

The test form is used to test paths within open XML documents and to display of any XPath type queries executed against the XML document.

If you’d care to open the code view up in the IDE, you will see that the code file begins as follows:

C#
using System;
using System.Collections.Generic;
using System.ComponentModel;
using System.Data;
using System.Drawing;
using System.Linq;
using System.Text;
using System.Windows.Forms;
using System.Xml;
using System.Xml.XPath;

The imports are primarily per the default configuration for a Windows application; the System.Xml and System.Xml.XPath library import are the only departure from the default.

Following the imports, the namespace and class are defined and a constructor added. A local string variable is declared and used to hold the path to the XML document.

C#
namespace XmlPathfinder
{
    public partial class frmTest : Form
    {
        // the document opened for examination
        XmlDocument doc = new XmlDocument();

        public frmTest(string filePath)
        {
            InitializeComponent();    

            // load the file upon init
            try
            {
                doc.Load(filePath);
                this.Text = "Testing - " + filePath;
            }
            catch (Exception ex)
            {

                MessageBox.Show(ex.Message, "Open File Error");
                return;
            }
        }

The next bit of code is the button click event handler for the test itself. This code uses the expression text box content as path; whatever is captured from the resulting query is displayed in the result section of the form. This is accomplished by creating an XPathNavigator and using the XML document’s CreateNavigator method. Once the navigator is declared, we can send the expression search term directly to the navigator’s select method to test it.

C#
/// <summary>
/// Use XPath to search for the path/values
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void btnTest_Click(object sender, EventArgs e)
{
    rtbResults.Text = string.Empty;

    // get an xpath navigator   
    XPathNavigator navigator = doc.CreateNavigator();

    // contain the results in a stringbuilder
    StringBuilder sb = new StringBuilder();

    try
    {
        // look for the path and use iterator to get the results
        XPathNodeIterator nodes = 
            navigator.Select(txtTestExpression.Text);

        while (nodes.MoveNext())
        {
            XPathNavigator node = nodes.Current;

            // depending upon which radio button is checked,
            // write the results to the string builder
            if (optInnerXml.Checked == true)
            {
                sb.Append(node.InnerXml + Environment.NewLine);
            }
            else if (optOuterXml.Checked == true)
            {
                sb.Append(node.OuterXml + Environment.NewLine);
            }
            else
            {
                sb.Append(node.Value + Environment.NewLine);
            }
        }
    }
    catch (Exception ex)
    {
        MessageBox.Show(ex.Message, "XPath Error");
    }

    // post any results to the results box
    rtbResults.Text = sb.ToString();
}

The last bit of the class is used to close the form.

C#
/// <summary>
/// close the form, not the application
/// </summary>
/// <param name="sender"></param>
/// <param name="e"></param>
private void btnClose_Click(object sender, EventArgs e)
{
    this.Dispose();
}

The only remaining forms are used to display the help. The help file contains access to an RTF document which contains instructions and samples.

Summary

This application was provided as a starter utility application that may be used to evaluate paths when writing XPath based queries against an existing XML document.

License

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


Written By
Software Developer (Senior)
United States United States
This member has not yet provided a Biography. Assume it's interesting and varied, and probably something to do with programming.

Comments and Discussions

 
GeneralShowing exact path Pin
kivas12-Aug-08 10:05
kivas12-Aug-08 10:05 
GeneralXml Notepad 2007 Pin
Christian Rodemeyer6-Mar-08 8:06
professionalChristian Rodemeyer6-Mar-08 8:06 
GeneralPlease mention about xpath capabilities! Pin
drweb865-Mar-08 5:02
drweb865-Mar-08 5:02 
QuestionNo downloadable project? Pin
Barnabasje26-Feb-08 20:55
Barnabasje26-Feb-08 20:55 
GeneralJava applet with similar concept Pin
Jimmy Zhang26-Feb-08 17:53
Jimmy Zhang26-Feb-08 17:53 

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.