Python Filtering 2 Lists

Question:

I’m trying to find a way to use one list to filter out elements of another.

Kinda like the intersect syntax but the exact opposite

lst = [0,1,2,6]

secondlst = [0,1,2,3,4,5,6]

expected outcome

[3,4,5]
Asked By: HighAllegiant

||

Answers:

Simple way:

r = [v for v in secondlst if v not in lst]

or

list(set(secondlst).difference(lst))
Answered By: koblas

Look no further than Python’s set()‘ type.

>>> lst = [0,1,2,6]
>>> secondlst = [0,1,2,3,4,5,6]
>>> set(lst).symmetric_difference(set(secondlst))
set([3, 4, 5])
Answered By: jathanism

Simple:

outcome = [x for x in secondlst if x not in lst]

More complex but faster if lst is large:

lstSet = set(lst)
outcome = [x for x in secondlst if x not in lstSet]
Answered By: rob mayoff

You can use filter

filter(lambda x: x not in lst, secondlst)
Answered By: Jeff
Categories: questions Tags: , , ,
Answers are sorted by their score. The answer accepted by the question owner as the best is marked with
at the top-right corner.