我想让玩家一次在每个方块中进入迷宫。
我尝试使用时钟和time.time()
,但这些都无效。
这是我的游戏循环:
while self.running:
self.counter += 1
self.clock.tick(self.fps)
if self.counter == self.fps:
self.counter = 0
self.canUpdate = True
这是移动代码:
if self.game.canUpdate:
if pressed_keys[K_DOWN]:
self.moveDown()
self.game.canUpdate = False
def moveDown(self):
if self.canMoveTo(self.gridx, self.gridy+1):
for sprite in self.game.sprites:
if sprite != self:
sprite.y -= self.game.gridSize
self.gridy += 1
print(self.gridy, self.game.canUpdate)
按一下向下箭头gridy
到500以上,self.game.canUpdate
保持为真
答案 0 :(得分:0)
您可以使用time.sleep()
import time
time.sleep(500)
通过按键事件调用此块,因此对于下一次按键,您的代码执行将停止500秒钟,然后等待下一次按键事件。而且,Counter()
需要计入500,如果您打算做更大的工作,则它需要比sleep()
多的CPU。
答案 1 :(得分:0)
如果您希望每次按键移动一次,则应使用event loop或pygame.event.wait
。当您按下向下键时,具有pygame.KEYDOWN
属性key
的单个pygame.K_DOWN
事件将被添加到事件队列中。只需检查事件循环中是否按下了此键,然后移动精灵即可。
import pygame as pg
pg.init()
screen = pg.display.set_mode((640, 480))
clock = pg.time.Clock()
BG_COLOR = pg.Color('gray12')
pos = pg.Vector2(120, 80)
done = False
while not done:
for event in pg.event.get():
if event.type == pg.QUIT:
done = True
elif event.type == pg.KEYDOWN:
if event.key == pg.K_DOWN:
# This will be executed once per event.
pos.y += 20
elif event.key == pg.K_UP:
pos.y -= 20
screen.fill(BG_COLOR)
pg.draw.rect(screen, (0, 128, 255), (pos, (20, 20)))
pg.display.flip()
clock.tick(60)
pg.quit()