我正在开发一个jQuery插件,它将成为某些REST API的连接器。 实施是直截了当的,但同样的原产地政策肯定是痛苦的。 我需要主要执行POST请求。
我也尝试实现OPTIONS方法并返回(是python,但意思应该是明确的)
def options(self):
self.response.headers['Access-Control-Allow-Origin'] = self.request.host_url
self.response.headers['Access-Control-Allow-Methods'] = 'POST, GET, OPTIONS'
self.response.headers['Access-Control-Allow-Headers'] = 'x-requested-with'
self.response.headers['Access-Control-Max-Age'] = '1728000'
仍然不起作用......任何想法?
PS:我已经看到有类似主题的其他问题,但我需要POST方法的特定解决方案(使用iframe可以轻松实现GET)Javascript示例:
$.ajax({
url: options.protocol+'://'+options.host+':'+options.port+'/'+method,
data: rawData,
async:false,
dataType: "json",
type:"POST",
success:function(data)
{
alert('asd');
result.data = data;
alert(data);
},
error:function(lol){
alert('omggg !!!!'+lol);
}
});
编辑:添加了javascript代码示例
答案 0 :(得分:9)
有时候这是一个小提琴,有些想法:
XDomainRequest
对象支持CORS,而不是标准的XMLHttpRequest
对象,但是jQuery并没有特别满足(但是我不得不承认我有点惊讶和Access-Control-Allow-Origin
值吗? 看起来就像只允许从服务器访问它一样。该标题用于指定服务器允许来自来自的请求的起源。 (而且*
是允许的,意思是“任何地方。”)OPTIONS
请求时允许的方法很蠢。x-requested-with
),但我打赌在实际请求中会有其他标题。FWIW(我不是Python人),这是我的JSP代码可行,也许它会有用 - 我认为对象名称足够清晰,即使你不做Java也是可读的(谁知道,也许你这样做:
String corsOrigin, corsMethod, corsHeaders;
// Find out what the request is asking for
corsOrigin = request.getHeader("Origin");
corsMethod = request.getHeader("Access-Control-Request-Method");
corsHeaders = request.getHeader("Access-Control-Request-Headers");
if (corsOrigin == null || corsOrigin.equals("null")) {
// Requests from a `file://` path seem to come through without an
// origin or with "null" (literally) as the origin.
// In my case, for testing, I wanted to allow those and so I output
// "*", but you may want to go another way.
corsOrigin = "*";
}
// Add headers allowing specifically what was requested
response.addHeader("Access-Control-Allow-Origin", corsOrigin);
response.addHeader("Access-Control-Allow-Methods", corsMethod);
response.addHeader("Access-Control-Allow-Headers", corsHeaders);
if (request.getMethod().equals("OPTIONS"))
{
// Done, no body in response to OPTIONS
return;
}
// Processing the GET or POST here; output the body of the response
请注意,我对GET
,POST
和OPTIONS
使用的逻辑完全相同,只是在OPTIONS的情况下,我不输出响应正文。< / p>