Link to home
Start Free TrialLog in
Avatar of Europa MacDonald
Europa MacDonaldFlag for United Kingdom of Great Britain and Northern Ireland

asked on

deleting contents of one list from another

Is it possible in python 3 to delete the contents of one list from another list ? and what is the best way to do it ?

eg
a = [1,2,3,4]
b = [1,2,3,4,5,6]
delete a from b to get c = [5,6]

thankyou
Avatar of noci
noci

Try this:
a = [1,2,3,4]
b = [1,2,3,4,5,6]
for e in a:
   b.remove(e)
print(b)

Open in new window

ASKER CERTIFIED SOLUTION
Avatar of Brent Challis
Brent Challis
Flag of Australia image

Link to home
membership
This solution is only available to members.
To access this solution, you must be a member of Experts Exchange.
Start Free Trial
@Brent: This is not a good solution. Fistly, the set does not preserve the order of items. Say, if 1 was at the end of the second list, it would also be removed. Secondly, the set absorbs multiple instances of the same value. Say, if the second list contained multiple 5, then only one would be present after the actions.

Noci's solution is correct if one occurence of the element in the first list is to be removed from the second list. The list.remove() removes only the the first occurence. So, it depends on what is needed.

There is one more possibility that leads to another kind of solution. If the first list is the prefix of the second list, then the second list can be cut using the slicing operator:
a = [1,2,3,4]
b = [1,2,3,4,5,6]
if len(a) <= len(b) and b[0:len(a)] == a:
    b = b[len(a):]
print(b)

Open in new window

The if just show testing whether a is the prefix of b. The b[len(a):] meas get the part of b from index len(a) to the end.
hm, as the OP's question is not complete. I would have expected "remove all occurances":

elementsToRemove = [1,2,3,4]
sourceList = [1,2,3,4,5,6,4,5]

resultList = list(
                  filter(
                         lambda sourceItem : (sourceItem not in elementsToRemove),
                         sourceList)
                  )

print(resultList)

Open in new window

gives us

[5,6,5]

Open in new window