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

Sort Array By Parity

Difficulty: Easy


Problem Description

Given an integer array nums, move all the even integers at the beginning of the array followed by all the odd integers. Return any array that satisfies this condition.


Key Insights

  • The problem requires separating even and odd integers in an array.
  • The order of even and odd integers relative to each other does not matter.
  • A two-pointer approach can be effective in solving this problem efficiently.

Space and Time Complexity

Time Complexity: O(n) - We need to iterate through the array once. Space Complexity: O(1) - We can perform the operations in place without using extra space.


Solution

To solve the problem, we can use a two-pointer approach. We maintain two pointers, one starting from the beginning of the array and the other from the end. The first pointer will move forward until it finds an odd number, and the second pointer will move backward until it finds an even number. When both pointers meet, we swap the elements at these pointers, continuing the process until the pointers cross. This effectively groups all even numbers at the front and odd numbers at the back.


Code Solutions

def sortArrayByParity(nums):
    left, right = 0, len(nums) - 1
    while left < right:
        if nums[left] % 2 > nums[right] % 2:
            nums[left], nums[right] = nums[right], nums[left]
        if nums[left] % 2 == 0:
            left += 1
        if nums[right] % 2 == 1:
            right -= 1
    return nums
← Back to All Questions