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

Separate the Digits in an Array

Difficulty: Easy


Problem Description

Given an array of positive integers nums, return an array answer that consists of the digits of each integer in nums after separating them in the same order they appear in nums.

To separate the digits of an integer is to get all the digits it has in the same order.


Key Insights

  • Each integer can be treated as a string to easily access its individual digits.
  • The output array should maintain the order of digits as they appear in the input array.
  • We can utilize a simple iteration and concatenation approach to build the result.

Space and Time Complexity

Time Complexity: O(n * m), where n is the number of integers in nums and m is the maximum number of digits in any integer. Space Complexity: O(n * m), for storing the output array.


Solution

The solution involves iterating through each integer in the input array, converting it to a string to access each digit, and adding those digits to the result array. The approach ensures that the order of digits is preserved.

  1. Initialize an empty list to hold the result.
  2. For each number in the input list:
    • Convert the number to a string.
    • Iterate over each character in the string.
    • Convert each character back to an integer and append it to the result list.
  3. Return the result list.

Code Solutions

def separateDigits(nums):
    answer = []
    for num in nums:
        # Convert each number to string to access digits
        for digit in str(num):
            # Append each digit as an integer to the answer list
            answer.append(int(digit))
    return answer
← Back to All Questions