import java.util.*;
public class Solution {
/**
* 代码中的类名、方法名、参数名已经指定,请勿修改,直接返回方法规定的值即可
*
*
* @param array int整型一维数组
* @return int整型一维数组
*/
public int[] reOrderArray (int[] array) {
// write code here
if (0 == array.length || 1 == array.length) {
return array;
}
// 定义两个队列,一个队列用来存放数组中的奇数,一个队列用来存放数组中的偶数
Queue<Integer> queue1 = new LinkedList<>();
Queue<Integer> queue2 = new LinkedList<>();
for (int i = 0; i < array.length; i++) {
if (array[i] % 2 != 0) {
queue1.add(array[i]);
} else {
queue2.add(array[i]);
}
}
int index = 0;
while (!queue1.isEmpty()) {
array[index] = queue1.poll();
index++;
}
while (!queue2.isEmpty()) {
array[index] = queue2.poll();
index++;
}
return array;
}
}