描述
給你一個沒有排序的數(shù)組嵌灰,請將原數(shù)組就地重新排列滿足如下性質(zhì)
nums[0] <= nums[1] >= nums[2] <= nums[3]....
樣例
給出數(shù)組為 nums = [3, 5, 2, 1, 6, 4] 一種輸出方案為 [1, 6, 2, 5, 3, 4]
標(biāo)簽
快速排序&數(shù)組&排序
相關(guān)題目
擺動排序2 & 顏色排序 & 顏色排序2
代碼實現(xiàn)
擺動排序 ~> 數(shù)組中的奇數(shù)索引值大于偶數(shù)索引值
public class Solution {
/**
* @param nums a list of integer
* @return void
*/
public void wiggleSort(int[] nums) {
if (nums == null || nums.length == 0) {
return;
}
for(int i=1; i<nums.length; i++) {
//數(shù)組中的奇數(shù)索引值大于偶數(shù)索引值
if ((i%2==1 && nums[i-1]>nums[i]) ||
(i%2==0 && nums[i-1]<nums[i]))
swap(nums, i-1, i);
}
}
private void swap(int[] nums, int i, int j) {
int temp = nums[i];
nums[i] = nums[j];
nums[j] = temp;
}
}