美文网首页程序员
一个简单的Python调度器Schedule!

一个简单的Python调度器Schedule!

作者: 59aa689f8c96 | 来源:发表于2019-09-27 13:09 被阅读0次

    最近在做项目的时候经常会用到定时任务,由于我的项目是使用 Java 来开发,用的是 SpringBoot 框架,因此要实现这个定时任务其实并不难。

    后来我在想如果我要在 Python 中实现,我要怎么做呢?

    一开始我首先想到的是 Timer

    Python资源共享群:626017123

    0x00 Timer

    这个是一个扩展自 threading 模块来实现的定时任务。它其实是一个线程。

    # 首先定义一个需要定时执行的方法

    >>> def hello():

        print("hello!")

    # 导入threading,并创建Timer,设置1秒后执行hello方法

    >>> import threading

    >>> timer = threading.Timer(1,hello)

    >>> timer.start()

    # 1秒后打印

    >>> hello!

    这个内置的工具使用起来也简单,对于熟悉 Java 的同学来说也是非常容易的。然而我一直能否有一个更加 Pythonic 的工具或者类库呢?

    这时我看到一篇文章介绍 Scheduler 类库的使用,突然觉得这就是我想要的

    0x01 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

    ...

    是不是很简单?

    相关文章

      网友评论

        本文标题:一个简单的Python调度器Schedule!

        本文链接:https://www.haomeiwen.com/subject/wjxoectx.html