forked from soapyigu/LeetCode-Swift
-
Notifications
You must be signed in to change notification settings - Fork 0
/
WiggleSort.swift
35 lines (30 loc) · 1021 Bytes
/
WiggleSort.swift
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
18
19
20
21
22
23
24
25
26
27
28
29
30
31
32
33
34
35
/**
* Question Link: https://leetcode.com/problems/wiggle-sort/
* Primary idea: Iterate the array and swap the largest one to the middle
* Time Complexity: O(n), Space Complexity: O(1)
*/
class WiggleSort {
func wiggleSort(_ nums: inout [Int]) {
guard nums.count >= 2 else {
return
}
for i in stride(from: 1, to: nums.count, by: 2) {
let idx = getLargest(nums, i - 1, i , i + 1)
(nums[i], nums[idx]) = (nums[idx], nums[i])
}
}
private func getLargest(_ nums: [Int], _ x: Int, _ y: Int, _ z: Int) -> Int {
let len = nums.count
let xVal = x >= 0 && x < len ? nums[x] : Int.min
let yVal = y >= 0 && y < len ? nums[y] : Int.min
let zVal = z >= 0 && z < len ? nums[z] : Int.min
let maxVal = max(xVal, yVal, zVal)
if maxVal == xVal {
return x
} else if maxVal == yVal {
return y
} else {
return z
}
}
}