未绘制矩形



运行此代码时:

import pygame,time
GREEN = (30, 156, 38)
WHITE = (255,255,255)
pygame.init()
screen = pygame.display.set_mode((640, 480))
screen.fill(WHITE)
pygame.draw.rect(screen, GREEN, (0,0,100,100))
time.sleep(3)

Pygame显示黑屏3秒,但没有画矩形。我使用Atom使用script包来运行代码

您必须实现一个应用程序循环。典型的PyGame应用程序循环必须:

  • 通过pygame.event.pump()pygame.event.get()处理事件
  • 根据输入事件和时间(分别为帧(更新游戏状态和对象的位置
  • 清除整个显示或绘制背景
  • 绘制整个场景(blit所有对象(
  • 通过pygame.display.update()pygame.display.flip()更新显示
  • 限制每秒帧数以限制CPU使用
import pygame
GREEN = (30, 156, 38)
WHITE = (255,255,255)
pygame.init()
screen = pygame.display.set_mode((640, 480))
clock = pygame.time.Clock()
# applicaition loop
run = True
while run:
#  limit frames per second
clock.tick(60)
# event loop
for event in pygame.event.get():
if event.type == pygame.QUIT:
run = False 
# clear display
screen.fill(WHITE)
# draw objects
pygame.draw.rect(screen, GREEN, (0, 0, 100, 100))
# update display
pygame.display.flip()
pygame.quit()
exit()

注意,您必须进行事件处理。分别参见pygame.event.get()pygame.event.pump():

对于游戏的每一帧,您都需要对事件队列进行某种调用。这样可以确保您的程序可以在内部与操作系统的其余部分进行交互。

用更新屏幕

pygame.display.update()

在您发布的代码末尾。

您必须这样更新屏幕:

pygame.display.flip()

渲染您刚才绘制的内容。

你的代码应该是这样的:

import pygame
import time
pygame.init()
GREEN = (30, 156, 38)
WHITE = (255,255,255)
screen = pygame.display.set_mode((640, 480))
# draw on screen
screen.fill(WHITE)
pygame.draw.rect(screen, GREEN, (0,0,100,100))
# show that to the user
pygame.display.flip()
time.sleep(3)

关闭主题:您还应该获得允许用户关闭窗口的事件:

import pygame
from pygame.locals import QUIT
import time
pygame.init()
GREEN = (30,  156,  38)
WHITE = (255, 255, 255)
screen = pygame.display.set_mode((640, 480))
clock = pygame.time.Clock() # to slow down the code to a given FPS
# draw on screen
screen.fill(WHITE)
pygame.draw.rect(screen, GREEN, (0, 0, 100, 100))
# show that to the user
pygame.display.flip()
start_counter = time.time()
while time.time() - start_counter < 3: # wait for 3 seconds to elapse
for event in pygame.event.get(): # get the events
if event.type == QUIT: # if the user clicks "X"
exit() # quit pygame and exit the program
clock.tick(10) # limit to 10 FPS
# (no animation, you don't have to have a great framerate)

请注意,如果你想像经典游戏一样重复,你必须将所有这些放入游戏循环中。

相关内容

  • 没有找到相关文章