为特定id c#插入新的xml节点

时间:2014-02-04 21:20:22

标签: c# xml linq

如何在文本框中添加id为特定值的新节点? 这是我的xml:

<Students>
   <Student>
     <id>111</id>
     <Value>1</Value>
     <information>
        <data DateTime="02.04.2014 13:00:00" Value="1"/>
     </information>
   </Student>
</Students>

所以我的问题是,我有一个文本框,我输入了学生ID。单击按钮后,我想在信息节点中添加一个新节点,其中包含该时刻的属性日期和时间。

另一件事是我希望节点中的innerText从1更改为0,反之亦然。这将是节点中的第二个属性。

下次我点击时,它会假设添加一个新节点,它会添加它。

     <information>
        <data DateTime="02.04.2014 13:00:00" Value="1"/>
        <data DateTime="02.04.2014 14:00:00" Value="0"/>
     </information>

我怎样才能使用XmlLinq?

2 个答案:

答案 0 :(得分:2)

var xdoc = XDocument.Load(path_to_xml);
var student = xdoc.Root.Elements("Student")
                  .FirstOrDefault(s => (int)s.Element("id") == id);

if (student != null) // check if student was found
{
    var info = student.Element("information");
    if (info == null) // check if it has information element
    {
        info = new XElement("information");
        student.Add(info); // create and add information element
    }

    var lastValue = info.Elements("data")
                        .OrderBy(d => (DateTime)d.Attribute("DateTime"))
                        .Select(d => (int)d.Attribute("Value"))
                        .LastOrDefault(); // get latest value

    // create new data element
    var data = 
      new XElement("data", 
        new XAttribute("DateTime", DateTime.Now.ToString("MM.dd.yyyy HH:mm:ss")),
        new XAttribute("Value", lastValue == 0 ? 1 : 0));

    info.Add(data); // add data element to information element
    xdoc.Save(path_to_xml); // save file
}

结果:

<Students>
  <Student>
    <id>111</id>
    <Value>1</Value>
    <information>
      <data DateTime="02.04.2014 13:00:00" Value="1" />
      <data DateTime="02.05.2014 00:40:18" Value="0" />
    </information>
  </Student>
</Students>

答案 1 :(得分:1)

c#有一个方法可以让你轻松完成这个任务:

XmlNode.InsertAfter方法

链接到实际页面:http://msdn.microsoft.com/en-us/library/system.xml.xmlnode.insertafter(v=vs.110).aspx

代码示例,如果您不想点击:

using System;
using System.IO;
using System.Xml;

public class Sample {

public static void Main() {

XmlDocument doc = new XmlDocument();
doc.LoadXml("<book genre='novel' ISBN='1-861001-57-5'>" +
            "<title>Pride And Prejudice</title>" +
            "</book>");

XmlNode root = doc.DocumentElement;

//Create a new node.
XmlElement elem = doc.CreateElement("price");
elem.InnerText="19.95";

//Add the node to the document.
root.InsertAfter(elem, root.FirstChild);

Console.WriteLine("Display the modified XML...");
doc.Save(Console.Out);

} }

如果您需要找到要插入的特定节点,请查看

http://msdn.microsoft.com/en-us/library/h0hw012b(v=vs.110).aspx