193k views
3 votes
IN python

Define a string with value "It was a bright cold day in April, and the clocks were striking thirteen." Then calculate the following things listed below. Note that your code should work with any string value. If you manually count the letters and hard code the occurrences and numbers, you will lose at least 20 points.
Find and print the most used character and its occurrences, NOT including punctuations and white spaces. Note that the characters are case sensitive, e.g., A is different from a.

Count the total number of words, NOT including punctuations and white spaces. Please do not count the number of spaces, i.e., both "Hello World" and "Hello World" have 2 words.

1 Answer

0 votes

Final answer:

To find the most used character in a string, excluding punctuations and white spaces, you can use the Counter class from the collections module in Python. To count the total number of words in a string, excluding punctuations and white spaces, you can use the split method of strings and count the elements.

Step-by-step explanation:

Python Code:

text = 'It was a bright cold day in April, and the clocks were striking thirteen.'

1. Most Used Character:

The most used character in the given string, excluding punctuations and white spaces, can be found using the Counter class from the collections module in Python.

Here is an example code:

from collections import Counter

letters = [char for char in text if char.isalpha()]

count = Counter(letters)

most_used = max(count, key=count.get)
occurrences = count[most_used]

print(f'The most used character is {most_used} with {occurrences} occurrences.')

2. Total Number of Words:

The total number of words in the given string, excluding punctuations and white spaces, can be calculated by using the split method of strings and counting the elements of the resulting list.

Here is an example code:

words = text.split()

count_words = len(words)

print(f'Total number of words: {count_words}')

User Jjm
by
7.5k points