我有一个视图,允许用户输入/编辑新窗口小部件的数据。我想将这些数据组成一个json对象,然后通过AJAX将其发送到我的控制器,这样我就可以在服务器上进行验证而无需回发。
我已经完成了所有工作,但是我无法弄清楚如何传递数据,因此我的控制器方法可以接受复杂的Widget类型,而不是每个属性的单个参数。
因此,如果这是我的对象:
public class Widget { public int Id { get; set; } public string Name { get; set; } public decimal Price { get; set; } }
我希望我的控制器方法看起来像这样:
public JsonResult Save(Widget widget) { ... }
目前,我的jQuery如下所示:
var formData = $("#Form1").serializeArray(); $.post("/Widget/Save", formData, function(result){}, "json");
我的表单(Form1)在窗口小部件上的每个属性(ID,名称,价格)都有一个输入字段。这很好用,但是最终它将小部件的每个属性作为单独的参数传递给我的控制器方法。
有没有一种方法可以“拦截”数据(可能使用ActionFilterAttribute),然后在调用控制器方法之前将其反序列化为Widget对象?
谢谢杰夫,这使我走上了正确的道路。DefaultModelBinder足够聪明,可以为我做所有的魔术…我的问题出在我的Widget类型中。匆忙中,我的类型定义为:
public class Widget { public int Id; public string Name; public decimal Price; }
请注意,该类型具有公共字段而不是公共属性。一旦将其更改为属性,它就会起作用。这是可以正常工作的最终源代码:
Widget.aspx:
<%@ Page Title="" Language="C#" MasterPageFile="~/Views/Shared/Site.Master" AutoEventWireup="true" CodeBehind="Widget.aspx.cs" Inherits="MvcAjaxApp2.Views.Home.Widget" %> <asp:Content ID="Content1" ContentPlaceHolderID="MainContent" runat="server"> <script src="../../Scripts/jquery-1.2.6.js" type="text/javascript"></script> <script type="text/javascript"> function SaveWidget() { var formData = $("#Form1").serializeArray(); $.post("/Home/SaveWidget", formData, function(data){ alert(data.Result); }, "json"); } </script> <form id="Form1"> <input type="hidden" name="widget.Id" value="1" /> <input type="text" name="widget.Name" value="my widget" /> <input type="text" name="widget.Price" value="5.43" /> <input type="button" value="Save" onclick="SaveWidget()" /> </form> </asp:Content>
HomeController.cs:
using System; using System.Collections.Generic; using System.Linq; using System.Web; using System.Web.Mvc; using System.Web.Mvc.Ajax; namespace MvcAjaxApp2.Controllers { [HandleError] public class HomeController : Controller { public ActionResult Index() { ViewData["Title"] = "Home Page"; ViewData["Message"] = "Welcome to ASP.NET MVC!"; return View(); } public ActionResult About() { ViewData["Title"] = "About Page"; return View(); } public ActionResult Widget() { ViewData["Title"] = "Widget"; return View(); } public JsonResult SaveWidget(Widget widget) { // Save the Widget return Json(new { Result = String.Format("Saved widget: '{0}' for ${1}", widget.Name, widget.Price) }); } } public class Widget { public int Id { get; set; } public string Name { get; set; } public decimal Price { get; set; } } }