tohexstring raw convert best c# encoding hex

c# - convert - raw to hex



¿Cómo puedo convertir una cadena hexadecimal a una matriz de bytes? (4)

Aquí hay un buen ejemplo de LINQ divertido.

public static byte[] StringToByteArray(string hex) { return Enumerable.Range(0, hex.Length) .Where(x => x % 2 == 0) .Select(x => Convert.ToByte(hex.Substring(x, 2), 16)) .ToArray(); }

Esta pregunta ya tiene una respuesta aquí:

¿Podemos convertir una cadena hexadecimal en una matriz de bytes mediante una función incorporada en C # o tengo que crear un método personalizado para esto?


Creo que esto puede funcionar.

public static byte[] StrToByteArray(string str) { Dictionary<string, byte> hexindex = new Dictionary<string, byte>(); for (int i = 0; i <= 255; i++) hexindex.Add(i.ToString("X2"), (byte)i); List<byte> hexres = new List<byte>(); for (int i = 0; i < str.Length; i += 2) hexres.Add(hexindex[str.Substring(i, 2)]); return hexres.ToArray(); }


El siguiente código cambia la cadena hexadecimal a una matriz de bytes al analizar la cadena byte por byte.

public static byte[] ConvertHexStringToByteArray(string hexString) { if (hexString.Length % 2 != 0) { throw new ArgumentException(String.Format(CultureInfo.InvariantCulture, "The binary key cannot have an odd number of digits: {0}", hexString)); } byte[] data = new byte[hexString.Length / 2]; for (int index = 0; index < data.Length; index++) { string byteValue = hexString.Substring(index * 2, 2); data[index] = byte.Parse(byteValue, NumberStyles.HexNumber, CultureInfo.InvariantCulture); } return data; }


Investigué un poco y descubrí que byte.Parse es incluso más lento que Convert.ToByte. La conversión más rápida que podría encontrar utiliza aproximadamente 15 tics por byte.

public static byte[] StringToByteArrayFastest(string hex) { if (hex.Length % 2 == 1) throw new Exception("The binary key cannot have an odd number of digits"); byte[] arr = new byte[hex.Length >> 1]; for (int i = 0; i < hex.Length >> 1; ++i) { arr[i] = (byte)((GetHexVal(hex[i << 1]) << 4) + (GetHexVal(hex[(i << 1) + 1]))); } return arr; } public static int GetHexVal(char hex) { int val = (int)hex; //For uppercase A-F letters: return val - (val < 58 ? 48 : 55); //For lowercase a-f letters: //return val - (val < 58 ? 48 : 87); //Or the two combined, but a bit slower: //return val - (val < 58 ? 48 : (val < 97 ? 55 : 87)); }

// también funciona en .NET Micro Framework donde (en SDK4.3) byte.Parse (cadena) solo permite formatos enteros.