Please write a program to print the list after removing even numbers in [5,6,77,45,22,12,24].
Use list comprehension to delete a bunch of element from a list.
Main author's Solution: Python 2
li = [5,6,77,45,22,12,24]
li = [x for x in li if x%2!=0]
print li
My Solution: Python 3
def isEven(n):
return n%2!=0
li = [5,6,77,45,22,12,24]
lst = list(filter(isEven,li))
print(lst)
OR
li = [5,6,77,45,22,12,24]
lst = list(filter(lambda n:n%2!=0,li))
print(lst)
By using list comprehension, please write a program to print the list after removing numbers which are divisible by 5 and 7 in [12,24,35,70,88,120,155].
Use list comprehension to delete a bunch of element from a list.
Main author's Solution: Python 2
li = [12,24,35,70,88,120,155]
li = [x for x in li if x%5!=0 and x%7!=0]
print li
My Solution: Python 3
li = [12,24,35,70,88,120,155]
li = [x for x in li if x % 35!=0]
print(li)
By using list comprehension, please write a program to print the list after removing the 0th, 2nd, 4th,6th numbers in [12,24,35,70,88,120,155].
Use list comprehension to delete a bunch of element from a list. Use enumerate() to get (index, value) tuple.
Main author's Solution: Python 2
li = [12,24,35,70,88,120,155]
li = [x for (i,x) in enumerate(li) if i%2!=0]
print li
My Solution: Python 3
li = [12,24,35,70,88,120,155]
li = [li[i] for i in range(len(li)) if i%2 != 0]
print(li)
By using list comprehension, please write a program to print the list after removing the 2nd - 4th numbers in [12,24,35,70,88,120,155].
Use list comprehension to delete a bunch of element from a list. Use enumerate() to get (index, value) tuple.
Main author's Solution: Python 2
li = [12,24,35,70,88,120,155]
li = [x for (i,x) in enumerate(li) if i<3 or 4<i]
print li
My Solution: Python 3
#to be written
li = [12,24,35,70,88,120,155]
li = [li[i] for i in range(len(li)) if i<3 or 4<i]
print(li)
By using list comprehension, please write a program generate a 3*5*8 3D array whose each element is 0.
Use list comprehension to make an array.
Solution:
array = [[ [0 for col in range(8)] for col in range(5)] for row in range(3)]
print array