如何编写一个转换此XML字符串的程序
<outer>
<inner>
<boom>
<name>John</name>
<address>New York City</address>
</boom>
<boom>
<name>Daniel</name>
<address>Los Angeles</address>
</boom>
<boom>
<name>Joe</name>
<address>Chicago</address>
</boom>
</inner>
</outer>
进入此字符串
name: John
address: New York City
name: Daniel
address: Los Angeles
name: Joe
address: Chicago
LINQ可以让它变得更容易吗?
答案 0 :(得分:8)
使用Linq-to-XML:
XDocument document = XDocument.Load("MyDocument.xml"); // Loads the XML document with to use with Linq-to-XML
var booms = from boomElement in document.Descendants("boom") // Go through the collection of boom elements
select String.Format("name: {0}" + Environment.NewLine + "address: {1}", // Format the boom item
boomElement.Element("name").Value, // Gets the name value of the boom element
boomElement.Element("address").Value); // Gets the address value of the boom element
var result = String.Join(Environment.NewLine + Environment.NewLine, booms); // Concatenates all boom items into one string with
要用boom
中的任何元素来概括它,这个想法是一样的。
var booms = from boomElement in document.Descendants("boom") // Go through the collection of boom elements
let boolChildren = (from boomElementChild in boomElement.Elements() // Go through the collection of elements in the boom element
select String.Format("{0}: {1}", // Formats the name of the element and its value
boomElementChild.Name.LocalName, // Name of the element
boomElementChild.Value)) // Value of the element
select String.Join(Environment.NewLine, boolChildren); // Concatenate the formated child elements
第一行和最后一行保持不变。