c++ byte字符串转16进制字符串
时间: 2023-10-22 09:09:11 浏览: 153
可以使用stringstream和iomanip库来实现byte字符串转16进制字符串,具体代码如下:
```c++
#include <iostream>
#include <sstream>
#include <iomanip>
using namespace std;
string byteToHexStr(const unsigned char* byte_arr, int arr_len) {
stringstream ss;
ss << hex << setfill('0');
for (int i = 0; i < arr_len; i++) {
ss << setw(2) << static_cast<unsigned>(byte_arr[i]);
}
return ss.str();
}
int main() {
unsigned char byte_arr[] = {0x12, 0x34, 0xAB, 0xCD};
int arr_len = sizeof(byte_arr) / sizeof(byte_arr[0]);
string hex_str = byteToHexStr(byte_arr, arr_len);
cout << hex_str << endl; // 输出 "1234abcd"
return 0;
}
```
相关问题
C++ byte数组转16进制大写字符串
可以使用以下代码将 C++ 中的 byte 数组转换为 16 进制大写字符串:
```c++
#include <iostream>
#include <sstream>
#include <iomanip>
using namespace std;
int main() {
// 假设有一个 byte 数组
unsigned char bytes[] = {0x12, 0x34, 0xAB, 0xCD};
// 将 byte 数组转换为 16 进制大写字符串
stringstream ss;
ss << hex << uppercase << setfill('0');
for (int i = 0; i < sizeof(bytes); i++) {
ss << setw(2) << static_cast<int>(bytes[i]);
}
string hexStr = ss.str();
// 输出结果
cout << hexStr << endl;
return 0;
}
```
输出结果为 `1234ABCD`。
C++怎么将字符串从16进制中提取出来
可以使用C++的字符串流(stringstream)来实现。具体步骤如下:
1. 将16进制字符串转换为字符数组。
2. 使用stringstream将字符数组转换为整数类型。
3. 将整数类型转换为字符串类型。
以下是一个示例代码:
```c++
#include <iostream>
#include <sstream>
#include <cstring>
int main() {
std::string hexStr = "48656C6C6F20576F726C64";
int len = hexStr.length();
char charArray[len/2];
for(int i=0; i<len; i+=2) {
std::string byte = hexStr.substr(i, 2);
charArray[i/2] = (char) strtol(byte.c_str(), NULL, 16);
}
std::stringstream ss;
std::string output;
for(int i=0; i<len/2; i++) {
ss << charArray[i];
}
ss >> output;
std::cout << output << std::endl;
return 0;
}
```
这个示例代码将16进制字符串"48656C6C6F20576F726C64"转换为ASCII字符串"Hello World"。
阅读全文