C# byte数组常用扩展是我们编程中经常会碰到的一些实用性很强的操作,那么C# byte数组常用扩展都有哪些呢?下面将列出并用实例演示常用八种情况。
C# byte数组常用扩展应用一:转换为十六进制字符串
public static string ToHex(this byte b)
{
return b.ToString("X2");
}
public static string ToHex(this IEnumerable<byte> bytes)
{
var sb = new StringBuilder();
foreach (byte b in bytes)
sb.Append(b.ToString("X2"));
return sb.ToString();
}
第二个扩展返回的十六进制字符串是连着的,一些情况下为了阅读方便会用一个空格 分开,处理比较简单,不再给出示例。
C# byte数组常用扩展应用二:转换为Base64字符串
public static string ToBase64String(byte[] bytes)
{
return Convert.ToBase64String(bytes);
}
C# byte数组常用扩展应用三:转换为基础数据类型
public static int ToInt(this byte[] value, int startIndex)
{
return BitConverter.ToInt32(value, startIndex);
}
public static long ToInt64(this byte[] value, int startIndex)
{
return BitConverter.ToInt64(value, startIndex);
}
BitConverter类还有很多方法(ToSingle、ToDouble、ToChar...),可以如上进行扩 展。
C# byte数组常用扩展应用四:转换为指定编码的字符串
public static string Decode(this byte[] data, Encoding encoding)
{
return encoding.GetString(data);
}
C# byte数组常用扩展应用五:Hash
//使用指定算法Hash
public static byte[] Hash(this byte[] data, string hashName)
{
HashAlgorithm algorithm;
if (string.IsNullOrEmpty(hashName)) algorithm = HashAlgorithm.Create();
else algorithm = HashAlgorithm.Create(hashName);
return algorithm.ComputeHash(data);
}
//使用默认算法Hash
public static byte[] Hash(this byte[] data)
{
return Hash(data, null);
}