我正在创建一个代码,该代码需要程序计算运行时间,然后显示时间。它基本上是一个在后台运行的计时器,我可以调用它来显示代码运行了多长时间。我该怎么做呢?
问问题
23601 次
3 回答
17
您记录开始时间,然后计算该开始时间与当前时间之间的差异。
由于平台差异,为了精确,您需要使用timeit.default_timer
callable:
from timeit import default_timer
start = default_timer()
# do stuff
duration = default_timer() - start
这为您提供了以秒为单位的挂钟持续时间作为浮点值。
演示:
>>> from timeit import default_timer
>>> start = default_timer()
>>> # Martijn reads another post somewhere
...
>>> print default_timer() - start
19.1996181011
于 2013-06-20T10:23:46.240 回答
4
这在python中很容易
import time
start_time=time.time()
#do something
end_time=time.time()-start_time
结果end_time
将在几秒钟内
于 2013-06-20T10:28:27.377 回答
0
我已经这样做了,这可能对你有帮助
from timeit import default_timer
timerPool = {}
TIMER_RUNNING = 1
TIMER_STOPPED = 0
TIMER_IDLE = 2
"""
Initilialize the timer like below if any new timer to be added
"""
"""
required initialization for "eightSecTimer_Id" timer
"""
timerPool['eightSecTimer_Id'] = {}
timerPool['eightSecTimer_Id']['state'] = TIMER_IDLE
timerPool['eightSecTimer_Id']['start'] = 0
timerPool['eightSecTimer_Id']['duration'] = 0
timerPool['eightSecTimer_Id']['time'] = 0
"""
required initialization for "fiveSecTimer_Id" timer
"""
timerPool['fiveSecTimer_Id'] = {}
timerPool['fiveSecTimer_Id']['state'] = TIMER_IDLE
timerPool['fiveSecTimer_Id']['start'] = 0
timerPool['fiveSecTimer_Id']['duration'] = 0
timerPool['fiveSecTimer_Id']['time'] = 0
"""
Interface to start the timer
"""
def StartTimer(Id,time):
timerPool[Id]['time'] = time
timerPool[Id]
if (timerPool[Id]['state'] == TIMER_IDLE) or (timerPool[Id]['state'] == TIMER_STOPPED):
timerPool[Id]['start'] = default_timer()
timerPool[Id]['state'] = TIMER_RUNNING
return timerPool[Id]['state']
"""
Interface to get the timer status.
Return "TIMER_STOPPED" when timer completed
Return "TIMER_IDLE" after timer completed on consecutive call of this function
"""
def GetTimerState(Id):
time = timerPool[Id]['time']
if timerPool[Id]['state'] == TIMER_RUNNING:
timerPool[Id]['duration'] = default_timer() - timerPool[Id]['start']
else:
None
if timerPool[Id]['state'] == TIMER_STOPPED:
timerPool[Id]['state'] = TIMER_IDLE
if timerPool[Id]['duration'] >= time:
timerPool[Id]['state'] = TIMER_STOPPED
timerPool[Id]['duration'] = 0
return timerPool[Id]['state']
"""
Below is how to use.
"""
StartTimer('fiveSecTimer_Id',5)
StartTimer('eightSecTimer_Id',8)
while True:
if GetTimerState('fiveSecTimer_Id') == TIMER_STOPPED:
print "5 sec Timer Stopped"
if GetTimerState('eightSecTimer_Id') == TIMER_STOPPED:
print "8 sec Timer Stopped"
sleep (.5)
于 2014-03-29T07:15:29.750 回答