抱歉,标题没有提到我的问题。帮我想到一个,如果可能,我会更改它。
这就是我想要做的。我将尝试使其简短而简单。
有一些村庄随机生成在坐标网格中(0-9)。每个村庄都有一个类,坐标和一个随机的村庄名称。
我已经成功地弄清楚了如何打印游戏板。我希望玩家能够输入坐标以查看村庄的详细信息。
这是我到目前为止的代码。
def drawing_board():
board_x = '0 1 2 3 4 5 6 7 8 9'.split()
board_y = '1 2 3 4 5 6 7 8 9'.split()
total_list = [board_x]
for i in range(1,10):
listy = []
for e in range(0,9):
if e == 0:
listy.append(str(i))
listy.append('.')
total_list.append(listy)
return total_list
drawing = drawing_board()
villages = [['5','2'],['5','5'],['8','5']] #I would like these to be random
#and associated with specific villages.
#(read below)
for i in villages:
x = int(i[1])
y = int(i[0])
drawing[x][y] = 'X'
for i in drawing:
print(i)
print()
print('What village do you want to view?')
这将打印游戏板。然后我在考虑制作一个看起来像这样的类:
import random
class new_village():
def __init__(self):
self.name = 'Random name'
x = random.randint(1,9)
y = random.randint(1,9)
self.coordinates = [x,y]
tribe = random.randint(1,2)
if tribe == 1:
self.tribe = 'gauls'
elif tribe == 2:
self.tribe = 'teutons'
def getTribe(self):
print('It is tribe ' +self.tribe)
def getCoords(self):
print(str(self.coordinates[0])+','+str(self.coordinates[1]))
所以现在我坚持的部分。
我如何才能进入玩家可以输入坐标并查看这样的村庄的地方?
最佳答案
您的代码有几个问题,这些问题使您无法为问题实施干净的解决方案。
首先,我将使board_x
和board_y
实际上包含整数而不是字符串,因为您正在__init__
的new_village
方法中生成随机整数。
>>> board_x = list(range(10))
>>> board_y = list(range(1,10))
>>> board_x
[0, 1, 2, 3, 4, 5, 6, 7, 8, 9]
>>> board_y
[1, 2, 3, 4, 5, 6, 7, 8, 9]
此外,我会在地图上创建尚无村庄的所有位置的列表,如下所示:
locations = [(x,y) for x in board_x for y in board_y]
现在,该类代码的关键问题是两个村庄可以在完全相同的位置生成。当发生这种情况并且用户输入坐标时,您如何知道应该打印哪些值?为防止这种情况,可以将
locations
传递给__init__
方法。def __init__(self, locations):
# sanity check: is the board full?
if not locations:
print('board is full!')
raise ValueError
# choose random location on the board as coordinates, then delete it from the global list of locations
self.coordinates = random.choice(locations)
del locations[locations.index(self.coordinates)]
# choose name and tribe
self.name = 'Random name'
self.tribe = random.choice(('gauls', 'teutons'))
由于您已经为您的村庄准备了一个课程,因此您的列表
villages
实际上应包含该课程的实例,即villages = [['5','2'],['5','5'],['8','5']]
你可以发出
villages = [new_village(locations) for i in range(n)]
其中
n
是您想要的村庄数。现在,为了使进一步查找变得容易,我建议创建一个字典,将您板上的位置映射到村庄实例:
villdict = {vill.coordinates:vill for vill in villages}
最后,现在很容易处理用户输入并在输入位置打印村庄的值。
>>> inp = tuple(int(x) for x in input('input x,y: ').split(','))
input x,y: 5,4
>>> inp
(5, 4)
您现在可以发出:
if inp in villdict:
chosen = villdict[inp]
print(chosen.name)
print(chosen.tribe)
else:
print('this spot on the map has no village')
关于python - 使用(x,y)坐标到达特定的“村庄”(Python 3),我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/24690591/