以下代码是作为玩具代码编写的,用于在MacBook Pro上测试curses模块(我使用终端应用程序中的默认python安装)。 该测试创造了一个" Enemy"由L符号表示,其遵循一个移动循环,并且由" @"表示的玩家。 无论我如何处理边界问题(参见宽度和高度处理),我唯一关心的问题是碰撞检测不起作用。我不明白它是否是由if块或时间的错误位移引起的。
代码粘贴:
import curses
import random
from time import sleep
screen = curses.initscr()
screen.keypad(True)
curses.noecho()
screen.nodelay(True)
xpos=1
ypos=1
i=0
h,w = screen.getmaxyx()
w=w-22
h=h-5
e1startxpos=random.randint(5,80)
e1startypos=random.randint(2,15)
e1xpos=[0,0,0,1,1,1,0,0,0,-1,-1,-1]
e1ypos=[1,1,1,0,0,0,-1,-1,-1,0,0,0]
tempe1x = e1startypos+e1ypos[i]
tempe1y = e1startxpos+e1xpos[i]
while True:
screen.clear()
screen.border(0)
screen.addstr(ypos,xpos,"@")
screen.addstr(0,w,"xpos:{0}ypos:{1}h:{2}w:{3}".format(xpos,ypos,h,w))
if (xpos == tempe1x and ypos == tempe1y):#The detector, which should run before another cycle
screen.addstr(1,1,"Collision Detected: Exiting")
screen.refresh()
sleep(1.5) #timing redundant to see the detection of collision
break
else:
tempe1x = tempe1x+e1ypos[i]
tempe1y = tempe1y+e1xpos[i]
screen.addstr(tempe1x,tempe1y,"L")
if(i == len(e1xpos)-1):
i=0
else:
i+=1
screen.refresh()
c = screen.getch()
if c == ord('a'):
if xpos>0:
xpos = xpos-1
elif c == ord('d'):
if xpos<w:
xpos = xpos+1
elif c == ord('w'):
if ypos>0:
ypos = ypos-1
elif c == ord('s'):
if ypos<h:
ypos = ypos+1
elif c == ord('q'):
break
sleep(0.1)
screen.clear()
screen.addstr(0,0,"Gioco Finito")
screen.refresh()
sleep(2)
curses.echo()
curses.endwin()`
PS:我没有在这个平台上编辑帖子的经验,因此这段代码的副本可能导致没有正确缩进
答案 0 :(得分:1)
首先,您在此处混合了tempe1x
和tempe1y
的初始化:
tempe1x = e1startypos+e1ypos[i]
tempe1y = e1startxpos+e1xpos[i]
您需要切换x和y:
tempe1x = e1startxpos+e1xpos[i]
tempe1y = e1startypos+e1ypos[i]
接下来,addstr
方法首先取y位置,然后取x位置。你在玩家身上做到了这一点:screen.addstr(ypos,xpos,"@")
但是你先把x位置放在了screen.addstr(tempe1x, tempe1y,"L")
,然后把它搞砸了。它应该是:
screen.addstr(tempe1y,tempe1x,"L")
这符合我的经验。我对curses
库没有经验,所以如果你遇到任何问题,请告诉我。
-Jason