views:

66

answers:

2

This is killing me. I've read these:

http://msdn.microsoft.com/en-us/library/athddy89(v=VS.80).aspx

http://msdn.microsoft.com/en-us/library/2baksw0z(v=VS.80).aspx

But I don't see how to apply them to what I'm trying to do. I want to customize the way the following list serializes...

[Serializable]
public class FinalConcentrations : List<string> { }

so that when I pass it as the "objectToSerialze" to this...

    public void serializeObject(object objectToSerialize, Stream outputStream)
    {
        // removes the default added namespaces
        XmlSerializerNamespaces ns = new XmlSerializerNamespaces();
        ns.Add("", "");

        XmlSerializer serial = new XmlSerializer(objectToSerialize.GetType());
        MemoryStream ms = new MemoryStream();
        serial.Serialize(ms, objectToSerialize, ns);

        StreamReader reader = new StreamReader(ms);
        ms.Position = 0;

        ms.WriteTo(outputStream);
    }

...it writes this to the output stream:

<FinalConcentrations>
   <FinalConcentration>string value 1</FinalConcentration>
   <FinalConcentration>string value 2</FinalConcentration>
   <FinalConcentration>string value 3</FinalConcentration>
</FinalConcentration>

...instead of this

<FinalConcentrations>
   <string>string value 1</string>
   <string>string value 2</string>
   <string>string value 3</string>
</FinalConcentration>

My serializeObject method is used to serialize a wide variety of objects, so I'm looking for a way to do this in my FinalConcentrations definition rather than within that method.

Please, help.

+1  A: 

The easiest way to fix that is to pass in a wrapper object instead of the list itself, i.e.

public class FinalConcentrations {
    private readonly List<string> items = new List<string>();
    [XmlElement("FinalConcentration")]
    public List<string> Items {get {return items;}}
}

that do?

Marc Gravell
Thanks! I needed to be able to modify the list from outside the class, so I made the items property read/write, but this was the ticket. It serializes correctly now.
Marvin
@Marvin - the intended way to modify the list is usually `Add`/`Remove`/`Clear` etc. You don't need a `set` for that.
Marc Gravell
A: 

Well, when I ran your example I actually got

<?xml version="1.0"?>
<ArrayOfString>
  <string>Red</string>
  <string>Green</string>
  <string>Blue</string>
</ArrayOfString>

but by changing

  [Serializable, XmlRoot( ElementName= "FinalConcentrations")]
  public class FinalConcentrations : List<string> { }

I got

<?xml version="1.0"?>
<FinalConcentrations>
  <string>Red</string>
  <string>Green</string>
  <string>Blue</string>
</FinalConcentrations>

QED?

There are a whole bunch of XML decorator attributes that can change the serialisation, eg. XmlElement. Worth having a look at.

Best of luck.

Swanny