0

我想用我的扭曲应用程序实现类似 cron 的行为。我想触发一个定期调用(比如说每周),但只在一个精确的时间运行,而不是在我启动我的应用程序时运行。

我的用例如下:我的 python 应用程序在一周中的任何时间启动。我希望每周一早上 8 点进行通话。但我不想执行主动等待(使用 time.sleep()),我想使用 callLater 来触发下周一的呼叫,然后从该日期开始循环呼叫。

有什么想法/建议吗?谢谢,J。

4

2 回答 2

7

如果你绝对喜欢 cron 风格的说明符,你也可以考虑使用parse-crontab

然后你的代码看起来基本上像:

from crontab import CronTab
monday_morning = CronTab("0 8 * * 1")

def do_something():
    reactor.callLater(monday_morning.next(), do_something)
    # do whatever you want!

reactor.callLater(monday_morning.next(), do_something)
reactor.run()
于 2013-01-31T18:18:21.863 回答
1

如果我正确理解了您的问题,您正在考虑首次执行计划任务以及如何为应用程序提供初始启动时间。如果是这种情况,您只需要以秒为单位计算 timedelta 值以传递给 callLater。

import datetime
from twisted.internet import reactor

def cron_entry():
    full_weekseconds = 7*24*60*60
    print "I was called at a specified time, now you can add looping task with a full weekseconds frequency"


def get_seconds_till_next_event(isoweekday,hour,minute,second):
    now = datetime.datetime.now()
    full_weekseconds = 7*24*60*60
    schedule_weekseconds = ((((isoweekday*24)+hour)*60+minute)*60+second)
    now_weekseconds=((((now.isoweekday()*24)+now.hour)*60+now.minute)*60+now.second)

    if schedule_weekseconds > now_weekseconds:
        return schedule_weekseconds - now_weekseconds
    else:
        return  now_weekseconds - schedule_weekseconds + full_weekseconds


initial_execution_timedelta = get_seconds_till_next_event(3,2,25,1)
"""
This gets a delta in seconds between now and next Wednesday -3, 02 hours, 25 minutes and 01 second
"""
reactor.callLater(initial_execution_timedelta,cron_entry)
reactor.run()
于 2013-01-29T10:48:51.413 回答