Created
December 26, 2013 05:10
-
-
Save countrymarmot/8130020 to your computer and use it in GitHub Desktop.
decorator to calculate python function timeout and elapsed time.
This file contains bidirectional Unicode text that may be interpreted or compiled differently than what appears below. To review, open the file in an editor that reveals hidden Unicode characters.
Learn more about bidirectional Unicode characters
import signal | |
import time | |
from functools import wraps | |
class TimeoutException(Exception): | |
pass | |
def timethis(func): | |
''' | |
Decorator that reports the execution time. | |
''' | |
@wraps(func) | |
def wrapper(*args, **kwargs): | |
def timeout_handler(signum, frame): | |
raise TimeoutException() | |
signal.signal(signal.SIGALRM, timeout_handler) | |
timeout_time = kwargs.pop("timeout", 0) | |
signal.alarm(timeout_time) # trigger alarm in timeout_time seconds | |
try: | |
start = time.time() | |
result = func(*args, **kwargs) | |
elapsed = round(time.time()-start, 3) | |
return {"result": result, "timeout": False, "elapsed": elapsed} | |
except TimeoutException: | |
return {"result": None, "timeout": True, "elapsed": None} | |
signal.alarm(0) # cancel the alarm | |
return wrapper | |
if __name__ == "__main__": | |
@timethis | |
def count(n): | |
x = 0 | |
for i in range(0, n): | |
x += i | |
i += 1 | |
time.sleep(0.1) | |
return x | |
print count(100) | |
print count(100, timeout=5) | |
# {'result': 4950, 'timeout': False, 'elapsed': 10.016} | |
# {'result': None, 'timeout': True, 'elapsed': None} |
Sign up for free
to join this conversation on GitHub.
Already have an account?
Sign in to comment