filter function selects an iterable's items based on a test function.
filter function requires a list call to display all its results.
For example, the following filter call picks out items in a sequence that are greater than zero:
d=list(range(-5, 5)) # An iterable in 3.X print( d ) d=list(filter((lambda x: x > 0), range(-5, 5))) # An iterable in 3.X print( d )
Items in the sequence or iterable for which the function returns a true result are added to the result list.
It is roughly equivalent to a for loop as follows:
res = [] for x in range(-5, 5): # The statement equivalent if x > 0: res.append(x) # from w w w . j a v a 2s . c om print( res )
filter can be emulated by list comprehension syntax.
d=[x for x in range(-5, 5) if x > 0] # Use () to generate items print( d )