# If iterable/container is indexed => slicing is possible, then we can use
# for loop in 2 more ways to iterate over it [apart from usual for x in a: ]
# 1-> using range function to create an iterable object
a=[1,2,4,4,5,7,8]
b=a[:] # or b=list(a), basically creating copy of a in b
for i in range(len(a)):
a.pop()
print(i,b[i],a)
# note that a decreases with each pop so we used b in print to access
# original elements using b[i] not a[i]
# NOTE: range(len(a)) will create a iterable object(which isn't object of a)
# which will remain unnafected by a.pop() which acts on object of a
# ALSO NOTE that range() functions just like slicing.
# 2-> using list(enumerate()) to create an iterable object
a=[1,2,4,4,5,7,8]
for x,y in list(enumerate(a)):
a.pop()
print(x,y,a)
# NOTE: list(enumerate(a)) will create a iterable object(which isn't
# object that a points to) which will remain unnafected by a.pop()
# which acts on object of a.
## ALSO NOTE BOTH PYTHON CODES ABOVE HAVE SAME OUTPUT.