-
Notifications
You must be signed in to change notification settings - Fork 886
/
NQueens.swift
81 lines (65 loc) · 1.95 KB
/
NQueens.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
36
37
38
39
40
41
42
43
44
45
46
47
48
49
50
51
52
53
54
55
56
57
58
59
60
61
62
63
64
65
66
67
68
69
70
71
72
73
74
75
76
77
78
79
80
81
/**
* Question Link: https://leetcode.com/problems/n-queens/
* Primary idea: Classic Depth-first Search, fill out row by row, and check column and
* diagnol for each time
*
* Time Complexity: O(n^n), Space Complexity: O(n^2)
*
*/
class NQueens {
func solveNQueens(_ n: Int) -> [[String]] {
guard n > 0 else {
return [[String]]()
}
var boards = [[String]]()
var board = Array(repeating: "", count: n)
dfs(&boards, &board, n, 0)
return boards
}
private func dfs(_ boards: inout [[String]], _ board: inout [String], _ n: Int, _ row: Int) {
if row == n {
boards.append(Array(board))
return
}
for col in 0..<n {
if isValid(board, col, row) {
board[row] = setRow(col, n)
dfs(&boards, &board, n, row + 1)
}
}
}
private func isValid(_ board: [String], _ col: Int, _ row: Int) -> Bool {
var c = -1
for i in 0..<row {
for j in 0..<board[0].characters.count {
if charAt(board[i], j) == "Q" {
c = j
break
}
}
// check col
if c == col {
return false
}
// check diagnol
if abs(c - col) == abs(i - row) {
return false
}
}
return true
}
private func charAt(_ str: String, _ index: Int) -> Character {
return str[str.index(str.startIndex, offsetBy: index)]
}
private func setRow(_ col: Int, _ n: Int) -> String {
var row = ""
for i in 0..<n {
if i == col {
row.append("Q")
} else {
row.append(".")
}
}
return row
}
}