How to Convert byte array to hex string in C#
By Tan Lee Published on Oct 29, 2024 401
To convert a byte array to a concatenated hex string in .NET, you can use the static BitConverter.ToString()
method. This simplifies the process by handling the conversion for you, making it easy to get the desired hex format.
For example:
byte[] byteArray = { 0x01, 0xA0, 0xFF, 0x10 }; string hexString = BitConverter.ToString(byteArray).Replace("-", "").ToLower(); Console.WriteLine(hexString); // Output: 01a0ff10
The BitConverter.ToString()
concatenates each byte with dashes. To remove the dashes and get a continuous hex string, you can replace them with an empty string.
If you prefer to format the string manually, you can use StringBuilder
:
byte[] byteArray = { 0x01, 0xA0, 0xFF, 0x10 }; var hexStringBuilder = new StringBuilder(); foreach (byte b in byteArray) hexStringBuilder.AppendFormat("{0:x2}", b); string hexString = hexStringBuilder.ToString(); Console.WriteLine(hexString); // Output: 01a0ff10
To convert a byte array to a string array, you can use a for loop, but a simpler approach is to utilize LINQ for more concise code.
string[] strArray = byteArray.Select(p => p.ToString("x2")).ToArray();
Each element of the array produces a lowercase hex string by default. However, you can use .ToString("X2")
to obtain an uppercase hex string.
- Primitive types in C#
- How to set permissions for a directory in C#
- How to Convert Int to Byte Array in C#
- How to Convert string list to int list in C#
- How to convert timestamp to date in C#
- How to Get all files in a folder in C#
- How to use Channel as an async queue in C#
- Case sensitivity in JSON deserialization