计算圆形数组中元素之间的距离
Calculate the distances between elements in a circular array
people = ["James","COP","George","COP","Sam","Mac","Johnny","Karina"]
cops = [(idx+1) for idx, val in enumerate(people) if val == "COP"] #cops' positions
peoplePositions = [(x+1) for x in range(len(people))] #index positions
distances = []
for x in peoplePositions:
for y in cops:
distances.append(abs(x-y))
#the output would be "Johnny"
大家好!我正在研究这个问题,基本上我有一个包含一些 people/objects 的列表,它实际上是一个圆形 table,即它的头部连接到它的尾部。现在我想获取“COP”和人之间的(索引位置)距离,然后输出与“COP”距离最大的人。如果所有的距离都相同,则输出必须是所有的。
这是我的代码,最后我得到了所有人和“COP”之间的距离。我考虑过使用 len(peoplePositions) 范围和 len(cops) 范围内的距离进行嵌套循环,但我没有任何进展。
您需要计算每个人到每个 COP
的最小距离。这可以计算为:
min((p - c) % l, (c - p) % l)
其中p
是人的索引,c
是COP
的索引,l
是数组的长度。然后你可以计算这些距离的最小值,以获得从一个人到任何 COP
的最小距离。然后,您可以计算这些值的最大值,并根据它们的距离等于最大值来过滤 people
数组:
people = ["James","COP","George","COP","Sam","Mac","Johnny","Karina"]
cops = [idx for idx, val in enumerate(people) if val == "COP"]
l = len(people)
distances = [min(min((p - c) % l, (c - p) % l) for c in cops) for p in range(l)]
maxd = max(distances)
pmax = [p for i, p in enumerate(people) if distances[i] == maxd]
print(pmax)
输出:
['Johnny']
people = ["James","COP","George","COP","Sam","Mac","Johnny","Karina"]
cops = [(idx+1) for idx, val in enumerate(people) if val == "COP"] #cops' positions
peoplePositions = [(x+1) for x in range(len(people))] #index positions
distances = []
for x in peoplePositions:
for y in cops:
distances.append(abs(x-y))
#the output would be "Johnny"
大家好!我正在研究这个问题,基本上我有一个包含一些 people/objects 的列表,它实际上是一个圆形 table,即它的头部连接到它的尾部。现在我想获取“COP”和人之间的(索引位置)距离,然后输出与“COP”距离最大的人。如果所有的距离都相同,则输出必须是所有的。
这是我的代码,最后我得到了所有人和“COP”之间的距离。我考虑过使用 len(peoplePositions) 范围和 len(cops) 范围内的距离进行嵌套循环,但我没有任何进展。
您需要计算每个人到每个 COP
的最小距离。这可以计算为:
min((p - c) % l, (c - p) % l)
其中p
是人的索引,c
是COP
的索引,l
是数组的长度。然后你可以计算这些距离的最小值,以获得从一个人到任何 COP
的最小距离。然后,您可以计算这些值的最大值,并根据它们的距离等于最大值来过滤 people
数组:
people = ["James","COP","George","COP","Sam","Mac","Johnny","Karina"]
cops = [idx for idx, val in enumerate(people) if val == "COP"]
l = len(people)
distances = [min(min((p - c) % l, (c - p) % l) for c in cops) for p in range(l)]
maxd = max(distances)
pmax = [p for i, p in enumerate(people) if distances[i] == maxd]
print(pmax)
输出:
['Johnny']