Implement view classes for the game map

Assignment Help Python Programming
Reference no: EM132937335

1 Introduction

In Assignment 2 you implemented a text-based game, EndOfDayz. This game was intentionally structured in such a way that the modelling logic and the view classes for displaying content to the user could be modified fairly independently. In this assignment, you will exchange the text-based interface of EndOfDayz with a more sophisticated tkinter-based Graphical User In- terface (GUI), and implement additional functionality. You can find information about tkinter in this introduction to tkinter1 and in this tkinter reference2.

In Assignment 3 the user is presented with a map, on which entities are represented by either coloured squares or images. As opposed to Assignment 2, where the step event was triggered by user input, in this assignment the step event is triggered every second for all entities other than the player. The player's behaviour is triggered by key presses.

1.1 Variations from Assignment 2
When the player picks up an item, that item is added to an inventory, but not immediately applied. The inventory is displayed to the right of the game map. The user can activate and deactivate items by left clicking on them in the inventory. When an item is activated, it should begin working, and its lifetime should decrease by 1 every second. An example of the final game is shown in Figure 1. Additonally, the player can no longer run into a zombie to remove it from the game.

Except where specified, minor differences in the look (e.g. colours, fonts, etc.) of the GUI are acceptable. Except where specified, you are only required to do enough error handling such that regular game play does not cause your program to crash or error. If an attempt at a fea- ture causes your program to crash or behave in a way that testing other functionality becomes difficult, comment it out before submitting your assignment. Your marker will not modify your code in order to test functionality.

You must only make use of libraries listed in Appendix A. Importing anything that is not in this list will result in a deduction of up to 100%.

You may use any course provided code in your assignment. This includes any code from the support files or sample solutions for previous assignments from this semester only, as well as any lecture or tutorial code provided to you by course staff. However, it is your responsibility to ensure that this code is styled appropriately, and is an appropriate and correct approach to the problem you are addressing.

3 Task 1: Basic Gameplay
Task 1 requires you to implement a functional GUI-based version of EndOfDayz. At the end of this task your game should look like Figure 2. There are three major sections to the GUI; a heading label at the top, the game map (bottom left), and the inventory (bottom right).

To complete this task you will need to implement various view classes, including a basic graphical interface, which handles most of the event handling that was previously handled in TextInterface and its subclasses. You must use the supplied Assignment 2 solution for most of the modelling, as this solution contains additional functionality that was not required in your Assignment 2. You may create additional modelling classes if they benefit your solution.
User input events should cause behaviour as per Table 1.

Event

Behaviour

Key Press: 'w'

Player moves up one square if the map permits.

Key Press: 'a'

Player moves left one square if the map permits.

Key Press: 's'

Player moves down one square if the map permits.

Key Press: 'd'

Player moves right one square if the map permits.

Left  click  on

inventory view

If the left click occurs anywhere on a row containing an item, the 'activated'

status of that item is toggled (see Section 3.2.3 for details). If the left click occurs elsewhere nothing should happen (in particular no errors should occur).

Table 1: Task 1 events and their corresponding behaviours.

The player can move independently of the step events. That is, the player can move multiple times within the space of a single step event for the other entities.

When the player wins or loses the game they should be informed of the outcome via a message- box, and asked whether they would like to play again. If the user opts to play again, the current game should be reset to its initial state and the user should be able to replay the game. If they opt not to play again the program should terminate. Hint: tkinter's messagebox.askquestion or messagebox.askyesno may be useful in achieving this.

The following sub-sections outline the recommended structure for your code. You will benefit from writing these classes in parallel, but you should still test individual methods as you write them. Within this section we outline some methods that may be useful to write in the view classes for task 1. Type hints are omitted, as it is up to you to determine what these should be. These lists are not necessarily complete and you may include additional methods if they improve the design of your classes. You may also need to add more methods to these classes for task 2 and/or the CSSE7030 task.

3.1 Model Classes
Model classes should be defined as per Assignment 2. You may add more modelling classes if they improve the code. You may modify the classes as you see fit, but any changes must be submitted with your assignment.

3.2 View Classes
You must implement view classes for the game map and the inventory. However, because these widgets can both be represented by grids of rectangles, you should create an abstract class to factor out the shared functionality.

3.2.1 AbstractGrid
AbstractGrid is an abstract view class which inherits from tk.Canvas and provides base functionality for other view classes. An AbstractGrid can be thought of as a grid with a set number of rows and columns, which supports creation of text at specific positions based on row and column. The number of rows may differ from the number of columns, and the cells may be non-square. You must define the constructor for the AbstractGrid class as:
• init (self, master, rows, cols, width, height, **kwargs): The parameters rows and cols are the number of rows and columns in the grid, width and height are the width and height of the grid (in pixels) and **kwargs signifies that any additional named arguments supported by tk.Canvas should also be supported by AbstractGrid.
The following methods may be useful to include in the AbstractGrid class.
• get bbox(self, position): Returns the bounding box for the (row, column) position; this is a tuple containing information about the pixel positions of the edges of the shape, in the form (x min, y min, x max, y max).
• pixel to position(self, pixel): Converts the (x, y) pixel position (in graphics units) to a (row, column) position.

• get position center(self, position): Gets the graphics coordinates for the center of the cell at the given (row, column) position.
• annotate position(self, position, text): Annotates the center of the cell at the given (row, column) position with the provided text.

3.2.2 BasicMap
BasicMap is a view class which inherits from AbstractGrid. Entities are drawn on the map using coloured rectangles at different (row, column) positions. You must annotate the rectangles of all entities with what they represent (as per Figure 2). You must use the create rectangle and create text methods from tk.Canvas to achieve this. The colours representing each entity are:
• Zombies: Light green (#B8D58E)
• Pickups: Light purple (#E5E1EF)
• Player and Hospital: Dark purple with white text (#371D33)
• Background: Light brown (#B5B28F)
Your program should work for reasonable map sizes, and you may assume that the map will always be square (i.e. the number of rows will always be equal to the number of columns). The BasicMap class should be instantiated as BasicMap(master, size, **kwargs). The size pa- rameter is the number of rows (= number of columns) in the grid. Each rectangle should be 50 pixels high and 50 pixels wide. You should set the background colour of the BasicMap instance by using the kwargs.

It may be useful to add the following method to the BasicMap class:
• draw entity(self, position, tile type): Draws the entity with tile type at the given position using a coloured rectangle with superimposed text identifying the entity.

3.2.3 InventoryView
InventoryView is a view class which inherits from AbstractGrid and displays the items the player has in their inventory. This class also provides a mechanism through which the user can activate an item held in the player's inventory. When a player picks up an item it is added to the inventory and displayed in the next free row in the inventory view, along with its maximum lifetime. Unlike in Assignment 2, the item is not immediately applied. Instead, when the user left clicks on the InventoryView in the row displaying that item, the item is:
• ‘Activated' if the item was not already activated and no other item is currently active. Only one item may be active at any given time. Once activated, the row of the inventory view should be highlighted as per Figure 2, the lifetime should begin to decrease by 1 every game step (i.e. every second), and this change in lifetime should be reflected in the inventory view.
• ‘Deactivated' if the item was activated. The item should no longer be highlighted, the lifetime countdown should stop, and the effects on the player should cease. A deactivated item can be reactivated, but the lifetime starts from where it left off.
Once the lifetime reaches 0, the item is no longer applied to the player and is removed from the InventoryView. Any items below the newly expired item should move up one row to avoid any empty space between items. The InventoryView should have two columns and a width set according to the INVENTORY WIDTH constant in constants.py. The number of rows in the

inventory (including the header row) should be equal to the number of rows in the game, and the height should be equal to the height of the game map. You may assume that the maximum number of items is always 1 less than the number of rows in the game.

In Assignment 2 the direction for firing the crossbow was determined by text input from the user. In Assignment 3, once the crossbow is activated the user should press the up, down, left, or right arrows on the keyboard to fire the crossbow in that direction. A single crossbow can be fired multiple times until its lifetime expires and it is removed from the inventory.

The constructor for the InventoryView class must be as follows:
• init (self, master, rows, **kwargs): The parameter rows should be set to the number of rows in the game map.
The following are suggested methods to include in this class:
• draw(self, inventory): Draws the inventory label and current items with their re- maining lifetimes.
• toggle item activation(self, pixel, inventory): Activates or deactivates the item (if one exists) in the row containing the pixel.

3.2.4 BasicGraphicalInterface
The BasicGraphicalInterface should manage the overall view (i.e. constructing the three major widgets) and event handling. The constructor should be defined as:
• init (self, root, size): The parameter root represents the root window and size represents the number of rows (= number of columns) in the game map. This method should draw the title label, and instantiate and pack the BasicMap and InventoryView.
The following are suggested methods to include in this class:
• inventory click(self, event, inventory): This method should be called when the user left clicks on inventory view. It must handle activating or deactivating the clicked item (if one exists) and update both the model and the view accordingly.
• draw(self, game): Clears and redraws the view based on the current game state.
• move(self, game, direction): Handles moving the player and redrawing the game. It may be easiest to create a new method to handle the ‘<KeyPress>' event, which calls move with the relevant arguments.
• step(self, game): The step method is called every second. This method triggers the step method for the game and updates the view accordingly. Note: The .after method for tkinter widgets may be useful when trying to get this method to run every second.
• play(self, game): Binds events and initialises gameplay. This method will need to be called on the instantiated BasicGraphicalInterface in main to commence gameplay.

3.3 main function
The main function is provided as part of the support code, it:
1. Loads in the game file specified by the MAP FILE constant in constants.py as an AdvancedGame.
Note that the displayed map must change appropriately to reflect the map in the file when this constant is changed.
2. Constructs the root tk.Tk instance. 3.Constructs the interface instance.
4.Causes gameplay to commence.

4 Task 2: Images, StatusBar, File Menu, and High Scores
Task 2 requires you to add additional features to enhance the game's look and functionality. Figure 1 gives an example of the game at the end of task 2.

Note: Your task 1 functionality must still be testable. When your program is run with the TASK constant in constants.py set to 1, the game should display only task 1 features. When your program is run with the TASK constant set to 2, the game should display all at- tempted task 2 features. There should be no task 2 features visible when running the game in task 1 mode. In order to do this, it is strongly recommended that you create a new interface class that extends the functionality of the BasicGraphicalInterface class.

4.1 StatusBar and Banner
Add a StatusBar class that inherits from tk.Frame. In this frame, you should include:
• The chaser and chasee images (see images folder).
• A game timer displaying the number of minutes and seconds the user has been playing the current game.
• A moves counter, displaying how many moves the player has made in the current game.
• A ‘Quit Game' button, which ends the program.
• A ‘Restart Game' button, which allows the user to start the game again. This must reset the information on the status bar, as well as setting the map back to how it appeared at the start of the game. Clicking the ‘Restart Game' button after game play is finished should start a new game.
You should add the banner image at the top of the interface, where in task 1 there was a title label. For full marks, the layout of the status bar and positioning of the banner must be as per Figure 1. You may find the Pillow library useful for resizing the banner image.

4.2 Images
Create a new view class, ImageMap, that extends your existing BasicMap class. This class should behave similarly to BasicMap, except that images should be used to display each square rather than rectangles (see the provided images folder). The game map should be set up as an ImageMap in task 2, but you should still provide a functional BasicMap class that allows us to test your task 1 functionality when TASK=1.

4.3 File Menu
Add a file menu with the options described in Table 2. Note that on Windows this will appear at the top of the game window, whereas on Mac this will appear at the top of your screen. For saving and loading files, you must design an appropriate file format to store information about game state. You may use any format you like, as long as your save and load functionality work together to allow the current state of the game to be restored. Reasonable actions by the user (e.g. trying to load a non-game file) should be handled appropriately (e.g. with a pop-up to inform the user that something went wrong).

Option

Behaviour

Restart game

Restart the current game to its initial state.

Save game

Prompt the user for the location to save their file (using an appropriate method

of your choosing) and save all necessary information to replicate the current state of the game.

Load game

Prompt the user for the location of the file to load a game from and load the

game described in that file.

Quit

Prompt the player via a messagebox to ask whether they are sure they would

like to quit. If no, do nothing. If yes, quit the game (window should close and program should terminate).

Table 2: File menu options.

4.4 High Scores
To complete this task, you must add a ‘High scores' option to the file menu. Selecting this option should create a top level window displaying an ordered leaderboard of the best (i.e. lowest) time achieved by users in the game (up to the top 3); see Figure 3. These scores should persist even if the app is run again.

When the player wins or loses all entities should stop moving and the game timer should be stopped. You must inform the player of their outcome and, if the player has won, you must prompt them for their name to display next to their score (game time in seconds) in the high scores table if they are within the top 3; see Figure 4. Regardless of the outcome (win or loss) you must enable the user to play again (i.e. restart the game). If the user opts not to play again, the window should remain open, displaying the final game state. You will need to write high score information to a file (see constants.py for the high scores filename), and read from

that file. You must ensure that if a file does not yet exist for these high scores, reading from and writing to such a file does not cause errors in your program. Requesting to see the leaderboard when no file exists yet should cause a window with only the ‘High Scores' heading and ‘Done' button to display. Entering a new high score when no file exists yet should cause a file to be created.

5 CSSE7030 Task: Animations and Time Machines

All CSSE7030 tasks are required to only be visible when the TASK constant in constants.py is set to 3. Like with task 2, you should create a new interface class that extends the functionality of your task 2 interface class.

5.1 Animations
For this task you are required to animate the firing of the crossbow. When the crossbow is fired at a zombie the arrow image should be oriented from the player in the direction that it is being fired, and should move in that direction one square at a time (fairly quickly; the exact speed is up to you but it needs to be reasonable). The arrow should not fire if there is no zombie in its path at the time of firing. If the arrow reaches the zombie, the zombie should immediately be removed from both the model and view (i.e. you should not wait until the next game step

to show this update on the view). If the zombie was in the path of the arrow but moves out of the way before the arrow reaches it, then it has avoided the arrow and should not be removed. You should enable multiple arrows to be fired in succession from the same crossbow (i.e. you should provide support for multiple animations to display at once).

5.2 Time Machines
You are required to add an extra pickup item, TimeMachine. This item has an infinite lifetime, but each instance can only be applied to the player once. If the player runs into a zombie while holding a time machine, the player will ‘use' their time machine to travel back 5 steps (here, steps refers to player moves, rather than game timesteps). If there have been fewer than 5 steps in the current game, the game is essentially reset. Once the time machine has been used, the game (including the status bar) should be identical to how it was 5 steps in the past, and one time machine should be removed from the inventory. You will need to source or create an appropriate image for the time machines and submit this with your solution. The display method for the TimeMachine class must return the TIME MACHINE constant from the constants.py file, as we will test your code by using the character in this constant to represent time machines in the game file.

6 Marks Breakdown
Your total mark will be made up of functionality and style marks. Functionality marks are worth 14 of the 20 available marks for CSSE1001 students and 20 of the 25 available marks for CSSE7030 students. Style marks are worth the remaining marks and will be assessed according to the criteria provided in Section 9. Your style mark will be calculated according to:
CSSE1001 Final style mark = Style rubric mark ∗ min(7, Functionality mark)/7 CSSE7030 Final style mark = Style rubric mark ∗ min(15, Functionality mark)/15
Your assignment will be marked by a tutor who will run your a3.py file and evaluate the com- pleteness and correctness of the tasks you have implemented, and the quality of your code style.

Table 3 outlines the breakdown of functionality marks for the assignment.

Feature

CSSE1001 Marks

CSSE7030 Marks

Display Game GUI

2

2

Player Movement

2

2

Zombie Movement

2

2

Activate Inventory Item

1

1

Fire Crossbow

2

2

StatusBar and Banner

1.5

1.5

Images

1

1

File Menu

1.5

1.5

High Scores

1

1

Arrow Animation

0

4

Time Machine

0

2

Total

14

20


Table 3: Marks breakdown.

Attachment:- Basic Game play.rar

Reference no: EM132937335

Questions Cloud

How much money did the firm miss out on due to? underpricing : How much money did the firm miss out on due to? underpricing? Your investment bankers price your IPO at $15.25 per share for 10.2 million shares.
How much new capital will yvr? raise : If all of the SEO shares are primary shares and its underwriter charges 6?% of the gross? proceeds, how much new capital will YVR? raise?
What is process productivity analysis : What is profile measurement and analysis? What are the limitations of this approach? What is process productivity analysis
Find What is a seasoned equity offering : Find What is a seasoned equity offering? he issuing of shares to the public in a proven private company./ the raising of capital through retained earnings
Implement view classes for the game map : Implement view classes for the game map and the inventory. However, because these widgets can both be represented by grids of rectangles
What amount should Hennig budget for disbursements : The budgeted fixed selling and administrative expense is $68,219 per month, What amount should Hennig budget for disbursements
What was the dollar cost of the fee : Wright ?Brothers, Inc., Management negotiated a fee? (the underwriting? spread) of 10% on this transaction. What was the dollar cost of this? fee?
What effect will the loan and the investment have on firm : What effect will the loan and the investment have on the firm's times interest earned ratio? The Karson Transport Company currently has net operating income
What is the age of the asset in years : About 1/3 of the asset's life had expired and the straight line method for depreciation is used. What is the age of the asset in years

Reviews

Write a Review

Python Programming Questions & Answers

  Develop a Python program to solve a problem

Develop a Python program to solve a problem. Follow good program development and coding style practices. Develop a Graphical User Interface

  Write a program to that displays a table

Write a program to that displays a table of the Celsius temperatures 0 through 20 and their Fahrenheit and Kelvin equivalents

  How to improve the accuracy of the retrieval models

Discuss how to improve the accuracy of the retrieval models and Create a Lucene index for the collection, write a program that takes in a query

  Create a single line plot with two line for lists

BIO380: Practical Computing for Scientists Assignment - create a single line plot with two line for lists that track the Prey and Predadator populations

  Ask the user for a length and a width of a rectangle

Asks the user for a length and a width of a rectangle. Each or all input will happen in a function and will then be returned from a function.

  Define a python function that takes a list of integers

Define a Python function that takes a list of integers that are greater than or equal to 0 as input. The integers represent the "energy levels" of a set.

  How many duplicate records marked

Write a program to perform the following actions using Python Programming language with error handling and logs/outputs - What columns in the merged data

  Calculate the number of occurrences of each letter

Write a function called has_duplicates that takes a list and returns True if there is any element that appears more than once.

  What information does the interpreter give

You may be asking, so what does dir() do? We have already seen that adding the pair of parentheses after "dir" causes the function to run.

  ICT321 Architecture and System Integration Assignment

ICT321 Architecture and System Integration Assignment Help and Solution, University of the Sunshine Coast - Assessment Writing Service

  Generate the total number of occurrences for each side

You roll the dice 10,000 times. Each time you get one of six sides with a probability of 1/6. You need to generate the total number of occurrences.

  Create a python script that will implement the given command

Write a python script that will implement the following command: merge sourcedirectory1 sourcedirectory2 destinationdirectory. The merger is a union operation, so that if a file/directory exists in either source directory it is included in the new d..

Free Assignment Quote

Assured A++ Grade

Get guaranteed satisfaction & time on delivery in every assignment order you paid with us! We ensure premium quality solution document along with free turntin report!

All rights reserved! Copyrights ©2019-2020 ExpertsMind IT Educational Pvt Ltd