How to read XML nodes in XML using C # .net

I have an XML file as shown below:

<report timestamp="3201" reportVersion="2" request="3981135340">
<question timedOut="false" time="3163" attempts="2" correct="true" id="13"> 
<answer status="attempt"> 
<radioButton correct="false" value="true" id="17" /> 
</answer> 
<answer status="correct"> 
<radioButton correct="true" value="true" id="15" /> 
</answer> 
</question> 
</report>

I want to read child nodes based on the attribute 'status' 'answer' node.

+3
source share
4 answers

Use XmlReader (fastest, but only forward), XDocument (LINQ to XML), or XmlDocument . See the examples in the msdn documentation.

+4
source

Using LINQ to XML:

using System.Xml.Linq;

var doc = XDocument.Parse(xml); // or XDocument.Load()
var elements = from e in doc.Descendants("answer")
               where e.Attribute("status").Value == "attempt"
               select e;

// elements will be IEnumerable<XElement>
+1
source

Use XmlDocument and XPath:

XmlDocument document = new XmlDocument();
//here you should load your xml for example with document.Load();
XmlNodeList nodes = document.SelectNodes("/report/question/answer[@status = 'correct']/radioButton");

Just change XPath to your needs.

0
source

try this one.

foreach (XmlNode xnode in xdoc.SelectNodes("report/question/answer"))
    {
        if (xnode.Attributes.GetNamedItem("status").Value == "correct")
        {
            string value = xdoc.SelectSingleNode("report/question/answer[@status='correct']/radioButton").Attributes.GetNamedItem("id").Value;

        }
        if (xnode.Attributes.GetNamedItem("status").Value == "attempt")
        {
            string value = xdoc.SelectSingleNode("report/question/answer[@status='attempt']/radioButton").Attributes.GetNamedItem("id").Value;
        }
    }
0
source

Source: https://habr.com/ru/post/1747935/


All Articles