哪个通常更快,产量或附加?

2022-01-19 00:00:00 python generator return performance yield

问题描述

我目前在一个个人学习项目中阅读 XML 数据库.我发现自己正在编写收集数据的函数,但我不确定返回它们的快速方法是什么.

I am currently in a personal learning project where I read in an XML database. I find myself writing functions that gather data and I'm not sure what would be a fast way to return them.

这通常更快:

  1. yield
  2. 函数中的几个 append() 然后 return 随后的 list?
  1. yields, or
  2. several append()s within the function then return the ensuing list?

我很高兴知道在什么情况下 yields 会比 append()s 更快,反之亦然.

I would be happy to know in what situations where yields would be faster than append()s or vice-versa.


解决方案

yield 具有惰性的巨大优势,而且速度通常不是最好的 使用它的理由.但是,如果它在您的上下文中有效,那么没有理由不使用它:

yield has the huge advantage of being lazy and speed is usually not the best reason to use it. But if it works in your context, then there is no reason not to use it:

# yield_vs_append.py
data = range(1000)

def yielding():
    def yielder():
        for d in data:
            yield d
    return list(yielder())

def appending():
    lst = []
    for d in data:
        lst.append(d)
    return lst

这是结果:

python2.7 -m timeit -s "from yield_vs_append import yielding,appending" "yielding()"
10000 loops, best of 3: 80.1 usec per loop

python2.7 -m timeit -s "from yield_vs_append import yielding,appending" "appending()"
10000 loops, best of 3: 130 usec per loop

至少在这个非常简单的测试中,yield 比 append 快.

At least in this very simple test, yield is faster than append.

相关文章