前言
昨天贴的代码和题有错误,今天重发一下,抱歉哈~
2018.11.12号打卡 明天的题目: https://leetcode.com/problems/merge-intervals/
每天一道leetcode905-按奇偶排序数组 分类:数组 中文链接: https://leetcode.com/problems/sort-array-by-parity/description/ 英文链接 https://leetcode.com/problems/sort-array-by-parity/description/
给定一个非负整数数组 A,返回一个由 A 的所有偶数元素组成的数组,后面跟 A 的所有奇数元素。 你可以返回满足此条件的任何数组作为答案。 示例: 输入:[3,1,2,4] 输出:[2,4,3,1] 输出 [4,2,3,1],[2,4,1,3] 和 [4,2,1,3] 也会被接受。 提示: 1 <= A.length <= 5000 0 <= A[i] <= 5000
使用额外空间的思路
代码
class Solution {
public int[] sortArrayByParity(int[] A) {
if(A.length == 0)
return A;
int [] B = new int [A.length];
int begin = 0;
int end = B.length - 1;
for(int i=0;i<A.length;i++)
{
if(A[i] % 2 == 0)
{
B[begin] = A[i];
begin++;
}
else{
B[end] = A[i];
end--;
}
}
return B;
}
}
代码讲解
不使用额外空间的思路
代码
class Solution {
public int[] sortArrayByParity(int[] A) {
int i=0, j= A.length - 1;
while(i < j)
{
if(A[i] % 2 == 1 && A[j] %2 == 0)
{
int temp = A[i];
A[i] = A[j];
A[j] = temp;
i++;
j--;
}
else if(A[i] % 2 == 0)
{
i++;
}
else if(A[j] % 2 == 1)
{
j--;
}
}
return A;
}
}
代码讲解