我想通过使用php simplexml生成xml。
$xml = new SimpleXMLElement('<xml/>');
$output = $xml->addChild('child1');
$output->addChild('child2', "value");
$output->addChild('noValue', '');
Header('Content-type: text/xml');
print($xml->asXML());
输出是
<xml>
<child1>
<child2>value</child2>
<noValue/>
</child1>
</xml>
我想要的是如果标签没有值,它应该像这样显示
<noValue></noValue>
我尝试使用Turn OFF self-closing tags in SimpleXML for PHP?中的
LIBXML_NOEMPTYTAG
我已经尝试过
$xml = new SimpleXMLElement('<xml/>', LIBXML_NOEMPTYTAG);
,但是它不起作用。所以我不知道将LIBXML_NOEMPTYTAG
放在哪里 最佳答案
按照spec,LIBXML_NOEMPTYTAG
不适用于simplexml:
为了实现您所追求的目标,您需要将simplexml对象转换为DOMDocument对象:
$xml = new SimpleXMLElement('<xml/>');
$child1 = $xml->addChild('child1');
$child1->addChild('child2', "value");
$child1->addChild('noValue', '');
$dom_sxe = dom_import_simplexml($xml); // Returns a DomElement object
$dom_output = new DOMDocument('1.0');
$dom_output->formatOutput = true;
$dom_sxe = $dom_output->importNode($dom_sxe, true);
$dom_sxe = $dom_output->appendChild($dom_sxe);
echo $dom_output->saveXML($dom_output, LIBXML_NOEMPTYTAG);
返回:
<?xml version="1.0" encoding="UTF-8"?>
<xml>
<child1>
<child2>value</child2>
<noValue></noValue>
</child1>
</xml>
值得指出的是... NOEMPTYTAG选项可用于DOMDocument而不是simplexml的可能原因是,空元素不被视为有效XML,而DOM规范允许它们。您正在用力撞墙以获取无效的XML,这可能表明有效的自动关闭空元素也将正常工作。
关于php - 如何防止PHP SimpleXML中的自闭标签,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/19629379/