7

我正在使用将不同值类型的数组转换为字节数组解决方案,以便将对象转换为字节数组。

但是我有一个小问题会导致一个大问题。

object[] 中间有“字节”类型的数据,我不知道如何保持“字节”不变。我需要在前后保持相同的字节长度。

我尝试将“字节”类型添加到字典中,如下所示:

private static readonlyDictionary<Type, Func<object, byte[]>> Converters =
    new Dictionary<Type, Func<object, byte[]>>()
{
    { typeof(byte), o => BitConverter.GetBytes((byte) o) },
    { typeof(int), o => BitConverter.GetBytes((int) o) },
    { typeof(UInt16), o => BitConverter.GetBytes((UInt16) o) },
    ...
};
public static void ToBytes(object[] data, byte[] buffer)
{
    int offset = 0;

    foreach (object obj in data)
    {
        if (obj == null)
        {
            // Or do whatever you want
            throw new ArgumentException("Unable to convert null values");
        }
        Func<object, byte[]> converter;
        if (!Converters.TryGetValue(obj.GetType(), out converter))
        {
            throw new ArgumentException("No converter for " + obj.GetType());
        }

        byte[] obytes = converter(obj);
        Buffer.BlockCopy(obytes, 0, buffer, offset, obytes.Length);
        offset += obytes.Length;
    }
}

没有语法抱怨,但我在程序执行后跟踪了这段代码

byte[] obytes = converter(obj);

原来的“字节”变成了字节[2]。

这里会发生什么?如何在此解决方案中保持字节值的真实性?

谢谢!

4

1 回答 1

15

There is no BitConverter.GetBytes overload that takes a byte, so your code:

BitConverter.GetBytes((byte) o)

Is being implicitly expanded into the nearest match: BitConverter.GetBytes(short) (Int16), resulting in two bytes. All you need to do is return a single-element byte array, e.g. like this:

{ typeof(byte), o => new[] { (byte) o } }
于 2013-08-02T20:29:20.120 回答