Question:

Write a function, c_words(), in Python that separately counts and displays the number of uppercase and lowercase alphabets in a text file, Words.txt

Show Hint

Use isupper()} and islower()} to efficiently count uppercase and lowercase letters in a string. Combine with open()} for file handling.
Updated On: Jan 21, 2025
Hide Solution
collegedunia
Verified By Collegedunia

Solution and Explanation

def c_words():
    # Open the file Words.txt in read mode
    with open("Words.txt", "r") as file:
        content = file.read()  # Read the entire content of the file
        upper_count = 0  # Initialize uppercase count
        lower_count = 0  # Initialize lowercase count
        
        # Iterate through each character in the content
        for char in content:
            if char.isupper():  # Check for uppercase letters
                upper_count += 1
            elif char.islower():  # Check for lowercase letters
                lower_count += 1
        
        # Display the counts
        print(f"Uppercase letters: {upper_count}")
        print(f"Lowercase letters: {lower_count}")
    
Explanation: The file Words.txt is opened in read mode, and its content is read into a string. The function iterates through each character in the file. The isupper() method is used to check for uppercase letters, and the islower() method is used to check for lowercase letters. Counts of uppercase and lowercase letters are maintained in separate variables and displayed after iteration.
Was this answer helpful?
0
0