3

Bluemix python 构建包工作得很好——非常容易cf push myapp --no-route。到目前为止,一切都很好。

不过有个问题:

我想在 Bluemix 上定期运行它,就像cron在本地系统上使用一样。

背景

该应用程序不是作为长期运行的任务编写的。我只是定期运行它以从我为客户编写的几个网站收集数据,并在适当的时候通过电子邮件将结果发送给我。

但是,当我在 IBM Bluemix 上运行它时,Bluemix 运行时当前认为应用程序在退出时出现故障,需要立即重新启动。当然,这不是我想要的。

4

2 回答 2

3

有几个选项:

1)如果你想完全在 Python 中完成,你可以尝试像我在这个例子中所做的那样。基本结构是这样的:

import schedule  
 import time 

 def job():  
 #put the task to execute here  

 def anotherJob():  
 #another task can be defined here  

 schedule.every(10).minutes.do(job)  
 schedule.every().day.at("10:30").do(anotherJob)  

while True:  
   schedule.run_pending()  
   time.sleep(1)  

2) Bluemix 发生了变化,今天更好的方法是使用OpenWhisk。它是 IBM 的“无服务器”计算版本,它允许安排任务的执行或执行事件驱动。您可以将您的应用程序移动到 Docker 容器中,并根据计划或由外部事件驱动来调用它。

于 2016-08-21T13:05:22.713 回答
2

在了解了Openwhisk的简单触发器之后,这变得非常简单;行动规则模型。

因此,我将我的 Python 应用程序完全迁移到 Openwhisk,而不是使用 Bluemix Python buildpack 或 Bluemix Docker 容器,这两种容器都不适合这项任务的简单需求。

我在下面包含一个摘要。我在这里写了一个更详细的版本。

作为额外的奖励,我能够删除大量我自己的代码,而是使用Slack进行通知。由于它很简单,因此我将其包含在此答案中。

该程序

Openwhisk Python 操作是 python 2.7。
文件sitemonitor.py

def main(inDict):
  inTimeout = inDict.get('timeout', '4')
  // A few function calls omitted for brevity
  if state.errorCount == 0:
    return {'text': "All sites OK"}
  else:
    return { 'text' : state.slackMessage }

main接受字典并返回字典

设置作业

创建sitemonitor动作

timeout是特定于我的应用程序的参数。

$ wsk action create sitemonitor sitemonitor.py # default timeout of 4 seconds

或在默认参数中为操作指定不同的超时

$ wsk action update sitemonitor sitemonitor.py --param timeout 2 # seconds

创建 Slack 包操作monitorSlack

wsk package bind  /whisk.system/slack monitorSlack \
  --param url 'https://hooks.slack.com/services/...' \
  --param username 'monitor-bot' \
  --param channel '#general'

从您的 Slack 团队帐户中查找传入的 Webhook URL

创建组合monitor2slack动作

$ wsk action create monitor2slack --sequence sitemonitor,monitorSlack/post

创建触发器

它会每隔一小时自动触发一次

$ wsk trigger create monitor2hrs \
    --feed /whisk.system/alarms/alarm \
    --param cron '0 0 */2 * * *' 

$ wsk trigger fire monitor2hrs # fire manually to test

创建规则

$ wsk rule create monitorsites monitor2hrs monitor2slack

... Openwhisk将完成剩下的工作。

参考

Openwhisk 文档:非常好

Slack团队#openwhisk频道人员非常乐于助人。dW Open

于 2016-08-31T12:52:55.063 回答