I have:
JavaScript
x
2
1
l = [[1,2,3],[3,4],[1,6,8,3]]
2
I want:
JavaScript
1
2
1
[[1,2],[3,4],[1,6]]
2
Which is the list l
with all sublists truncated to the lowest length found for the sublists in l
.
I tried:
JavaScript
1
13
13
1
min = 1000
2
3
for x in l:
4
if len(x) < min: min = len(x)
5
6
r = []
7
8
for x in l:
9
s = []
10
for i in range(min):
11
s.append(x[i])
12
r.append(s.copy())
13
Which works but quite slow and long to write. I’d like to make this more efficient through list comprehension or similar.
Advertisement
Answer
With list comprehension, one-liner:
JavaScript
1
4
1
l = [[1,2,3],[3,4],[1,6,8,3]]
2
3
print ([[s[i] for i in range(min([len(x) for x in l]))] for s in l])
4
Or:
JavaScript
1
2
1
print ([s[:min([len(s) for s in l])] for s in l])
2
Output:
JavaScript
1
2
1
[[1, 2], [3, 4], [1, 6]]
2
We compute the minimal length of subslists in the ‘range()’ to iterate over sublists for that amount and to reconstruct a new subslist. The top-level list comprehension allows to reconstruct the nested sublist.
If you have a large nested list, you should use this version with two lines:
JavaScript
1
4
1
m = min([len(x) for x in l])
2
3
print ([[s[i] for i in range(m)] for s in l])
4
Or:
JavaScript
1
2
1
print ([s[:m] for s in l])
2
Using zip and preserving the list objects:
JavaScript
1
2
1
print (list([list(x) for x in zip(*zip(*l))]))
2
Output:
JavaScript
1
2
1
[[1, 2], [3, 4], [1, 6]]
2