C++에서 문자열을 자르는 방법
이 기사에서는 C++에서 문자열을 자르는 방법을 설명합니다.
erase()
,find_first_not_of()
및find_last_not_of()
메서드를 사용하여 문자열 트리밍 함수 구현
표준 C++ 라이브러리에는 문자열 트리밍을위한 함수가 포함되어 있지 않으므로 직접 구현하거나 Boost와 같은 외부 라이브러리를 사용해야합니다 (문자열 알고리즘 참조).
다음 예제에서는 2 개의 내장std::string
메서드를 사용하여 사용자 지정 함수를 생성하는 방법을 보여줍니다. 먼저, 문자열의 왼쪽에서 인자로 전달 된 문자를 잘라내는leftTrim
함수를 구현합니다. 잘라낼 문자.
,,
,/
및 공백을 임의로 지정했습니다.
leftTrim
함수는 주어진 인수에서char
-s와 같지 않은 첫 번째 문자를 찾기 위해find_first_not_of
메소드를 호출하고 발견 된 문자의 위치를 반환합니다. 그런 다음 erase
메소드는 처음부터 발견 된 위치까지 문자 범위를 제거합니다.
#include <iostream>
#include <string>
using std::cin;
using std::cout;
using std::endl;
using std::string;
string& leftTrim(string& str, string& chars) {
str.erase(0, str.find_first_not_of(chars));
return str;
}
int main() {
string chars_to_trim = ".,/ ";
string text = ",., C++ Standard";
cout << text << endl;
leftTrim(text, chars_to_trim);
cout << text << endl;
return EXIT_SUCCESS;
}
출력:
,., C++ Standard
C++ Standard
또는trimLeft
함수를 되돌려 문자열의 오른쪽에서 주어진 문자를자를 수 있습니다. 이 경우 우리는 인수로 전달 된 문자가없는 것과 같은 마지막 문자를 검색하는find_last_not_of
메소드를 사용합니다. 이에 따라 erase
메서드는found position + 1
매개 변수와 함께 호출됩니다.
이 두 함수는 모두 문자열에서 작동하며 잘린 버전의 복사본을 반환하지 않습니다.
#include <iostream>
#include <string>
using std::cin;
using std::cout;
using std::endl;
using std::string;
string& rightTrim(string& str, string& chars) {
str.erase(str.find_last_not_of(chars) + 1);
return str;
}
int main() {
string chars_to_trim = ".,/ ";
string text = "C++ Standard /././";
cout << text << endl;
rightTrim(text, chars_to_trim);
cout << text << endl;
return EXIT_SUCCESS;
}
출력:
C++ Standard /././
C++ Standard
마지막으로 앞의 함수를 결합하여 양쪽의 문자를 제거하는trimString
함수를 구현할 수 있습니다. 이 기능은 왼쪽 / 오른쪽 버전과 동일한 매개 변수를 갖습니다. trimString
은rigthTrim
함수의 결과를 인수로 전달하여leftTrim
을 호출합니다. 프로그램의 정확성을 변경하지 않고 이러한 함수 호출의 위치를 바꿀 수 있습니다.
#include <iostream>
#include <string>
using std::cin;
using std::cout;
using std::endl;
using std::string;
string& leftTrim(string& str, string& chars) {
str.erase(0, str.find_first_not_of(chars));
return str;
}
string& rightTrim(string& str, string& chars) {
str.erase(str.find_last_not_of(chars) + 1);
return str;
}
string& trimString(string& str, string& chars) {
return leftTrim(rightTrim(str, chars), chars);
}
int main() {
string chars_to_trim = ".,/ ";
string text = ",,, .. C++ Standard ...";
cout << text << endl;
trimString(text, chars_to_trim);
cout << text << endl;
return EXIT_SUCCESS;
}
,,, .. C++ Standard ...
C++ Standard
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