fetch 总是通过 OPTIONS 方法传递
fetch always pass with OPTIONS method
我用 flask-restplus 做了 API 服务器。
也使用 cors 模块来避免 CSP 问题。
前端是 React.js。
我的代码在这里。
class ArticleList(Resource):
def post(self):
print(1)
return {"status":"true", "result":"article write success"}, 200
React.js代码在这里。
_writeArticle = () => {
const { title, body, tags, password } = this.state;
const data = {title: title, body: body, tags: tags, password: password};
fetch("http://127.0.0.1:5000/article/", {
method: "POST",
mode: "cors",
headers: {
"Content-Type": "application/json"
},
body: data
})
.then(res => {
if(res.status === 200) {
return <Redirect to='/' />
} else {
alert("error");
}
})
.catch(err => console.log(err))
}
我将方法定义为 POST
。但是,它使用 OPTIONS
方法请求。
在 google 中搜索后,该问题是由 CORS 引起的。
所以我这样定义主代码的cors。
from flask import Flask
from flask_restplus import Api, Resource
from api.board import ArticleList, Article
from flask_restplus import cors
app = Flask(__name__)
api = Api(app)
api.decorators=[cors.crossdomain(origin='*')]
api.add_resource(ArticleList, '/article')
api.add_resource(Article, '/article/<int:article_no>')
if __name__ == '__main__':
app.run(debug=True)
但它仍然请求 OPTIONS
。
我该如何解决这个问题?
那个 OPTIONS
请求被称为 pre-flight request
。
在某些与 CORS
相关的情况下,Web 浏览器将首先向服务器发送 pre-flight request
以检查您的域是否允许向服务器发出请求。如果服务器说 yes
那么您实际的 POST
请求将被发送。否则,将不会发送额外的请求,并且网络浏览器会向您吐出一个错误。
这是关于 pre-flight request
的文档:
https://docs.microsoft.com/en-us/aspnet/core/security/cors?view=aspnetcore-2.1#preflight-requests
并且根据文档:
The pre-flight request uses the HTTP OPTIONS method.
我用 flask-restplus 做了 API 服务器。
也使用 cors 模块来避免 CSP 问题。
前端是 React.js。
我的代码在这里。
class ArticleList(Resource):
def post(self):
print(1)
return {"status":"true", "result":"article write success"}, 200
React.js代码在这里。
_writeArticle = () => {
const { title, body, tags, password } = this.state;
const data = {title: title, body: body, tags: tags, password: password};
fetch("http://127.0.0.1:5000/article/", {
method: "POST",
mode: "cors",
headers: {
"Content-Type": "application/json"
},
body: data
})
.then(res => {
if(res.status === 200) {
return <Redirect to='/' />
} else {
alert("error");
}
})
.catch(err => console.log(err))
}
我将方法定义为 POST
。但是,它使用 OPTIONS
方法请求。
在 google 中搜索后,该问题是由 CORS 引起的。
所以我这样定义主代码的cors。
from flask import Flask
from flask_restplus import Api, Resource
from api.board import ArticleList, Article
from flask_restplus import cors
app = Flask(__name__)
api = Api(app)
api.decorators=[cors.crossdomain(origin='*')]
api.add_resource(ArticleList, '/article')
api.add_resource(Article, '/article/<int:article_no>')
if __name__ == '__main__':
app.run(debug=True)
但它仍然请求 OPTIONS
。
我该如何解决这个问题?
那个 OPTIONS
请求被称为 pre-flight request
。
在某些与 CORS
相关的情况下,Web 浏览器将首先向服务器发送 pre-flight request
以检查您的域是否允许向服务器发出请求。如果服务器说 yes
那么您实际的 POST
请求将被发送。否则,将不会发送额外的请求,并且网络浏览器会向您吐出一个错误。
这是关于 pre-flight request
的文档:
https://docs.microsoft.com/en-us/aspnet/core/security/cors?view=aspnetcore-2.1#preflight-requests
并且根据文档:
The pre-flight request uses the HTTP OPTIONS method.