string의 trim 함수 구현
1.1. 기초설명
타 언어 같은 경우에는 문자열의 처리 함수중 trim 함수가 기본적으로 내장되어 있는 경우가 많지만 C++ 에서는 없다고 합니다..
trim 함수란 문자열 좌우에 공백이 들어가 있을때 공백을 제거하여 남은 문자열만 리턴되도록 만든 함수입니다.
1.1. Code
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
#include <iostream>
#include <string>
using std::string;
// trim from left
inline std::string& ltrim(std::string& s, const char* t = " \t\n\r\f\v")
{
s.erase(0, s.find_first_not_of(t));
return s;
}
// trim from right
inline std::string& rtrim(std::string& s, const char* t = " \t\n\r\f\v")
{
s.erase(s.find_last_not_of(t) + 1);
return s;
}
// trim from left & right
inline std::string& trim(std::string& s, const char* t = " \t\n\r\f\v")
{
return ltrim(rtrim(s, t), t);
}
int main()
{
string str = " 가나다라마바사 ";
std::cout << str << std::endl;
trim(str);
std::cout << str << std::endl;
}
이렇게 공백이 있는 문자열에서 trim을 쓰면 공백이 제거되어 나옵니다.