Remove Item by Value :

thislist = ["apple", "banana", "cherry"]
thislist.remove("banana")               # Remove "banana"
print(thislist)

Output :

['apple', 'cherry']

Remove Item by Index (pop) :

thislist = ["apple", "banana", "cherry"]
thislist.pop(1)                          # Remove index 1
print(thislist)

Output :

['apple', 'cherry']

Pop Last Item :

thislist = ["apple", "banana", "cherry"]
thislist.pop()                           # Remove last item
print(thislist)

Output :

['apple', 'banana']

Delete Item with del :

thislist = ["apple", "banana", "cherry"]
del thislist[0]                          # Delete index 0
print(thislist)

Output :

['banana', 'cherry']

Clear Entire List :

thislist = ["apple", "banana", "cherry"]
thislist.clear()                         # Empty the list
print(thislist)

Output :

[]