블로그는 나의 힘!
  • atoi, atol, atoll : null 종료 문자열을 정수로 바꾼다.
  • stoul, stoull : 문자열을 부호 없는 정수로 바꾼다.
  • stof, stod, stold : 문자열을 부동 소수점 값으로 바꾼다.
  • to_string : 정수나 부동 소수점 값을 문자열로 바꾼다.


atoi 로 문자를 정수로 변경 시 숫자가 아닌 값은 오류를 발생 한다.
오류 없이 정수만 변환하며 문자는 아무 값 없이 변환 되어 넘어 가는 예외 처리가 필요한 경우 
stoi, stol 이나 stoll 을 사용 하자.

//!< string / wstring : 변환 문자열
//!< pos : 변환 중 문자 로드한 위치 (null 이면 미반환)
//!< base : 정수 진법 (EX : 16 진법 시 문자 앞 0x 설정 0, 1, 2, 3, 4, 5, 6, 7, 8, 9, A, B, C, D, E, F 로드)
int stoi(const std::string& str, std::size_t* pos = 0, int base = 10);
int stoi(const std::wstring& str, std::size_t* pos = 0, int base = 10);
long stol(const std::string& str, std::size_t* pos = 0, int base = 10);
long stol(const std::wstring& str, std::size_t* pos = 0, int base = 10);
long long stoll(const std::string& str, std::size_t* pos = 0, int base = 10);
long long stoll(const std::wstring& str, std::size_t* pos = 0, int base = 10);



출처 : C++ 레퍼런스 - string 의 stoi, stol, stoll 함수 

 

C++ 레퍼런스 - string 의 stoi, stol, stoll 함수

모두의 코드 C++ 레퍼런스 - string 의 stoi, stol, stoll 함수 작성일 : 2019-09-19 이 글은 20170 번 읽혔습니다. string 혹은 wstring 문자열 str 을 base 진법을 사용하는 부호 있는 정수로 변환한 값을 리턴한다.

modoocode.com


 

'[ Programing ] > STL & Booster' 카테고리의 다른 글

C++ 문자열로 to_string  (0) 2025.02.11
boost::thread_group  (0) 2023.06.26
C++ STL mutex  (0) 2022.01.21
C++ STL fill_n / fill  (0) 2021.01.22
C++ STL Function  (0) 2020.09.14
Posted by Mister_Q
[ Study ]/영어2025. 1. 7. 11:05
Posted by Mister_Q
[ Programing ]/C++2024. 8. 22. 20:42

1. # 연산자
매크로에서 # 연산자는 문자열로 변환(치환) 시켜주는 연산자.


// !< EX)
#define MACRO_PRINT(s)     printf(#s)

void main()
{
     MACRO_PRINT(Test Value);
}

MACRO_PRINT 매크로에서 s앞에 # 빠지면 오류 발생. 
매크로변수 s는 'Test Value' 받는데 "" 없기에 하나의 '변수'로 인식해 치환.
만약 매크로의 #s 에서 #  뺀다면 "Test Value" 앞뒤로 따옴표 붙여 실행.

즉, #은 받아온 매크로 변수를 문자열로 바꿔주는 앞뒤에 따옴표를 붙이는 것과 같은 의미.





2. ## 연산자
##은 두 개 토큰을 이어 주거나 붙여준다.


#define MACRO_INT_nNumber(x)     int nNumber##x;

위와 같은 매크로가 있고, MACRO_INT(0) 이라는 매크로를 사용했다고 가정하면
x 변수를 nNumber##x 와 같이 nNumber하고 붙여준 int형 변수를 선언. 

즉, 위의 매크로와 같은 표현은 
int nNumber0;
nNumber와 0을 붙여서 하나의 변수로 만들어 진다.


// !< EX)
#define MACRO_INT_nNumber(x)     int nNumber##x;
#define MACRO_SUM(res, x)     ((res) += (nNumber##x))
#define MACRO_PRINT(x)     printf("nNumber%d = %d \n", x, nNumber##x)

void main()
{
    int res = 0;
    for(int32 nIndex = 0; nIndex < 5; ++nIndex)
    {
        MACRO_INT_nNumber(nIndex);
        MACRO_PRINT(nIndex);
        MACRO_SUM(res, nIndex);
    }
    
    printf("SUM(res) : %d \n", res);
}

>>
nNumber0 = 0 
nNumber1 = 1  
nNumber2 = 2  
nNumber3 = 3  
nNumber4 = 4  
nNumber5 = 5  
SUM(res) : 15 




출저 : https://norux.me/22

 

c언어 매크로 사용법 - #, ## 연산자

1. # 연산자 매크로에서 # 연산자는 문자열로 변환(치환) 시켜주는 연산자 입니다. 아주 단순한 예를 들어보았습니다. 아래의 예제를 한번 살펴보도록 하겠습니다. #include #define PRINT(s) printf(#s) int

norux.me


.

Posted by Mister_Q