In an array of integers, a "peak" is an element which is greater than or equal to the adjacent integers and a "valley" is an element which is less than or equal to the adjacent integers. For example, in the array {5, 8, 6, 2, 3, 4, 6}, {8, 6} are peaks and {5, 2} are valleys. Given an array of integers, sort the array into an alternating sequence of peaks and valleys.
Example:
Input: [5, 3, 1, 2, 3]
Output: [5, 1, 3, 2, 3]
Note:
nums.length <= 10000
Solutions
Solution 1: Sorting
We first sort the array, and then traverse the array and swap the elements at even indices with their next element.
The time complexity is $O(n \times \log n)$, and the space complexity is $O(\log n)$. Here, $n$ is the length of the array.
/** Do not return anything, modify nums in-place instead. */functionwiggleSort(nums:number[]):void{nums.sort((a,b)=>a-b);constn=nums.length;for(leti=0;i<n-1;i+=2){[nums[i],nums[i+1]]=[nums[i+1],nums[i]];}}