所以, 我有一个字符串,我想将每个字符转换为十六进制值,然后将其放在一个字节数组中,通过一个COM端口发送。
我可以将单个字符转换为我需要发送的十六进制,但是我无法正确地将字符串数组转换为字节数组。
示例:
string beforeConverting = "HELLO";
String[] afterConverting = {"0x48", "0x45", "0x4C", "0x4C", "0x4F"};
应该成为
byte[] byteData = new byte[]{0x48, 0x45, 0x4C, 0x4C, 0x4F};
我已经从几个不同的帖子中尝试了几个不同的东西,但我无法将各种事物组合在一起。如果有人能指出我正确的方向或给我一段很棒的示例代码!
答案 0 :(得分:3)
如果您的最终目标是发送byte[]
,那么您实际上可以跳过中间步骤并立即使用string
从byte[]
转换为Encoding.ASCII.GetBytes
(前提是你发送ASCII char):
string beforeConverting = "HELLO";
byte[] byteData = Encoding.ASCII.GetBytes(beforeConverting);
//will give you {0x48, 0x45, 0x4C, 0x4C, 0x4F};
如果您不发送ASCII,您可以找到适当的编码类型(如Unicode或UTF32),具体取决于您的需要。
话虽如此,如果您仍想将十六进制字符串转换为字节数组,您可以执行以下操作:
/// <summary>
/// To convert Hex data string to bytes (i.e. 0x01455687) given the data type
/// </summary>
/// <param name="hexString"></param>
/// <param name="dataType"></param>
/// <returns></returns>
public static byte[] HexStringToBytes(string hexString) {
try {
if (hexString.Length >= 3) //must have minimum of length of 3
if (hexString[0] == '0' && (hexString[1] == 'x' || hexString[1] == 'X'))
hexString = hexString.Substring(2);
int dataSize = (hexString.Length - 1) / 2;
int expectedStringLength = 2 * dataSize;
while (hexString.Length < expectedStringLength)
hexString = "0" + hexString; //zero padding in the front
int NumberChars = hexString.Length / 2;
byte[] bytes = new byte[NumberChars];
using (var sr = new StringReader(hexString)) {
for (int i = 0; i < NumberChars; i++)
bytes[i] = Convert.ToByte(new string(new char[2] { (char)sr.Read(), (char)sr.Read() }), 16);
}
return bytes;
} catch {
return null;
}
}
然后像这样使用它:
byte[] byteData = afterConverting.Select(x => HexStringToBytes(x)[0]).ToArray();
我上面提到的方法更为通用,它可以处理string
之类的输入0x05163782
来提供byte[4]
。为了您的使用,您只需要取第一个字节(因为byte[]
始终为byte[1]
),因此您在[0]
中拥有LINQ Select
索引。
上述自定义方法中使用的核心方法是Convert.ToByte()
:
bytes[i] = Convert.ToByte(new string(new char[2] { (char)sr.Read(), (char)sr.Read() }), 16);
答案 1 :(得分:1)
要将十六进制字符串转换为数字,您可以使用System.Convert类,如此
string hex = "0x3B";
byte b = Convert.ToByte(hex.Substring(2), 16)
// b is now 0x3B
Substring用于跳过字符0x