C ++ 에서 정수를 16 진수 문자열로 변환하는 방법 합니까?
몇 가지 방법을 찾을 수 있지만 대부분 C를 대상으로하는 것 같습니다. C ++에서이를 수행하는 기본 방법이없는 것 같습니다. 그래도 매우 간단한 문제입니다. 나는있어 int
나중에 인쇄를위한 16 진수 문자열로 변환하고 싶은합니다.
C ++ 에서 정수를 16 진수 문자열로 변환하는 방법 합니까?
몇 가지 방법을 찾을 수 있지만 대부분 C를 대상으로하는 것 같습니다. C ++에서이를 수행하는 기본 방법이없는 것 같습니다. 그래도 매우 간단한 문제입니다. 나는있어 int
나중에 인쇄를위한 16 진수 문자열로 변환하고 싶은합니다.
답변:
사용 <iomanip>
의 std::hex
. 인쇄하는 경우으로 보내십시오 std::cout
. 그렇지 않은 경우 다음을 사용하십시오.std::stringstream
std::stringstream stream;
stream << std::hex << your_int;
std::string result( stream.str() );
당신은 첫 번째를 앞에 추가 할 수 <<
와 함께 << "0x"
또는 당신이 원하는 경우에 당신이 무엇을 좋아.
관심있는 다른 조작은 std::oct
(8 진수) 및 std::dec
(10 진수로 돌아 가기)입니다.
발생할 수있는 한 가지 문제는이를 나타내는 데 필요한 정확한 양의 숫자를 생성한다는 사실입니다. setfill
및 setw
이것을 사용 하여 문제를 피할 수 있습니다.
stream << std::setfill ('0') << std::setw(sizeof(your_type)*2)
<< std::hex << your_int;
그래서 마지막으로 이러한 기능을 제안합니다.
template< typename T >
std::string int_to_hex( T i )
{
std::stringstream stream;
stream << "0x"
<< std::setfill ('0') << std::setw(sizeof(T)*2)
<< std::hex << i;
return stream.str();
}
std::setw
반면 필요가 모든 인터넷 용 스트림에 출력 std::hex
, std::setfill
, std::uppercase
, ... 한 번만 출력 스트림으로 전송 될 필요가있다. 일관성이 없나요?
더 가볍고 빠르게 만들기 위해 줄을 직접 채우는 것이 좋습니다.
template <typename I> std::string n2hexstr(I w, size_t hex_len = sizeof(I)<<1) {
static const char* digits = "0123456789ABCDEF";
std::string rc(hex_len,'0');
for (size_t i=0, j=(hex_len-1)*4 ; i<hex_len; ++i,j-=4)
rc[i] = digits[(w>>j) & 0x0f];
return rc;
}
double
및 float
(포인터가 아닌) 정수 유형에 대해 작동합니다
0000FFFF
를 위해 0xFFFF
. 나는 0xFFFF
출력으로 선호합니다 .
16 진수로 인쇄하면됩니다.
int i = /* ... */;
std::cout << std::hex << i;
std::cout<<std::hex<<i<<std::dec;
. 그렇지 않으면 나중에 스트리밍되는 모든 정수가 16 진수로 표시됩니다. stringstream
스트림이 사용 된 후에 삭제되지만 cout
영원히 살기 때문에 사용하는 다른 답변에 대해서는 그렇게 할 필요가 없습니다 .
다음을 시도 할 수 있습니다. 작동 중입니다 ...
#include <iostream>
#include <fstream>
#include <string>
#include <sstream>
using namespace std;
template <class T>
string to_string(T t, ios_base & (*f)(ios_base&))
{
ostringstream oss;
oss << f << t;
return oss.str();
}
int main ()
{
cout<<to_string<long>(123456, hex)<<endl;
system("PAUSE");
return 0;
}
to_string
네임 스페이스의 일부인 std
C ++ 11
아래 Lincoln의 의견 덕분에이 답변을 변경했습니다.
다음 답변은 컴파일 타임에 8 비트 int를 올바르게 처리합니다. 그러나 C ++ 17이 필요합니다. C ++ 17이없는 경우 다른 작업을 수행해야합니다 (예 :이 함수의 오버로드를 제공합니다. 하나는 uint8_t 용이고 다른 하나는 int8_t 용이거나 "if constexpr"이외의 것을 사용하거나 enable_if).
template< typename T >
std::string int_to_hex( T i )
{
// Ensure this function is called with a template parameter that makes sense. Note: static_assert is only available in C++11 and higher.
static_assert(std::is_integral<T>::value, "Template argument 'T' must be a fundamental integer type (e.g. int, short, etc..).");
std::stringstream stream;
stream << "0x" << std::setfill ('0') << std::setw(sizeof(T)*2) << std::hex;
// If T is an 8-bit integer type (e.g. uint8_t or int8_t) it will be
// treated as an ASCII code, giving the wrong result. So we use C++17's
// "if constexpr" to have the compiler decides at compile-time if it's
// converting an 8-bit int or not.
if constexpr (std::is_same_v<std::uint8_t, T>)
{
// Unsigned 8-bit unsigned int type. Cast to int (thanks Lincoln) to
// avoid ASCII code interpretation of the int. The number of hex digits
// in the returned string will still be two, which is correct for 8 bits,
// because of the 'sizeof(T)' above.
stream << static_cast<int>(i);
}
else if (std::is_same_v<std::int8_t, T>)
{
// For 8-bit signed int, same as above, except we must first cast to unsigned
// int, because values above 127d (0x7f) in the int will cause further issues.
// if we cast directly to int.
stream << static_cast<int>(static_cast<uint8_t>(i));
}
else
{
// No cast needed for ints wider than 8 bits.
stream << i;
}
return stream.str();
}
내가 생각했던 것처럼 8 비트 정수를 올바르게 처리하지 않는 원래 답변 :
Kornel Kisielewicz의 대답은 훌륭합니다. 그러나 약간의 추가는 의미가없는 템플릿 인수 (예 : float)로이 함수를 호출하거나 지저분한 컴파일러 오류 (예 : 사용자 정의 유형)를 발생시키는 경우를 포착하는 데 도움이됩니다.
template< typename T >
std::string int_to_hex( T i )
{
// Ensure this function is called with a template parameter that makes sense. Note: static_assert is only available in C++11 and higher.
static_assert(std::is_integral<T>::value, "Template argument 'T' must be a fundamental integer type (e.g. int, short, etc..).");
std::stringstream stream;
stream << "0x"
<< std::setfill ('0') << std::setw(sizeof(T)*2)
<< std::hex << i;
// Optional: replace above line with this to handle 8-bit integers.
// << std::hex << std::to_string(i);
return stream.str();
}
8 비트 정수 유형 (예 : std::uint8_t
전달 된 값) std::stringstream
이 문자로 처리되어 원하는 결과를 제공하지 않기 때문에 std :: to_string에 대한 호출을 추가하기 위해 이것을 편집했습니다 . 이러한 정수를std::to_string
하여 올바르게 처리하고 다른 더 큰 정수 유형을 사용할 때 문제가 발생하지 않습니다. 물론 std :: to_string 호출이 필요하지 않기 때문에 이러한 경우 약간의 성능 저하가 발생할 수 있습니다.
참고 : 원래 답변에 대한 댓글에 이것을 추가했지만 댓글을 달 담당자가 없습니다.
char
(이는 대부분의 구현 uint8_t
과 구별됩니다 int8_t
(각각 unsigned char
및 signed char
)).
... && !std::is_same_v<char, T> && !std::is_same_v<bool, T>
기타 ...
Kornel이 이전에 게시 한 템플릿 아이디어처럼 아직 ios::fmtflags
작동하지 않는 대부분의 사용자를 std::stringstream
위해 다음과 같은 작업이 수행되고 비교적 깨끗합니다.
#include <iomanip>
#include <sstream>
template< typename T >
std::string hexify(T i)
{
std::stringbuf buf;
std::ostream os(&buf);
os << "0x" << std::setfill('0') << std::setw(sizeof(T) * 2)
<< std::hex << i;
return buf.str().c_str();
}
int someNumber = 314159265;
std::string hexified = hexify< int >(someNumber);
나는한다:
int hex = 10;
std::string hexstring = stringFormat("%X", hex);
내 프로젝트에서 그대로 복사 한 내 솔루션 [1] 을 살펴보면 독일어가 API 문서가 포함되어 있습니다. 내 목표는 내 실제 필요에 유연성과 안전을 결합하는 것이 었습니다. [2]
0x
접두사 없음추가 된 : 발신자가 결정할 수 있음long long
#include <string>
#include <sstream>
#include <iomanip>
/// Vertextet einen Ganzzahlwert val im Hexadezimalformat.
/// Auf die Minimal-Breite width wird mit führenden Nullen aufgefüllt;
/// falls nicht angegeben, wird diese Breite aus dem Typ des Arguments
/// abgeleitet. Funktion geeignet von char bis long long.
/// Zeiger, Fließkommazahlen u.ä. werden nicht unterstützt, ihre
/// Übergabe führt zu einem (beabsichtigten!) Compilerfehler.
/// Grundlagen aus: http://stackoverflow.com/a/5100745/2932052
template <typename T>
inline std::string int_to_hex(T val, size_t width=sizeof(T)*2)
{
std::stringstream ss;
ss << std::setfill('0') << std::setw(width) << std::hex << (val|0);
return ss.str();
}
[1] Kornel Kisielewicz 의 답변에 기반 함
[2] CppTest 의 언어로 번역 된 내용은 다음과 같습니다.
TEST_ASSERT(int_to_hex(char(0x12)) == "12");
TEST_ASSERT(int_to_hex(short(0x1234)) == "1234");
TEST_ASSERT(int_to_hex(long(0x12345678)) == "12345678");
TEST_ASSERT(int_to_hex((long long)(0x123456789abcdef0)) == "123456789abcdef0");
TEST_ASSERT(int_to_hex(0x123, 1) == "123");
TEST_ASSERT(int_to_hex(0x123, 8) == "00000123");
// with deduction test as suggested by Lightness Races in Orbit:
TEST_ASSERT(int_to_hex(short(0x12)) == "0012");
TEST_ASSERT(int_to_hex(short(0x12)) == "0012");
참조 용 코드 :
#include <iomanip>
#include <sstream>
...
string intToHexString(int intValue) {
string hexStr;
/// integer value to hex-string
std::stringstream sstream;
sstream << "0x"
<< std::setfill ('0') << std::setw(2)
<< std::hex << (int)intValue;
hexStr= sstream.str();
sstream.clear(); //clears out the stream-string
return hexStr;
}
clear
으로 sstream
(함수가 다음 줄에서 반환 될 때 파괴 될 것임) 명시 적으로 의미가 없습니다. 이름을 hexStr
완전히 피하고 ing return sstream.str();
없이도 clear
동일한 효과를 얻을 수 있으므로 코드 4 줄을 1 줄로 줄일 수 있습니다.
sstream.clear();
무엇입니까? sstream
객체는 자동으로 범위의 끝에서 파괴되기 때문에 return sstream.str();
그것을 할 것입니다.
sstream.clear
스트림이 범위 종료로 끝나기 전에 콘텐츠를 지 웁니다 (clear로 실패 및 eof 플래그를 지 웁니다). 실제로 범위가 죽을 때 스트림 변수의 수명과 함께 sstream.str
값으로 반환하는 데 사용할 수 있습니다. [참조 : cplusplus.com/reference/ios/ios/clear/]
내 솔루션. 정수 유형 만 허용됩니다.
최신 정보. 두 번째 매개 변수에서 선택적 접두사 0x를 설정할 수 있습니다.
정의 .h
#include <iomanip>
#include <sstream>
template <class T, class T2 = typename std::enable_if<std::is_integral<T>::value>::type>
static std::string ToHex(const T & data, bool addPrefix = true);
template<class T, class>
inline std::string Convert::ToHex(const T & data, bool addPrefix)
{
std::stringstream sstream;
sstream << std::hex;
std::string ret;
if (typeid(T) == typeid(char) || typeid(T) == typeid(unsigned char) || sizeof(T)==1)
{
sstream << static_cast<int>(data);
ret = sstream.str();
if (ret.length() > 2)
{
ret = ret.substr(ret.length() - 2, 2);
}
}
else
{
sstream << data;
ret = sstream.str();
}
return (addPrefix ? u8"0x" : u8"") + ret;
}
main.cpp
#include <definition.h>
int main()
{
std::cout << ToHex<unsigned char>(254) << std::endl;
std::cout << ToHex<char>(-2) << std::endl;
std::cout << ToHex<int>(-2) << std::endl;
std::cout << ToHex<long long>(-2) << std::endl;
std::cout<< std::endl;
std::cout << ToHex<unsigned char>(254, false) << std::endl;
std::cout << ToHex<char>(-2, false) << std::endl;
std::cout << ToHex<int>(-2, false) << std::endl;
std::cout << ToHex<long long>(-2, false) << std::endl;
return 0;
}
결과 :
0xfe
0xfe
0xfffffffe
0xfffffffffffffffe
fe
fe fffffffe
fffffffffffffffe
C ++ 언어의 아름다움을 즐기기위한 답변을 추가하고 싶습니다. 높고 낮은 수준에서 작동하는 적응성. 즐거운 프로그래밍.
public:template <class T,class U> U* Int2Hex(T lnumber, U* buffer)
{
const char* ref = "0123456789ABCDEF";
T hNibbles = (lnumber >> 4);
unsigned char* b_lNibbles = (unsigned char*)&lnumber;
unsigned char* b_hNibbles = (unsigned char*)&hNibbles;
U* pointer = buffer + (sizeof(lnumber) << 1);
*pointer = 0;
do {
*--pointer = ref[(*b_lNibbles++) & 0xF];
*--pointer = ref[(*b_hNibbles++) & 0xF];
} while (pointer > buffer);
return buffer;
}
예 :
char buffer[100] = { 0 };
Int2Hex(305419896ULL, buffer);//returns "0000000012345678"
Int2Hex(305419896UL, buffer);//returns "12345678"
Int2Hex((short)65533, buffer);//returns "FFFD"
Int2Hex((char)18, buffer);//returns "12"
wchar_t buffer[100] = { 0 };
Int2Hex(305419896ULL, buffer);//returns L"0000000012345678"
Int2Hex(305419896UL, buffer);//returns L"12345678"
Int2Hex((short)65533, buffer);//returns L"FFFD"
Int2Hex((char)18, buffer);//returns L"12"
#include <iostream>
#include <sstream>
int main()
{
unsigned int i = 4967295; // random number
std::string str1, str2;
unsigned int u1, u2;
std::stringstream ss;
무효 포인터 사용 :
// INT to HEX
ss << (void*)i; // <- FULL hex address using void pointer
ss >> str1; // giving address value of one given in decimals.
ss.clear(); // <- Clear bits
// HEX to INT
ss << std::hex << str1; // <- Capitals doesn't matter so no need to do extra here
ss >> u1;
ss.clear();
0x 추가 :
// INT to HEX with 0x
ss << "0x" << (void*)i; // <- Same as above but adding 0x to beginning
ss >> str2;
ss.clear();
// HEX to INT with 0x
ss << std::hex << str2; // <- 0x is also understood so need to do extra here
ss >> u2;
ss.clear();
출력 :
std::cout << str1 << std::endl; // 004BCB7F
std::cout << u1 << std::endl; // 4967295
std::cout << std::endl;
std::cout << str2 << std::endl; // 0x004BCB7F
std::cout << u2 << std::endl; // 4967295
return 0;
}
int var = 20;
cout << &var << endl;
cout << (int)&var << endl;
cout << std::hex << "0x" << (int)&var << endl << std::dec; // output in hex, reset back to dec
0x69fec4 (주소)
6946500 (address to dec)
0x69fec4 (address to dec, output in hex)
본능적으로 이것과 함께 갔다 ...
int address = (int) & var;
이것을 다른 곳에서 보았다 ...
unsigned long address = reinterpret_cast (& var);
댓글은 이것이 맞다고 말했습니다 ...
int address = (int) & var;
unsigned long
만 std::intptr_t
.
intptr_t
빌드 플랫폼에 어떤 포인터를 저장할 수있다; 그것은 [필연적으로] 사실이 아닙니다 unsigned int
. 그리고 다시 말하지만, 이것 중 어느 것도 질문과 관련이 없습니다. 더 이상 내에서 응답이 없습니다
int
유형 에 대한 제안 테스트 ;)