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

Find Numbers with Even Number of Digits

Difficulty: Easy


Problem Description

Given an array nums of integers, return how many of them contain an even number of digits.


Key Insights

  • To determine if a number has an even number of digits, we can convert the number to a string and check its length.
  • Alternatively, we can use mathematical operations to count the number of digits without converting to a string.
  • The task requires iterating through the array of numbers and counting how many have an even digit count.

Space and Time Complexity

Time Complexity: O(n), where n is the number of elements in the array nums, since we must check each number once. Space Complexity: O(1), as we are using a constant amount of space for the count variable.


Solution

To solve this problem, we will iterate over each number in the array. For each number, we will determine the number of digits it has. If the count of digits is even, we will increment our result counter. The approach can be implemented using either string conversion or mathematical digit counting.


Code Solutions

def findNumbers(nums):
    count = 0
    for num in nums:
        if len(str(num)) % 2 == 0:  # Convert number to string and check length
            count += 1
    return count
← Back to All Questions