I want to adjust lists to the same length but the if-elif statement is not working as I thought, its very weird. This might be something so obvious
Code:
JavaScript
x
20
20
1
l = [1,2,1,4,3,1]
2
l2 = [1,5,7,3,35,5,66,7]
3
lenl = len(l)
4
lenl2 = len(l2)
5
if l < l2:
6
l_l2 = lenl - lenl2
7
list1 = l2
8
list2 = l
9
elif l > l2:
10
l_l2 = lenl2 - lenl
11
list1 = l
12
list2 = l2
13
for i in range(0,l_l2):
14
list1.append(None)
15
print(list2)
16
print(list1)
17
for i in range(0,l_l2):
18
list1.remove(None)
19
print(list1)
20
I keep getting:
JavaScript
1
4
1
[1, 2, 1, 4, 3, 1]
2
[1, 5, 7, 3, 35, 5, 66, 7]
3
[1, 5, 7, 3, 35, 5, 66, 7]
4
What I want:
JavaScript
1
5
1
[1, 2, 1, 4, 3, 1,None,None]
2
[1, 5, 7, 3, 35, 5, 66, 7]
3
[1, 5, 7, 3, 35, 5, 66, 7]
4
5
Advertisement
Answer
Your main issue is comparing two lists instead of using the length of each. Also, I feel like you swapping the lists might’ve confused you and propagated down to the rest of the code (lines 8 & 9 and 13 & 14 -> affected lines 16 & 20). Nevertheless, I just fixed some parts and think it should work now for what you want it to do. Also, you might want to double-check your math for getting the length.
JavaScript
1
20
20
1
l = [1,2,1,4,3,1]
2
l2 = [1,5,7,3,35,5,66,7]
3
lenl = len(l)
4
lenl2 = len(l2)
5
if lenl < lenl2:
6
l_l2 = abs(lenl - lenl2)
7
list1 = l2
8
list2 = l
9
elif lenl > lenl2:
10
l_l2 = abs(lenl2 - lenl)
11
list1 = l
12
list2 = l2
13
for i in range(0,l_l2):
14
list2.append(None)
15
print(list2)
16
print(list1)
17
for i in range(0,l_l2):
18
list2.remove(None)
19
print(list1)
20