삭제 관련 list function
1. clear() : 모든 item 삭제
my_list = [0,1,2,3,4,5]
my_list.clear()
print(my_list)
>>> []
2. pop() : index 로 item을 가져오면서 삭제
my_list = ['a', 'b', 'c', 'd', 'e']
one = my_list.pop(2)
print(one)
>>> c
print(my_list)
>>> ['a', 'b', 'd', 'e']
two = my_list.pop(-1)
print(two)
print(my_list)
>>> ['a', 'b', 'd']
3. remove() : value 로 item 삭제
my_list = ['a', 'b', 'c', 'd', 'd', 'e', 'd']
my_list.remove('d')
print(my_list)
>>> ['a', 'b', 'c', 'd', 'e', 'd']
4. del : index 로 삭제
my_list = ['a', 'b', 'c', 'd', 'e', 'f', 'g']
del my_list[0]
>>> ['b', 'c', 'd', 'e', 'f', 'g']
del my_list[-2]
>>> ['b', 'c', 'd', 'e', 'g']
del my_list[2:4]
>>> ['b', 'c', 'g']
del my_list[:]
>>> []