俄罗斯方块计时问题

时间:2011-04-06 15:09:24

标签: python pygame timing tetris

我正在用PyGame写一个俄罗斯方块程序,并遇到了一个有趣的问题。

在我提出问题之前,这里是伪代码:

while True:
    # In this part, the human controls the block to go left, right, or speed down
    if a key is pressed and the block isnt touching the floor:
        if the key is K-left:
            move piece left one step
        if the key is K-right:
            move piece right one step
        if the key is K-down:
            move piece down one step


    # This part of the code makes the piece fall by itself
    if the block isnt touching the floor:
        move block down one step

    # This part makes the while loop wait 0.4 seconds so that the block does not move
    # down so quickly
    wait 0.4 seconds

问题在于,由于代码的“等待0.4秒”部分,人为控制的部分每0.4秒只能移动一次。我希望它能够像人类按下键一样快地移动,同时,块每0.4秒下降一次。我怎么能安排代码这样做呢?谢谢!

4 个答案:

答案 0 :(得分:3)

我在这里看到的主要问题是你使用等待0.4秒来限制你的帧率。

您不应该限制帧速率,而应该限制块的下降速度。

如果我记得很清楚,你可以使用一个公式来做到这一点。它基于自上一帧以来经过的时间。看起来像是:

fraction of a second elapsed since last frame * distance you want your block to move in a second

这样,您可以保持主循环的完整性,移动处理将在每一帧发生。

答案 1 :(得分:1)

你也可以......

    ...
    # This part of the code makes the piece fall by itself
    if the block isn't touching the floor and 
       the block hasn't automatically moved in the last 0.4 seconds:
        move block down one step
    ...

如果用户没有敲击任何键,就会意识到你将进行大量的轮询。

答案 2 :(得分:1)

您可以尝试询问gamedev.stackexchange.com。检查网站上的游戏循环,并查看其他示例pygame项目,看看他们是如何做到的。拥有一个良好的游戏循环是必不可少的,并将为您处理事情,如用户输入和一致的帧速率。

修改:https://gamedev.stackexchange.com/questions/651/tips-for-writing-the-main-game-loop

答案 3 :(得分:0)

在做游戏时,你应该总是尝试这样做:

while not finished:
    events = get_events() # get the user input
    # update the world based on the time that elapsed and the events
    world.update(events, dt) 
    word.draw() # render the world
    sleep(1/30s) # go to next frame

睡眠时间应该是可变的,因此它考虑了绘制和计算世界更新所花费的时间。

世界更新方法如下所示:

def update(self, events, dt):
    self.move(events) # interpret user action
    self.elapsed += dt
    if self.elapsed > ADVANCE_TIME:
        self.piece.advance()
        self.elapsed = 0

实现此功能的另一种方式(因此您不会重绘太多)是在用户订购要移动的部件或ADVANCE_TIME时间过去时触发事件。然后,在每个事件处理程序中,您将更新世界并重新绘制。

这假设您希望每次移动一个步骤而不是连续。在任何情况下,连续运动的变化都是微不足道的。