Python按键简单游戏

3
我希望在屏幕上看到一个标志,例如可能是(井号)“#”。标志将有一些起始位置,比如说(0, 0)。如果按右箭头,则我希望看到标志向右移动,如果按左箭头,则向左移动,以此类推。目前我的代码看起来像这样,并且可以读取pos,但我想添加一些“动画”,以便我可以看到标志在屏幕上移动: !更新:仅为给您提供线索,我创建了“图标”,现在当您按右或左时,图标会朝所需方向移动。
from msvcrt import getch

icon = chr(254)
pos = [0, 0]
t = []
def fright():
    global pos
    pos[0] += 1
    print ' ' * pos[0], 
    print(icon) 

def fleft():
    global pos 
    pos[0] -= 1
    print ' ' * pos[0], 
    print(icon) 

def fup():
    global pos
    pos[1] += 1

def fdown():
    global pos
    pos[1] -= 1

def appendTab():
    global pos, t
    t.append(pos)

while True:
    print'Distance from zero: ', pos    
    key = ord(getch())

    if key == 27: #ESC
        break
    elif key == 13: #Enter
        print('selected')
        appendTab()
    elif key == 32: #Space, just a small test - skip this line
        print('jump')
        print(t)
    elif key == 224: #Special keys (arrows, f keys, ins, del, etc.)
        key = ord(getch())
        if key == 80: #Down arrow
            print('down')
            fdown()
        elif key == 72: #Up arrow
            print('up')
            fup()
        elif key == 75: #Left arrow
            print('left')
            fleft()
        elif key == 77: #Right arrow
            print('right')
            fright()

from msvcrt import getch:我看你正在使用自己的库,请提供它。 - Luatic
@user7185318 msvcrt 是 Python 标准库的一部分。 - skrx
@skrx:谢谢,我正在使用Linux,所以我没有它。 - Luatic
1个回答

1
你可以创建一个列表的列表,作为地图,并将玩家所在的单元格设置为'#'。然后只需打印地图,如果玩家移动,就使用os.system('cls' if os.name == 'nt' else 'clear')清除命令行/终端,并打印更新的地图。
import os
from msvcrt import getch

pos = [0, 0]
# The map is a 2D list filled with '-'.
gamemap = [['-'] * 5 for _ in range(7)]
# Insert the player.
gamemap[pos[1]][pos[0]] = '#'

while True:
    print('Distance from zero: ', pos    )
    key = ord(getch())

    if key == 27: #ESC
        break
    elif key == 224: #Special keys (arrows, f keys, ins, del, etc.)
        key = ord(getch())
        if key in (80, 72, 75, 77):
            # Clear previous tile if player moves.
            gamemap[pos[1]][pos[0]] = '-'
        if key == 80: #Down arrow
            pos[1] += 1
        elif key == 72: #Up arrow
            pos[1] -= 1
        elif key == 75: #Left arrow
            pos[0] -= 1
        elif key == 77: #Right arrow
            pos[0] += 1

    print('clear')
    # Clear the command-line/terminal.
    os.system('cls' if os.name == 'nt' else 'clear')
    # Set the player to the new pos.
    gamemap[pos[1]][pos[0]] = '#'
    # Print the map.
    for row in gamemap:
        for tile in row:
            print(tile, end='')
        print()

你仍然需要添加代码来防止玩家离开地图时游戏崩溃。 - skrx
你也可以查看curses,如果你想创建更复杂的roguelikes,可以使用libtcod(仅适用于Python 2)。在Windows上,你需要从http://www.lfd.uci.edu/~gohlke/pythonlibs/#curses下载curses(作为wheel文件)。 - skrx

网页内容由stack overflow 提供, 点击上面的
可以查看英文原文,
原文链接