这可能很简单,但我似乎无法找到一种简单的方法。我需要将84个uint的数组保存到SQL数据库的BINARY字段中。所以我在C#ASP.NET项目中使用以下几行:
//This is what I have
uint[] uintArray;
//I need to convert from uint[] to byte[]
byte[] byteArray = ???
cmd.Parameters.Add("@myBindaryData", SqlDbType.Binary).Value = byteArray;
那么如何从uint []转换为byte []?
答案 0 :(得分:10)
怎么样:
byte[] byteArray = uintArray.SelectMany(BitConverter.GetBytes).ToArray();
这将以小端格式执行您想要的操作......
答案 1 :(得分:4)
您可以使用System.Buffer.BlockCopy执行此操作:
byte[] byteArray = new byte[uintArray.Length * 4];
Buffer.BlockCopy(uintArray, 0, byteArray, 0, uintArray.Length * 4];
http://msdn.microsoft.com/en-us/library/system.buffer.blockcopy.aspx
这比使用for循环或类似的构造要高效得多。它直接将字节从第一个数组复制到第二个数组。
要转换回来,只需反向做同样的事情。
答案 2 :(得分:3)
没有内置转换功能来执行此操作。由于数组的工作方式,需要分配一个全新的数组并填充其值。您可能只需要自己编写。您可以使用System.BitConverter.GetBytes(uint)
函数执行某些工作,然后将结果值复制到最终byte[]
。
这是一个以小端格式进行转换的函数:
private static byte[] ConvertUInt32ArrayToByteArray(uint[] value)
{
const int bytesPerUInt32 = 4;
byte[] result = new byte[value.Length * bytesPerUInt32];
for (int index = 0; index < value.Length; index++)
{
byte[] partialResult = System.BitConverter.GetBytes(value[index]);
for (int indexTwo = 0; indexTwo < partialResult.Length; indexTwo++)
result[index * bytesPerUInt32 + indexTwo] = partialResult[indexTwo];
}
return result;
}
答案 3 :(得分:2)
byte[] byteArray = Array.ConvertAll<uint, byte>(
uintArray,
new Converter<uint, byte>(
delegate(uint u) { return (byte)u; }
));
听取@ liho1eye的建议,确保你的uint真正适合字节,否则你就会丢失数据。
答案 4 :(得分:0)
如果你需要每个uint的所有位,你将不得不制作一个适当大小的字节[]并将每个uint复制到它代表的四个字节中。
这样的事情应该有效:
uint[] uintArray;
//I need to convert from uint[] to byte[]
byte[] byteArray = new byte[uintArray.Length * sizeof(uint)];
for (int i = 0; i < uintArray.Length; i++)
{
byte[] barray = System.BitConverter.GetBytes(uintArray[i]);
for (int j = 0; j < barray.Length; j++)
{
byteArray[i * sizeof(uint) + j] = barray[j];
}
}
cmd.Parameters.Add("@myBindaryData", SqlDbType.Binary).Value = byteArray;