In Pygame, normalizing game-speed across different fps values

后端 未结 4 1159
迷失自我
迷失自我 2021-01-05 12:05

I\'m messing around with Pygame, making some simple games just to learn it. However, I\'m having a hard time implementing fps the way that I want.

From what I unders

相关标签:
4条回答
  • 2021-01-05 12:16

    If you want to move an object at a fixed speed at every FPS you can indicate speed not with an absolute value, but with a value relative to the movement to be done in a second, then divide that by the number of frames per second.

    For example, if you want your object to move at a speed of 2 pixels per frame, let's say at 30 FPS, and you want this speed to be the same at every FPS, you can indicate it as the pixel movement in a second, which would be 60. In the game loop, when you need to update the speed, you'll use this speed divided by FPS, thus resulting in the relative speed used in every frame update. In this way, at 30 FPS you'll get a 2 pixel movement for each frame, while at 60 FPS you'll get a 1 pixel movement, but after 1 second you will have the same amount of pixel movement, which is 60.

    0 讨论(0)
  • 2021-01-05 12:23

    Games use a fixed-timestep for physics, while allowing the video timestep (fps) to vary. This means your update(delta) function gets called with a constant delta value. This maintains stability.

    This means in practice, update may end up being called multiple times on average per single call of draw(), depending on how much time elapses.

    For details see: Gaffer's "fix your timestep"

    A larger (python) example is at cookbook: ConstantGametime

    0 讨论(0)
  • 2021-01-05 12:24

    While @monkey's answer is the complete datadump, you should probably have a look over the pygame docs on time.Clock again. The optional framerate argument to Clock.tick() sets a ceiling on FPS, not a fixed FPS; in other words, if your game loop takes longer than that amount of time to complete, the game will lag if you are assuming that passing that value ensures a fixed game speed. It looks like Clock.get_time() and Clock.get_raw_time() are the things to use to get the execution time of the last game loop, then you can calculate the behavior of your game elements from that.

    0 讨论(0)
  • 2021-01-05 12:31

    You can define the speed of your objects in pixels/second, then use the returned value from tick to know how much every object should move.

    Example

    import pygame
    ...
    player_speed = (20, 0)   # (x,y) pixels/second
    ...
    pygame.time.Clock() = clock
    elapsed = 0.
    while True:
        seconds = elapsed/1000.0
        update_player(seconds)
        ...
        elapsed = clock.tick(60)
    
    def update_player(seconds):
        player.position = (player.position[0] + int(player_speed[0]*seconds), 
                           player.position[1] + int(player_speed[1]*seconds))
    
    0 讨论(0)
提交回复
热议问题