Muscardinus
[프로그래머스] 이상한 문자 만들기(Lv1) 본문
728x90
https://programmers.co.kr/learn/courses/30/lessons/12930
문제 설명
문자열 s는 한 개 이상의 단어로 구성되어 있습니다. 각 단어는 하나 이상의 공백문자로 구분되어 있습니다. 각 단어의 짝수번째 알파벳은 대문자로, 홀수번째 알파벳은 소문자로 바꾼 문자열을 리턴하는 함수, solution을 완성하세요.
제한 사항
- 문자열 전체의 짝/홀수 인덱스가 아니라, 단어(공백을 기준)별로 짝/홀수 인덱스를 판단해야합니다.
- 첫 번째 글자는 0번째 인덱스로 보아 짝수번째 알파벳으로 처리해야 합니다.
입출력 예
sreturn
try hello world | TrY HeLlO WoRlD |
입출력 예 설명
try hello world는 세 단어 try, hello, world로 구성되어 있습니다. 각 단어의 짝수번째 문자를 대문자로, 홀수번째 문자를 소문자로 바꾸면 TrY, HeLlO, WoRlD입니다. 따라서 TrY HeLlO WoRlD 를 리턴합니다.
JavaScript
function solution(s) {
var answer = '';
s=s.split("");
var count=1;
for(var i=0;i<s.length;i++){
if(s[i]=== " "){
answer+=s[i];
count=1;
}
else if(count%2==0){
answer+=s[i].toLowerCase();
count++;
}
else if(count%2){
answer+=s[i].toUpperCase();
count++;
}
}
return answer;
}
JavaScript에서는
s[i].toLowerCase() 와 s[i].toUpperCase()
C++
#include <string>
#include <vector>
using namespace std;
string solution(string s) {
string answer = "";
int count=0;
for(int i=0;i<s.length();i++){
if(s[i]==' '){
count=0;
answer+=s[i];
continue;
}
else if(count%2==0){
answer+=toupper(s[i]);
count++;
}
else if(count%2){
answer+=tolower(s[i]);
count++;
}
}
return answer;
}
C++에서는
toupper(s[i]) 와 tolower(s[i])
728x90
'알고리즘 문제 > [프로그래머스] Lv1' 카테고리의 다른 글
[프로그래머스] 자연수 뒤집어 배열로 만들기(Lv1) (0) | 2020.06.09 |
---|---|
[프로그래머스] 자릿수 더하기(Lv1) (0) | 2020.06.09 |
[프로그래머스] 약수의 합(Lv1) (0) | 2020.06.08 |
[프로그래머스] 시저 암호(Lv1) (0) | 2020.06.08 |
[프로그래머스] 문자열을 정수로 바꾸기(Lv1) (0) | 2020.06.08 |
Comments