Using recursion, one can quickly write an algorithm for generating Sudoku puzzles. Swell, what’s recursion? A subroutine that calls itself is recursive. A common example of a recursive subroutine is one that calculates the value of a factorial. For example, to solve 5! we could write a subroutine that calculates 5 * 4 * 3 * 2 * 1. To write a recursive subroutine to do that we would multiple 5 by the result of 4! To calculate 4!, the subroutine would multiply 4 by the result of 3! To calculate 3!, the subroutine would multiply 3 by the result of 2! To calculate 2!, the subroutine would multiply 2 by 1!, but that is just 1 so the recursion would terminate and return the number 1, which would then be multiplied by 2 Of course 1 * 2 = 2, which is 2!. Then 2 would be returned by the subroutine and multiplied by 3. 2 * 3 = 6, which is 3! Then 6 would be returned by the subroutine and multiplied by 4. 6 * 4 = 24, which is 4! Lastly in our example, 24 (the result of 4!) is returned by the subroutine and multiplied by 5. 24 * 5 = 120, which is 5! In each successive subroutine call, the current integer, which we may call n, is multiplied by n – 1 factorial, until the current integer is 1. This may be written as
function factorial(n) {
if n = 1
return 1
else
return n * factorial(n – 1)
}
Although not particularly evident in that example, recursion is a very powerful programming technique! Folder systems in computer operating systems are traversed using recursion; sorting algorithms use recursion; and, for example, Sudoku puzzles can be generated using recursion.
Whereas the factorial problem was solved by recursively multiplying an integer, n, by the factorial of n – 1, a recursive solution for generating a Sudoku puzzle will place a random integer in the 1 – 9 range in a cell until an invalid number is placed, at which time the recursive routine will replace the invalid number with a different number in the 1 – 9 range. If every value in the 1 – 9 range is invalid, the recursive algorithm will go back and replace the value in the previously assigned cell with a different value in the 1 – 9 range. If every value in the 1 – 9 range is invalid in that cell, the recursive algorithm will go back again and replace the value in the previously assigned cell with a different value in the 1 – 9 range. (That would be the cell assigned prior to the previously assigned cell.) This recursive backtracking will yield a valid Sudoku grid. After generating a valid Sudoku grid, another algorithm randomly selects which cells will be revealed to the user.