3

我正在编写一个简单的 pygame 程序,它只包括在屏幕上移动一个框。盒子移动得很快,我想知道如何控制速度。在我的代码中,更新后的位置移动了 1 而不是更小,因为如果数字不是整数,它会使事情变得更复杂。

import os, sys
import pygame
from pygame.locals import *

pygame.init()
mainClock = pygame.time.Clock()

WINDOWWIDTH = 400
WINDOWHEIGHT = 400
windowSurface = pygame.display.set_mode((WINDOWWIDTH, WINDOWHEIGHT), 0, 32)
pygame.display.set_caption("Box")

BLACK = (0, 0, 0)
RED = (255, 0, 0)
WHITE = (255, 255, 255)
size1 = 20
size2 = 2
#character = pygame.Rect(30, 30, 20, 30)
player = pygame.Surface((40,40))




pos1 = 100
pos2 = 100


MOVESPEED = 6

x = 1

while True:
    if pos1 == WINDOWWIDTH - 40 and pos1 > 0:
        pos1 -= 1
        x += 1
    elif pos1 < WINDOWWIDTH - 40 and x == 1:
        pos1 += 1
    elif x ==2:
        pos1 -= 1


    for event in pygame.event.get():
        if event.type == QUIT:
            pygame.quit()
            sys.exit()
        if event.type == KEYDOWN:
            if event.key == K_LEFT:

                pos1 -= 5
            if event.key == K_RIGHT:
                pos1 += 4


    windowSurface.fill(WHITE)

    #screen.blit(character)



    windowSurface.blit(player, (pos1, pos2))
    pygame.display.update()
4

5 回答 5

8

您应该将以下代码放入“while True:”循环中的某处:

clock.tick([insert fps here])

并将其放在循环之前的某处:

clock=pygame.time.Clock()

这将不允许循环运行超过您每秒输入的次数,并希望减慢多维数据集的速度。

于 2012-09-01T20:08:17.997 回答
2

只是不要在循环的每次迭代中改变位置。

代替

while True:
  if ... :
    pos1 += 1
  ...

使用这样的东西:

tmp = 0

while True:
  if ... :
    tmp += 1
    if tmp == 10:
      pos1 += 1
      tmp = 0
  ... 

或者

tmp = 0

while True:
  if ... and not tmp % 10:
      pos1 += 1
  ... 

您可以在其中调整10到适合您的值。

此外,您可能希望限制程序的帧速率以使用Clock获得(或多或少)恒定帧速率。

于 2012-06-08T06:25:08.830 回答
2

毕竟,您可以使用浮点数来存储位置。将 while 循环中的更新值更改为更小的值,例如pos1 += 0.25. 然后只需确保 blit integers: windowSurface.blit(player, (int(pos1), int(pos2)))

于 2012-06-08T08:26:53.730 回答
0

我通常也对大多数位置使用整数,但是当我说 pygame 将我的对象/精灵/...绘制到屏幕上时,我总是将位置除以 10,这样我就有 10 步的值,因为对象在屏幕上移动了一步.

组织这个并不难。

于 2013-03-21T18:57:38.813 回答
0

您可以拥有的最小速度是 1,但有一种方法可以通过控制时间来进一步减慢速度。

例如,每 100 毫秒而不是每帧以速度 1 移动框会使移动看起来明显变慢。

请参阅下面的实现:

# initialize clock object outside of main loop
clock = pygame.time.Clock()
time = 0

while 1:

    time = time + clock.get_time()
    if time >= 100:

        # Your movement implementation here

        time = 0 # Reset timer at the end
于 2019-06-28T12:55:10.990 回答