在C#中使用XDocument创建XML文件


83

我有一个List<string>“ sampleList”,其中包含

Data1
Data2
Data3...

文件结构就像

<file>
   <name filename="sample"/>
   <date modified ="  "/>
   <info>
     <data value="Data1"/> 
     <data value="Data2"/>
     <data value="Data3"/>
   </info>
</file>

我目前正在使用XmlDocument执行此操作。

例:

List<string> lst;
XmlDocument XD = new XmlDocument();
XmlElement root = XD.CreateElement("file");
XmlElement nm = XD.CreateElement("name");
nm.SetAttribute("filename", "Sample");
root.AppendChild(nm);
XmlElement date = XD.CreateElement("date");
date.SetAttribute("modified", DateTime.Now.ToString());
root.AppendChild(date);
XmlElement info = XD.CreateElement("info");
for (int i = 0; i < lst.Count; i++) 
{
    XmlElement da = XD.CreateElement("data");
    da.SetAttribute("value",lst[i]);
    info.AppendChild(da);
}
root.AppendChild(info);
XD.AppendChild(root);
XD.Save("Sample.xml");

如何使用XDocument创建相同的XML结构?


8
请张贴您到目前为止编写的代码。人们通常不喜欢只为您编写代码。
米奇·

5
同意-这实际上非常简单,只需一个语句即可完成,但是仅给您答案就不会帮助您学到很多东西。
乔恩·斯基特

Answers:


191

LINQ to XML通过以下三个功能使其变得更加简单:

  • 您可以在不知道文档属于对象的情况下构造对象
  • 您可以构造一个对象并提供子级作为参数
  • 如果参数是可迭代的,它将被迭代

因此,您可以在这里做:

void Main()
{
    List<string> list = new List<string>
    {
        "Data1", "Data2", "Data3"
    };

    XDocument doc =
      new XDocument(
        new XElement("file",
          new XElement("name", new XAttribute("filename", "sample")),
          new XElement("date", new XAttribute("modified", DateTime.Now)),
          new XElement("info",
            list.Select(x => new XElement("data", new XAttribute("value", x)))
          )
        )
      );

    doc.Save("Sample.xml");
}

我故意使用了此代码布局,以使代码本身反映文档的结构。

如果您想要一个包含文本节点的元素,则可以通过将文本作为另一个构造函数参数传入来构造该元素:

// Constructs <element>text within element</element>
XElement element = new XElement("element", "text within element");

16
注意:如果您有需要“内部文本”的元素,则可以这样添加它们:(new XElement("description","this is the inner text of the description element.");类似于添加属性/值对的方式)
Myster 2010年

非常好的方法。我挣扎了一下如何立即添加属性和元素的linq表达式。因此,如果有人感兴趣,我选择:new XElement("info", new object[] { new XAttribute("foo", "great"), new XAttribute("bar", "not so great") }.Concat(list.Select(x => new XElement("child", ...))))使用适当的换行符,这看起来还不错。
塞巴斯蒂安·韦克

0

使用.Save方法意味着输出将具有BOM,并非所有应用程序都会满意。如果您不想要BOM,并且不确定,那么我建议您不要,然后通过编写器传递XDocument:

using (var writer = new XmlTextWriter(".\\your.xml", new UTF8Encoding(false)))
{
    doc.Save(writer);
}
By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.