0

*编辑:好的,所以我要删除程序,而foreach (var elem in doc.Document.Descendants("Profiles"))需要“配置文件”的行。但是现在在我的 XML 文档中,每个删除的 Profile 元素都有一个空的 Profile 元素,所以如果 xml 示例中的所有项目(在问题的底部)都被删除,我只剩下这个:*

<?xml version="1.0" encoding="utf-8"?>
<Profiles>
  <Profile />
  <Profile />
</Profiles>

==========================下面的原始问题====================== ===========

我正在使用以下代码从 XML 文件中删除一个元素及其子元素,但在保存时并未将它们从文件中删除。有人可以让我知道为什么这是不正确的吗?

    public void DeleteProfile()
    {
        var doc = XDocument.Load(ProfileFile);
        foreach (var elem in doc.Document.Descendants("Profiles"))
        {
            foreach (var attr in elem.Attributes("Name"))
            {
                if (attr.Value.Equals(this.Name))
                    elem.RemoveAll();
            }
        }
        doc.Save(ProfileFile,
        MessageBox.Show("Deleted Successfully");
    }

编辑:下面的 XML 格式示例

<?xml version="1.0" encoding="utf-8"?>
<Profiles>
  <Profile Name="MyTool">
    <ToolName>PC00121</ToolName>
    <SaveLocation>C:\Users\13\Desktop\TestFolder1</SaveLocation>
    <Collections>True.True.True</Collections>
  </Profile>
  <Profile Name="TestProfile">
    <ToolName>PC10222</ToolName>
    <SaveLocation>C:\Users\14\Desktop\TestFolder2</SaveLocation>
    <Collections>True.False.False</Collections>
  </Profile>
</Profiles>
4

2 回答 2

3

我假设您想删除一个给定名称的配置文件:

private static void RemoveProfile(string profileFile, string profileName)
{
    XDocument xDocument = XDocument.Load(profileFile);
    foreach (var profileElement in xDocument.Descendants("Profile")  // Iterates through the collection of "Profile" elements
                                            .ToList())               // Copies the list (it's needed because we modify it in the foreach (when the element is removed)
    {
        if (profileElement.Attribute("Name").Value == profileName)   // Checks the name of the profile
        {
            profileElement.Remove();                                 // Removes the element
        }
    }
    xDocument.Save(profileFile);
}

如果您只有一个空元素是因为您使用RemoveAll()(删除元素的后代和属性)而不是Remove()(从其父元素中删除它自己的元素)。

您甚至可以通过在 LINQ 查询中将其if替换为 a来删除它:where

foreach (var profileElement in (from profileElement in xDocument.Descendants("Profile")      // Iterates through the collection of "Profile" elements
                                where profileElement.Attribute("Name").Value == profileName  // Checks the name of the profile
                                select profileElement).ToList())                             // Copies the list (it's needed because we modify it in the foreach (when the element is removed)
    profileElement.Remove();  // Removes the element

xDocument.Save(profileFile);
于 2013-07-24T17:51:36.603 回答
0
....
foreach (var elem in doc.Document.Descendants("Profiles"))
{
    foreach (var attr in elem.Attributes("Name"))
    {
           if (attr.Value.Equals(this.Name))
               TempElem = elem;
    }
}
TempElem.Remove();
...

我是哑巴,这解决了一切

于 2013-07-24T18:01:24.307 回答