簡單的Python排程器Schedule詳解
阿新 • • 發佈:2020-01-09
最近在做專案的時候經常會用到定時任務,由於我的專案是使用Java來開發,用的是SpringBoot框架,因此要實現這個定時任務其實並不難。
後來我在想如果我要在Python中實現,我要怎麼做呢?
一開始我首先想到的是Timer
Timer
這個是一個擴充套件自threading模組來實現的定時任務。它其實是一個執行緒。
# 首先定義一個需要定時執行的方法 >>> def hello(): print("hello!") # 匯入threading,並建立Timer,設定1秒後執行hello方法 >>> import threading >>> timer = threading.Timer(1,hello) >>> timer.start() # 1秒後列印 >>> hello!
這個內建的工具使用起來也簡單,對於熟悉Java的同學來說也是非常容易的。然而我一直能否有一個更加Pythonic的工具或者類庫呢?
這時我看到一篇文章介紹Scheduler類庫的使用,突然覺得這就是我想要的
Scheduler
要使用這個庫先使用以下命令進行安裝
pip install schedule
schedule模組中的方法可讀性非常好,而且支援鏈式呼叫
import schedule # 定義需要執行的方法 def job(): print("a simple scheduler in python.") # 設定排程的引數,這裡是每2秒執行一次 schedule.every(2).seconds.do(job) if __name__ == '__main__': while True: schedule.run_pending() # 執行結果 a simple scheduler in python. a simple scheduler in python. a simple scheduler in python. ...
其它設定排程引數的方法
# 每小時執行 schedule.every().hour.do(job) # 每天12:25執行 schedule.every().day.at("12:25").do(job) # 每2到5分鐘時執行 schedule.every(5).to(10).minutes.do(job) # 每星期4的19:15執行 schedule.every().thursday.at("19:15").do(job) # 每第17分鐘時就執行 schedule.every().minute.at(":17").do(job)
如果要執行的方法需要引數呢?
# 需要執行的方法需要傳參 def job(val): print(f'hello {val}') # schedule.every(2).seconds.do(job) # 使用帶引數的do方法 schedule.every(2).seconds.do(job,"hylinux") # 執行結果 hello hylinux hello hylinux hello hylinux hello hylinux hello hylinux hello hylinux ...
是不是很簡單?
學習資料
https://bhupeshv.me/A-Simple-Scheduler-in-Python/
以上就是本文的全部內容,希望對大家的學習有所幫助,也希望大家多多支援我們。