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

Number of Senior Citizens

Difficulty: Easy


Problem Description

You are given a 0-indexed array of strings details. Each element of details provides information about a given passenger compressed into a string of length 15. The first ten characters consist of the phone number of passengers. The next character denotes the gender of the person. The following two characters are used to indicate the age of the person. The last two characters determine the seat allotted to that person. Return the number of passengers who are strictly more than 60 years old.


Key Insights

  • Each passenger's information is encoded in a fixed-length string of 15 characters.
  • The age of the passenger is represented by the 12th and 13th characters as a two-digit number.
  • We need to count how many passengers have an age greater than 60.

Space and Time Complexity

Time Complexity: O(n), where n is the number of passengers in the details array.
Space Complexity: O(1), as we are using a constant amount of space for counting.


Solution

To solve this problem, we will iterate through each string in the details array. For each string, we will extract the age from the characters at index 12 and 13, convert it to an integer, and check if it is greater than 60. If it is, we will increment our count. Finally, we will return the count of passengers older than 60.


Code Solutions

def countSeniorCitizens(details):
    count = 0
    for detail in details:
        age = int(detail[11:13])  # Extract age from the string
        if age > 60:               # Check if age is greater than 60
            count += 1             # Increment count if condition is met
    return count
← Back to All Questions