.net 如何从XElement中删除特定的节点?

o2gm4chl  于 2022-12-14  发布在  .NET
关注(0)|答案(6)|浏览(193)

我已经创建了一个XElement,其节点包含如下XML。
如果“Rule”节点包含“conditions”节点,我想删除所有这些节点。
我创建了一个for循环,如下所示,但它不会删除我的节点

foreach (XElement xx in xRelation.Elements())
{
  if (xx.Element("Conditions") != null)
  {
    xx.Remove();
  }
}

样品:

<Rules effectNode="2" attribute="ability" iteration="1">
    <Rule cause="Cause1" effect="I">
      <Conditions>
        <Condition node="1" type="Internal" />
      </Conditions>
    </Rule>
    <Rule cause="cause2" effect="I">
      <Conditions>
        <Condition node="1" type="External" />
      </Conditions>
    </Rule>
</Rules>

如果“Rule”节点包含“conditions”节点,如何删除所有这些节点?

vsdwdz23

vsdwdz231#

您可以尝试以下方法:

var nodes = xRelation.Elements().Where(x => x.Element("Conditions") != null).ToList();

foreach(var node in nodes)
    node.Remove();

基本思想:不能删除当前正在迭代的集合中的元素。
因此,首先必须创建要删除的节点列表,然后删除这些节点。

mutmk8jj

mutmk8jj2#

您可以使用Linq:

xRelation.Elements()
     .Where(el => el.Elements("Conditions") == null)
     .Remove();

或者创建要删除的节点的副本,然后删除它们(如果第一种方法不起作用):

List nodesToDelete = xRelation.Elements().Where(el => el.Elements("Conditions") == null).ToList();

foreach (XElement el in nodesToDeletes)
{
    // Removes from its parent, but not nodesToDelete, so we can use foreach here
    el.Remove();
}
bn31dyow

bn31dyow3#

passiveLead.DataXml.Descendants("Conditions").Remove();

这将删除与XML文档的名称“Conditions”匹配的所有descendant元素。

6jjcrrmo

6jjcrrmo4#

我给你们举了个小例子:

XDocument document = XDocument.Parse(GetXml());
var rulesNode = document.Element("Rules");
if (rulesNode != null)
{
    rulesNode.Elements("Rule").Where(r => r.Element("Conditions") != null).Remove();
}
bd1hkmkf

bd1hkmkf5#

var el = xRelation.XPathSelectElement("/Rules/Rule/Conditions");
while (el != null)
{
      el.Remove();
      el = xRelation.XPathSelectElement("/Rules/Rule/Conditions");
}
sauutmhj

sauutmhj6#

只是一个想法:
反转Linq“条件”,您将得到一个没有“规则”节点的List

相关问题