Deleting XML using a selected Xpath and a for loop

懵懂的女人 提交于 2019-12-07 00:01:06

问题


I currently have the following code:

XPathNodeIterator theNodes = theNav.Select(theXPath.ToString());

while (theNodes.MoveNext())
{
    //some attempts i though were close
    //theNodes.RemoveChild(theNodes.Current.OuterXml);
    //theNodes.Current.DeleteSelf();
}

I have set xpath to what I want to return in xml and I want to delete everything that is looped. I have tried a few ways of deleting the information but it does't like my syntax. I found an example on Microsoft support: http://support.microsoft.com/kb/317666 but I would like to use this while instead of a for each.

Any comments or questions are appreciated.


回答1:


string nodeXPath = "your x path";

XmlDocument document = new XmlDocument();
document.Load(/*your file path*/);

XmlNode node = document.SelectSingleNode(nodeXPath);
node.RemoveAll();

XmlNode parentnode = node.ParentNode;
parentnode.RemoveChild(node);
document.Save("File Path");



回答2:


Why not to use XDocument?

var xmlText = "<Elements><Element1 /><Element2 /></Elements>";
var document = XDocument.Parse(xmlText);

var element = document.XPathSelectElement("Elements/Element1");
element.Remove();

var result = document.ToString();

result will be <Elements><Element2 /></Elements>.

Or:

var document = XDocument.Load(fileName);

var element = document.XPathSelectElement("Elements/Element1");
element.Remove();

document.Savel(fileName);

[Edit] For .NET 2, you can use XmlDocument:

XmlDocument document = new XmlDocument();
document.Load(fileName);

XmlNode node = document.SelectSingleNode("Elements/Element1");
node.ParentNode.RemoveChild(node);

document.Save(fileName);

[EDIT]

If you need to remove all child elements and attributes:

XmlNode node = document.SelectSingleNode("Elements");
node.RemoveAll();

If you need to keep attributes, but delete elements:

XmlNode node = document.SelectSingleNode("Elements");
foreach (XmlNode childNode in node.ChildNodes)
    node.RemoveChild(childNode);



回答3:


You can use XmlDocument:

string nodeXPath = "your x path";

XmlDocument document = new XmlDocument();
document.Load(/*your file path*/);//or document.LoadXml(...

XmlNode node = document.SelectSingleNode(nodeXPath);

if (node.HasChildNodes)
{
    //note that you can use node.RemoveAll(); it will remove all child nodes, but it will also remove all node' attributes.

    for (int childNodeIndex = 0; childNodeIndex < node.ChildNodes.Count; childNodeIndex++)
    {
        node.RemoveChild(node.ChildNodes[childNodeIndex]);
    }
}

document.Save("your file path"));


来源:https://stackoverflow.com/questions/6500989/deleting-xml-using-a-selected-xpath-and-a-for-loop

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!