1

使用ASP.NET MVC 3,我正在做一个 jQuery ( ver 1.7.1) AJAX 调用,就像我做了十亿次一样。但是,我注意到了一些奇怪的事情。以下调用工作正常

// license object
var license = {
    City: "New York",
    CompanyID: 1,
    County: "N/A",
    IsActive: true
};
// make the request
var $req = $.post('/License/theLicense', license); 
$req.success(function () {
    // this works!
});


[HttpPost]
public void Save(License theLicense)
{
    // save
}

但是,当我为控制器指定数据参数时,它不会在控制器上注册

// license object
var license = {
    City: "New York",
    CompanyID: 1,
    County: "N/A",
    IsActive: true
};
// make the request
// this time the controller parameter is specified
// the object will be blank at the server
var $req = $.post('/License/theLicense', { theLicense: license });
$req.success(function () {
    // this does not work
});

该对象在控制器处为空白,如下所示

在此处输入图像描述

这很烦人,因为我需要传递另一个数据参数,但由于这个问题我不能。

注意: JSON 与 POCO 相同。

为什么当我指定数据参数时,对象在控制器上显示为空白,但当我不这样做时,它就好了?

4

3 回答 3

3

有时 POCO 反序列化器会因为奇怪的原因而流行起来。我以前见过我的 JSON 对象与 POCO 完全匹配的地方,但它仍然不会反序列化。

发生这种情况时,我通常将对象作为 JSON 字符串发送到服务器,然后在服务器上对其进行反序列化。我个人使用 ServiceStack.Text 因为它是最快的。

所以你的 jQuery 会是这样的:

var license = {
    City: "New York",
    CompanyID: 1,
    County: "N/A",
    IsActive: true
};

var $req = $.post('/License/theLicense', JSON.stringify(license));

然后你的控制器会接受一个字符串参数(json)来反序列化对象:

   [HttpPost]
   public void Save(string json)
   {
       License theLicense = JsonSerializer<License>.DeserializeJsonString(json);
       // save
   }
于 2013-01-27T15:51:47.587 回答
1

发生这种情况是因为您正在发送一个包含许可证的对象作为成员,但您的控制器需要一个License 对象。

您必须为您的数据声明一个包装类,如下所示:

  public Class MyWrapperClass
  {
      public License theLicense;
      //declare other extra properties here  
  }

和你的控制器:

[HttpPost]
public void Save(MyWrapperClass thewrraper)
{
    var license = thewrapper.theLicense;
    // save
}

编辑: 尝试用引号包围你的 json 对象的成员。例如({"theLicense": license }

于 2012-11-16T17:03:43.463 回答
0

试试这个:

JS:

// license object
var license = {
    City: "New York",
    CompanyID: 1,
    County: "N/A",
    IsActive: true
};

var $req = $.post('/License/Save', { theLicense: license });
$req.success(function () {
    // this does not work
});

。网

public class LicenseController: Controller 
{
   ...

   [HttpPost]
   public void Save(License theLicense)
   {
       // save
   }

   ...
}
于 2012-11-16T17:42:01.440 回答