我有以下函数将原始数组类型转换为字节数组,因此我可以将其转换为base64字符串然后将其存储在某处,反之亦然,我现在卡住了,因为我必须转换十进制类型,这是不是原始类型。我意识到十进制基本上是一个结构,所以我将struct数组转换为字节数组,但我只看到使用不安全代码的答案,我想尽可能避免。我使用Unity,我也限于.NET 2.0
private static string ConvertArrayToBase64<T>(ICollection<T> array) where T : struct
{
if (!typeof(T).IsPrimitive)
throw new InvalidOperationException("Only primitive types are supported.");
int size = Marshal.SizeOf(typeof(T));
var byteArray = new byte[array.Count * size];
Buffer.BlockCopy(array.ToArray(), 0, byteArray, 0, byteArray.Length);
return Convert.ToBase64String(byteArray);
}
private static T[] ConvertBase64ToArray<T>(string base64String) where T : struct
{
if (!typeof(T).IsPrimitive)
throw new InvalidOperationException("Only primitive types are supported.");
var byteArray = Convert.FromBase64String(base64String);
var array = new T[byteArray.Length / Marshal.SizeOf(typeof(T))];
Buffer.BlockCopy(byteArray, 0, array, 0, byteArray.Length);
return array;
}
答案 0 :(得分:3)
您应该考虑使用System.IO.BinaryReader
和System.IO.BinaryWriter
。这些将使您能够从另一个流中读取和写入基元,例如System.IO.MemoryStream
,然后您可以访问二进制数据并使用Convert.ToBase64String()
答案 1 :(得分:0)
您可以将几乎任何对象序列化和反序列化为字节,XML,JSON等。
static byte[] serialize<T>(T t)
{
var serializer = new System.Runtime.Serialization.Formatters.Binary.BinaryFormatter();
using (var ms = new MemoryStream())
{
serializer.Serialize(ms, t);
return ms.ToArray();
}
}
static object deserialize(byte[] bytes)
{
var serializer = new System.Runtime.Serialization.Formatters.Binary.BinaryFormatter();
using (var ms = new MemoryStream(bytes))
return serializer.Deserialize(ms);
}
[Serializable] class arrays { public decimal[] decArray; public int[] intArray; }
使用示例
arrays a = new arrays();
a.decArray = new decimal[] { 1m, 2m };
a.intArray = new int[] { 3, 4 };
byte[] bytes = serialize(a);
arrays result = deserialize(bytes) as arrays;
Debug.Print($"{string.Join(", ", result.decArray)}\t{string.Join(", ", result.intArray)}");