XElement => Добавить дочерние узлы во время выполнения - PullRequest
33 голосов
/ 19 декабря 2011

Итак, давайте предположим, что это то, чего я хочу достичь:

<root>
  <name>AAAA</name>
  <last>BBBB</last>
  <children>
     <child>
        <name>XXX</name>
        <last>TTT</last>
     </child>
     <child>
        <name>OOO</name>
        <last>PPP</last>
     </child>
   </children>
</root>

Не уверен, что использование XElement - это самый простой способ
, но это то, что я до сих пор:

 XElement x = new XElement("root",
                  new XElement("name", "AAA"),
                  new XElement("last", "BBB"));

Теперь мне нужно добавить «детей», основываясь на некоторых данных, которые у меня есть.
Может быть 1,2,3,4 ...

, поэтому мне нужноитерации по моему списку, чтобы получить каждого ребенка

foreach (Children c in family)
{
    x.Add(new XElement("child", 
              new XElement("name", "XXX"),
              new XElement("last", "TTT")); 
} 

ПРОБЛЕМА:

Поступая таким образом, я пропущу «ДЕТСКИЙ родительский узел».Если я просто добавлю его перед foreach, он будет представлен как закрытый узел

<children/>

, и это НЕ то, что мы хотим.

ВОПРОС:

Как я могу добавить к 1-й части родительский узел и столько, сколько есть в моем списке?

Ответы [ 3 ]

33 голосов
/ 19 декабря 2011

Попробуйте это:

var x = new XElement("root",
             new XElement("name", "AAA"),
             new XElement("last", "BBB"),
             new XElement("children",
                 from c in family
                 select new XElement("child",
                             new XElement("name", "XXX"),
                             new XElement("last", "TTT")
                        )
             )
        );
29 голосов
/ 19 декабря 2011
 XElement root = new XElement("root",
                  new XElement("name", "AAA"),
                  new XElement("last", "BBB"));

XElement children = new XElement("children");

foreach (Children c in family)
{
    children.Add(new XElement("child", 
              new XElement("name", c.Name),
              new XElement("last", c.Last)); 
}
root.Add(children);
10 голосов
/ 19 декабря 2011
var children = new XElement("children");
XElement x = new XElement("root",
                  new XElement("name", "AAA"),
                  new XElement("last", "BBB"),
                  children);

foreach (Children c in family)
{
    children.Add(new XElement("child", 
              new XElement("name", "XXX"),
              new XElement("last", "TTT")); 
} 
...