Creating a puzzle

1.9k Views Asked by At

For my study I need to create a binary puzzle in Python like this:

Puzzle layout

First I need to make a game board for it, as in the image. I'm trying to create a 6 by 6 board. The player must be able to enter a 1 or 0.

How do I create the board so that the player will be able to enter the coordinate as in the picture?

After some research I found this way to create a board:

col = 6
row = 6
board = []
for i in range(6):
   board.append(["0"]*col)

 print(board)

The problem here is that the list is coming up like:

 [[0, 0, 0, 0, 0, 0], [0, 0, 0, 0, 0, 0], [0, 0, 0, 0, 0, 0], ...]

How can I change the code so that it will come under each other?

And how can I add those A, B, C / 1, 2, 3 on the x/y axes?

2

There are 2 best solutions below

1
On BEST ANSWER

Something simple to give you some idea:

y_map = {'A':0, 'B':1, 'C':2, 'D':3, 'E':4, 'F':5}

def get_coords(coord_str):
    x,y = coord_str.split()
    x -= 1
    y = y_map[y]
    return (x,y)

user_coords = "A 4"
user_input = 1
user_coords = get_coords(user_coords)
grid[user_coords[1]][user_coords[0]] = user_input

Needs a bit of work, but I'm sure it's enough to get started.

0
On

Before printing the board print the letters one after the next. You also will not want to say print(board) but instead create your own function to print the board or do it inside a a nested for loop. Print the row label after printing all elements in that row.

def printBoard():
    col_labels = ['A', 'B', 'C', 'D', 'E', 'F']
    row_labels = ['1', '2', '3', '4', '5', '6']
    for i in col_labels:
        print(i)
        print(" ")

    for r in range(row):
        for c in range(col):
            print(board[r][c]
            print(" ")
        print(row_labels[r])

NOTE: untested code