如何在两者之间合并两台发电机?

iTa*_*ayb 1 python generator python-itertools

如何合并两个不同的生成器,在每次迭代中,不同的生成器将获得收益?

>>> gen = merge_generators_in_between("ABCD","12")
>>> for val in gen:
...     print val
A
1
B
2
C
D
Run Code Online (Sandbox Code Playgroud)

我怎样才能做到这一点?我没有找到它的功能itertools.

jam*_*lak 7

查看循环下的itertools食谱:

>>> from itertools import cycle, islice
>>> def roundrobin(*iterables):
        "roundrobin('ABC', 'D', 'EF') --> A D E B F C"
        # Recipe credited to George Sakkis
        pending = len(iterables)
        nexts = cycle(iter(it).next for it in iterables)
        while pending:
            try:
                for next in nexts:
                    yield next()
            except StopIteration:
                pending -= 1
                nexts = cycle(islice(nexts, pending))


>>> for x in roundrobin("ABCD", "12"):
        print x


A
1
B
2
C
D
Run Code Online (Sandbox Code Playgroud)