JSONP是执行此操作的一种方法。您首先编写一个自定义ActionResult,它将返回 JSONP 而不是 JSON,这将允许您解决跨域Ajax限制:
public class JsonpResult : JsonResult
{
public override void ExecuteResult(ControllerContext context)
{
var response = context.HttpContext.Response;
if (!string.IsNullOrEmpty(ContentType))
{
response.ContentType = ContentType;
}
else
{
response.ContentType = "application/json";
}
if (ContentEncoding != null)
{
response.ContentEncoding = ContentEncoding;
}
if (Data != null)
{
var request = context.HttpContext.Request;
var serializer = new JavaScriptSerializer();
if (null != request.Params["jsoncallback"])
{
response.Write(string.Format("{0}({1})",
request.Params["jsoncallback"],
serializer.Serialize(Data)));
}
else
{
response.Write(serializer.Serialize(Data));
}
}
}
}
然后您可以编写一个返回 JSONP 的控制器操作:
public ActionResult SomeAction()
{
return new JsonpResult
{
Data = new { Widget = "some partial html for the widget" }
};
}
最后,人们可以使用 jQuery 在他们的网站上调用此操作:
$.getJSON('http://www.yoursite.com/controller/someaction?jsoncallback=?',
function(json)
{
$('#someContainer').html(json.Widget);
}
);
如果用户不想在他们的网站上包含 jQuery,您可以在您的网站上编写 JavaScript 代码,其中将包含 jQuery 并执行之前的 getJSON 调用,这样人们只需要像您的示例中那样包含来自网站的单个 JavaScript 文件.
更新:
如评论部分所述,这里有一个示例,说明如何从脚本动态加载 jQuery。只需将以下内容放入您的 JavaScript 文件中:
var jQueryScriptOutputted = false;
function initJQuery() {
if (typeof(jQuery) == 'undefined') {
if (!jQueryScriptOutputted) {
jQueryScriptOutputted = true;
document.write("<scr" + "ipt type=\"text/javascript\" src=\"http://ajax.googleapis.com/ajax/libs/jquery/1.4.2/jquery.min.js\"></scr" + "ipt>");
}
setTimeout("initJQuery()", 50);
} else {
$(function() {
$.getJSON('http://www.yoursite.com/controller/someaction?jsoncallback=?',
function(json) {
// Of course someContainer might not exist
// so you should create it before trying to set
// its content
$('#someContainer').html(json.Widget);
}
);
});
}
}
initJQuery();