假设我有一个javascript对象,如:
function Parent(n, c) {
this.Name = n;
this.Children = c;
}
var p = new Parent("asdf", [1,2,3]);
我想通过JSON将parent
对象及其子节点的数组传递给MVC 4控制器。
我如何格式化ajax请求?我在这些行中看到quite a few other questions,但没有使用数组作为成员变量。
这是我到目前为止所做的:
var parents = [];
parents.push(new Parent("qwer", "child1"));
parents.push(new Parent("sdfg", 12345));
parents.push(new Parent("zxcv", [4,5,6]));
$.ajax({
url: MakeUrl("Ctlr/Action"),
type: "POST",
contentType: 'application/json;charset=utf-8',
data: JSON.stringify({
parents : parents
}),
success: function (data, state, xhr) {
$("#someDiv").html(data);
},
error: function (xhr, state, err) {
Utility.displayError(xhr.reponseText);
}
});
stringify的结果实际上看起来很合理:
"{"parents":[{"Name":"qwer","Value":"child1"}, {"Name":"sdfg","Value":12345}, {"Name":"zxcv","Value":[4,5,6]}]}"
以下是Controller操作:
public ActionResult Action(IEnumerable<Parent> parents) {
...
}
如果它是相关的,则服务器端Parent
对象:
public class Parent {
public string Name { get; set; }
public object Children { get; set; }
}
Children
是object
,因为它有时是另一种数据类型 - 我意识到这可能是一种轻微的代码嗅觉,但此类的最终功能是将任意参数传递给我们的报告引擎
简单数据类型似乎以这种方式工作(日期,整数,字符串等),但Children
数组只是以{object}
形式出现,据我所知甚至不是一个字符串,而是一些通用的System对象。有没有办法在MVC中执行此操作而不诉诸,比如将其推入字符串并解析出来?
答案 0 :(得分:0)
目前,我已决定通过javascript提交一个平面列表,然后在服务器端构建。
javascript:
var parents = [];
parents.push(new Parent("asdf", "qwer"));
parents.push(new Parent("zxcv", 123456));
[4,5,].forEach(function (e, i) {
params.push(new Parent("Children[" + i + "]", e));
});
在JSON.stringify
之后看起来像这样:
[{"Name":"asdf","Value":"qwer"},{"Name":"zxcv","Value":123456},{"Name":"Children[0]","Value":4},{"Name":"Children[1]","Value":5},{"Name":"Children[2]","Value":6}]
然后通过以下功能在控制器中展平:
private IEnumerable<Parent> Unzip(IEnumerable<Parent> parameters) {
var unzipped = new Dictionary<string, Parent>();
var r = new Regex(@"(.*)\[.*\]");
foreach (var p in parameters)
{
var match = r.Match(p.Name.ToString());
if (match.Success)
{
var name = match.Groups[1].Value;
if (!unzipped.ContainsKey(name))
unzipped.Add(name, new Parent() { Name = name, Value = new List<object>() { } });
((List<object>)(unzipped[name].Value)).Add(p.Value);
}
else
unzipped.Add(p.Name, p);
}
return unzipped.Values;
}