문제

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]
도움이 되었습니까?

해결책

Simple way:

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

or

list(set(secondlst).difference(lst))

다른 팁

You can use filter

filter(lambda x: x not in lst, secondlst)

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])

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]
라이센스 : CC-BY-SA ~와 함께 속성
제휴하지 않습니다 StackOverflow
scroll top