簡體   English   中英

在Python 3中將列表內的列表分組

[英]Grouping lists within lists in Python 3

我有一個像這樣的字符串列表:

List1 = [
          ['John', 'Doe'], 
          ['1','2','3'], 
          ['Henry', 'Doe'], 
          ['4','5','6']
        ]

我想變成這樣的東西:

List1 = [
          [ ['John', 'Doe'], ['1','2','3'] ],
          [ ['Henry', 'Doe'], ['4','5','6'] ]
        ]

但是我似乎很難這樣做。

List1 = [['John', 'Doe'], ['1','2','3'],
         ['Henry', 'Doe'], ['4','5','6'],
         ['Bob', 'Opoto'], ['10','11','12']]

def pairing(iterable):
    it = iter(iterable)
    itn = it.next
    for x in it :
        yield (x,itn())     

# The generator pairing(iterable) yields tuples:  

for tu in pairing(List1):
    print tu  

# produces:  

(['John', 'Doe'], ['1', '2', '3'])
(['Henry', 'Doe'], ['4', '5', '6'])
(['Bob', 'Opoto'], ['8', '9', '10'])    

# If you really want a yielding of lists:

from itertools import imap
# In Python 2. In Python 3, map is a generator
for li in imap(list,pairing(List1)):
    print li

# or defining pairing() precisely so:

def pairing(iterable):
    it = iter(iterable)
    itn = it.next
    for x in it :
        yield [x,itn()]

# produce   

[['John', 'Doe'], ['1', '2', '3']]
[['Henry', 'Doe'], ['4', '5', '6']]
[['Bob', 'Opoto'], ['8', '9', '10']]

編輯:不需要定義生成器函數,您可以動態地對列表進行配對:

List1 = [['John', 'Doe'], ['1','2','3'],
         ['Henry', 'Doe'], ['4','5','6'],
         ['Bob', 'Opoto'], ['8','9','10']]

it = iter(List1)
itn = it.next
List1 = [ [x,itn()] for x in it]

假設您始終希望將成對的內部列表一起使用,這應該可以實現您想要的功能。

list1 = [['John', 'Doe'], ['1','2','3'], ['Henry', 'Doe'], ['4','5','6']] 
output = [list(pair) for pair in zip(list1[::2], list1[1::2])]

它使用zip,它會為您提供元組,但是如果您確實需要顯示列表,則外部列表理解會做到這一點。

這是8行。 我使用元組而不是列表,因為這是要做的“正確”的事情:

def pairUp(iterable):
    """
        [1,2,3,4,5,6] -> [(1,2),(3,4),(5,6)]
    """
    sequence = iter(iterable)
    for a in sequence:
        try:
            b = next(sequence)
        except StopIteration:
            raise Exception('tried to pair-up %s, but has odd number of items' % str(iterable))
        yield (a,b)

演示:

>>> list(pairUp(range(0)))    
[]

>>> list(pairUp(range(1)))
Exception: tried to pair-up [0], but has odd number of items

>>> list(pairUp(range(2)))
[(0, 1)]

>>> list(pairUp(range(3)))
Exception: tried to pair-up [0, 1, 2], but has odd number of items

>>> list(pairUp(range(4)))
[(0, 1), (2, 3)]

>>> list(pairUp(range(5)))
Exception: tried to pair-up [0, 1, 2, 3, 4], but has odd number of items

簡潔的方法:

zip(sequence[::2], sequence[1::2])
# does not check for odd number of elements

暫無
暫無

聲明:本站的技術帖子網頁,遵循CC BY-SA 4.0協議,如果您需要轉載,請注明本站網址或者原文地址。任何問題請咨詢:yoyou2525@163.com.

 
粵ICP備18138465號  © 2020-2024 STACKOOM.COM