2011-06-09 80 views
8
<Sections> 
    <Classes> 
     <Class>VI</Class> 
     <Class>VII</Class> 
    </Classes> 
    <Students> 
     <Student>abc</Student> 
     <Student>def</Student> 
    </Students>  
    </Sections> 

我必須通過類循環才能將'Class'變成一個字符串數組。我還必須循環「學生」以將'學生'放入一串字符串中。循環通過XML中的多個子節點

XDocument doc.Load("File.xml"); 
    string str1; 
    foreach(XElement mainLoop in doc.Descendants("Sections")) 
     { 
      foreach(XElement classLoop in mainLoop.Descendants("Classes")) 
       str1 = classLoop.Element("Class").Value +","; 
     //Also get Student value 
     } 

無法獲取所有類。另外,我需要使用LINQ to XML來重寫此而不使用,即使用XmlNodeList和XmlNodes。

XmlDocument doc1 = new XmlDocument(); 
doc1.Load("File.xml"); 
foreach(XmlNode mainLoop in doc.SelectNodes("Sections")) ?? 

不知道該怎麼去做。

+0

這是功課? – 2011-06-09 16:16:29

+0

只是從家庭作業中刪除家,就是這樣。 ;) – user752709 2011-06-09 16:17:53

回答

4

的XPath是直截了當的。要將結果導入數組,您可以使用LINQ或常規循環。

var classNodes = doc.SelectNodes("/Sections/Classes/Class"); 
// LINQ approach 
string[] classes = classNodes.Cast<XmlNode>() 
          .Select(n => n.InnerText) 
          .ToArray(); 

var studentNodes = doc.SelectNodes("/Sections/Students/Student"); 
// traditional approach 
string[] students = new string[studentNodes.Count]; 
for (int i = 0; i < studentNodes.Count; i++) 
{ 
    students[i] = studentNodes[i].InnerText; 
} 
1

不知道想改寫它,但的XMLNodes爲您的類和學生,你可以簡單地說:

XDocument doc.Load("File.xml"); 
    foreach(XElement c in doc.Descendants("Class")) 
    { 
     // do something with c.Value; 
    } 

    foreach(XElement s in doc.Descendants("Student")) 
    { 
     // do something with s.Value; 
    } 
+0

謝謝,這就是我需要循環通過。 – user752709 2011-06-09 16:34:08

1

使用LINQ到XML:

XDocument doc = XDocument.Load("file.xml"); 
var classNodes = doc.Elements("Sections").Elements("Classes").Elements("Class"); 
StringBuilder result = new StringBuilder(); 
foreach(var c in classNodes) 
    result.Append(c.Value).Append(","); 

在XPath:

XmlDocument doc = new XmlDocument(); 
doc.Load("file.xml"); 
var classNodes = doc.SelectNodes("/Sections/Classes/Class/text()"); 
StringBuilder result = new StringBuilder(); 
foreach(XmlNode c in classNodes) 
    result.Append(c.Value).Append(",");