I'm writing a sort of special of System.IO.BinaryWriter
. This writer should be able to handle integral types, including Enum
, and also collection of these types.
abstract class MyBinaryWriter
{
// ...
#region Methods: Basic Types: Writing
public abstract void Write(byte value);
public abstract void Write(ushort value);
public abstract void Write(uint value);
public abstract void Write(ulong value);
public abstract void Write(string value);
#endregion
#region Methods: Complex Types: Writing
public virtual void Write<T>(ICollection<T> collection)
{
// first write the 32-bit-unsigned-length prefix
if (collection == null || collection.Count == 0)
{
Write((uint)0);
}
else
{
Write((uint)collection.Count);
// then write the elements, if any
foreach (var item in collection)
; // What here? Obviously Write(item) doesn't work...
}
}
// ...
}
What is the best approach to handle this problem? There is better solution using generics than writing an overload for each integral type and each enum type I wish to handle? A possible solution follows, but I don't like so much and has potential performance problems.
#region Methods: Complex Types: Writing
public virtual void Write<T>(ICollection<T> collection) where T : IConvertible
{
// first write the 32-bit-unsigned-length prefix
if (collection == null || collection.Count == 0)
{
Write((uint)0);
}
else
{
Write((uint)collection.Count);
// get the method for writing an element
Action<T> write = null;
var type = typeof(T);
if (type.IsEnum)
type = Enum.GetUnderlyingType(type);
switch (Type.GetTypeCode(type))
{
case TypeCode.Byte:
case TypeCode.SByte:
write = (x => Write((byte)(IConvertible)x.ToByte(null)));
break;
case TypeCode.Int16:
case TypeCode.UInt16:
write = (x => Write((ushort)(IConvertible)x.ToUInt16(null)));
break;
case TypeCode.Int32:
case TypeCode.UInt32:
write = (x => Write((uint)(IConvertible)x.ToUInt32(null)));
break;
case TypeCode.Int64:
case TypeCode.UInt64:
write = (x => Write((ulong)(IConvertible)x.ToUInt64(null)));
break;
default:
Debug.Fail("Only supported for integral types.");
break;
}
// then write the elements, if any
foreach (var item in collection)
write(item);
}
}