答案 0 :(得分:8)
当您从命令行调用timeit
时,如下所示:
python -mtimeit -s'import test' 'test.foo()'
timeit
模块被称为脚本。特别是,main
函数被称为:
if __name__ == "__main__":
sys.exit(main())
如果查看the source code,您会看到main
函数可以采用args
参数:
def main(args=None):
if args is None:
args = sys.argv[1:]
因此,确实可以从程序中运行timeit
,其行为与从CLI运行时看到的行为完全相同。只需提供您自己的args
,而不是将其设置为sys.argv[1:]
:
import timeit
import shlex
def foo():
total = 0
for i in range(10000):
total += i**3
return total
timeit.main(args=shlex.split("""-s'from __main__ import foo' 'foo()'"""))
将打印类似
的内容100 loops, best of 3: 7.9 msec per loop
不幸的是,main
打印到控制台,而不是返回每个循环的时间。因此,如果您想以编程方式使用结果,也许最简单的方法是先复制the main
function然后修改它 - 将打印代码更改为usec
。
OP的例子:
如果您将其放在utils_timeit.py
:
import timeit
def timeit_auto(stmt="pass", setup="pass", repeat=3):
"""
http://stackoverflow.com/q/19062202/190597 (endolith)
Imitate default behavior when timeit is run as a script.
Runs enough loops so that total execution time is greater than 0.2 sec,
and then repeats that 3 times and keeps the lowest value.
Returns the number of loops and the time for each loop in microseconds
"""
t = timeit.Timer(stmt, setup)
# determine number so that 0.2 <= total time < 2.0
for i in range(1, 10):
number = 10**i
x = t.timeit(number) # seconds
if x >= 0.2:
break
r = t.repeat(repeat, number)
best = min(r)
usec = best * 1e6 / number
return number, usec
你可以在这样的脚本中使用它:
import timeit
import utils_timeit as UT
def foo():
total = 0
for i in range(10000):
total += i**3
return total
num, timing = UT.timeit_auto(setup='from __main__ import foo', stmt='foo()')
print(num, timing)
答案 1 :(得分:0)
从Python 3.6开始,timeit.Timer
对象具有一个autorange
函数,该函数公开了如何确定number
用于命令行执行。