列表

详情


922. 按奇偶排序数组 II

给定一个非负整数数组 nums,  nums 中一半整数是 奇数 ,一半整数是 偶数

对数组进行排序,以便当 nums[i] 为奇数时,i 也是 奇数 ;当 nums[i] 为偶数时, i 也是 偶数

你可以返回 任何满足上述条件的数组作为答案

 

示例 1:

输入:nums = [4,2,5,7]
输出:[4,5,2,7]
解释:[4,7,2,5],[2,5,4,7],[2,7,4,5] 也会被接受。

示例 2:

输入:nums = [2,3]
输出:[2,3]

 

提示:

 

进阶:可以不使用额外空间解决问题吗?

原站题解

去查看

上次编辑到这里,代码来自缓存 点击恢复默认模板
class Solution { public: vector<int> sortArrayByParityII(vector<int>& nums) { } };

golang 解法, 执行用时: 28 ms, 内存消耗: 6.8 MB, 提交时间: 2021-06-10 21:02:05

func sortArrayByParityII(nums []int) (ans []int) {
    n := len(nums)
    even, odd := []int{}, []int{}
    for _, num := range nums {
        if num % 2 == 0 {
            even = append(even, num)
        } else {
            odd = append(odd, num)
        }
    }
    for i := 0; i < n/2; i++ {
        ans = append(ans, even[i], odd[i])
    }
    return
}

上一题