Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

LINQ to XML - Load XML fragments from file

Tags:

c#

xml

linq

I have source XMLfiles that come in with multiple root elements and there is nothing I can do about it. What would be the best way to load these fragments into an XDocument with a single root node that I can create to have a valid XML document?

Sample:

<product></product>
<product></product>
<product></product>

Should be something like:

<products>
  <product></product>
  <product></product>
  <product></product>
</products>

Thanks!

like image 296
Fouad Masoud Avatar asked Mar 03 '10 19:03

Fouad Masoud


2 Answers

Here's how to do it with an XmlReader, which is probably the most flexible and fastest-performing approach:

XmlReaderSettings xrs = new XmlReaderSettings();
xrs.ConformanceLevel = ConformanceLevel.Fragment;

XDocument doc = new XDocument(new XElement("root"));
XElement root = doc.Descendants().First();

using (StreamReader fs = new StreamReader("XmlFile1.xml"))
using (XmlReader xr = XmlReader.Create(fs, xrs))
{
    while(xr.Read())
    {
        if (xr.NodeType == XmlNodeType.Element)
        {
            root.Add(XElement.Load(xr.ReadSubtree()));                
        }
    }
}
like image 62
Robert Rossney Avatar answered Oct 14 '22 01:10

Robert Rossney


I'll leave you to put it into a string field, but you can basically do this:

myDoc=new XmlDocument();
myDoc.LoadXml("<products>"+myData+"</products>");
like image 8
Ian Jacobs Avatar answered Oct 14 '22 03:10

Ian Jacobs