Why Time.sleep() Is So Slow In Windows?
Solution 1:
I finally figured it out. Thanks a lot for the comments. Those gave me hints to solve it. To explain why this happened, Windows OS has its default timer resolution set to 15.625 ms or 64 Hz, which is decently enough for most of the applications. However, for applications that need very short sampling rate or time delay, then 15.625 ms is not sufficient. Therefore, when I ran my program itself, it's stuck at 15.6 s for 1000 points. However, when Chrome is opened, the higher resolution timer is triggered and changed to 1 ms instead of 15.6, which caused my program to run as expected.
Therefore, in order to solve it, I needed to call a Windows function named timeBeginPeriod(period)
to change the resolution timer. Fortunately, python made it easy for me to fix it by providing ctypes
library. The final code is provided below:
from time import perf_counter as timer
import time
from ctypes import windll #new
timeBeginPeriod = windll.winmm.timeBeginPeriod #new
timeBeginPeriod(1) #new
start = timer()
for i in range(1000):
print (i)
time.sleep(0.001)
end = timer()
print ("Total time: ", end - start)
Warning: I read about how this high timer resolution will affect the overall performance and also the battery. I have not seen anything happening yet, and CPU Usage on Activity on Windows Task Manage doesn't seem to overwhelming either. But keep that in mind if your applications happen to cause some strange behaviors.
Post a Comment for "Why Time.sleep() Is So Slow In Windows?"