Nellie's Blog

[프로그래머스][코딩테스트 연습] 문자열 내 p와 y의 개수 본문

Back-end/Algorithm

[프로그래머스][코딩테스트 연습] 문자열 내 p와 y의 개수

Nellie Kim 2022. 11. 19. 20:30
728x90

문제 설명

대문자와 소문자가 섞여있는 문자열 s가 주어집니다. s에 'p'의 개수와 'y'의 개수를 비교해 같으면 True, 다르면 False를 return 하는 solution를 완성하세요. 'p', 'y' 모두 하나도 없는 경우는 항상 True를 리턴합니다. 단, 개수를 비교할 때 대문자와 소문자는 구별하지 않습니다.

예를 들어 s가 "pPoooyY"면 true를 return하고 "Pyy"라면 false를 return합니다.

제한사항
  • 문자열 s의 길이 : 50 이하의 자연수
  • 문자열 s는 알파벳으로만 이루어져 있습니다.

입출력 예sanswer
"pPoooyY" true
"Pyy" false
입출력 예 설명

입출력 예 #1
'p'의 개수 2개, 'y'의 개수 2개로 같으므로 true를 return 합니다.

입출력 예 #2
'p'의 개수 1개, 'y'의 개수 2개로 다르므로 false를 return 합니다.

class Solution {
    boolean solution(String s) {
        boolean answer = true;

        // [실행] 버튼을 누르면 출력 값을 볼 수 있습니다.
        System.out.println("Hello Java");

        return answer;
    }
}

 

내 풀이 

class Solution {
	static boolean solution(String s) {
        boolean answer = true;
        int pcnt = 0;
        int ycnt = 0;
        
        for(int i = 0; i < s.length(); i++) {
        	if(s.charAt(i) == ('p'|'P'))  pcnt++;
        }
        
        for(int i = 0; i < s.length(); i++) {
        	if(s.charAt(i) == ('y'|'Y')) ycnt++;
        }
        
        if(pcnt == ycnt) {
        	return answer;
        }else {
        	return !answer;
        }
    }
    
    public static void main(String[] args) {
    	
    	System.out.println(solution("Pyyyp"));
    	
    }
}

'p'|'P' 가 잘못된듯...????

 

 

 

정답 풀이 1

class Solution {
    boolean solution(String s) {
        s = s.toLowerCase();
        int count = 0;

        for (int i = 0; i < s.length(); i++) {

            if (s.charAt(i) == 'p')
                count++;
            else if (s.charAt(i) == 'y')
                count--;
        }

        if (count == 0)
            return true;
        else
            return false;
    }
}

역시 toLowerCase로 모두 소문자로 바꿔주고, 변수는 count하나로! 

charAt(i)으로 p / y 인것을 찾아 + - 해주고, 

같다면 0이 될테니 , 0이면 true!!!!

 

 

 

정답 풀이2

class Solution {
	static boolean solution(String s) {
        int pcnt = 0;
        int ycnt = 0;
        
        String[] array = s.toLowerCase().split("");
        
        for(int i = 0; i < array.length; i++) {
        	if("p".equals(array[i])) {
        		pcnt++;
        	}else if("y".equals(array[i])) {
        		ycnt++;
        	}
        }
        if(pcnt == ycnt) {
        	return true;
        }else {
        	return false;
        }
    }
    
    public static void main(String[] args) {
    	
    	System.out.println(solution("Pyypp"));
    	
    }
}

모두 소문자로 바꾸고, split으로 다 잘라서 배열에 넣자!!!!!!!!!!!!

equals로 맞는 글자 찾기!