Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Convert an ASCII std::string to hex

Tags:

c++

ascii

is there an easy way to convert an ASCII std::string to HEX? I don't want to convert it to a number, I only want to convert each ASCII character to it's HEX value. The output format should also be a std::string. i.e.: "TEST" would be "0x54 0x45 0x53 0x54" or some similar format.

I found this solution, but maybe there is a better one (without string to int to string conversion):

std::string teststring = "TEST";
std::stringstream hValStr;
for (std::size_t i=0; i < teststring.length(); i++)
{
    int hValInt = (char)teststring[i];
    hValStr << "0x" << std::hex << hValInt << " ";
}

Thanks,
/mspoerr

like image 722
mspoerr Avatar asked May 13 '11 10:05

mspoerr


2 Answers

If you don't care about the 0x it's easy to do using std::copy:

#include <algorithm>
#include <sstream>
#include <iostream>
#include <iterator>
#include <iomanip>

namespace {
   const std::string test="hello world";
}

int main() {
   std::ostringstream result;
   result << std::setw(2) << std::setfill('0') << std::hex << std::uppercase;
   std::copy(test.begin(), test.end(), std::ostream_iterator<unsigned int>(result, " "));
   std::cout << test << ":" << result.str() << std::endl;
}
like image 106
Flexo Avatar answered Sep 18 '22 05:09

Flexo


This answer to another question does what you want, I think. You'd have to add a " " as separator argument for the ostream_iterator to get whitespaces between the characters.

like image 36
Björn Pollex Avatar answered Sep 22 '22 05:09

Björn Pollex