Perry
Perry

Reputation: 2282

Deserializing an XML document with the root being a list

I have an XML document provided to me externally that I need to import into my application. The document is badly written, but not something I can really do much about.

<?xml version="1.0" encoding="iso-8859-1"?>
<xml>
    <Items>
        <Property1 />
        <Property2 />
        ...
    </Items>
    <Items>
        <Property1 />
        <Property2 />
        ...
    </Items>
    ...
</xml>

How should I go about using the XmlSerializer for this? It doesn't seem to matter what class setup I use, or wether I put XmlRoot(ElementName="xml") on my base class it always says that the <xml xmlns=''> is unexpected.

Edit: Added the C# code I am using

[XmlRoot(ElementName = "xml")]
public class Container
{
    public List<Items> Items { get; set; }
}

public class Items
{
    public short S1 { get; set; }
    public short S2 { get; set; }
    public short S3 { get; set; }
    public short S4 { get; set; }
    public short S5 { get; set; }
    public short S6 { get; set; }
    public short S7 { get; set; }
}

public class XMLImport
{
    public Container Data{ get; private set; }

    public static XMLImport DeSerializeFromFile(string fileName)
    {
        XMLImport import = new XMLImport();
        XmlSerializer serializer = new XmlSerializer(typeof(Container));
        using (StreamReader reader = new StreamReader(fileName))
            import.Data = (Container)serializer.Deserialize(reader);
        return import;
    }
}

Upvotes: 2

Views: 3930

Answers (2)

Fung
Fung

Reputation: 3558

Say you have a class Items maps to each <Items> node:

public class Items
{
    public string Property1 { get; set; }
    public string Property2 { get; set; }
}

You can deserialize your list of Items like this:

var doc = XDocument.Parse(
    @"<?xml version=""1.0"" encoding=""iso-8859-1""?>
    <xml>
        <Items>
            <Property1 />
            <Property2 />
        </Items>
        <Items>
            <Property1 />
            <Property2 />
        </Items>
    </xml>");
var serializer = new XmlSerializer(typeof(List<Items>), new XmlRootAttribute("xml"));
List<Items> list = (List<Items>)serializer.Deserialize(doc.CreateReader());

Upvotes: 5

Tauseef
Tauseef

Reputation: 2052

The root of your XML is not a List, the root of your xml is the <xml> node I think you are just confused by its name :)

please visit the following link, It has many good answers voted by many people.

Here is the link: How to Deserialize XML document

Error Deserializing Xml to Object - xmlns='' was not expected

Simply take off the Namespace =:

[XmlRoot("xml"), XmlType("xml")] 
public class RegisterAccountResponse {...}

Upvotes: 0

Related Questions