0

我正在编写我正在制作的游戏的介绍代码,这里的介绍是用 4 秒的时间延迟对一系列图像进行 blitting。问题是,使用 time.sleep 方法也会弄乱主循环,因此程序会在这段时间内“挂起”。请问有什么建议吗?[Intro 和 TWD 是声音对象]

a=0
while True:
    for event in pygame.event.get():
        if event.type==QUIT:
            pygame.quit()
            sys.exit()
            Intro.stop()
            TWD.stop()
    if a<=3:
        screen.blit(pygame.image.load(images[a]).convert(),(0,0))
        a=a+1
        if a>1:
                time.sleep(4)
    Intro.play()
    if a==4:
            Intro.stop()
            TWD.play()

    pygame.display.update()
4

2 回答 2

1

a您可以添加一些逻辑,只有在 4 秒过去后才会前进。为此,您可以使用时间模块并获取起点last_time_ms 每次循环时,我们都会找到新的当前时间并找到该时间与last_time_ms. 如果大于 4000 毫秒,则递增a

我使用毫秒是因为我发现它通常比秒更方便。

import time

a=0
last_time_ms = int(round(time.time() * 1000))
while True:
    diff_time_ms = int(round(time.time() * 1000)) - last_time_ms
    if(diff_time_ms >= 4000):
        a += 1
        last_time_ms = int(round(time.time() * 1000))
    for event in pygame.event.get():
        if event.type==QUIT:
            pygame.quit()
            sys.exit()
            Intro.stop()
            TWD.stop()
    if a <= 3:
        screen.blit(pygame.image.load(images[a]).convert(),(0,0))
        Intro.play()
    if a == 4:
        Intro.stop()
        TWD.play()

    pygame.display.update()
于 2014-10-27T17:04:17.120 回答
1

既不使用time.sleep()也不time.time()pygame. 改用pygame.time函数:

FPS = 30 # number of frames per second
INTRO_DURATION = 4 # how long to play intro in seconds
TICK = USEREVENT + 1 # event type
pygame.time.set_timer(TICK, 1000) # fire the event (tick) every second
clock = pygame.time.Clock()
time_in_seconds = 0
while True: # for each frame
    for event in pygame.event.get():
        if event.type == QUIT:
            Intro.stop()
            TWD.stop()
            pygame.quit()
            sys.exit()
        elif event.type == TICK:
            time_in_seconds += 1

    if time_in_seconds < INTRO_DURATION:
        screen.blit(pygame.image.load(images[time_in_seconds]).convert(),(0,0))
        Intro.play()
    elif time_in_seconds == INTRO_DURATION:
        Intro.stop()
        TWD.play()

    pygame.display.flip()
    clock.tick(FPS)

pygame.time.get_ticks()如果您需要比一秒更精细的时间粒度,请使用此选项。

于 2014-10-28T09:51:35.747 回答