我有一个包含一些文本数据和数字坐标的列表列表,如下所示:
coords = [['1a', 'sp1', '1', '9'],
['1b', 'sp1', '3', '11'],
['1c', 'sp1', '6', '12'],
['2a', 'sp2', '1', '9'],
['2b', 'sp2', '1', '10'],
['2c', 'sp2', '3', '10'],
['2d', 'sp2', '4', '11'],
['2e', 'sp2', '5', '12'],
['2f', 'sp2', '6', '12'],
['3a', 'sp3', '4', '13'],
['3b', 'sp3', '5', '11'],
['3c', 'sp3', '8', '8'],
['4a', 'sp4', '4', '12'],
['4b', 'sp4', '6', '11'],
['4c', 'sp4', '7', '8'],
['5a', 'sp5', '8', '8'],
['5b', 'sp5', '7', '6'],
['5c', 'sp5', '8', '2'],
['6a', 'sp6', '8', '8'],
['6b', 'sp6', '7', '5'],
['6c', 'sp6', '8', '3']]
给定一对坐标(x,y),我想找到对应于所述坐标对的列表中的元素(它本身就是一个列表)。所以,例如,如果我有x = 5和y = 12,我会得到['2e', 'sp2', '5', '12']
。
我试过了:
x = 5
y = 12
print coords[(coords == str(x)) & (coords == str(y))]
但得到一个空列表。
我也试过这个:
import numpy as np
print np.where(coords == str(x)) and np.where(coords == str(y))
但无法理解它返回的内容((array([ 2, 7, 8, 12]), array([3, 3, 3, 3])))
。
有人能帮我一把吗?
答案 0 :(得分:2)
利用列表理解。迭代所有坐标并查看x和y相等的位置。
coords = [['1a', 'sp1', '1', '9'], ['1b', 'sp1', '3', '11'], ['1c', 'sp1', '6', '12'], ['2a', 'sp2', '1', '9'], ['2b', 'sp2', '1', '10'], ['2c', 'sp2', '3', '10'], ['2d', 'sp2', '4', '11'], ['2e', 'sp2', '5', '12'], ['2f', 'sp2', '6', '12'], ['3a', 'sp3', '4', '13'], ['3b', 'sp3', '5', '11'], ['3c', 'sp3', '8', '8'], ['4a', 'sp4', '4', '12'], ['4b', 'sp4', '6', '11'], ['4c', 'sp4', '7', '8'], ['5a', 'sp5', '8', '8'], ['5b', 'sp5', '7', '6'], ['5c', 'sp5', '8', '2'], ['6a', 'sp6', '8', '8'], ['6b', 'sp6', '7', '5'], ['6c', 'sp6', '8', '3']]
x = 5
y = 12
answer = [cood for cood in coords if int(cood[2]) == x and int(cood[3]) == y]
print(answer)
答案 1 :(得分:2)
对于一般解决方案,您可以使用字典理解,
x, y = 5, 12
print({tuple(coord[-2:]):coord for coord in coords}[str(x),str(y)])
答案 2 :(得分:1)
如果您正在寻找一个简单的Python解决方案,请尝试使用此
[coord for coord in coords if coord[2] == str(x) and coord[3] == str(y) ]
这确实会让你回归[['2e', 'sp2', '5', '12']]
我不确定您要在解决方案print coords[(coords == str(x)) & (coords == str(y))]
中尝试完成的任务。您需要遍历列表以查找哪个元素与(x, y)
坐标匹配。
答案 3 :(得分:1)
你可以使用这个非numpy列表理解:
>>> [[a,b,c,d] for (a,b,c,d) in coords if int(c) == x and int(d) == y]
[['2e', 'sp2', '5', '12']]
使用numpy
,您应该只将第三列和第四列与x
和y
进行比较,而不是整行,并采用这些指数。
>>> arr = np.array(coords)
>>> arr[(arr[:,2] == str(x)) & (arr[:,3] == str(y))]
array([['2e', 'sp2', '5', '12']], dtype='|S3')