Question

I have a list of lists of lists...

A = [ [[1,3]], [[3,5], [4,4], [[5,3]]] ]

the following function outputs [1, 3, 3, 5, 4, 4, 5, 3]

def flatten(a):
    b = []
    for c in a:
        if isinstance(c, list):
            b.extend(flatten(c))
        else:
            b.append(c)
    return b

However, I want to stop flattening on the last level so that I get [ [1,3], [3,5], [4,4], [5,3] ]

Was it helpful?

Solution

You could test for contained lists before flattening:

def flatten(a):
    b = []
    for c in a:
        if isinstance(c, list) and any(isinstance(i, list) for i in c):
            b.extend(flatten(c))
        else:
            b.append(c)
    return b

Demo:

>>> def flatten(a):
...     b = []
...     for c in a:
...         if isinstance(c, list) and any(isinstance(i, list) for i in c):
...             b.extend(flatten(c))
...         else:
...             b.append(c)
...     return b
... 
>>> A = [ [[1,3]], [[3,5], [4,4], [[5,3]]] ]
>>> flatten(A)
[[1, 3], [3, 5], [4, 4], [5, 3]]

This tries to be as efficient as can be under the circumstances; any() only needs to test until a list is found, not all elements.

OTHER TIPS

A = [ [[1,3]], [[3,5], [4,4], [[5,3]]] ]

print [child[0] if isinstance(child[0], list) else child for item in A for child in item]

Output

[[1, 3], [3, 5], [4, 4], [5, 3]]

Note: This solution is strictly for this problem only. This is not a generic list flattening solution.

The same idea, with itertools.chain

from itertools import chain
print [item[0] if isinstance(child[0], list) else item for item in chain(*A)]

Output

[[1, 3], [3, 5], [4, 4], [5, 3]]
Licensed under: CC-BY-SA with attribution
Not affiliated with StackOverflow
scroll top