蓝图初始化,我可以在第一次请求蓝图之前运行一个函数

时间:2014-12-09 18:20:41

标签: flask flask-script

是否可以在第一次请求特定blueprint之前运行一个函数?

@my_blueprint.before_first_request
def init_my_blueprint():
    print 'yes'

目前,这将产生以下错误:

AttributeError: 'Blueprint' object has no attribute 'before_first_request'

1 个答案:

答案 0 :(得分:9)

蓝图等效项称为@Blueprint.before_app_first_request

@my_blueprint.before_app_first_request
def init_my_blueprint():
    print 'yes'

该名称反映出它是在任何请求之前调用的,而不仅仅是特定于此蓝图的请求。

没有用于仅为您的蓝图处理的第一个请求运行代码的钩子。您可以使用@Blueprint.before_request handler来模拟它,以测试它是否已经运行:

from threading import Lock

my_blueprint._before_request_lock = Lock()
my_blueprint._got_first_request = False

@my_blueprint.before_request
def init_my_blueprint():
    if my_blueprint._got_first_request:
        return
    with my_blueprint._before_request_lock:
        if my_blueprint._got_first_request:
            return 
        my_blueprint._got_first_request = True

        # first request, execute what you need.
        print 'yes'

这模仿了Flask在这里做的事情;需要锁定,因为单独的线程可以首先竞争帖子。