1

我已经阅读了教程,因为我使用了三个不同的东西:1. Flask 作为服务器 2. PyMongo 作为 MongoDB 驱动程序 3. PyMODM 作为模式创建者

我已经糊涂了。

首先,我使用 PyMODM 定义了 Schema:

from pymongo import TEXT
from pymongo.operations import IndexModel
from pymodm import connect, fields, MongoModel, EmbeddedMongoModel

class GoalPosition(EmbeddedMongoModel):
    x = fields.IntegerField()
    y = fields.IntegerField()

class GoalOrientation(EmbeddedMongoModel):
    x = fields.IntegerField()

class Goal(EmbeddedMongoModel):
    position = fields.EmbeddedDocumentField(GoalPosition)
    orientation = fields.EmbeddedDocumentField(GoalOrientation)

class Path(MongoModel):
    path = fields.EmbeddedDocumentListField(Goal)

综上所述,我的想法是制作两种模式:目标和路径。最后,目标看起来像这样:

{
    "position": {
        "x": "1",
        "y": "6"
    },
    "orientation": {
        "x": "0"
    }
}

Path 将是一个目标列表。有了我的模式,最大的问题是,我如何使用它与我的 MongoDB 数据库进行通信?这是我的小型服务器代码:

from flask import Flask, render_template, flash, redirect, url_for, session, request, logging
from flask_pymongo import PyMongo
from flask import jsonify


app = Flask(__name__)
app.config["MONGO_URI"] = "mongodb+srv://user:pass@cluster0-qhfvu.mongodb.net/test?retryWrites=true"
mongo = PyMongo(app)

@app.route('/goal', methods=['GET', 'POST'])
def goals():
    if request.method == 'GET':
        goals = mongo.db.goals.find()
        return jsonify(goals)

    elif request.method == 'POST':
        position = request.body.position
        orientation = request.body.orientation
        print position
        flash("Goal added")

@app.route('/goal/<id>')
def goal(id):
    goal = mongo.db.goals.find_one_or_404({"_id" : id})
    return jsonify(goal)

因此,通过只关注路由“/goal”的 GET 方法,我如何从我的数据库中检索所有 Goal 消息?

另外,我想知道如何在 '/goal/' 检索最后一条目标消息?

4

1 回答 1

1
def goals():
    if request.method == 'GET':
        goals = mongo.db.goals.find()
        return jsonify(goals)

您已经在检索目标集合中的所有记录。下面的示例将为您提供一条最新的记录。

def goals():
        if request.method == 'GET':
        goals = mongo.db.goals.find().sort({'_id',-1}).limit(1)
        return jsonify(goals)

.

def goals():
        if request.method == 'GET':
        goals = mongo.db.goals.find().sort({'_id',-1})
        return jsonify(goals)

上面的示例将按降序返回目标集合中所有数据的列表,这意味着最后更新将在顶部

寻找

mongo.db.goals.find_one({"_id": ObjectId(id)})
于 2018-12-18T20:06:28.703 回答