1. Homepage
  2. Programming
  3. Assignment: Tile Puzzle, Grid Navigation, Linear Disk Movement and Dominoes Game

Assignment: Tile Puzzle, Grid Navigation, Linear Disk Movement and Dominoes Game

Engage in a Conversation
Tile PuzzleGrid NavigationLinear Disk MovementDominoes GamePython

Instructions CourseNana.COM

In this assignment, you will explore a number of games and puzzles from the perspectives of informed and adversarial search. CourseNana.COM

A skeleton file homework.py containing empty definitions for each question has been provided. Since portions of this assignment will be graded automatically, none of the names or function signatures in this file should be modified. However, you are free to introduce additional variables or functions if needed. CourseNana.COM

You may import definitions from any standard Python library, and are encouraged to do so in case you find yourself reinventing the wheel. If you are unsure where to start, consider taking a look at the data structures and functions defined in the collections, itertools, Queue, and random modules. CourseNana.COM

1. Tile Puzzle [40 points] CourseNana.COM

Recall from class that the Eight Puzzle consists of a 3 x 3 board of sliding tiles with a single empty space. For each configuration, the only possible moves are to swap the empty tile with one of its neighboring tiles. The goal state for the puzzle consists of tiles 1-3 in the top row, tiles 4-6 in the middle row, and tiles 7 and 8 in the bottom row, with the empty space in the lower-right corner. CourseNana.COM

In this section, you will develop two solvers for a generalized version of the Eight Puzzle, in which the board can have any number of rows and columns. We have suggested an approach similar to the one used to create a Lights Out solver in Homework 2, and indeed, you may find that this pattern can be abstracted to cover a wide range of puzzles. If you wish to use the provided GUI for testing, described in more detail at the end of the section, then your implementation must adhere to the recommended interface. However, this is not required, and no penalty will imposed for using a different approach. CourseNana.COM

A natural representation for this puzzle is a two-dimensional list of integer values between 0 and r · c - 1 (inclusive), where r and c are the number of rows and columns in the board, respectively. In this problem, we will adhere to the convention that the 0-tile represents the empty space. CourseNana.COM

1. [0 points] In the TilePuzzle class, write an initialization method __init__(self, board) that stores an input board of this form described above for future use. You additionally may wish to store the dimensions of the board as separate internal variables, as well as the location of the empty tile. CourseNana.COM

2. [0 points] Suggested infrastructure. CourseNana.COM

In the TilePuzzle class, write a method get_board(self) that returns the internal representation of the board stored during initialization. CourseNana.COM

>>> p = TilePuzzle([[1, 2], [3, 0]]) >>> p.get_board()
[[
1, 2], [3, 0]]
CourseNana.COM

>>> p = TilePuzzle([[0, 1], [3, 2]]) >>> p.get_board()
[[
0, 1], [3, 2]]
CourseNana.COM

Write a top-level function create_tile_puzzle(rows, cols) that returns a new TilePuzzle of the specified dimensions, initialized to the starting configuration. Tiles 1 through r · c - 1 should be arranged starting from the top-left corner in row-major order, and tile 0 should be located in the lower-right corner. CourseNana.COM

>>> p = create_tile_puzzle(3, 3) >>> p.get_board()
[[
1, 2, 3], [4, 5, 6], [7, 8, 0]]
CourseNana.COM

>>> p = create_tile_puzzle(2, 4) >>> p.get_board()
[[
1, 2, 3, 4], [5, 6, 7, 0]]
CourseNana.COM

In the TilePuzzle class, write a method perform_move(self, direction) that attempts to swap the empty tile with its neighbor in the indicated direction, where valid inputs are limited to the strings "up", "down", "left", and "right". If the given direction is invalid, or if the move CourseNana.COM

In the TilePuzzle class, write a method scramble(self, num_moves) which scrambles the puzzle by calling perform_move(self, direction) the indicated number of times, each time with a random direction. This method of scrambling guarantees that the resulting configuration will be solvable, which may not be true if the tiles are randomly permuted. Hint: The random module contains a function random.choice(seq) which returns a random element from its input sequence. CourseNana.COM

In the TilePuzzle class, write a method is_solved(self) that returns whether the board is in its starting configuration. CourseNana.COM

>>> p = TilePuzzle([[1, 2], [3, 0]]) >>> p.is_solved()
True
CourseNana.COM

>>> p = TilePuzzle([[0, 1], [3, 2]]) >>> p.is_solved()
False
CourseNana.COM

In the TilePuzzle class, write a method copy(self) that returns a new TilePuzzle object initialized with a deep copy of the current board. Changes made to the original puzzle should not be reflected in the copy, and vice versa. CourseNana.COM

>>> p = create_tile_puzzle(3, 3) >>> p2 = p.copy()
>>> p.get_board() == p2.get_board() True
CourseNana.COM

>>> p = create_tile_puzzle(3, 3) >>> p2 = p.copy()
>>> p.perform_move("left")
>>> p.get_board() == p2.get_board() False
CourseNana.COM

3. [20 points] In the TilePuzzle class, write a method find_solutions_iddfs(self) that yields all optimal solutions to the current board, represented as lists of moves. Valid moves include the four strings "up", "down", "left", and "right", where each move indicates a
single swap of the empty tile with its neighbor in the indicated direction. Your solver should be implemented using an iterative deepening depth-first search, consisting of a series of depth-first searches limited at first to 0 moves, then 1 move, then 2 moves, and so on. You may assume that the board is solvable. The order in which the solutions are produced is unimportant, as long as all optimal solutions are present in the output.
CourseNana.COM

>> b = [[4,1,2], [0,5,3], [7,8,6]]
>>> p = TilePuzzle(b)
>>> solutions = p.find_solutions_iddfs() >>> next(solutions)
[
'up', 'right', 'right', 'down', 'down']
CourseNana.COM

>>> b = [[1,2,3], [4,0,8], [7,6,5]]
>>> p = TilePuzzle(b)
>>> list(p.find_solutions_iddfs()) [['down', 'right', 'up', 'left', 'down',
CourseNana.COM

'right'], ['right', 'down', 'left', 'up', 'right', 'down']] CourseNana.COM

4. [20 points] In the TilePuzzle class, write a method find_solution_a_star(self) that returns an optimal solution to the current board, represented as a list of direction strings. If multiple optimal solutions exist, any of them may be returned. Your solver should be implemented as an A* search using the Manhattan distance heuristic, which is reviewed below. You may assume that the board is solvable. During your search, you should take care not to add positions to the queue that have already been visited. It is recommended that you use the PriorityQueue class from the Queue module. CourseNana.COM

Recall that the Manhattan distance between two locations (r_1, c_1) and (r_2, c_2) on a board is defined to be the sum of the componentwise distances: |r_1 - r_2| + |c_1 - c_2|. The Manhattan distance heuristic for an entire puzzle is then the sum of the Manhattan distances between each tile and its solved location. CourseNana.COM

>>> b = [[4,1,2], [0,5,3], [7,8,6]]
>>> p = TilePuzzle(b)
>>> p.find_solution_a_star()
[
'up', 'right', 'right', 'down', 'down']
CourseNana.COM

>>> b = [[1,2,3], [4,0,5], [6,7,8]]
>>> p = TilePuzzle(b)
>>> p.find_solution_a_star()
[
'right', 'down', 'left', 'left', 'up',
CourseNana.COM

If you implemented the suggested infrastructure described in this section, you can play with an interactive version of the Tile Puzzle using the provided GUI by running the following command: CourseNana.COM

python homework_tile_puzzle_gui.py rows cols
The arguments rows and cols are positive integers designating the size of the puzzle. CourseNana.COM

In the GUI, you can use the arrow keys to perform moves on the puzzle, and can use the side menu to scramble or solve the puzzle. The GUI is merely a wrapper around your implementations of the relevant functions, and may therefore serve as a useful visual tool for debugging. CourseNana.COM

2. Grid Navigation [15 points] CourseNana.COM

In this section, you will investigate the problem of navigation on a two-dimensional grid with obstacles. The goal is to produce the shortest path between a provided pair of points, taking care to maneuver around the obstacles as needed. Path length is measured in Euclidean distance. Valid directions of movement include up, down, left, right, up-left, up-right, down-left, and down-right. CourseNana.COM

Your task is to write a function find_path(start, goal, scene) which returns the shortest path from the start point to the goal point that avoids traveling through the obstacles in the grid. For this problem, points will be represented as two-element tuples of the form (row, column), and scenes will be represented as two-dimensional lists of Boolean values, with False values corresponding empty spaces and True values corresponding to obstacles. Your output should be the list of points in the path, and should explicitly include both the start point and the goal point. Your implementation should consist of an A* search using the straight-line Euclidean distance heuristic. If multiple optimal solutions exist, any of them may be returned. If no optimal solutions exist, or if the start point or goal point lies on an obstacle, you should return the sentinal value None. CourseNana.COM

using the provided GUI by running the following command: CourseNana.COM

python homework_grid_navigation_gui.py scene_path CourseNana.COM

The argument scene_path is a path to a scene file storing the layout of the target grid and obstacles. We use the following format for textual scene representation: "." characters correspond to empty spaces, and "X" characters correspond to obstacles. CourseNana.COM

3. Linear Disk Movement, Revisited [15 points] CourseNana.COM

Recall the Linear Disk Movement section from previous homework. The starting configuration of this puzzle is a row of L cells, with disks located on cells 0 through n - 1. The goal is to move the disks to the end of the row using a constrained set of actions. At each step, a disk can only be moved to an adjacent empty cell, or to an empty cell two spaces away, provided another disk is located on the intervening square. CourseNana.COM

Implement an improved version of the solve_distinct_disks(length, n) function from Homework 2 that uses an A* search rather than an uninformed breadth-first search to find an optimal solution. As before, the exact solution produced is not important so long as it is of minimal length. You should devise a heuristic which is admissible but informative enough to yield significant improvements in performance. CourseNana.COM

4. Dominoes Game [25 points] CourseNana.COM

In this section, you will develop an AI for a game in which two players take turns placing 1 x 2 dominoes on a rectangular grid. One player must always place his dominoes vertically, and the other must always place his dominoes horizontally. The last player who successfully places a domino on the board wins. CourseNana.COM

As with the Tile Puzzle, an infrastructure that is compatible with the provided GUI has been suggested. However, only the search method will be tested, so you are free to choose a different approach if you find it more convenient to do so. CourseNana.COM

1. [0 points] In the DominoesGame class, write an initialization method __init__(self, board) that stores an input board of the form described above for future use. You additionally may wish to store the dimensions of the board as separate internal variables, though this is not required. CourseNana.COM

2. [0 points] Suggested infrastructure. CourseNana.COM

is False, then the current player intends to place a domino on squares (row, col) and (row, col + 1). This convention will be followed throughout the rest of the CourseNana.COM

In the DominoesGame class, write a method perform_move(self, row, col, vertical) which fills the squares covered by a domino placed at the given location in the specified orientation. CourseNana.COM

>>> g = create_dominoes_game(3, 3) >>> g.perform_move(0, 1, True)
>>> g.get_board()
[[
False, True, False],
CourseNana.COM

 [False, True,  False], CourseNana.COM

 [False, False, False]] CourseNana.COM

>>> g.game_over(False) True CourseNana.COM

In the DominoesGame class, write a method copy(self) that returns a new DominoesGame object initialized with a deep copy of the current board. Changes made to the original puzzle should not be reflected in the copy, and vice versa. CourseNana.COM

>>> g = create_dominoes_game(4, 4) >>> g2 = g.copy()
>>> g.get_board() == g2.get_board() True
CourseNana.COM

>>> g = create_dominoes_game(4, 4) >>> g2 = g.copy()
>>> g.perform_move(0, 0, True)
>>> g.get_board() == g2.get_board() False
CourseNana.COM

In the DominoesGame class, write a method successors(self, vertical) that yields all successors of the puzzle for the current player as (move, new-game) tuples, where moves themselves are (row, column) tuples. The second element of each successor should be a new DominoesGame object whose board is the result of applying the corresponding move to the current board. The successors should be generated in the same order in which moves are produced by the legal_moves(self, vertical) method. CourseNana.COM

  • >>>  b =
  • >>>  g =
  • >>>  for ...

[[False, False], [False, False]] DominoesGame(b)
m, new_g in g.successors(True): print m, new_g.get_board()
CourseNana.COM

>>> b = >>> g = >>> for ... CourseNana.COM

3. [25 points] In the DominoesGame class, write a method
get_best_move(self, vertical, limit) which returns a 3-element tuple containing the best move for the current player as a (row, column) tuple, its associated value, and the number of leaf nodes visited during the search. Recall that if the vertical parameter is True, then the current player intends to place a domino on squares (row, col) and (row + 1, col), and if the vertical parameter is False, then the current player intends to place a domino on squares (row, col) and (row, col + 1). Moves should be explored row-major order, described in further detail above, to ensure consistency. CourseNana.COM

If you implemented the suggested infrastructure described in this section, you can play with an interactive version of the dominoes board game using the provided GUI by running the following command: CourseNana.COM

Get in Touch with Our Experts

WeChat WeChat
Whatsapp WhatsApp
Tile Puzzle代写,Grid Navigation代写,Linear Disk Movement代写,Dominoes Game代写,Python代写,Tile Puzzle代编,Grid Navigation代编,Linear Disk Movement代编,Dominoes Game代编,Python代编,Tile Puzzle代考,Grid Navigation代考,Linear Disk Movement代考,Dominoes Game代考,Python代考,Tile Puzzlehelp,Grid Navigationhelp,Linear Disk Movementhelp,Dominoes Gamehelp,Pythonhelp,Tile Puzzle作业代写,Grid Navigation作业代写,Linear Disk Movement作业代写,Dominoes Game作业代写,Python作业代写,Tile Puzzle编程代写,Grid Navigation编程代写,Linear Disk Movement编程代写,Dominoes Game编程代写,Python编程代写,Tile Puzzleprogramming help,Grid Navigationprogramming help,Linear Disk Movementprogramming help,Dominoes Gameprogramming help,Pythonprogramming help,Tile Puzzleassignment help,Grid Navigationassignment help,Linear Disk Movementassignment help,Dominoes Gameassignment help,Pythonassignment help,Tile Puzzlesolution,Grid Navigationsolution,Linear Disk Movementsolution,Dominoes Gamesolution,Pythonsolution,