从XML中删除所有与PHP节点中的特定字符串匹配的元素

时间:2019-03-15 20:17:30

标签: php xml dom simplexml

我需要使用PHP删除一些与XML上的特定字符串匹配的元素,我想我可以通过阅读DOM来做到这一点。问题出在使用多个字符串。

我有这个XML:

<?xml version="1.0" encoding="utf-8"?>
<products>
  <item>
    <reference>00001</reference>
    <other_string>PRODUCT 1</other_string>
    <brand>BRAND 1</brand>
  </item>
  <item>
    <reference>00002</reference>
    <other_string>PRODUCT 2</other_string>
    <brand>BRAND 2</brand>
  </item>
  <item>
    <reference>00003</reference>
    <other_string>PRODUCT 3</other_string>
    <brand>BRAND 3</brand>
  </item>
  <item>
    <reference>00004</reference>
    <other_string>PRODUCT 4</other_string>
    <brand>BRAND 4</brand>
  </item>
  <item>
    <reference>00005</reference>
    <other_string>PRODUCT 5</other_string>
    <brand>BRAND 5</brand>
  </item>
</products>

我需要删除<brand></brand>标签上与字符串“ BRAND 3和BRAND 4”匹配的元素,并获得与此类似的XML

<?xml version="1.0" encoding="utf-8"?>
<products>
  <item>
    <reference>00001</reference>
    <other_string>PRODUCT 1</other_string>
    <brand>BRAND 1</brand>
  </item>
  <item>
    <reference>00002</reference>
    <other_string>PRODUCT 2</other_string>
    <brand>BRAND 2</brand>
  </item>
  <item>
    <reference>00005</reference>
    <other_string>PRODUCT 5</other_string>
    <brand>BRAND 5</brand>
  </item>
</products>

我们将不胜感激任何帮助。

2 个答案:

答案 0 :(得分:1)

再次使用XPath,但这一次也使用它来对节点进行过滤,然后将其删除...

$xml = simplexml_load_file("data.xml");

$remove = $xml->xpath("//item[brand='BRAND 3' or brand='BRAND 4']");
foreach ( $remove as $item )    {
    unset($item[0]);
}

XPath //item[brand='BRAND 3' or brand='BRAND 4']只是在寻找具有<item>元素且包含BRAND 3或BRAND 4的任何<brand>元素。这将循环匹配并删除它们。使用$item[0]是一种取消设置XML元素而不是取消设置正在使用的变量的愚蠢行为。

答案 1 :(得分:0)

最困难的部分是删除元素。因此,您可以看看this answer

首先使用xPath('//brand')获得所有品牌。然后删除与您的过滤规则匹配的项目。

$sXML = simplexml_load_string($xml);
$brands = $sXML->xPath('//brand');

function filter(string $input) {
    switch ($input) {
        case 'BRAND 3':
        case 'BRAND 4':
            return true;
        default:
            return false;
    }
}

array_walk($brands, function($brand) {
    $content = (string) $brand;
    if (filter($content)) {
        $item = $brand->xPath('..')[0];
        unset($item[0]);
    }
});

var_dump($sXML->asXML());