-
Notifications
You must be signed in to change notification settings - Fork 2.3k
/
0051-n-queens.kt
53 lines (53 loc) · 1.93 KB
/
0051-n-queens.kt
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
class Solution {
fun solveNQueens(n: Int): List<List<String>> {
val cols = HashSet<Int>() //keep track of used columns, we iterate rows
val posDia = HashSet<Int>() //...of positive diagonals R+C
val negDia = HashSet<Int>() //...of negative diagonals R-C
val temp: ArrayList<ArrayList<String>> = arrayListOf() // to hold our temporary distinct solution
val res: ArrayList<ArrayList<String>> = arrayListOf() // result with each distinct solutin where each input is a solution
fillWithQueens(0,n,res,cols,posDia,negDia,temp)
return res
}
private fun fillWithQueens(
row: Int,
n: Int,
res: ArrayList<ArrayList<String>>,
cols: HashSet<Int>,
posDia: HashSet<Int>,
negDia: HashSet<Int>,
board: ArrayList<ArrayList<String>>
){
//if we have filled the whole board with queens
if(row == n){
val complete: ArrayList<String> = arrayListOf()
for(i in 0..n-1){
val joined = board[i].joinToString(separator = "")
complete.add(joined)
}
res.add(complete)
return
}
for(column in 0 until n){
if(cols.contains(column) || posDia.contains(row+column) || negDia.contains(row-column))
continue
val temp = tempRow(n)
board.add(temp)
cols.add(column)
posDia.add(row+column)
negDia.add(row-column)
board[row][column] = "Q"
fillWithQueens(row+1,n,res,cols,posDia,negDia,board)
cols.remove(column)
posDia.remove(row+column)
negDia.remove(row-column)
board[row][column] = "."
}
}
private fun tempRow(n: Int): ArrayList<String>{
val temp: ArrayList<String> = arrayListOf()
repeat(n){
temp.add(".")
}
return temp
}
}