V A*_*non 4 python python-2.7 python-3.x
我正在尝试创建一个程序,该程序将查找并存储嵌套列表中每个元素的索引。
到目前为止,我已经尝试使用嵌套的迭代器来实现这一点。
下面是我的代码。
table = [[1, 1, 1], [2, 2, 2], [3, 3, 3]]
def coordinates(table):
target_cell_list = []
for row in table:
for column in row:
target_cell = (table.index(row), row.index(column))
target_cell_list.append(target_cell)
return target_cell_list
>>> table = [[1, 1, 1], [2, 2, 3], [2, 3, 3]]
>>> coordinates(table)
# current output
[(0, 0), (0, 0), (0, 0), (1, 0), (1, 0), (1, 2), (2, 0), (2, 1), (2, 1)]
# desired output
[(0, 0), (0, 1), (0, 2), (1, 0), (1, 1), (1, 2), (2, 0), (2, 1), (2, 2)]
Run Code Online (Sandbox Code Playgroud)
我认为行索引以正确的方式输出,但列索引正在做一些奇怪的事情。
我已经多次查看代码,但我无法找出它有什么问题。
table = [[1, 1, 1], [2, 2, 3], [2, 3, 3]]
def coordinates(tbl):
return [(i, j) for i, row in enumerate(tbl) for j, _ in enumerate(row)]
# or a little shorter
# [(i, j) for i, row in enumerate(tbl) for j in range(len(row))]
coordinates(table)
# [(0, 0), (0, 1), (0, 2), (1, 0), (1, 1), (1, 2), (2, 0), (2, 1), (2, 2)]
Run Code Online (Sandbox Code Playgroud)
您的list.index(elmnt)
基于方法失败,因为index
始终返回列表中元素的第一个索引,因此如果有重复,它将不起作用。此外,它的性能更差,因为每次index
调用都必须迭代它被调用的列表。沿着原始行的纯循环索引实现将是:
def coordinates(tbl):
target_cell_list = []
for i in range(len(tbl)):
for j in range(len(tbl[i])):
target_cell_list.append((i, j))
return target_cell_list
Run Code Online (Sandbox Code Playgroud)
如果你知道你的桌子没有锯齿,你可以使用itertools.product
:
from itertools import product
def coordinates(tbl):
return list(product(range(len(tbl)), range(len(tbl[0]))))
Run Code Online (Sandbox Code Playgroud)
归档时间: |
|
查看次数: |
1219 次 |
最近记录: |