我的输入是
char *str = "/send 13 01 09 00";
我需要输出为
BYTE* result = { 0x13, 0x09, 0x00 };
(所以跳过/发送)
有人可以为我提供从十六进制字节字符串中获取字节的解决方案吗?
这是我尝试过的:
#include "stdafx.h"
#include <iostream>
#include <windows.h>
#include <conio.h>
#include <string>
byte *ToPacket(const char* str)
{
const char *pos = str;
unsigned char val[sizeof(str)/sizeof(str[0])];
size_t count = 0;
for(count = 0; count < sizeof(val)/sizeof(val[0]); count++)
{
sscanf_s(pos, "%2hhx", &val[count]);
pos += 2 * sizeof(char);
}
return val;
}
int _tmain(int argc, _TCHAR* argv[])
{
redo:
while (true)
{
std::string key;
std::getline(std::cin, key);
if (key != "")
{
if (key == "/hit")
{
BYTE packet[] = { 0x13, 0x01, 0x00 };
int size = sizeof(packet) / sizeof(packet[0]);
std::cout << "[FatBoy][" << key << "]: Hit\n";
}
else if (strstr(key.c_str(), "/send"))
{
BYTE * packet = ToPacket(key.c_str());
int size = sizeof(packet) / sizeof(packet[0]);
}
key = "";
break;
}
Sleep(100);
}
goto redo;
}
答案 0 :(得分:2)
#include <iostream>
#include <sstream>
#include <string>
#include <iomanip>
std::string s("/send 13 01 09 00");
int v1,v2,v3,v4;
std::string cmd;
std::istringstream inp_stream(s);
inp_stream >> cmd >> std::setbase(16) >> v1 >> v2 >> v3 >> v4;
答案 1 :(得分:2)
使用std::istringstream
与std::hex
IO操纵器填充std::vector<unsigned char>
:
std::string s("13 01 09 00");
std::vector<unsigned char> v;
std::istringstream in(s);
in >> std::hex;
unsigned short c;
while (in >> c) v.push_back(static_cast<unsigned char>(c));
请参阅http://ideone.com/HTJmzJ上的演示。