Jan-25-2018, 08:45 PM
Jan-25-2018, 08:51 PM
I think with zip().
Jan-25-2018, 09:38 PM
Here is a recursive solution
from itertools import chain def iflatten(seq): return chain.from_iterable( iflatten(x) if isinstance(x, list) else (x,) for x in seq) def flatten(seq): return list(iflatten(seq)) if __name__ == '__main__': L = [[[2], [4, 1, 3]], [5, 7], 1, 10, [[[5, 5, 5], [4, 4, 4]]]] print(flatten(L))
Output:[2, 4, 1, 3, 5, 7, 1, 10, 5, 5, 5, 4, 4, 4]
Jan-25-2018, 10:46 PM
def flatten(list): flatted = [] for element in list: if type(element) != type([]): flatted+=[element] else: flatted+=flatten(element) return flatted A = [[[2], [4, 1, 3]], [5, 7], 1, 10, [[[5, 5, 5], [4, 4, 4]]]] flatten(A)codes with basic keywords and list operation only
Jan-25-2018, 11:17 PM
Black magic:
>>> a = [[[2], [4, 1, 3]], [5, 7], 1, 10, [[[5, 5, 5], [4, 4, 4]]]] >>> b = eval(repr(a).replace("[","").replace("]","")) >>> b (2, 4, 1, 3, 5, 7, 1, 10, 5, 5, 5, 4, 4, 4) >>>But, in all seriousness, don't do that.
eval
is bad, you say? I know:>>> a = [[[2], [4, 1, 3]], [5, 7], 1, 10, [[[5, 5, 5], [4, 4, 4]]]] >>> b = list(map(int, repr(a).replace("[","").replace("]","").split(","))) >>> b [2, 4, 1, 3, 5, 7, 1, 10, 5, 5, 5, 4, 4, 4] >>>Don't do this either.
Jan-25-2018, 11:18 PM
(Jan-25-2018, 11:14 PM)Mekire Wrote: [ -> ]Black magic:There will be some trouble if the list contains literal strings instead of integers!
Jan-25-2018, 11:25 PM
Jan-26-2018, 12:13 AM
I want to break Python 2 support
bye using

yield from
.def flatten(seq): for item in seq: if isinstance(item, list): yield from flatten(item) else: yield item lst = [[[2], [4, 1, 3]], [5, 7], 1, 10, [[[5, 5, 5], [4, 4, 4]]]] print(list(flatten(lst)))
Output:[2, 4, 1, 3, 5, 7, 1, 10, 5, 5, 5, 4, 4, 4]