Øyv*_*hen 4 ajax jquery asp.net-mvc-2
我正在将现有的ASP.NET应用程序转换为MVC2,并且我有一个现有的方法,通过使用Ajax的jQuery调用,之前有效,但现在不起作用.因此,由于使用我无法弄清楚的MVC2,我似乎需要做一些改变.
我已经降低了代码的复杂性,但它仍然无法正常工作.这是我目前的代码:
触发按钮点击的jQuery脚本
function leaveComment() {
if (validate()) {
$.ajax({
type: "POST",
url: "/Pages/PostBlogComment",
data: "{'name':'Test','url':'Test','email':'Test','body':'Test','postid':'Test'}",
dataType: "json",
success: function (msg) {
//success code goes here
},
error: function (msg) {
//error code goes here
}
});
}
Run Code Online (Sandbox Code Playgroud)
};
在我的控制器里面叫Pages,我创建了以下方法:
public string PostBlogComment( string name, string url, string email, string body, string postid)
{
return "This is a test";
}
Run Code Online (Sandbox Code Playgroud)
调试时我可以看到调用了PostBlogComment方法,但是我遇到了两个主要问题:
Test
都会从代码中看到.对于那些经常使用这些东西的人来说,这个错误很容易被发现(或者至少我希望如此:))
Dar*_*rov 10
以下是使这项工作所需的更改:
$.ajax({
type: 'POST',
url: '/Pages/PostBlogComment',
data: {
name: 'Test',
url: 'Test',
email: 'Test',
body: 'Test',
postid: 'Test'
},
success: function (result) {
alert(result.Value);
},
error: function (msg) {
//error code goes here
}
});
Run Code Online (Sandbox Code Playgroud)
和你的控制器动作
public ActionResult PostBlogComment(
string name,
string url,
string email,
string body,
string postid
)
{
return Json(new { Value = "This is a test" });
}
Run Code Online (Sandbox Code Playgroud)
可以通过引入视图模型来改进:
public class PostViewModel
{
public string Name { get; set; }
public string Url { get; set; }
public string Email { get; set; }
public string Body { get; set; }
public string Postid { get; set; }
}
Run Code Online (Sandbox Code Playgroud)
然后:
public ActionResult PostBlogComment(PostViewModel model)
{
return Json(new { Value = "This is a test" });
}
Run Code Online (Sandbox Code Playgroud)
注意事项:
data
jquery AJAX调用的hash属性需要作为我的示例,否则你将发送一个JSON编码的字符串,ASP.NET MVC的默认模型绑定器不知道如何解析为动作参数.在ASP.NET MVC 3中,这已经发生了变化,因为有一个JsonValueProviderFactory允许您发送JSON请求.因此,如果您使用的是ASP.NET MVC 3,您可以像这样发送您的AJAX请求,并且操作参数将被正确绑定:
$.ajax({
type: 'POST',
url: '/Pages/PostBlogComment',
data: JSON.stringify({
name: 'Test',
url: 'Test',
email: 'Test',
body: 'Test',
postid: 'Test'
}),
contentType: 'application/json',
success: function (result) {
alert(result.Value);
},
error: function (msg) {
//error code goes here
}
});
Run Code Online (Sandbox Code Playgroud)ASP.NET MVC中的所有控制器操作都必须返回ActionResults.所以,如果你想要Json,那么返回一个JsonResult.
该操作将匿名类型传递给Json方法,该方法包含Value
在success
回调中使用的属性,并且来自服务器的响应将如下所示:
{ 'Value': 'This is a test' }
Run Code Online (Sandbox Code Playgroud)永远不要在您的javascript文件中硬编码这样的网址,否则您的应用程序在部署时可能会中断.在处理网址时始终使用网址助手:
...
url: '<%= Url.Action("PostBlogComment", "Pages") %>',
...
Run Code Online (Sandbox Code Playgroud)
或者如果这是一个外部javascript文件,你可以使用一些全局js变量,它在你的视图中初始化指向正确的url或将此url作为DOM的一部分(例如作为anchor href属性或HTML5 data-*
属性)然后使用jQuery获取值.
归档时间: |
|
查看次数: |
1422 次 |
最近记录: |