Pygame 退出到 gameOver 屏幕

Pygame quitting to gameOver screen

python 的新手,正在制作贪吃蛇游戏,但 Pygame 一直退出屏幕,但我基本上希望能够使用 X(window 的 x ) 按钮随时我想。我试过调试这个,但出于某种原因,在 PyCharm 中调试它时,我总是没有响应 gameOver 屏幕只假设 运行 当 bool 设置为 true 时,但它以某种方式与我的冲突游戏暂停代码。非常感谢您的帮助!

这是代码: http://pastebin.com/eFMU3HH9

在 gameOver 屏幕中你 运行 第二个 gameloop() 所以当你退出时你 return 从第二个 gameloop() 到第一个 gameloop() (或从第三个到第二个等)。

也许是这样的:

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()

pygame.quit()