Easy
You are given an integer array nums
. Transform nums
by performing the following operations in the exact order specified:
Return the resulting array after performing these operations.
Example 1:
Input: nums = [4,3,2,1]
Output: [0,0,1,1]
Explanation:
nums = [0, 1, 0, 1]
.nums
in non-descending order, nums = [0, 0, 1, 1]
.Example 2:
Input: nums = [1,5,1,4,2]
Output: [0,0,1,1,1]
Explanation:
nums = [1, 1, 1, 0, 0]
.nums
in non-descending order, nums = [0, 0, 1, 1, 1]
.Constraints:
1 <= nums.length <= 100
1 <= nums[i] <= 1000
public class Solution {
public int[] transformArray(int[] nums) {
int size = nums.length;
int[] ans = new int[size];
int countEven = 0;
for (int num : nums) {
if ((num & 1) == 0) {
countEven++;
}
}
for (int i = countEven; i < size; i++) {
ans[i] = 1;
}
return ans;
}
}