《剑指offer》----调整数组顺序使奇数位于偶数前面
题目描述
输入一个整数数组,实现一个函数来调整该数组中数字的顺序,使得所有的奇数位于数组的前半部分,所有的偶数位于数组的后半部分,并保证奇数和奇数,偶数和偶数之间的相对位置不变。
解题思路
复制给定数组,统计原数组中奇数的个数,然后根据复制数组来替换掉原数组中的数据。
源码
public class Solution {
public void reOrderArray(int [] array) {
int count=0;
for(int num:array){
if(num%2==1){
count++;
}
}
int i=0,j=count;
int[] copyArray=array.clone();
for(int num:copyArray){
if(num%2==1){
array[i++]=num;
}else{
array[j++]=num;
}
}
}
}