Reading XML with SAX

SAX is a public domain de-facto standard Java API for reading XML documents. Qt's SAX classes are modeled after the SAX2 Java implementation, with some differences in naming to match the Qt conventions. For more information about SAX, see http://www.saxproject.org/.

Qt provides a SAX-based non-validating XML parser called QXmlSimpleReader. This parser recognizes well-formed XML and supports XML namespaces. When the parser goes through the document, it calls virtual functions in registered handler classes to indicate parsing events. (These "parsing events" are unrelated to Qt events, such as key and mouse events.) For example, let's assume the parser is analyzing the following XML document:


 Errare humanum est

The parser would call the following parsing event handlers:

startDocument()
startElement("doc")
startElement("quote")
characters("Errare humanum est")
endElement("quote")
endElement("doc")
endDocument()

The above functions are all declared in QXmlContentHandler. For simplicity, we omitted some of the arguments of startElement() and endElement().

QXmlContentHandler is just one of many handler classes that can be used in conjunction with QXmlSimpleReader. The others are QXmlEntityResolver, QXmlDTDHandler, QXmlErrorHandler, QXmlDeclHandler, and QXmlLexicalHandler. These classes only declare pure virtual functions and give information about different kinds of parsing events. For most applications, QXmlContentHandler and QXmlErrorHandler are the only two that are needed.

For convenience, Qt also provides QXmlDefaultHandler, a class that inherits (through multiple inheritance) from all the handler classes and that provides trivial implementations for all the functions. This design, with many abstract handler classes and one trivial subclass, is rather unusual for Qt; it was adopted to closely follow the model Java implementation.

We will now review an example that shows how to use QXmlSimpleReader and QXmlDefaultHandler to parse an ad-hoc XML file format and render its contents in a QListView. The QXmlDefaultHandler subclass is called SaxHandler, and the format it handles is that of a book index, with index entries and subentries.

Figure 14.1. Inheritance tree for SaxHandler

graphics/14fig01.gif

Here's the book index file that is displayed in the QListView in Figure 14.2:

Figure 14.2. A book index file loaded in a QListView

graphics/14fig02.gif



 
 10
 34-35
 307-308
 
 
 
 115
 244
 
 
 9
 
 

The first step to implement the parser is to subclass QXmlDefaultHandler:

class SaxHandler : public QXmlDefaultHandler
{
public:
 SaxHandler(QListView *view);

 bool startElement(const QString &namespaceURI,
 const QString &localName,
 const QString &qName,
 const QXmlAttributes &attribs);
 bool endElement(const QString &namespaceURI,
 const QString &localName,
 const QString &qName);
 bool characters(const QString &str);
 bool fatalError(const QXmlParseException &exception);

private:
 QListView *listView;
 QListViewItem *currentItem;
 QString currentText;
};

The SaxHandler class inherits QXmlDefaultHandler and reimplements four functions: startElement(), endElement(), characters(), and fatalError(). The first three functions are declared in QXmlContentHandler; the last function is declared in QXmlErrorHandler.

SaxHandler::SaxHandler(QListView *view)
{
 listView = view;
 currentItem = 0;
}

The SaxHandler constructor accepts the QListView we want to fill with the information stored in the XML file.

bool SaxHandler::startElement(const QString &, const QString &,
 const QString &qName,
 const QXmlAttributes &attribs)
{
 if (qName == "entry") {
 if (currentItem) {
 currentItem = new QListViewItem(currentItem);
 } else {
 currentItem = new QListViewItem(listView);
 }
 currentItem->setOpen(true);
 currentItem->setText(0, attribs.value("term"));
 } else if (qName == "page") {
 currentText = "";
 }
 return true;
}

The startElement() function is called when the reader encounters a new opening tag. The third parameter is the tag's name (or more precisely, its "qualified name"). The fourth parameter is the list of attributes. In this example, we ignore the first and second parameters. They are useful for XML files that use XML's namespace mechanism, a subject that is discussed in detail in the reference documentation.

If the tag is , we create a new QListView item. If the tag is nested within another tag, the new tag defines a subentry in the index, and the new QListViewItem is created as a child of the QListViewItem that represents the encompassing entry. Otherwise, we create the QListViewItem with listView as its parent, making it a top-level item. We call setOpen(true) on the item to show its children, and we call setText() to set the text shown in column 0 to the value of the tag's term attribute.

If the tag is , we set the currentText to be an empty string. The currentText serves as an accumulator for the text located between the and tags.

At the end, we return true to tell SAX to continue parsing the file. If we wanted to report unknown tags as errors, we would return false in those cases. We would then also reimplement errorString() from QXmlDefaultHandler to return an appropriate error message.

bool SaxHandler::characters(const QString &str)
{
 currentText += str;
 return true;
}

The characters() function is called to report character data in the XML document. We simply append the characters to the currentText variable.

bool SaxHandler::endElement(const QString &, const QString &,
 const QString &qName)
{
 if (qName == "entry") {
 currentItem = currentItem->parent();
 } else if (qName == "page") {
 if (currentItem) {
 QString allPages = currentItem->text(1);
 if (!allPages.isEmpty())
 allPages += ", ";
 allPages += currentText;
 currentItem->setText(1, allPages);
 }
 }
 return true;
}

The endElement() function is called when the reader encounters a closing tag. Just as with startElement(), the third parameter is the name of the tag.

If the tag is , we update the currentItem private variable to point to the current QListViewItem's parent. This ensures that the currentItem variable is restored to the value it held before the corresponding tag was read.

If the tag is , we add the specified page number or page range to the comma-separated list in the current item's text in column 1.

bool SaxHandler::fatalError(const QXmlParseException &exception)
{
 qWarning("Line %d, column %d: %s", exception.lineNumber(),
 exception.columnNumber(), exception.message().ascii());
 return false;
}

The fatalError() function is called when the reader fails to parse the XML file. If this occurs, we simply output a warning, giving the line number, the column number, and the parser's error text.

This completes the implementation of the SaxHandler class. Now let's see how we can make use of the class:

bool parseFile(const QString &fileName)
{
 QListView *listView = new QListView(0);
 listView->setCaption(QObject::tr("SAX Handler"));
 listView->setRootIsDecorated(true);
 listView->setResizeMode(QListView::AllColumns);
 listView->addColumn(QObject::tr("Terms"));
 listView->addColumn(QObject::tr("Pages"));
 listView->show();

 QFile file(fileName);
 QXmlSimpleReader reader;

 SaxHandler handler(listView);
 reader.setContentHandler(&handler);
 reader.setErrorHandler(&handler);
 return reader.parse(&file);
}

We set up a QListView with two columns. Then we create a QFile object for the file that is to be read and a QXmlSimpleReader to parse the file. We don't need to open the QFile ourselves; Qt does that automatically.

Finally, we create a SaxHandler object, we install it on the reader both as a content handler and as an error handler, and we call parse() on the reader to perform the parsing.

In SaxHandler, we only reimplemented functions from the QXmlContentHandler and QXmlErrorHandler classes. If we had implemented functions from other handler classes, we would also have needed to call their corresponding setter functions on the reader.

Part I: Basic Qt

Getting Started

Creating Dialogs

Creating Main Windows

Implementing Application Functionality

Creating Custom Widgets

Part II: Intermediate Qt

Layout Management

Event Processing

2D and 3D Graphics

Drag and Drop

Input/Output

Container Classes

Databases

Networking

XML

Internationalization

Providing Online Help

Multithreading

Platform-Specific Features



C++ GUI Programming with Qt 3
C++ GUI Programming with Qt 3
ISBN: 0131240722
EAN: 2147483647
Year: 2006
Pages: 140

Flylib.com © 2008-2020.
If you may any questions please contact us: flylib@qtcs.net