我的程式碼的哪些部分運行時間最長、記憶體最多?我怎麼才能找到需要改進的地方?
在開發過程中,我很確定我們大多數人都會想知道這一點,在本文中總結了一些方法來監控 Python 程式碼的時間和記憶體使用情況。
本文將介紹4種方法,前3種方法提供時間信息,第4個方法可以獲得記憶體使用情況。
這是計算程式碼運行所需時間的最簡單、最直接(但需要手動開發)的方法。他的邏輯也很簡單:記錄程式碼運行之前和之後的時間,計算時間之間的差異。這可以實現如下:
import time start_time = time.time() result = 5+2 end_time = time.time() print('Time taken = {} sec'.format(end_time - start_time))
下面的範例顯示了for迴圈和列表推導式在時間上的差異:
import time # for loop vs. list comp list_comp_start_time = time.time() result = [i for i in range(0,1000000)] list_comp_end_time = time.time() print('Time taken for list comp = {} sec'.format(list_comp_end_time - list_comp_start_time)) result=[] for_loop_start_time = time.time() for i in range(0,1000000): result.append(i) for_loop_end_time = time.time() print('Time taken for for-loop = {} sec'.format(for_loop_end_time - for_loop_start_time)) list_comp_time = list_comp_end_time - list_comp_start_time for_loop_time = for_loop_end_time - for_loop_start_time print('Difference = {} %'.format((for_loop_time - list_comp_time)/list_comp_time * 100))
我們都知道for會慢一些。
Time taken for list comp = 0.05843973159790039 sec Time taken for for-loop = 0.06774497032165527 sec Difference = 15.922795107582594 %
魔法指令是IPython核心內建的方便指令,可以方便執行特定的任務。一般情況下都實在jupyter notebook種使用。
在儲存格的開頭新增%%time ,儲存格執行完成後,會輸出儲存格執行所花費的時間。
%%time def convert_cms(cm, unit='m'): ''' Function to convert cm to m or feet ''' if unit == 'm': return cm/100 return cm/30.48 convert_cms(1000)
結果如下:
CPU times: user 24 µs, sys: 1 µs, total: 25 µs Wall time: 28.1 µs Out[8]: 10.0
這裡的CPU times是CPU處理程式碼所花費的實際時間,Wall time是事件經過的真實時間,在方法入口和方法出口之間的時間。
前兩個方法只提供執行該方法所需的總時間。透過時間分析器我們可以獲得函數中每一個程式碼的運行時間。
這裡我們需要使用line_profiler套件。使用pip install line_profiler。
import line_profiler def convert_cms(cm, unit='m'): ''' Function to convert cm to m or feet ''' if unit == 'm': return cm/100 return cm/30.48 # Load the profiler %load_ext line_profiler # Use the profiler's magic to call the method %lprun -f convert_cms convert_cms(1000, 'f')
輸出結果如下:
Timer unit: 1e-06 s Total time: 4e-06 s File: /var/folders/y_/ff7_m0c146ddrr_mctd4vpkh0000gn/T/ipykernel_22452/382784489.py Function: convert_cms at line 1 Line # Hits Time Per Hit % Time Line Contents ============================================================== 1 def convert_cms(cm, unit='m'): 2 ''' 3 Function to convert cm to m or feet 4 ''' 5 1 2.0 2.0 50.0 if unit == 'm': 6 return cm/100 7 1 2.0 2.0 50.0 return cm/30.48
可以看到line_profiler提供了每行程式碼所花費時間的詳細資訊。
from conversions import convert_cms_f import memory_profiler %load_ext memory_profiler %mprun -f convert_cms_f convert_cms_f(1000, 'f')
Line # Mem usage Increment Occurrences Line Contents ============================================================= 1 63.7 MiB 63.7 MiB 1 def convert_cms_f(cm, unit='m'): 2 ''' 3 Function to convert cm to m or feet 4 ''' 5 63.7 MiB 0.0 MiB 1 if unit == 'm': 6 return cm/100 7 63.7 MiB 0.0 MiB 1 return cm/30.48
以上是監控 Python 記憶體使用量和程式碼執行時間的詳細內容。更多資訊請關注PHP中文網其他相關文章!