Problem Description
You are given a 0-indexed array of positive integers nums
. In one operation, you can swap any two adjacent elements if they have the same number of set bits. You are allowed to do this operation any number of times (including zero). Return true
if you can sort the array in ascending order, else return false
.
Key Insights
- The sorting of the array is only possible through adjacent swaps.
- Elements can only be swapped if they have the same number of set bits in their binary representation.
- Group elements by their set bit counts; each group can be sorted independently.
- If the sorted version of the original array matches the sorted version of each group, the answer is
true
.
Space and Time Complexity
Time Complexity: O(n log n) - for sorting the groups of numbers.
Space Complexity: O(n) - for storing the groups of numbers based on the count of set bits.
Solution
The approach involves the following steps:
- Count the number of set bits for each element in the array.
- Group the elements based on their set bit counts into a dictionary.
- Sort each group.
- Flatten the sorted groups back into a single list and compare it with the sorted version of the original array.
- If they match, return
true
; otherwise, returnfalse
.