Home Programmers - JadenCase 문자열 만들기
Post
Cancel

Programmers - JadenCase 문자열 만들기

JadenCase 문자열 만들기 - lv.2

문제

JadenCase란 모든 단어의 첫 문자가 대문자이고, 그 외의 알파벳은 소문자인 문자열입니다. 단, 첫 문자가 알파벳이 아닐 때에는 이어지는 알파벳은 소문자로 쓰면 됩니다. (첫 번째 입출력 예 참고) 문자열 s가 주어졌을 때, s를 JadenCase로 바꾼 문자열을 리턴하는 함수, solution을 완성해주세요.

제한사항

  • s는 길이 1 이상 200 이하인 문자열입니다.
  • s는 알파벳과 숫자, 공백문자(“ “)로 이루어져 있습니다.
    • 숫자는 단어의 첫 문자로만 나옵니다.
    • 숫자로만 이루어진 단어는 없습니다.
    • 공백문자가 연속해서 나올 수 있습니다.

입출력 예

sreturn
“3people unFollowed me”“3people Unfollowed Me”
“for the last week”“For The Last Week”

풀이

  • String
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
31
32
33
34
35
36
37
38
39
40
41
#include <string>
#include <vector>
#include <sstream>
#include <iostream>
#include <cctype>
#include <algorithm>

using namespace std;

string solution(string s) {
    std::string answer = "";

    // 마지막 공백문자가 여러개일때 token으로 자르게 되면
    // 마지막 공백이 누락되어 공백을 하나 무조건 추가
    s.push_back(' ');

    std::vector <std::string> tokens;
    std::stringstream stream(s);
    std::string temp;

    while(std::getline(stream, temp, ' ')) {
        std::transform(temp.begin(), temp.end(), temp.begin(),
            [](unsigned char c){
                return std::tolower(c);
            });

        tokens.push_back(temp);
    }

    for (std::string token : tokens) {
        if ('a' <= token[0] && token[0] <= 'z') {
            token[0] = std::toupper(token[0]);
        }

        answer += token;
        answer.push_back(' ');
    }

    answer.pop_back();
    return answer;
}
This post is licensed under CC BY 4.0 by the author.