Python Remove a List Item
Remove a List Item
There are several methods to remove items from a list:
Example
The remove()
method removes the specified item:
thislist = ["apple", "banana", "cherry"]
thislist.remove("banana")
print(thislist)
Try it Yourself »
Example
The pop()
method removes the specified
index, (or the last item if index is not specified):
thislist = ["apple", "banana", "cherry"]
thislist.pop()
print(thislist)
Try it Yourself »
Example
The del
keyword removes the specified
index:
thislist = ["apple", "banana", "cherry"]
del
thislist[0]
print(thislist)
Try it Yourself »
Example
The del
keyword can also delete the list
completely:
thislist = ["apple", "banana", "cherry"]
del
thislist
Try it Yourself »
Example
The clear()
method empties the list:
thislist = ["apple", "banana", "cherry"]
thislist.clear()
print(thislist)
Try it Yourself »