以下のようにXMLを持つノードを持つXElementを作成しました。
「conditions」ノードが含まれている場合、すべての「Rule」ノードを削除します。
以下のように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>
「conditions」ノードが含まれている「Rule」ノードをすべて削除するにはどうすればよいですか?
あなたはこのアプローチを試すことができます:
var nodes = xRelation.Elements().Where(x => x.Element("Conditions") != null).ToList();
foreach(var node in nodes)
node.Remove();
基本的な考え方:現在反復しているコレクションの要素を削除することはできません。
最初に、削除するノードのリストを作成してから、これらのノードを削除する必要があります。
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();
}
passiveLead.DataXml.Descendants("Conditions").Remove();
私はあなたのために小さな例を作りました:
XDocument document = XDocument.Parse(GetXml());
var rulesNode = document.Element("Rules");
if (rulesNode != null)
{
rulesNode.Elements("Rule").Where(r => r.Element("Conditions") != null).Remove();
}
var el = xRelation.XPathSelectElement("/Rules/Rule/Conditions");
while (el != null)
{
el.Remove();
el = xRelation.XPathSelectElement("/Rules/Rule/Conditions");
}