我正试图使用sqlalchemy+celebbeats为数据库中特定类型的对象翻转布尔标志。但是我如何从tasks.py文件访问我的orm呢?
from models import Book
from celery.decorators import periodic_task
from application import create_celery_app
celery = create_celery_app()
# Create celery: http://flask.pocoo.org/docs/0.10/patterns/celery/
# This task works fine
@celery.task
def celery_send_email(to,subject,template):
with current_app.app_context():
msg = Message(
subject,
recipients=[to],
html=template,
sender=current_app.config['MAIL_DEFAULT_SENDER']
)
return mail.send(msg)
#This fails
@periodic_task(name='release_flag',run_every=timedelta(seconds=10))
def release_flag():
with current_app.app_context(): <<< #Fails on this line
books = Book.query.all() <<<< #Fails here too
for book in books:
book.read = True
book.save()
我正在使用芹菜节拍命令来运行这个:
芹菜-一个任务工作者-l信息-击败
但我得到了以下错误:
raise RuntimeError('working outside of application context')
RuntimeError: working outside of application context
它指向current_app.app_context((行的
如果我删除current_app.app_context((行,我将得到以下错误:
RuntimeError: application not registered on db instance and no application bound to current context
有没有一种特殊的方法可以访问用于芹菜任务的flask sqlalchemy orm?或者,我想做的事情会有更好的方法吗?
到目前为止,唯一可行的解决方法是在我的应用程序工厂模式中的db.init_app(app)
之后添加以下行:
db.app=应用
我一直在关注这个回购来创建我的芹菜应用程序https://github.com/mattupstate/overholt/blob/master/overholt/factory.py
您收到该错误是因为current_app
需要一个应用程序上下文才能工作,但您正试图使用它来设置应用程序上下文。您需要使用实际的应用程序来设置上下文,然后才能使用current_app
。
with app.app_context():
# do stuff that requires the app context
或者,您可以使用Flask文档中描述的模式来对celery.Task
进行子类化,使其默认了解应用程序上下文。
from celery import Celery
def make_celery(app):
celery = Celery(app.import_name, broker=app.config['CELERY_BROKER_URL'])
celery.conf.update(app.config)
TaskBase = celery.Task
class ContextTask(TaskBase):
abstract = True
def __call__(self, *args, **kwargs):
with app.app_context():
return TaskBase.__call__(self, *args, **kwargs)
celery.Task = ContextTask
return celery
celery = make_celery(app)