我有一个列表数组,形式为
list = [['hello','hi','hey'],['where','when','why'],['him','herself','themselves']]
我想比较list[0][0]
到list[1][0]
和list[2][0]
的长度,基本上是所有第一个索引,并获得最长的字符串大小的长度。
它必须遍历列表,因为列表中的项目数和列表数可以是任意大小。
例如,答案应该是
length1 = 5
length2 = 6 #('herself' is longer than 'hi' and 'when')
length3 = 10
TIA!
答案 0 :(得分:1)
您不需要创建可变数量的变量。您可以使用列表推导或字典:
L = [['hello','hi','hey'],['where','when','why'],['him','herself','themselves']]
# list comprehension
res_list = [max(map(len, i)) for i in zip(*L)]
[5, 7, 10]
# dictionary from enumerated generator expression
res_dict = dict(enumerate((max(map(len, i)) for i in zip(*L)), 1))
{1: 5, 2: 7, 3: 10}
答案 1 :(得分:0)
只需经过zip()
的三元组并打印出最长单词的长度:
lst = [['hello','hi','hey'],['where','when','why'],['him','herself','themselves']]
for i, triple in enumerate(zip(*lst), start=1):
print('length%d = %d' % (i, len(max(triple, key=len))))
# length1 = 5
# length2 = 7
# length3 = 10
或作为字典:
{'length%d' % i: len(max(e, key=len)) for i, e in enumerate(zip(*lst), start=1)}
# {'length1': 5, 'length2': 7, 'length3': 10}
比存储每个长度的变量更好。
答案 2 :(得分:0)
许多在Python中执行此操作的方法。
array = [['hello','hi','hey'],
['where','when','why'],
['him','herself','themselves']]
length1 = 0
for elem in array:
if length1 < len(elem[0]):
length1 = len(elem[0])
length2 = max(array, key=lambda elem: len(elem[1]))
from itertools import accumulate
length3 = accumulate(array,
lambda e1, e2: max(len(e1[2]), len(e2[2]))
请注意,通常不建议将某些内容分配给标准标识符,例如list
。