9

我正在使用 PHP DOM 扩展解析一些 XML,以便以其他形式存储数据。毫不奇怪,当我解析一个元素时,我经常需要获取某个名称的所有子元素。有方法DOMElement::getElementsByTagName($name),但它返回具有该名称的所有后代,而不仅仅是直接子代。还有一个属性DOMNode::$childNodes,但是(1)它包含节点列表,而不是元素列表,即使我设法将列表项转换为元素(2)我仍然需要检查所有它们的名称。真的没有优雅的解决方案来只获取某个特定名称的孩子,还是我在文档中遗漏了一些东西?

一些插图:

<?php

DOMDocument();
$document->loadXML(<<<EndOfXML
<a>
  <b>1</b>
  <b>2</b>
  <c>
    <b>3</b>
    <b>4</b>
  </c>
</a>
EndOfXML
);

$bs = $document
    ->getElementsByTagName('a')
    ->item(0)
    ->getElementsByTagName('b');

foreach($bs as $b){
    echo $b->nodeValue . "\n";
}

// Returns:
//   1
//   2
//   3
//   4
// I'd like to obtain only:
//   1
//   2

?>
4

3 回答 3

10

简单的迭代过程

$parent = $p->parentNode;

foreach ( $parent->childNodes as $pp ) {

    if ( $pp->nodeName == 'p' ) {

        if ( strlen( $pp->nodeValue ) ) {
            echo "{$pp->nodeValue}\n";
        }

    }

}
于 2015-06-26T17:28:53.697 回答
3

我可以想象的一种优雅方式是使用FilterIterator适合该工作的方式。能够处理这样的一个示例并且(可选地)接受一个标记名以作为来自迭代器花园DOMNodeList的示例进行过滤 :DOMElementFilter

$a = $doc->getElementsByTagName('a')->item(0);

$bs = new DOMElementFilter($a->childNodes, 'b');

foreach($bs as $b){
    echo $b->nodeValue . "\n";
}

这将给出您正在寻找的结果:

1
2

您现在可以DOMElementFilter在开发分支中找到。*允许任何标记名可能也是值得的getElementsByTagName("*")。但这只是一些评论。

Hier 是一个在线使用示例:https ://eval.in/57170

于 2013-10-24T15:17:29.013 回答
-1

我在生产中使用的解决方案:

在大海捞针(DOM)中找到一根针(节点)

function getAttachableNodeByAttributeName(\DOMElement $parent = null, string $elementTagName = null, string $attributeName = null, string $attributeValue = null)
{
    $returnNode = null;

    $needleDOMNode = $parent->getElementsByTagName($elementTagName);

    $length = $needleDOMNode->length;
    //traverse through each existing given node object
    for ($i = $length; --$i >= 0;) {

        $needle = $needleDOMNode->item($i);

        //only one DOM node and no attributes specified?
        if (!$attributeName && !$attributeValue && 1 === $length) return $needle;
        //multiple nodes and attributes are specified
        elseif ($attributeName && $attributeValue && $needle->getAttribute($attributeName) === $attributeValue) return $needle;
    }

    return $returnNode;
}

用法:

$countryNode = getAttachableNodeByAttributeName($countriesNode, 'country', 'iso', 'NL');

通过使用国家 ISO 代码“NL”的指定属性从父国家节点返回 DOM 元素iso,基本上就像真正的搜索一样。通过数组/对象中的名称查找某个国家/地区。

另一个使用示例:

$productNode = getAttachableNodeByAttributeName($products, 'partner-products');

返回仅包含单个(根)节点的 DOM 节点元素,不按任何属性进行搜索。注意:为此,您必须确保根节点通过元素的标签名称是唯一的,例如countries->country[ISO]-countries此处的节点是唯一的,并且是所有子节点的父节点。

于 2018-02-15T14:41:17.180 回答