0

非常简单——有什么方法可以使用 SimpleXML 访问处理指令节点的数据?我知道 SimpleXML 很简单。因此,它有许多限制,主要是使用混合内容节点。

一个例子:

Test.xml

<test>
    <node>
        <?php /* processing instructions */ ?>
    </node>
</test>

Parse.php

$test = simplexml_load_file('Test.xml');
var_dump($test->node->php); // dumps as a SimpleXMLElement, so it's sorta found,
                            // however string casting and explicitly calling
                            // __toString() yields an empty string

那么这仅仅是 SimpleXML 的简单性强加的技术限制,还是有办法?如有必要,我将过渡到 SAX 或 DOM,但 SimpleXML 会很好。

4

2 回答 2

1

您在此处访问的 SimpleXML 节点:

$test->node->php

不知何故,就是那个处理指令。但它也不知何故不是。只要没有其他同名元素,就可以更改处理指令的内容:

$test->node->php = 'Yes Sir, I can boogie. ';

$test->asXML('php://output');

这将创建以下输出:

<?xml version="1.0"?>
<test>
    <node>
        <?php Yes Sir, I can boogie. ?>
    </node>
</test>

该处理指令的原始值已被覆盖。

但是,仅写入该属性并不意味着您也可以访问它以进行读取。正如您自己发现的那样,这是一条单向的道路。

一般来说,在 SimpleXML 中,您应该考虑不存在处理指令。它们仍在文档中,但 SimpleXML 并没有真正提供对它们的访问权限。

DOMDocument 允许您这样做,它与 simplexml 一起工作:

$doc   = dom_import_simplexml($test)->ownerDocument;
$xpath = new DOMXPath($doc);

# prints "/* processing instructions */ ", the value of the first PI:

echo $xpath->evaluate('string(//processing-instruction("php")[1])');
于 2013-07-09T23:45:00.123 回答
1

问题是 < ? php? > 被认为是一个标签......所以它被解析成一个大标签元素。你需要这样做:

$xml = file_get_contents('myxmlfile.xml');
$xml = str_replace('<?php', '<![CDATA[ <?php', $xml);
$xml = str_replace('?>', '?> ]]>', $xml);
$xml = simplexml_load_string($xml, "SimpleXMLElement", LIBXML_NOCDATA);

我不完全确定这会奏效,但我认为它会。测试一下...

于 2011-12-29T15:31:22.303 回答