使用Flask-Restless为SQLAlchemy表创建API

时间:2015-10-15 18:01:29

标签: python flask-sqlalchemy flask-restless

我使用Python,FlaskFlask-SQLAlchemyFlask-Restless来创建RESTful API。该数据库包含一个表user。每个用户都可以关注其他用户,每个用户都可以跟随其他用户(例如在Twitter中)。所以我还有一个表followers来链接用户(我部分关注Miguel's tutorial)。这是我的代码:

# -*- coding: utf-8 -*-
from flask import Flask

from flask.ext.sqlalchemy import SQLAlchemy
from flask.ext.restless import APIManager

# Create the Flask application and the Flask-SQLAlchemy object.
app = Flask(__name__)
app.config['SQLALCHEMY_DATABASE_URI'] = 'sqlite:////tmp/test.db'
db = SQLAlchemy(app)

followers = db.Table('followers',
    db.Column('follower_id', db.Integer, db.ForeignKey('user.id'), nullable=False),
    db.Column('followed_id', db.Integer, db.ForeignKey('user.id'), nullable=False)
)

# Model declaration
class User(db.Model):
    id = db.Column(db.Integer, primary_key=True)
    name = db.Column(db.Unicode, nullable=False)
    # some other properties...
    followed = db.relationship('User', 
        secondary=followers, 
        primaryjoin=(followers.c.follower_id == id), 
        secondaryjoin=(followers.c.followed_id == id), 
        backref=db.backref('followers', lazy='dynamic'), 
        lazy='dynamic')

# Create the database tables.
db.create_all()

# Create the Flask-Restless API manager.
manager = APIManager(app, flask_sqlalchemy_db=db)

# Create API endpoints, which will be available at /api/<tablename> by
# default. Allowed HTTP methods can be specified as well.
manager.create_api(User, methods=['GET', 'POST'])

if __name__ == '__main__':
    app.run(debug=True)

在数据库中添加新用户很简单:

from requests import post

user = {'name':'John Doe'}
post('http://localhost:5000/api/user', json=user)

但是我应该在followers表中添加什么样的请求?

1 个答案:

答案 0 :(得分:1)

您需要使用PATCH。

从此docs

PATCH /api/person/1

HTTP/1.1 Host: example.com

    { "computers":
      {
        "add": [ {"id": 1} ]
      }
    }

在你的情况下,你会做类似的事情:

from requests import patch

follower = {'id':'37'}
cmd = {'followed': { 'add': [ follower ] } }
patch('http://localhost:5000/api/user/1', json=cmd)
相关问题