Level. 0
문제
문자열 code가 주어집니다. code를 앞에서부터 읽으면서 만약 문자가 "1"이면 mode를 바꿉니다.
mode에 따라 code를 읽어가면서 문자열 ret을 만들어냅니다.
mode는 0과 1이 있으며, idx를 0부터 code의 길이 - 1까지 1씩 키워나가면서 code[idx]의 값에 따라 다음과 같이 행동합니다.
mode가 0일 때
- code[idx]가 "1"이 아니면 idx가 짝수일 때만 ret의 맨 뒤에 code[idx]를 추가합니다.
- code[idx]가 "1"이면 mode를 0에서 1로 바꿉니다.
mode가 1일 때
- code[idx]가 "1"이 아니면 idx가 홀수일 때만 ret의 맨 뒤에 code[idx]를 추가합니다.
- code[idx]가 "1"이면 mode를 1에서 0으로 바꿉니다.
문자열 code를 통해 만들어진 문자열 ret를 return 하는 solution 함수를 완성해 주세요.
단, 시작할 때 mode는 0이며, return 하려는 ret가 만약 빈 문자열이라면 대신 "EMPTY"를 return 합니다.
* 제한사항
- 1 ≤ code의 길이 ≤ 100,000
- code는 알파벳 소문자 또는 "1"로 이루어진 문자열입니다.
풀이
class Solution {
public String solution(String code) {
String answer = "";
int mode = 0;
for(int idx = 0; idx<code.length(); idx++){
if(code.charAt(idx) == '1'){
mode = mode == 0 ? 1 : 0;
continue;
}
if(mode == 0){
if(idx%2==0) answer += code.charAt(idx);
}
else if (mode == 1){
if(idx%2!=0) answer += code.charAt(idx);
}
}
if(answer.length() == 0) answer = "EMPTY";
return answer;
}
}
다른 풀이
class Solution {
public String solution(String code) {
StringBuilder answer = new StringBuilder();
int mode = 0;
for (int i = 0; i < code.length(); i++) {
char current = code.charAt(i);
if (current == '1') {
mode = mode == 0 ? 1 : 0;
continue;
}
if (i % 2 == mode) {
answer.append(current);
}
}
return answer.length() == 0 ? "EMPTY" : answer.toString();
}
}
if (i % 2 == mode) {
answer.append(current);
}
if else문을 if 문 하나로 해결하였다!
https://school.programmers.co.kr/learn/courses/30/lessons/181932?language=java
'Algorithm > Programers - Java' 카테고리의 다른 글
[프로그래머스(Java)] 최빈값 구하기 / sort (0) | 2023.10.11 |
---|---|
[프로그래머스(Java)] OX퀴즈 (0) | 2023.10.10 |
[프로그래머스(Java)] 한 번만 등장한 문자 / Collectors.groupingBy(), Collectors.joining() (1) | 2023.10.09 |
[프로그래머스(Java)] 배열 만들기 2 / Integer.toBinaryString (0) | 2023.10.09 |
[프로그래머스(Java)] 특이한 정렬 / sort, Integer.compare(), compareTo() (0) | 2023.10.08 |