문제
https://programmers.co.kr/learn/courses/30/lessons/72410
해답
문자열 연습하기 정말 좋은 문제라고 생각한다.
해답 밑에 해답에서 사용한 std 함수들을 간략하게 설명하였다.
#include <string>
#include <vector>
#include <iostream>
using namespace std;
string solution(string new_id) {
//1단계 new_id의 모든 대문자를 대응되는 소문자로 치환합니다.
for (int i = 0; i < new_id.length() ; i++) {
if (new_id[i] >= 'A' && new_id[i] <='Z')
new_id[i] = tolower(new_id[i]);
}
cout<<new_id<<'\n';
//2단계 new_id에서 알파벳 소문자, 숫자, 빼기(-), 밑줄(_), 마침표(.)를 제외한 모든 문자를 제거합니다.
for (int i = 0; i < new_id.length() ; ) {
if ((new_id[i] >= 'a' && new_id[i] <= 'z') ||
(new_id[i] >= '0' && new_id[i] <= '9') ||
new_id[i] == '-' ||
new_id[i] == '_' ||
new_id[i] == '.') {
i++;
continue;
}
new_id.erase(new_id.begin() + i);
}
cout<<new_id<<'\n';
//3단계 new_id에서 마침표(.)가 2번 이상 연속된 부분을 하나의 마침표(.)로 치환합니다.
for (int i = 0; i < new_id.length() - 1 ; ) {
if (new_id[i] == '.' && new_id[i+1] == '.') {
new_id.erase(new_id.begin() + i);
continue;
}
i++;
}
cout<<new_id<<'\n';
//4단계 new_id에서 마침표(.)가 처음이나 끝에 위치한다면 제거합니다.
if (new_id.front() == '.') new_id.erase(new_id.begin());
if (new_id.back() == '.') new_id.erase(new_id.end() - 1);
cout<<new_id<<'\n';
//5단계 new_id가 빈 문자열이라면, new_id에 "a"를 대입합니다.
if (new_id.empty()) new_id = "a";
cout<<new_id<<'\n';
//6단계 new_id의 길이가 16자 이상이면, new_id의 첫 15개의 문자를 제외한 나머지 문자들을 모두 제거합니다.
// 만약 제거 후 마침표(.)가 new_id의 끝에 위치한다면 끝에 위치한 마침표(.) 문자를 제거합니다.
if (new_id.length() >= 16){
new_id.erase(15, new_id.length() - 15);
if (new_id.back() == '.')
new_id.erase(new_id.end() - 1);
}
cout<<new_id<<'\n';
//7단계 new_id의 길이가 2자 이하라면, new_id의 마지막 문자를 new_id의 길이가 3이 될 때까지 반복해서 끝에 붙입니다.
if (new_id.length() <= 2) {
while (new_id.length() != 3)
new_id += new_id.back();
}
return new_id;
}
tolower in ctype
int tolower ( int c );
https://en.cppreference.com/w/cpp/string/byte/tolower
std::string::erase in string
//sequence (1)
string& erase (size_t pos = 0, size_t len = npos);
//character (2)
iterator erase (const_iterator p);
//range (3)
iterator erase (const_iterator first, const_iterator last);
https://www.cplusplus.com/reference/string/string/erase/
std::string::front in string
Access first character
char& front();
const char& front() const;
https://www.cplusplus.com/reference/string/string/front/
std::string::back in string
Access last character
char& back();
const char& back() const;
'Algorithm > 문제 풀이 (Problem Solving)' 카테고리의 다른 글
[C++, 문자열] 프로그래머스 오픈채팅방 (0) | 2022.04.04 |
---|---|
[C++, 문자열] 프로그래머스 다트게임 (0) | 2022.03.31 |
[C++, 세그먼트 트리, 데이터추가 반영] 백준 2042번 구간 합 구하기 (0) | 2020.11.22 |
[C++,구현, 중복 순열] 백준 17825번 주사위 윷놀이 문제풀이 (1) | 2020.06.01 |
[C++, Hash] 프로그래머스 베스트앨범 문제 풀이 (0) | 2019.12.12 |
댓글