Pygame我如何允许我的用户更改他们的输入键?(自定义键绑定)

2024-09-27 04:19:32 发布

您现在位置:Python中文网/ 问答频道 /正文

我正在尝试制作一个游戏,希望用户更改他们的输入键,例如,他们按a键,然后将MoveUp变量更改为a键,这样当他们在游戏中按a键时,他们会向上移动。任何帮助或建议都将不胜感激

global MoveUp   # MoveUp = pygame.K_UP
while not Fin:
    for event in pygame.event.get():
        pressed = pygame.key.pressed()
        if event.type == pygame.KEYDOWN:
            MoveUp = pressed
            KeysLoop()

这段代码当前的问题是,它给了我一个与按下的键对应的列表,我需要一个键标识符,以便以后可以使用MoveUp来移动我的精灵


Tags: 用户inevent游戏forgetnotglobal
2条回答

当您得到事件KEYDOWN时,您已经按下了event.key中的键

while not Fin:
    for event in pygame.event.get():
        if event.type == pygame.KEYDOWN
            MoveUp = event.key

顺便说一句:每个事件可能有不同的字段。您可以在文档中看到黄色列表中的所有内容:event

您可以创建一个字典,其中动作名称作为dict键,pygame键(pygame.K_LEFT等)作为值。例如:

input_map = {'move right': pygame.K_d, 'move left': pygame.K_a}

允许您为这些操作分配其他pygame键(在分配菜单的事件循环中):

if event.type == pygame.KEYDOWN:
    # Assign the pygame key to the action in the keys dict.
    input_map[selected_action] = event.key

然后,在主while循环中,可以使用动作名称检查是否按下了相应的键盘键:

pressed_keys = pygame.key.get_pressed()
if pressed_keys[input_map['move right']]:

在下面的示例中,您可以通过单击ESCAPE键来访问assignment_menu。它是一个单独的函数,有自己的while循环,我在其中创建了一个包含动作和pygame键的表,您可以用鼠标选择这些动作和键。如果选择了一个动作,用户按下一个键,我更新input_map指令,并在用户再次按下Esc时将其返回到主游戏功能

import sys
import pygame as pg


pg.init()
screen = pg.display.set_mode((640, 480))
clock = pg.time.Clock()
FONT = pg.font.Font(None, 40)

BG_COLOR = pg.Color('gray12')
GREEN = pg.Color('lightseagreen')


def create_key_list(input_map):
    """A list of surfaces of the action names + assigned keys, rects and the actions."""
    key_list = []
    for y, (action, value) in enumerate(input_map.items()):
        surf = FONT.render('{}: {}'.format(action, pg.key.name(value)), True, GREEN)
        rect = surf.get_rect(topleft=(40, y*40+20))
        key_list.append([surf, rect, action])
    return key_list


def assignment_menu(input_map):
    """Allow the user to change the key assignments in this menu.

    The user can click on an action-key pair to select it and has to press
    a keyboard key to assign it to the action in the `input_map` dict.
    """
    selected_action = None
    key_list = create_key_list(input_map)
    while True:
        for event in pg.event.get():
            if event.type == pg.QUIT:
                pg.quit()
                sys.exit()
            elif event.type == pg.KEYDOWN:
                if selected_action is not None:
                    # Assign the pygame key to the action in the input_map dict.
                    input_map[selected_action] = event.key
                    selected_action = None
                    # Need to re-render the surfaces.
                    key_list = create_key_list(input_map)
                if event.key == pg.K_ESCAPE:  # Leave the menu.
                    # Return the updated input_map dict to the main function.
                    return input_map
            elif event.type == pg.MOUSEBUTTONDOWN:
                selected_action = None
                for surf, rect, action in key_list:
                    # See if the user clicked on one of the rects.
                    if rect.collidepoint(event.pos):
                        selected_action = action

        screen.fill(BG_COLOR)
        # Blit the action-key table. Draw a rect around the
        # selected action.
        for surf, rect, action in key_list:
            screen.blit(surf, rect)
            if selected_action == action:
                pg.draw.rect(screen, GREEN, rect, 2)

        pg.display.flip()
        clock.tick(30)


def main():
    player = pg.Rect(300, 220, 40, 40)
    # This dict maps actions to the corresponding key scancodes.
    input_map = {'move right': pg.K_d, 'move left': pg.K_a}

    done = False
    while not done:
        for event in pg.event.get():
            if event.type == pg.QUIT:
                done = True
            elif event.type == pg.KEYDOWN:
                if event.key == pg.K_ESCAPE:  # Enter the key assignment menu.
                    input_map = assignment_menu(input_map)

        pressed_keys = pg.key.get_pressed()
        if pressed_keys[input_map['move right']]:
            player.x += 3
        elif pressed_keys[input_map['move left']]:
            player.x -= 3

        screen.fill(BG_COLOR)
        pg.draw.rect(screen, GREEN, player)

        pg.display.flip()
        clock.tick(30)


if __name__ == '__main__':
    main()
    pg.quit()

相关问题 更多 >

    热门问题