1 2 3 4 5 6 7 8 9 10 11 12 13 14 15 16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35 36 37 38 39 40 41 42 43 44 45 46 47 48 49 50 51 52 53 54 55 56 57 58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 | """ Sample code shows "Game Over" message. Sample Python/Pygame Programs Simpson College Computer Science """ import pygame # Define some colors BLACK = ( 0 , 0 , 0 ) WHITE = ( 255 , 255 , 255 ) GREEN = ( 0 , 255 , 0 ) pygame.init() # Set the height and width of the screen size = [ 700 , 500 ] screen = pygame.display.set_mode(size) pygame.display.set_caption( "Game Over Example" ) # Loop until the user clicks the close button. done = False # Used to manage how fast the screen updates clock = pygame.time.Clock() # Starting position of the rectangle rect_x = 50 rect_y = 50 # Speed and direction of rectangle rect_change_x = 5 rect_change_y = 5 # This is a font we use to draw text on the screen (size 36) font = pygame.font.Font( None , 36 ) # Use this boolean variable to trigger if the game is over. game_over = False # -------- Main Program Loop ----------- while not done: # --- Event Processing for event in pygame.event.get(): if event. type = = pygame.QUIT: done = True # We will use a mouse-click to signify when the game is # over. Replace this, and set game_over to true in your # own game when you know the game is over. (Like lives==0) elif event. type = = pygame.MOUSEBUTTONDOWN: game_over = True # --- Game Logic # Only move and process game logic if the game isn't over. if not game_over: # Move the rectangle starting point rect_x + = rect_change_x rect_y + = rect_change_y # Bounce the ball if needed if rect_y > 450 or rect_y < 0 : rect_change_y = rect_change_y * - 1 if rect_x > 650 or rect_x < 0 : rect_change_x = rect_change_x * - 1 # --- Draw the frame # Set the screen background screen.fill(BLACK) # Draw the rectangle pygame.draw.rect(screen, GREEN, [rect_x, rect_y, 50 , 50 ]) if game_over: # If game over is true, draw game over text = font.render( "Game Over" , True , WHITE) text_rect = text.get_rect() text_x = screen.get_width() / 2 - text_rect.width / 2 text_y = screen.get_height() / 2 - text_rect.height / 2 screen.blit(text, [text_x, text_y]) else : # If game isn't over, draw this stuff. text = font.render( "Click to end game" , True , WHITE) text_rect = text.get_rect() text_x = screen.get_width() / 2 - text_rect.width / 2 text_y = screen.get_height() / 2 - text_rect.height / 2 screen.blit(text, [text_x, text_y]) # Limit frames per second clock.tick( 60 ) # Go ahead and update the screen with what we've drawn. pygame.display.flip() # Be IDLE friendly. If you forget this line, the program will 'hang' # on exit. pygame.quit() |