Flatten (an irregular) list of lists in Python
- by telliott99
Yes, I know this subject has been covered before (here, here, here, here), but AFAIK, all solutions save one choke on a list like this:
L = [[[1, 2, 3], [4, 5]], 6]
where the desired output is
[1, 2, 3, 4, 5, 6]
or perhaps even better, an iterator. The only solution I saw that works for an arbitrary nesting is from @Alabaster Codify here:
def flatten(x):
result = []
for el in x:
if hasattr(el, "__iter__") and not isinstance(el, basestring):
result.extend(flatten(el))
else:
result.append(el)
return result
flatten(L)
So to my question: is this the best model? Did I overlook something? Any problems?