0

我正在使用 ASP.NET MVC2 和 jQuery 来加载和保存对象。我正在使用 knockout.js 的对象序列化/反序列化来在加载/保存数据时安全地维护对象的数据结构。

当我使用以下 JavaScript 方法将我的对象以其确切结构发送回服务器时,在 ASP.NET 的服务器端,我的 GraduationClass 对象被实例化,但它没有任何数据。

我在 firebug 中检查了 post 数据,所有数据都以正确的结构正确发送回请求中的服务器,但 ASP.NET MVC 内部管道未能将数据反序列化回 GraduationClass 对象。我在有和没有 contentType 设置的情况下都试过了。

我想知道我做错了什么。

// javascript save method
function save(graduationClass) {
    $.ajax({
        url: "/SiteManagement/saveGraduationClass",
        type: "POST",
        // data: ko.mapping.toJSON(graduationClass), // (solution 1)
        data: graduationClass, // (solution 2)
        contentType: "application/json; charset=utf-8",
        dataType: "json",            
        success: function(data) {            
    });    
}

// both solutions result in a blank object construction on the server side

// ASP.NET MVC2 AJAX method
[HttpPost]               
public ActionResult saveGraduationClass(GraduationClass graduationClass) {
    // graduationClass here has all default data rather than the data sent in the post
    return Json(new { resultText = "success" }, JsonRequestBehavior.AllowGet);
}
4

2 回答 2

1

我相信有两个可能的问题。

首先,我很确定当您指定在 Ajax 请求中发送 JSON 时,jQuery 将序列化传入数据参数的 Javascript 对象。您肯定是在创建一个json具有字符串值的属性的 jQuery 对象(我相信,我不熟悉淘汰赛)。传递给 MVC 的值将如下所示:

{
  json : 'string of graduationClass data '
}

这是一种双重序列化。

saveGraduationClass第二个问题是,之前的 JSON 与你的方法参数不匹配graduationClass

我认为这些解决方案中的任何一个都应该有效:

data: ko.toJSON(graduationClass),  // knockout.js utility method

或者

data: graduationClass,  // let jQuery serialize the object.

更新

如果我有这门课:

public class Person
{
  public string Name { get; set; } 
}

我有这个 JSON:

{
  Name : 'Jon Doe'
}

然后它将填充此方法:

public ActionResult SomeMethod(Person person)

但是,以下 JSON 将不起作用:

{
  json : '{ Name : "Jon Doe" }'
}

它也不会匹配:

{
  json :
  {
    Name : 'Jon Doe'
  }
}

JSON的布局需要与试图填充的类的布局完全匹配。

于 2012-06-11T16:30:21.560 回答
1

嗨,我认为问题可能出在默认的 JsonValueProvider 中,但您可以编写一个自定义的:

public sealed class JsonDotNetValueProviderFactory : ValueProviderFactory
    {          

        private static void AddToBackingStore(Dictionary<string, object> backingStore, string prefix, object value)
        {
            IDictionary<string, object> d = value as IDictionary<string, object>;
            if (d != null)
            {
                foreach (KeyValuePair<string, object> entry in d)
                {
                    AddToBackingStore(backingStore, MakePropertyKey(prefix, entry.Key), entry.Value);
                }
                return;
            }

            IList l = value as IList;
            if (l != null)
            {
                for (int i = 0; i < l.Count; i++)
                {
                    AddToBackingStore(backingStore, MakeArrayKey(prefix, i), l[i]);
                }
                return;
            }

            // primitive
            backingStore[prefix] = value;
        }

        private static object GetDeserializedObject(ControllerContext controllerContext)
        {
            if (!controllerContext.HttpContext.Request.ContentType.StartsWith("application/json", StringComparison.OrdinalIgnoreCase))
            {
                // not JSON request
                return null;
            }

            StreamReader reader = new StreamReader(controllerContext.HttpContext.Request.InputStream);
            string bodyText = reader.ReadToEnd();
            if (String.IsNullOrEmpty(bodyText))
            {
                // no JSON data
                return null;
            }

            object jsonData = new JavaScriptSerializer().DeserializeObject(bodyText);
            return jsonData;
        }

        public override IValueProvider GetValueProvider(ControllerContext controllerContext)
        {
            if (controllerContext == null)
            {
                throw new ArgumentNullException("controllerContext");
            }

            object jsonData = GetDeserializedObject(controllerContext);
            if (jsonData == null)
            {
                return null;
            }

            Dictionary<string, object> backingStore = new Dictionary<string, object>(StringComparer.OrdinalIgnoreCase);
            AddToBackingStore(backingStore, String.Empty, jsonData);
            return new DictionaryValueProvider<object>(backingStore, CultureInfo.CurrentCulture);
        }

        private static string MakeArrayKey(string prefix, int index)
        {
            return prefix + "[" + index.ToString(CultureInfo.InvariantCulture) + "]";
        }

        private static string MakePropertyKey(string prefix, string propertyName)
        {
            return (String.IsNullOrEmpty(prefix)) ? propertyName : prefix + "." + propertyName;
        }


    }

然后将其添加到 Global.asax 中的 Application_Start 中:

    ValueProviderFactories.Factories.Remove(ValueProviderFactories.Factories.OfType<JsonValueProviderFactory>().FirstOrDefault());
ValueProviderFactories.Factories.Add(new JsonDotNetValueProviderFactory());

此示例使用Json.NET

最好使用 ko.mapping 插件ko.mapping,因为你的毕业类可能是可观察的对象:

var jsonModel = ko.mapping.toJSON(graduationClass);

                    $.ajax({
                        url: '/SiteManagement/saveGraduationClass',
                        type: 'POST',
                        dataType: 'json',
                        data: jsonModel,
                        contentType: 'application/json; charset=utf-8',
                        success: function (data) {
                            // get the result and do some magic with it                            
                        }
                    });
于 2012-06-11T16:35:39.767 回答