我正在使用Convert an array of different value types to a byte array解决方案将我的对象转换为字节数组。
但是我有一个小问题会导致一个大问题。
在object []的mids中有“byte”类型的数据,我不知道如何保持“byte”。我需要在之前和之后保持相同的字节长度。
我尝试将“byte”类型添加到字典中,如下所示:
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;
}
}
没有syntext抱怨,但我在程序执行后追踪了这段代码
byte[] obytes = converter(obj);
原始的“字节”变为字节[2]。
这里发生了什么?如何在此解决方案中保持字节值的真实性?
谢谢!
答案 0 :(得分:14)
没有BitConverter.GetBytes
重载需要byte
,所以您的代码:
BitConverter.GetBytes((byte) o)
被隐式扩展为最近的匹配:BitConverter.GetBytes(short)
(Int16
),产生两个字节。您需要做的就是返回一个单元素字节数组,例如像这样:
{ typeof(byte), o => new[] { (byte) o } }