C++에서 Char 배열을 Int로 변환하는 방법

Jinku Hu 2023년10월12일
  1. std::strtol 함수를 사용하여 Char 배열을 Int로 변환
  2. sscanf()함수를 사용하여 Char 배열을 Int로 변환
C++에서 Char 배열을 Int로 변환하는 방법

이 기사에서는char 배열을int 유형으로 변환하는 C++ 메소드를 소개합니다.

std::strtol 함수를 사용하여 Char 배열을 Int로 변환

strtol 메소드는char 배열의 첫 번째 유효한 문자를 정수 유형으로 해석합니다. 이 함수는-{0,2,3, …, 36} 범위의 값과 함께 세 번째 매개 변수로 변환 된 정수의 밑수를 취합니다. 두 번째 매개 변수는 선택 사항 인char **endptr 유형이며 전달되면 마지막으로 해석 된 문자를지나 문자를 가리키는 주소를 저장합니다.

#include <iostream>
#include <string>

using std::cin;
using std::cout;
using std::endl;
using std::string;

int main() {
  string str1("23323experimental_string");

  auto str1_n = std::strtol(str1.data(), nullptr, 10);
  printf("%ld", str1_n);

  return EXIT_SUCCESS;
}

출력:

23323

다음 예는 두 번째 매개 변수가 null이 아닌 strtol함수를 보여줍니다. 우리는 유형 검증 도구로만printf 함수를 사용하고 있으며 다른 경우에는cout을 사용해야합니다. 여기에서 확인할 수있는strtol 세부 정보에 대한 오류 처리 루틴을 구현하는 것도 중요합니다.

#include <iostream>
#include <string>

using std::cin;
using std::cout;
using std::endl;
using std::string;

int main() {
  string str1("23323experimental_string");
  char *char_part = nullptr;

  auto str1_n = std::strtol(str1.data(), &char_part, 10);
  printf("%ld\n", str1_n);
  printf("%s\n", char_part);
  ;

  return EXIT_SUCCESS;
}

출력:

23323
experimental_string

sscanf()함수를 사용하여 Char 배열을 Int로 변환

sscanf 함수는 문자열 버퍼에서 입력을 읽고 두 번째 매개 변수로 전달되는 형식 지정자에 따라 해석합니다. 숫자 값은 int 변수에 대한 포인터에 저장됩니다. 형식 지정자는 sscanf 매뉴얼 페이지에 광범위하게 자세히 설명되어 있습니다.

#include <iostream>
#include <string>

using std::cin;
using std::cout;
using std::endl;
using std::string;

int main() {
  string str1("23323experimental_string");

  int str1_n;
  sscanf(str1.data(), "%d", &str1_n);
  printf("%d\n", str1_n);

  return EXIT_SUCCESS;
}

출력:

23323

위의 예를 다시 구현하여 입력 문자열의 숫자가 아닌 부분을 저장할 수도 있습니다. 이 경우 두 번째 인수에%s 형식 지정자를 추가하고 대상char 포인터를 네 번째 인수로 전달합니다. sscanf는 호출자로부터 가변 개수의 인수를받을 수 있으므로 가변 함수입니다.

#include <iostream>
#include <string>

using std::cin;
using std::cout;
using std::endl;
using std::string;

int main() {
  string str1("23323experimental_string");

  int str1_n3;
  string str2{};
  sscanf(str1.data(), "%d%s", &str1_n3, str2.data());
  printf("%d\n", str1_n3);
  printf("%s\n", str2.data());

  return EXIT_SUCCESS;
}

출력:

23323
experimental_string
작가: Jinku Hu
Jinku Hu avatar Jinku Hu avatar

Founder of DelftStack.com. Jinku has worked in the robotics and automotive industries for over 8 years. He sharpened his coding skills when he needed to do the automatic testing, data collection from remote servers and report creation from the endurance test. He is from an electrical/electronics engineering background but has expanded his interest to embedded electronics, embedded programming and front-/back-end programming.

LinkedIn Facebook

관련 문장 - C++ Char