28.4k views
3 votes
Write a classic tic-tac-toe program. You will have two players, get their names. The first player will play X, and the second will play O. At the beginning and after each turn, display the board - which is stored as a 2D array of chars. The spots that have not been taken are represented as '/. For each turn, ask the player by name, which row and column they want to play. If that spot is already taken, have them

User Simme
by
7.9k points

1 Answer

6 votes

Final answer:

To write a classic tic-tac-toe program, you can use a 2D array to represent the board. Each player can take turns entering their moves, and the board is displayed after each turn. This implementation allows two players to play, validates if the spot is already taken, and displays the board correctly.

Step-by-step explanation:

In order to write a classic tic-tac-toe program, you can use a 2D array of characters to represent the board. Each player can be assigned a symbol ('X' or 'O') and take turns entering their moves. Here is an example of how you can implement this program in Python:

board = [['/' for _ in range(3)] for _ in range(3)]
players = []

# Get players' names
for i in range(2):
name = input('Enter name of player {}:\\'.format(i+1))
players.append(name)

# Function to display the board
def display_board(board):
for row in board:
print(' '.join(row))

# Main game loop
current_player_index = 0
while True:
player = players[current_player_index]
print('Current player: {}'.format(player))
display_board(board)
row = int(input('Enter the row number (0-2): '))
col = int(input('Enter the column number (0-2): '))
if board[row][col] == '/':
board[row][col] = 'X' if current_player_index == 0 else 'O'
current_player_index = (current_player_index + 1) % 2
else:
print('Spot already taken. Please try again.')

This implementation allows two players to take turns entering their moves, validates if the spot is already taken, and displays the board after each turn.

User AlexeyDaryin
by
7.4k points