문자열 내 p와 y의 개수

 

 문제 설명

 

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

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

 

 제한 사항

 

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

 

 입출력 예

 

s answer
"pPoooyY" true
"Pyy" false

 

 Python 코드

 

def solution(s):
    return s.lower().count('p') == s.lower().count('y')
  • lower ( ) 함수를 사용하여 문자열을 모두 소문자로 바꾼 뒤
  • count ( ) 함수로 문자열 내의 p와 y의 개수를 센 것 을 비교하여 바로 True 또는 False가 나옴

 

* upper ( ) 함수 : a를 대문자 문자열로 변환

* lower ( ) 함수 : b를 소문자 문자열로 변환

 
a = "hi"
 
print("a를 대문자로:", a.upper())
 
 
 
b = "HI"
 
print("b를 소문자로:", b.lower())

* count ( ) 함수 : 문자열에서 사용되는 함수로 특정 문자, 또는 문자열이 포함되어 있는지 카운팅 해주는 함수

 
 
 
str1 = '111112345'
print(str1.count('1')) #5
print(str1.count('11')) #2

my_name = 'minhee kang'
print(my_name.count('min')) #1
print(my_name.count('e'))  #2

# 리스트에 사용가능
my_name_list = ['min', 'hee', 'kang']
print(my_name_list.count('min')) #1
print(my_name_list.count('e'))  #0

# 튜플에 사용가능
my_name_tuple = ('min', 'hee', 1)  #이렇게 int 형 섞여있어도 가능
print(my_name_list.count('min')) #1
print(my_name_list.count('e'))  #0

# 집합에 사용가능
my_name_set = {'min', 'hee', 1}
print(my_name_list.count('min')) #1
print(my_name_list.count('e'))  #0
 
 

* 참고 링크 1 : https://wikidocs.net/13

* 참고 링크 2 : https://velog.io/@himinhee/python-count-%ED%95%A8%EC%88%98

 C++ 코드

 

#include <string>
#include <iostream>
#include <algorithm>
using namespace std;

char easytolower(char in) {
  if(in <= 'Z' && in >= 'A')
    return in - ('Z' - 'z');
  return in;
}

bool solution(string s)
{
    int p = 0;
    int y = 0;
    transform(s.begin(), s.end(), s.begin(), easytolower);
    for(int i = 0; i < s.size(); i++){
        if(s[i] == 'p')
            p++;
        else if(s[i] == 'y')
            y++;
    }

    if(p == y )
        return true;
    else
        return false;
}
#include <string>
#include <iostream>
using namespace std;
bool solution(string s)
{
	int p = 0, y = 0;
	for (int i = 0; i < s.length(); i++)
	{
		if (tolower(s[i]) == 'p') p++;
		else if (tolower(s[i]) == 'y') y++;
	}
	return (p - y == 0) ? true : false;
}

 

* 참고 링크 1 : https://jjeongil.tistory.com/603

* 참고 링크 2 : https://it-and-life.tistory.com/192

+ Recent posts