对于Python的 itertools.repeat() 类,我可以想到的每一种用法,都可以想到另一种同样(可能更多)可接受的解决方案,以实现相同的效果。例如:

>>> [i for i in itertools.repeat('example', 5)]
['example', 'example', 'example', 'example', 'example']
>>> ['example'] * 5
['example', 'example', 'example', 'example', 'example']

>>> list(map(str.upper, itertools.repeat('example', 5)))
['EXAMPLE', 'EXAMPLE', 'EXAMPLE', 'EXAMPLE', 'EXAMPLE']
>>> ['example'.upper()] * 5
['EXAMPLE', 'EXAMPLE', 'EXAMPLE', 'EXAMPLE', 'EXAMPLE']
有没有哪种情况itertools.repeat()是最合适的解决方案?如果是这样,在什么情况下?

最佳答案

itertools.repeat函数是惰性的;它仅使用一项所需的内存。另一方面,(a,) * n[a] * n惯用语在内存中创建对象的n个副本。对于五个项目,乘法习惯用法可能更好,但是如果必须重复一百万次,您可能会注意到资源问题。

但是,很难想象itertools.repeat有许多静态用途。但是,itertools.repeat是一个函数这一事实使您可以在许多功能应用程序中使用它。例如,您可能有一些库函数func对可迭代的输入进行操作。有时,您可能已经预先构造了各种项目的列表。其他时候,您可能只想对统一列表进行操作。如果列表很大,itertools.repeat将节省您的内存。

最后,repeat使itertools文档中描述的所谓“迭代器代数”成为可能。甚至itertools模块本身也使用repeat函数。例如,以下代码作为itertools.izip_longest的等效实现给出(即使实际代码可能用C编写)。请注意从底部开始的七行使用repeat:

class ZipExhausted(Exception):
    pass

def izip_longest(*args, **kwds):
    # izip_longest('ABCD', 'xy', fillvalue='-') --> Ax By C- D-
    fillvalue = kwds.get('fillvalue')
    counter = [len(args) - 1]
    def sentinel():
        if not counter[0]:
            raise ZipExhausted
        counter[0] -= 1
        yield fillvalue
    fillers = repeat(fillvalue)
    iterators = [chain(it, sentinel(), fillers) for it in args]
    try:
        while iterators:
            yield tuple(map(next, iterators))
    except ZipExhausted:
        pass

关于python - Python的itertools.repeat的目的是什么?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/9059173/

10-13 06:43