Computer >> 컴퓨터 >  >> 프로그램 작성 >> Python

주어진 문자열에서 각 문자의 발생을 찾는 Python 프로그램


이 기사에서는 아래 주어진 문제 설명에 대한 솔루션에 대해 알아볼 것입니다.

문제 설명 − 문자열이 주어지면 주어진 문자열에서 각 문자의 발생을 찾아야 합니다.

여기서 우리는 아래에서 논의되는 3가지 접근 방식에 대해 논의할 것입니다.L

접근 방식 1 - 무차별 대입 방식

예시

test_str = "Tutorialspoint"
#count dictionary
count_dict = {}
for i in test_str:
   #for existing characters in the dictionary
   if i in count_dict:
      count_dict[i] += 1
   #for new characters to be added
   else:
      count_dict[i] = 1
print ("Count of all characters in Tutorialspoint is :\n "+
str(count_dict))

출력

Count of all characters in Tutorialspoint is :
{'T': 1, 'u': 1, 't': 2, 'o': 2, 'r': 1, 'i': 2, 'a': 1, 'l': 1, 's': 1, 'p': 1, 'n': 1}

접근법 2 - 컬렉션 모듈 사용

예시

from collections import Counter
test_str = "Tutorialspoint"
# using collections.Counter() we generate a dictionary
res = Counter(test_str)
print ("Count of all characters in Tutorialspoint is :\n "+
str(dict(res)))

출력

Count of all characters in Tutorialspoint is :
{'T': 1, 'u': 1, 't': 2, 'o': 2, 'r': 1, 'i': 2, 'a': 1, 'l': 1, 's': 1, 'p': 1, 'n': 1}

접근법 3 - 람다 식에서 set() 사용

예시

test_str = "Tutorialspoint"
# using set() to calculate unique characters in the given string
res = {i : test_str.count(i) for i in set(test_str)}
print ("Count of all characters in Tutorialspoint is :\n "+
str(dict(res)))

출력

Count of all characters in Tutorialspoint is :
{'T': 1, 'u': 1, 't': 2, 'o': 2, 'r': 1, 'i': 2, 'a': 1, 'l': 1, 's': 1, 'p': 1, 'n': 1}

결론

이 기사에서는 주어진 문자열에서 각 문자의 출현을 찾는 방법에 대해 배웠습니다.