C# Serialisation - The Best Way





5.00/5 (1 vote)
C# Serialisation - The Best Way
Serialisation - The Common Way
The most common way you find on the internet of serialising objects to streams in C# is the
XmlSerialiser
. Now, while this is a very good class to use it does have quite significant problems including the fact that it cannot serialise things such as color, font, timespan, etc. However, there is a better and often easier way of doing serialisation (that also doesn't require all the nasty XmlInclude
attributes)...
Binary Formatter
The BinaryFormatter
class is under the namespace: System.Runtime.Serialisation.Formatters.Binary
.
(It's no wonder hardly anyone finds it... ;P)
Anyway, it is far better as not only can it serialise any object (so far as I know) but you also don't need to; Specify type you are going to serialise/deserialise; Have XmlInclude
, XmlIgnore
and other such tags (nor have extra members of classes just to get things to serialise properly) in fact, all you need is the Serialisable
attribute on any class you wish to serialise. I'll give a simple example:
namepsace Test
{
//The Serialisable attribute
[Serialisable]
class TestClass
{
public Color AColor = Color.Black;
public TestClass()
{
}
public static void Serialise(string Filename, TestClass TheObj)
{
//Just to prove that it can serialise colors, set this to
//something other than the default so that we can tell if it worked after deserialising.
TheObj.AColor = Color.Red;
BinaryFormatter Ser = new BinaryFormatter();
FileStream TheStream = new FileStream(Filename);
Ser.Serialize(TheStream, TheObj);
TheStream.Close();
}
public static TestClass Deserialise(string Filename)
{
TestClass RetClass = null;
BinaryFormatter Ser = new BinaryFormatter();
FileStream TheStream = new FileStream(Filename);
RestClass = (TestClass)(Ser.Deserialize(TheStream));
return RestClass;
}
}
}
So you can see (hopefully) that this is better than XmlSerialisation
and can be adapted for any object and you don't need to use FileSTream
either if you don't want to. I use a similar thing to the above but using a MemoryStream
to serialise messages sent over a network. BinaryFormatter
is a far more powerful and, so far as I can tell, faster class that cuts out a lot of the XmlSerialiser
mess. :D