What's the easiest way to convert an uint64 value into a standart C++ string? I checked out the assign methods from the string and could find no one that accepts an uint64 (8 bytes) as argument.
How can I do this?
Thanks
What's the easiest way to convert an uint64 value into a standart C++ string? I checked out the assign methods from the string and could find no one that accepts an uint64 (8 bytes) as argument.
How can I do this?
Thanks
#include <sstream>
std::ostringstream oss;
uint64 i;
oss << i;
std:string intAsString(oss.str());
The standard way:
std::string uint64_to_string( uint64 value ) {
std::ostringstream os;
os << value;
return os.str();
}
If you need an optimized method, then you may use this one:
void uint64_to_string( uint64 value, std::string& result ) {
result.clear();
result.reserve( 20 ); // max. 20 digits possible
uint64 q = value;
do {
result += "0123456789"[ q % 10 ];
q /= 10;
} while ( q );
std::reverse( result.begin(), result.end() );
}
#include <sstream>
std::ostringstream oss;
uint64 i;
oss << i;
std:string intAsString(oss.str());
more descriptive than streams I think is lexical_cast
uint64 somevalue;
string result = boost::lexical_cast<string>(somevalue);
C++11 standardized the to_string
function mentioned by Frunsi as std::to_string
:
#include <string>
int main()
{
uint64_t value = 128;
std::string asString = std::to_string(value);
return 0;
}
I think you want to output it to a stringstream. Start here:
C++: Use a stringstream
C: sprintf (buffer,"%I64ld",myint64);
sprintf(buffer,PRId64,myint64);
–
Buttons std::string converted(reinterpret_cast<char*>(&my_int64),
reinterpret_cast<char*>((&my_int64)+1));
© 2022 - 2024 — McMap. All rights reserved.