programmers.co.kr/learn/courses/30/lessons/12930/solution_groups?language=cpp&type=all
문자열 s는 한 개 이상의 단어로 구성되어 있습니다. 각 단어는 하나 이상의 공백문자로 구분되어 있습니다. 각 단어의 짝수번째 알파벳은 대문자로, 홀수번째 알파벳은 소문자로 바꾼 문자열을 리턴하는 함수, solution을 완성하세요.제한 사항
- 문자열 전체의 짝/홀수 인덱스가 아니라, 단어(공백을 기준)별로 짝/홀수 인덱스를 판단해야합니다.
- 첫 번째 글자는 0번째 인덱스로 보아 짝수번째 알파벳으로 처리해야 합니다.
입출력 예
sreturn
"try hello world" | "TrY HeLlO WoRlD" |
입출력 예 설명
"try hello world"는 세 단어 "try", "hello", "world"로 구성되어 있습니다. 각 단어의 짝수번째 문자를 대문자로, 홀수번째 문자를 소문자로 바꾸면 "TrY", "HeLlO", "WoRlD"입니다. 따라서 "TrY HeLlO WoRlD" 를 리턴합니다.
#include <string>
#include <vector>
#include <iostream>
using namespace std;
string solution(string s) {
string answer = "";
int temp = 0;
for(int i = 0; i < s.size(); i++){
if((int)s[i] == 32){
answer += " ";
temp = 0;
}else if(temp % 2 == 0){
temp += 1;
if((int)s[i] >= 97){
answer += (char)(int)s[i] - 32;
}else answer += s[i];
}else{
temp += 1;
if((int)s[i] <= 90){
answer += (char)(int)s[i] + 32;
}else answer += s[i];
}
}
return answer;
}
#include <string>
#include <vector>
using namespace std;
string solution(string s) {
string answer = "";
int nIndex = 1;
for (int i = 0; i < s.size(); i++, nIndex++)
{
if (s[i] == ' ')
{
nIndex = 0;
answer += " ";
}
else
nIndex & 1 ? answer += toupper(s[i]) : answer += tolower(s[i]);
}
return answer;
}
'프로그래머스 > 1 단계' 카테고리의 다른 글
[ 프로그래머스 1 단계 ] 약수의 합 (0) | 2021.05.08 |
---|---|
[ 프로그래머스 1 단계 ] 시저 암호 (0) | 2021.05.07 |
[ 프로그래머스 1 단계 ] 자릿수 더하기 (0) | 2021.05.05 |
[ 프로그래머스 1 단계 ] 제일 작은 수 제거하기 (0) | 2021.05.04 |
[ 프로그래머스 1 단계 ] 짝수와 홀수 (0) | 2021.05.03 |