我有一个双字符串元组的排序列表。我还有一些包含4个字符串的列表,这些字符串位于其中一些元组中。我想将这4个字符串中的一个分组到列表中的下一个字符串。这有点难以解释,所以我将展示。
original_list = [('1321', 01), ('MessageXZY', 02), ('DescriptionSKS', 03), ('S7_6', 04), ('S7_3', 05), ('0A3B', 06), ('MessageZYA', 07),
('DescriptionKAM', 08), ('9K44', 09), ('MessageYAL', 10),
('DescriptionAUS', 11), ('S7_2', 12)]
我在其他列表中保存了 1321 , OA3B 和 9K44 这两个词。我想将这些术语之间的所有内容(包括)组合成一个元组,如下所示:
grouped_list = [(('1321', 01), ('MessageXZY', 02), ('DescriptionSKS', 03), ('S7_6', 04), ('S7_3', 05)), (('0A3B', 06), ('MessageZYA', 07),
('DescriptionKAM', 08)), (('9K44', 09), ('MessageYAL', 10),
('DescriptionAUS', 11), ('S7_2', 12))]
如果包含我的4个字符术语的列表名为代码,并且包含元组的列表名为 original_list ,那么我需要使用哪些代码来实现此目的?
编辑:这是我已经达到的目标:
grouped_list = []
for tuple in original_list:
for string in tuple:
if string in code:
grouped_list = list(zip ##zip that tuple and all consecutive tuples until the next item in code
答案 0 :(得分:3)
来自Ruby背景,我经常觉得需要在Python中使用类似Enumerable#slice_before
的东西。它基本上将任何可迭代分成块。切片在谓词为真的每个元素之前完成。
基于Rubinius implementation,我将代码移植到Python。
def slice_before(iterable, predicate):
chunk = None
for elem in iter(iterable):
if predicate(elem):
if chunk:
yield chunk
chunk = [elem]
else:
if not chunk:
chunk = []
chunk.append(elem)
if chunk:
yield chunk
以下是一些例子:
>>> list(slice_before(range(12), lambda i: i % 3 == 0))
[[0, 1, 2], [3, 4, 5], [6, 7, 8], [9, 10, 11]]
>>> list(slice_before('LetsTestSliceBefore', str.isupper))
[['L', 'e', 't', 's'], ['T', 'e', 's', 't'], ['S', 'l', 'i', 'c', 'e'], ['B', 'e', 'f', 'o', 'r', 'e']]
您只需初始化数据即可。请注意,code_list
可以是更快查找的集合:
original_list = [('1321', '01'), ('MessageXZY', '02'), ('DescriptionSKS', '03'), ('S7_6', '04'), ('S7_3', '05'), ('0A3B', '06'), ('MessageZYA', '07'), ('DescriptionKAM', '08'), ('9K44', '09'), ('MessageYAL', '10'),
('DescriptionAUS', '11'), ('S7_2', '12')]
code_list = {'1321', '0A3B','9K44'}
问题所需的代码变成了一行slice_before
:
print(list(slice_before(original_list, lambda x_y: x_y[0] in code_list)))
# [[('1321', '01'), ('MessageXZY', '02'), ('DescriptionSKS', '03'), ('S7_6', '04'), ('S7_3', '05')], [('0A3B', '06'), ('MessageZYA', '07'), ('DescriptionKAM', '08')], [('9K44', '09'), ('MessageYAL', '10'), ('DescriptionAUS', '11'), ('S7_2', '12')]]
答案 1 :(得分:2)
我假设您有要拆分的代码列表。据说看看这段代码是否适合你。
original_list = [('1321', '01'), ('MessageXZY', '02'), ('DescriptionSKS', '03'), ('S7_6', '04'), ('S7_3', '05'), ('0A3B', '06'), ('MessageZYA', '07'), ('DescriptionKAM', '08'), ('9K44', '09'), ('MessageYAL', '10'),
('DescriptionAUS', '11'), ('S7_2', '12')]
code_list = ['1321', '0A3B','9K44']
grouped_tuples = []
for entry in original_list:
if entry[0] in code_list:
new_tuple = []
new_tuple.append(entry)
for i in range(original_list.index(entry)+1, len(original_list)):
if(original_list[i][0] not in code_list):
new_tuple.append(original_list[i])
else:
break
grouped_tuples.append(tuple(new_tuple))
print grouped_tuples