XDocument写重复的xml

时间:2013-08-31 11:06:40

标签: c# xml windows-phone-8 linq-to-xml

我有一个方法,它将XML加载到XDocument并修改其元素然后保存。 但是当我重装它。我收到了这个错误:

  

意外的XML声明。 XML声明必须是文档中的第一个节点,并且不允许在其前面出现空白字符。

我检查XML并看到XDocument没有保存更改但是创建了一个副本并保存。

它保存旧的和新的例子xml:

<?xml version="1.0" encoding="UTF-8"?>
<Ungdungs>
  <Ungdung>
    <Name>HERE City Lens</Name>
    <Id>b0a0ac22-cf9e-45ba-8120-815450e2fd71</Id>
    <Path>/Icon/herecitylens.png</Path>
    <Version>Unknown</Version>
    <Category>HERE</Category>
    <Date>Uknown</Date>
  </Ungdung>
<?xml version="1.0" encoding="UTF-8"?>
<Ungdungs>
  <Ungdung>
    <Name>HERE City Lens</Name>
    <Id>b0a0ac22-cf9e-45ba-8120-815450e2fd71</Id>
    <Path>/Icon/herecitylens.png</Path>
    <Version>1.0.0.0</Version>
    <Category>HERE</Category>
    <Date>Uknown</Date>
  </Ungdung>

这里是我用来修改和保存XML的代码:

using (Stream stream = storage.OpenFile("APPSDATA.xml", FileMode.Open, FileAccess.ReadWrite))
                {
                    //var xdoc = XDocument.Load("APPSDATA.xml");
                    var xdoc = XDocument.Load(stream, LoadOptions.None);
                    var listapp = from c in xdoc.Descendants("Ungdung") select c;

                    foreach (XElement app in listapp)
                    {
                        var xElement = app.Element("Name");
                        if (xElement != null)
                            progressIndicator.Text = "Checking " + xElement.Value + "...";
                        var element = app.Element("Id");
                        if (element != null)
                        {
                            var appId = element.Value;
                            var appVersion = await GetAppsVersion(appId);
                            app.Element("Version").Value = appVersion.ToString();
                        }
                    }

                    xdoc.Save(stream);
                }

我该如何解决这个问题?

1 个答案:

答案 0 :(得分:3)

您似乎在当前文件内容的末尾添加了修改过的文档。这就是为什么你以后不能解析它。

我会将读取部分拆分为不同的using语句:

XDocument xdoc;

using (Stream stream = storage.OpenFile("APPSDATA.xml", FileMode.Open, FileAccess.Read))
{
    xdoc = XDocument.Load(stream, LoadOptions.None);
}

var listapp = from c in xdoc.Descendants("Ungdung") select c;

foreach (XElement app in listapp)
{
    var xElement = app.Element("Name");
    if (xElement != null)
        progressIndicator.Text = "Checking " + xElement.Value + "...";
    var element = app.Element("Id");
    if (element != null)
    {
        var appId = element.Value;
        var appVersion = await GetAppsVersion(appId);
        app.Element("Version").Value = appVersion.ToString();
    }
}

using (Stream stream = storage.OpenFile("APPSDATA.xml", FileMode.Truncate, FileAccess.Write))
{
    xdoc.Save(stream);
}

在第二个FileMode.Truncate语句中设置using将清除以前的文件内容,应该解决您的问题。