我的代码包含一个操纵杆PyGame模块,该模块在左操纵杆的垂直轴移动时更新变量self.mmcount。我的问题是,它过于频繁地更新mmcount变量,以至于很难获得特定的整数。我认为解决方案是在IF语句中添加延迟。例如,每两秒钟检查一次左摇杆是否朝上。
这些是IF语句,用于更新self.mmcount变量:
if joy1.get_button(3) == 1:
self.mmcount -= 1
if joy1.get_button(2) == 1:
self.mmcount += 1
完整代码:
class Menu:
def run(self):
self.intro = True
self.clock = clock
self.mmcount = 1
while self.intro:
self.get_joys()
def get_joys(self):
if joy1.get_button(3) == 1:
self.mmcount -= 1
elif joy1.get_button(2) == 1:
self.mmcount += 1
if self.mmcount > 3:
self.mmcount = 3
elif self.mmcount < 1:
self.mmcount = 1
m = Menu()
while True:
m.run()
最佳答案
您需要一个计时器来控制速度。我只使用self.dt
返回的delta time(clock.tick
)来增加self.mmcount_timer
变量。经过0.2秒后,我增加了self.mmcount
并重置了计时器。
顺便说一下,您可以通过以下方式钳制值:self.mmcount = max(min(30, self.mmcount), 1)
。
import pygame as pg
pg.init()
screen = pg.display.set_mode((640, 480))
clock = pg.time.Clock()
BG_COLOR = pg.Color('gray12')
joysticks = [pg.joystick.Joystick(x) for x in range(pg.joystick.get_count())]
for joystick in joysticks:
joystick.init()
class Menu:
def run(self):
self.intro = True
self.clock = clock
self.mmcount = 1
self.mmcount_timer = 0
self.dt = 0
while self.intro:
for event in pg.event.get():
if event.type == pg.QUIT:
self.intro = False
self.get_joys()
screen.fill(BG_COLOR)
pg.display.flip()
self.dt = clock.tick(60) / 1000
def get_joys(self):
if len(joysticks) >= 1:
if joysticks[0].get_button(3):
# Increment the timer variable.
self.mmcount_timer += self.dt
# If 0.2 seconds have passed.
if self.mmcount_timer >= .2:
# Decrement the count variable.
self.mmcount -= 1
# And reset the timer.
self.mmcount_timer = 0
elif joysticks[0].get_button(2):
self.mmcount_timer += self.dt
if self.mmcount_timer >= .2:
self.mmcount += 1
self.mmcount_timer = 0
# Clamp the value between 1 and 30.
self.mmcount = max(min(30, self.mmcount), 1)
# Set the title to the mmcount.
pg.display.set_caption(str(self.mmcount))
Menu().run()
pg.quit()
关于python - 延迟操纵杆IF语句,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/52673030/