我正在尝试对ASP.NET MVC控制器操作执行跨域POST请求。该控制器动作接受并使用各种参数。问题在于,当发生预检请求时,控制器操作实际上会尝试执行&,因为OPTIONS请求没有传递任何数据,所以控制器操作会抛出500 HTTP错误。如果删除使用该参数或参数本身的代码,则整个请求链将成功完成。
如何实现此示例:
控制器动作
public ActionResult GetData(string data)
{
return new JsonResult
{
Data = data.ToUpper(),
JsonRequestBehavior = JsonRequestBehavior.AllowGet
};
}
客户端代码
<script type="text/javascript">
$(function () {
$("#button-request").click(function () {
var ajaxConfig = {
dataType: "json",
url: "http://localhost:8100/host/getdata",
contentType: 'application/json',
data: JSON.stringify({ data: "A string of data" }),
type: "POST",
success: function (result) {
alert(result);
},
error: function (jqXHR, textStatus, errorThrown) {
alert('Error: Status: ' + textStatus + ', Message: ' + errorThrown);
}
};
$.ajax(ajaxConfig);
});
});
</script>
现在,每当发生预检请求时,它都会返回500个HTTP代码,因为“ data”参数为null,因为OPTIONS请求未传递任何值。
服务器应用程序已在端口8100的本地IIS中设置,并且在8200端口上设置了运行客户端代码的页面,以模拟跨域调用。
我还使用以下标头配置了主机(在8100上):
Access-Control-Allow-Headers: Content-Type
Access-Control-Allow-Methods: POST, GET
Access-Control-Allow-Origin: http://localhost:8200
我发现的一种解决方法是检查执行该操作的HTTP方法,如果这是一个仅返回空白内容的OPTIONS请求,则执行该操作代码。像这样:
public ActionResult GetData(string data)
{
if (Request.HttpMethod == "OPTIONS") {
return new ContentResult();
} else {
return new JsonResult
{
Data = data.ToUpper(),
JsonRequestBehavior = JsonRequestBehavior.AllowGet
};
}
}
但是这种方法对我来说很笨拙。我考虑过将这种逻辑添加到中Attribute,但这甚至意味着装饰将使用CORS调用的每个动作。
是否有更优雅的解决方案来使此功能正常工作?
MYYA
慕标琳琳