What is the most Pythonic way to filter a set?
In my opinion the most Pythonic way to filter sets, wheevern possible, is by use set operations (Venn diagrams) :
A = {0, 1, 4, 5, 8};
B = {2, 1, 3, 4, 6};
print("Union :", A | B)
print("Intersection :", A & B)
print("Difference :", A - B)
print("Symmetric difference :", A ^ B)
another example when you just want to remove value 5 from set A you just type:
A - {5,}
and as in this question if you need to filter for grater values than C you just type "containment check" operator "in" which in Python code executes sets.contains() magic method (magic method shouldn't be called directly that's why you use "in"):
{x for x in l if x > C}
Using list comprehension is maybe more "pythonic".
filtered = [x for x in set(lst) if x < C]
The best two ways to do them are filter:
new_list = list(set(filter(lambda x:x<C, l)))
Or set comprehensions (which many would consider more pythonic, and even more efficient):
list({x for x in l if x < C})
But I guess, if you’re familiar with filter, that you can just stick to it.