Skip entry in generator expression

579 Views Asked by At

What is the best way to skip entries in a generator expression that are created using a function and another generator?

In essence, I am looking for an expression that looks like this:

some_iter = (some_function(_x, _y, **kwargs) or continue for _x, _y in some_generator(*x))

(but the continue statement obviously doesn't work in this context)

Functionally, it should act like this:

def some_iter(*x):
    for _x, _y in some_generator(*x):
        x = some_function(_x, _y, **kwargs)
        if x:
            yield x
1

There are 1 best solutions below

5
On

A list comprehension allows to filter and then map. You want to manually map your function first.

gen = (x for x in map(function, generator(*args)) if x)

The above is for a generator that yields single arguments. You can use itertools.starmap if it returns a tuple of arguments.

from itertools import starmap

gen = (x for x in starmap(function, generator(*args)) if x)

Finally, if you also need to pass in keyword arguments, you will need to rely on a lambda function.

gen = (x for x in map(lambda args: function(*args, **kwargs), generator(*g_args)) if x)

Although, note that at that point, the function-style generator might be more readable.

def gen(*x):
    for args in generator(*x):
        x = some_function(*args, **kwargs)
        if x:
            yield x