无法从XML文档中删除所有子项(PHP)
无法从XML文档中删除所有子项
<?xml version="1.0" encoding="UTF-8"?>
<routes>
<route name="admin" />
<!---->
<route name="blog" bla bla/>
<route name="blog" bla bla/>
<route name="blog" bla bla/>
</routes>
$xml = simplexml_load_file('routes.xml');
$dom_sxe = dom_import_simplexml($xml); $dom = new DOMDocument('1.0'); $dom_sxe = $dom->importNode($dom_sxe, true); $dom_sxe = $dom->appendChild($dom_sxe); foreach ($dom->getElementsByTagName('route') as $route) { if($route->getAttribute('name') === 'blog') { $route->parentNode->removeChild($route); echo $route->getAttribute('name'); } } echo $dom->saveXML();
仅删除属性为博客
的2个元素解决方案
问题是您在循环文档时修改文档--有点像在foreach
循环中间修改数组。
$dom->getElementsByTagName
"returns a new instance of class DOMNodeList
"不仅仅是一个数组。因此,当循环循环时,它会在循环中检索元素;删除一个元素将扰乱其对现有内容的假设。
解决此问题的一种方法是在循环之前将整个匹配列表复制到一个普通数组中。有一个内置函数iterator_to_array()
可以一次完成所有这些操作--基本上,它对可迭代对象运行foreach
,并将值收集到一个数组中。
因此,最简单的解决方案(尽管不一定是最易读的)是更改此行:
foreach ($dom->getElementsByTagName('route') as $route)
至此:
foreach (iterator_to_array($dom->getElementsByTagName('route')) as $route)
Here's a live demo of the fixed code.
相关文章