You may have heard of the classic checkerboard covering puzzle. How do you cover a checkerboard that has one corner square missing, using L-shaped tiles?
There is a recursive approach to this as explained in the book "Python Algorithms Mastering Basic Algorithms in the Python Language."
The idea is to split the board into 4 smaller squares, then place the L-shaped tile into the center of larger board, effectively creating 4 smaller squares with one tile missing and continue via recursion.
Conceptually, it's easy to understand, but I find it very difficult to think about an implementation. Here's one implementation solution --
def cover(board, lab=1, top=0, left=0, side=None):
if side is None: side = len(board)
# Side length
s = side // 2
# Offsets for outer/inner squares of subboards
offsets = ((0, -1), (side-1, 0))
for dy_outer, dy_inner in offsets:
for dx_outer, dx_inner in offsets:
# If the outer corner is not set...
if not board[top+dy_outer][left+dx_outer]:
# ... label the inner corner:
board[top+s+dy_inner][left+s+dx_inner] = lab
# Next label:
lab += 1
if s > 1:
for dy in [0, s]:
for dx in [0, s]:
# Recursive calls, if s is at least 2:
lab = cover(board, lab, top+dy, left+dx, s)
# Return the next available label:
return lab
To Run the code, you get the following
board = [[0]*8 for i in range(8)]
board[7][7] = -1
cover(board)
for row in board:
print((" %2i"*8)%tuple(row))
3 3 4 4 8 8 9 9
3 2 2 4 8 7 7 9
5 2 6 6 10 10 7 11
5 5 6 1 1 10 11 11
13 13 14 1 18 18 19 19
13 12 14 14 18 17 17 19
15 12 12 16 20 17 21 21
15 15 16 16 20 20 21 -1
It took me some time to understand this implementation. I'm not sure if I even completely understand it, especially the thought behind the offsets line. Can someone try to explain the implementation succinctly? How does one develop an intuition to think about a solution to problems of this type? I found the solution very clever, especially setting up the offsets line as they did. If someone could help me understand this and perhaps suggestions on how to become better, I would greatly appreciate it.
Thanks!