1

我正在编写一个程序来使用flask-pymongo基于id字段读取mongodb文档。但是我出错了,谁能告诉我我哪里出错了?

代码:

from flask import Flask, make_response, jsonify
from flask_pymongo import PyMongo
from collections import OrderedDict
from bson import json_util
import json

app = Flask('__name__')
app.config['MONGO_DBNAME'] = 'db_name'
app.config['MONGO_URI'] = 'mongodb://192.168.55.24:27017/db_name'
mongo_connection = PyMongo(app)

@app.route('/')
def index(inp_id):
    collection = mongo_connection.db.table_name
    one_record = collection.find_one({'id': inp_id})
    obj_str = json_util.dumps(one_record)
    obj_dict = json.loads(obj_str, object_hook=OrderedDict)
    return make_response(jsonify(obj_dict), 200)

if __name__ == '__main__':
    index('5cd00a468b36db516b6d2f16')   # I think this is where I'm going wrong

给我以下错误:

RuntimeError: Working outside of application context.

如果我直接在 inp_id 的位置传递 id 值,我会得到结果,但我正在尝试编写一个通用的。

4

1 回答 1

0

Flask 有一个应用程序上下文,您可能需要使用app.app_context()它才能使其工作。

应用程序上下文在请求、CLI 命令或其他活动期间跟踪应用程序级数据。不是将应用程序传递给每个函数,而是访问current_appg代理。

尝试这个 :

def index(inp_id):
    with app.app_context():
        collection = mongo_connection.db.table_name
        one_record = collection.find_one({'id': inp_id})
        obj_str = json_util.dumps(one_record)
        obj_dict = json.loads(obj_str, object_hook=OrderedDict)
        return make_response(jsonify(obj_dict), 200)

有关更多信息,请阅读Flask 应用程序上下文

于 2019-07-11T07:03:54.913 回答