用于游戏的Python中的计时器

时间:2011-10-07 20:53:10

标签: python timer

这是我编程的游戏中的计时器:

def function(event):
    time.sleep(.2)
    tx2 = time.time()
    if tx2-tx1 > 0.7:
        #do the repetitive stuff here
    return function(1)

tx1 = time.time()

thread.start_new_thread(function,(1,))

有更好的方法来写这个吗? 对我而言,调用递归函数和新线程似乎有点脏...... 此外它在一段时间后崩溃......

1 个答案:

答案 0 :(得分:3)

您当前的示例遇到了递归限制的问题,因为它以递归方式调用自身的方式。堆栈大小继续增长并增长,直到达到默认值1000,最有可能。见这个修改过的例子:

import time
import inspect
import thread

tx1 = time.time()

def loop(event):
    print "Stack size: %d" % len(inspect.stack())
    tx2 = time.time()
    if tx2-tx1 > 0.7:
            print "Running code."
    return loop(1)

thread.start_new_thread(loop, (1,))   
time.sleep(60)

## OUTPUT ##
Stack size: 1
Running code.
Stack size: 2
Running code.
...
Stack size: 999
Running code.
Exception RuntimeError: 'maximum recursion depth exceeded in ...

最简单的方法是使用自定义的Thread类,它可以运行直到你告诉它停止。这样堆栈大小就不会持续增长。它只是循环并调用你的处理函数。 这是一个完整的工作示例:

import time
from threading import Thread

class IntervalTimer(Thread): 

def __init__(self, secs, func, args=(), kwargs={}):
    super(IntervalTimer, self).__init__(target=func, args=args, kwargs=kwargs)

    self.__interval = secs
    self.__func = func
    self.__args = args
    self.__kwargs = kwargs
    self.__exiting = False

def run(self):
    while not self.__exiting:
        time.sleep(self.__interval)
        self.__func(*self.__args, **self.__kwargs)

def cancel(self):
    self.__exiting = True


def test(val):
    print val

if __name__ == "__main__":
    t = IntervalTimer(2, test, args=("Hi",))
    t.start()
    time.sleep(10)
    t.cancel()