我有一个xml文档,如下所示:
<Applications>
<myApp>
<add key="ErrorDestinationEventLog" value="EventLog" />
<add key="version" value="5.0.0.0" />
<add key="DebugMode_RUN" value="true" />
</myApp>
</Applications>
所有元素都具有相同的元素名称但属性不同。 如何在C#中使用XDocument从此xml中删除一个特定元素及其属性?
xd.Element("Applications").Element("myApp").Element(xe.Name).RemoveAll();
上述命令无效,因为所有元素都具有相同的名称。
除了它的名字之外,有没有办法识别一个元素? 如果是这样,我如何使用它将其从XDocument中删除?
答案 0 :(得分:23)
string key = "version";
XDocument xdoc = XDocument.Load(path_to_xml);
xdoc.Descendants("add")
.Where(x => (string)x.Attribute("key") == key)
.Remove();
更新你几乎完成了这项工作。您错过的是按属性值过滤元素。以下是过滤和删除所选元素的代码:
xd.Element("Applications")
.Element("myApp")
.Elements("add")
.Where(x => (string)x.Attribute("key") == key)
.Remove();
答案 1 :(得分:3)
xd.Descendants("add")
.First(a => a.Attribute("key").Value == "version")
.Remove();
如果myApp
下的Applications
以外的标签包含add
,您可能更喜欢更安全的版本
xd.Descendants("myApp").First()
.Descendants("add")
.Where(x => (string)x.Attribute("key") == "version")
.Remove();
您还可以使用 XPath (System.Xml.XPath)
string key="version";
xd.XPathSelectElement(String.Format("//myApp/add[@key='{0}']",key)).Remove();