We use cookies (including Google cookies) to personalize ads and analyze traffic. By continuing to use our site, you accept our Privacy Policy.

Percentage of Letter in String

Difficulty: Easy


Problem Description

Given a string s and a character letter, return the percentage of characters in s that equal letter rounded down to the nearest whole percent.


Key Insights

  • The percentage is calculated as the count of the specified letter divided by the total length of the string, multiplied by 100.
  • Rounding down is achieved using integer division.
  • Edge cases include when the letter does not appear in the string, resulting in a percentage of 0.

Space and Time Complexity

Time Complexity: O(n), where n is the length of the string s, as we need to iterate through the string to count occurrences of the letter. Space Complexity: O(1), since we are using a fixed number of variables regardless of the input size.


Solution

To solve the problem, we will use a simple algorithm that involves iterating through the string to count occurrences of the given letter. We will then calculate the percentage by dividing the count by the length of the string and multiplying by 100. Finally, we will use integer division to round down the result.


Code Solutions

def percentage_of_letter(s: str, letter: str) -> int:
    count = s.count(letter)  # Count occurrences of the letter
    total = len(s)           # Get the total length of the string
    percentage = (count * 100) // total  # Calculate the percentage rounded down
    return percentage
← Back to All Questions