Ниже приведена служебная функция, которую я использую для поиска узлов в QDomDocument
с использованием выражения XPath.Он использует класс QDomNodeModel
, предложенный @Alejandro, который можно загрузить с https://adared.ch/qdomnodemodel-qxmlquery.. Он основан на примере использования из https://www.qtcentre.org/threads/37645-QAbstractXmlNodeModel-implementation-QDomNodeModel-QXmlQuery. Благодаря Станиславу Адашевскому, который предоставил и класс QDomNodeModel
, и использованиепример.
В QDomNodeModel
есть несколько методов, которые прокомментированы как не реализованные.Однако для простого XML-содержимого, которое мне нужно было искать, QDomNodeModel
достаточно как есть.
//
/// @brief Search for nodes in a QDomDocument using an XPath.
/// @note I cannot return a QDomNodeList, because it has no public methods for adding items to it.
/// @param[in] doc The document to search.
/// @param[in] fromNode The node in the document to start searching from.
/// e.g., to search the whole document, use <code>doc.documentElement()</code>.
/// @param[in] xpath The XPath expression.
/// @return A list of found nodes.
//
QList<QDomNode> findNodes( QDomDocument const & doc, QDomNode const & fromNode, QString const & xpath )
{
qDebug( "%s", __FUNCTION__ );
QList<QDomNode> foundNodes;
//------------------------------
// The name pool that everybody shares.
QXmlNamePool pool;
//------------------------------
// The model that wraps the document.
QDomNodeModel model( pool, doc );
//------------------------------
// The query.
// XQuery10 means the default XQuery 1.0 language, as opposed to XSLT20.
QXmlQuery query( /*QXmlQuery::XQuery10,*/ pool );
// Operate on the given node.
QXmlNodeModelIndex fromIndex = model.fromDomNode( fromNode );
query.setFocus( QXmlItem( fromIndex ) );
// The query statement.
query.setQuery( xpath );
if ( !query.isValid() )
{
qDebug( "Query is not valid" );
return foundNodes;
}
//------------------------------
// The destination for the result of the query.
QXmlResultItems result;
//------------------------------
// Evaluate the query.
query.evaluateTo( &result );
if ( result.hasError() )
{
qDebug( "Query evaluation failed" );
return foundNodes;
}
//------------------------------
// The result of the query.
qDebug( "Query result:" );
while ( !result.next().isNull() )
{
QXmlNodeModelIndex index = result.current().toNodeModelIndex();
QDomNode node = model.toDomNode( index );
qDebug( " %d %s: %s", node.nodeType(), qPrintable( node.nodeName() ), qPrintable( node.nodeValue() ) );
foundNodes << node;
}
return foundNodes;
}
В моем приложении я загружаю XML-файл и использую вышеуказанную служебную функцию для его поиска.
//------------------------------
// The path of the XML file.
QString path = "settings.xml";
//------------------------------
// Open the file.
QFile file( path );
if ( !file.open( QIODevice::ReadOnly ) )
{
qDebug( "Failed to open '%s': %s", qPrintable( path ), qPrintable( file.errorString() ) );
return;
}
//------------------------------
// Load the file into a document.
QDomDocument doc;
QString error;
int line;
int column;
if ( !doc.setContent( &file, &error, &line, &column ) )
{
qDebug( "%s(%d,%d): %s", qPrintable( path ), line, column, qPrintable( error ) );
return;
}
//------------------------------
// The document root element.
QDomElement rootElem = doc.documentElement();
//------------------------------
// Search for an element whose name attribute has a certain value.
QString name = "Alice";
QString xpath = QString( "setting[@name='%1']" ).arg( name );
QList<QDomNode> foundNodes = findNodes( doc, rootElem, xpath );
//------------------------------
// Did I find it?
if ( foundNodes.size() > 0 )
{
QDomElement foundElem = foundNodes.at( 0 ).toElement();
// Do something with that element.
...
}
Пример содержимого XML для поиска.
<?xml version='1.0'?>
<settings>
<setting name="Bob">12</setting>
<setting name="Carol">34</setting>
<setting name="Ted">56</setting>
<setting name="Alice">78</setting>
</settings>