0

我对moveToAttributePHPXMLReader类的方法有疑问。
我不想阅读 XML 文件的每一行。我希望能够遍历 XML 文件,而不是按顺序进行;也就是随机访问。我认为 usingmoveToAttribute会将光标移动到具有指定属性值的节点,然后我可以在其中对其内部节点进行处理,但这并没有按计划进行。

这是 xml 文件的片段:

<?xml version="1.0" encoding="Shift-JIS"?>
    <CDs>
        <Cat Type="Rock">
            <CD>
                <Name>Elvis Prestley</Name>
                <Album>Elvis At Sun</Album>
            </CD>
            <CD>
                <Name>Elvis Prestley</Name>
                <Album>Best Of...</Album>
            </CD>
        </Cat>
        <Cat Type="JazzBlues">
            <CD>
                <Name>B.B. King</Name>
                <Album>Singin' The Blues</Album>
            </CD>
            <CD>
                <Name>B.B. King</Name>
                <Album>The Blues</Album>
            </CD>
        </Cat>
    </CDs>

这是我的PHP代码:

<?php

    $xml = new XMLReader();
    $xml->open("MusicCatalog.xml") or die ("can't open file");
    $xml->moveToAttribute("JazzBlues");

    print $xml->nodeType . PHP_EOL; // 0
    print $xml->readString() . PHP_EOL; // blank ("")
?>

关于 moveToAttribute,我做错了什么?如何使用节点的属性随机访问节点?我想以节点Cat Type="JazzBlues"为目标而不按顺序执行(即 $xml->read()),然后处理其内部节点。

非常感谢。

4

1 回答 1

1

我认为没有办法避免 XMLReader::read。XMLreader::moveToAttribute 仅在 XMLReader 已经指向一个元素时才有效。此外,您还可以检查 XMLReader::moveToAttribute 的返回值以检测可能的故障。也许尝试这样的事情:

<?php
$xml = new XMLReader();
$xml->open("MusicCatalog.xml") or die ("can't open file");
while ($xml->read() && xml->name != "Cat"){ }
//the parser now found the "Cat"-element
//(or the end of the file, maybe you should check that)
//and points to the desired element, so moveToAttribute will work
if (!$xml->moveToAttribute("Type")){
    die("could not find the desired attribute");
}
//now $xml points to the attribute, so you can access the value just by $xml->value
echo "found a 'cat'-element, its type is " . $xml->value;
?>

这段代码应该打印文件中第一个猫元素的类型属性的值。我不知道你想对文件做什么,所以你必须改变你的想法的代码。要处理内部节点,您可以使用:

<?php
//continuation of the code above
$depth = $xml->depth;
while ($xml->read() && $xml->depth >= $depth){
    //do something with the inner nodes
}
//the first time this Loop should fail is when the parser encountered
//the </cat>-element, because the depth inside the cat-element is higher than
//the depth of the cat-element itself
//maybe you can search for other cat-nodes here, after you processed one

我不能告诉你,如何为随机访问示例重写这段代码,但我希望能帮助你。

于 2013-10-16T12:21:36.240 回答