3

我已经阅读了有关此错误的多个 SO 问题,但似乎都没有帮助我解决此问题。Falcon 服务器甚至没有打印出方法的print语句on_poston_get由于某种原因工作正常),不确定我的on_post方法有什么问题。


我正在调用我的 post 方法localhost:8000

#client side
var ax = axios.create({
    baseURL: 'http://localhost:5000/api/',
    timeout: 2000,
    headers: {}
});

ax.post('/contacts', {
    firstName: 'Kelly',
    lastName: 'Rowland',
    zipCode: '88293'
}).then(function(data) {
    console.log(data.data);
}).catch(function(err){
    console.log('This is the catch statement');
});

这是猎鹰服务器代码

import falcon
from peewee import *


#declare resources and instantiate it
class ContactsResource(object):
    def on_get(self, req, res):
        res.status = falcon.HTTP_200
        res.body = ('This is me, Falcon, serving a resource HEY ALL!')
        res.set_header('Access-Control-Allow-Origin', '*')
    def on_post(self, req, res):
        res.set_header('Access-Control-Allow-Origin', '*')
        print('hey everyone')
        print(req.context)
        res.status = falcon.HTTP_201
        res.body = ('posted up')

contacts_resource = ContactsResource()

app = falcon.API()

app.add_route('/api/contacts', contacts_resource)

我想我在我的on_post方法中犯了一个小错误,但我不知道它是什么。我会假设至少这些print陈述会起作用,但事实并非如此。

在此处输入图像描述

4

1 回答 1

4

您需要为浏览器发送的CORS 预检OPTIONS请求添加一个处理程序,对吗?

服务器必须以OPTIONS200 或 204 响应,并且没有响应正文,并包含Access-Control-Allow-MethodsAccess-Control-Allow-Headers响应标头。

所以是这样的:

def on_options(self, req, res):
    res.status = falcon.HTTP_200
    res.set_header('Access-Control-Allow-Origin', '*')
    res.set_header('Access-Control-Allow-Methods', 'POST')
    res.set_header('Access-Control-Allow-Headers', 'Content-Type')

将值调整为Access-Control-Allow-Headers您实际需要的值。

或者你可以使用这个falcon-cors包:

pip install falcon-cors

…然后将您现有的代码更改为:

from falcon_cors import CORS

cors_allow_all = CORS(allow_all_origins=True,
                      allow_all_headers=True,
                      allow_all_methods=True)

api = falcon.API(middleware=[cors.middleware])

#declare resources and instantiate it
class ContactsResource(object):

    cors = cors_allow_all

    def on_get(self, req, res):
        res.status = falcon.HTTP_200
        res.body = ('This is me, Falcon, serving a resource HEY ALL!')
    def on_post(self, req, res):
        print('hey everyone')
        print(req.context)
        res.status = falcon.HTTP_201
        res.body = ('posted up')

contacts_resource = ContactsResource()

app = falcon.API()

app.add_route('/api/contacts', contacts_resource)

您可能还需要设置该allow_credentials_all_origins=True选项。

于 2017-07-19T07:11:52.430 回答