如何将变量传递到 Connexion Flask 应用上下文中



我像这样运行Connexion/Flask应用程序:

import connexion
from flask_cors import CORS
from flask import g
app = connexion.App(__name__, specification_dir='swagger_server/swagger/')
app.add_api('swagger.yaml')
CORS(app.app)
with app.app.app_context():
    g.foo = 'bar'
    q = g.get('foo') # THIS WORKS
    print('variable', q)
app.run(port=8088, use_reloader=False)

代码中的其他地方:

from flask import abort, g, current_app
def batch(machine=None):  # noqa: E501
    try:
        app = current_app._get_current_object()
        with app.app_context:
            bq = g.get('foo', None) # DOES NOT WORK HERE
            print('variable:', bq)
        res = MYHandler(bq).batch(machine)
    except:
        abort(404)
    return res

这不起作用 - 我无法将变量 ('bla') 传递给第二个代码示例。

知道如何正确传递上下文变量吗?或者如何传递变量并将其全局用于所有 Flask 处理程序?

我已经尝试了这个解决方案(有效):在第一个代码部分中,我会添加:

app.app.config['foo'] = 'bar'

在第二个代码部分中,将有:

bq = current_app.config.get('foo')

此解决方案不使用应用程序上下文,我不确定它是否是正确的方法。

使用工厂函数创建应用,并在其中初始化应用程序范围的变量。然后将这些变量分配给with app.app.app_context()块中的current_app

import connexion
from flask import current_app
def create_app():
    app = connexion.App(__name__, specification_dir='swagger_server/swagger/')
    app.add_api('swagger.yaml')
    foo = 'bar' # needs to be declared and initialized here
    with app.app.app_context():
        current_app.foo = foo
    return app
app = create_app()
app.run(port=8088, use_reloader=False)

然后在处理程序中访问这些变量,如下所示:

import connexion
from flask import current_app
def batch():
    with current_app.app_context():
        local_var = current_app.foo
        print(local_var)
    print(local_var)
def another_request():
    with current_app.app_context():
        local_var = current_app.foo
        print('still there: ' + local_var)

相关内容

  • 没有找到相关文章

最新更新