想象一个定义的对象:
public class MyViewModel{
public List<string> MyList { get; set; }
}
在我看来,我有此动作链接:
@Ajax.ActionLink("<", "Index", new MyViewModel() { MyList = new List<string>() {"foo", "bar"}}, new AjaxOptions())
ActionLink的HTML结果将为:
<a class="btn btn-default" data-ajax="true" href="/Index?MyList=System.Collections.Generic.List%601%5BSystem.String%5D"><</a>
我的问题是,如何获得这个结果:
<a class="btn btn-default" data-ajax="true" href="/Index?MyList=foo&MyList=bar"><</a>
您可以尝试 string.join 。像这样的东西
@Ajax.ActionLink(
"Your text", -- <
"ActionName", -- Index
new
{
MyList =string.Join(",", new List<string>() {"foo", "bar"}),
otherPropertiesIfyouwant = YourValue
}, -- rounteValues
new AjaxOptions { UpdateTargetId = "..." }, -- Your Ajax option --optional
new { @id = "back" } -- Your html attribute - optional
)
您不能使用 @Html.ActionLink()
来生成集合的路由值。在内部,方法(以及生成URL的所有MVC方法)使用属性的.ToString()
方法生成路由/查询字符串值(因此您的MyList=System.Collections.Generic.List%601%5BSystem.String%5D"
结果)。
该方法没有有充分的理由在复杂属性或集合上执行递归 - 除了丑陋的查询字符串外,您可以轻松超过查询字符串限制并引发异常。
尚不清楚您为什么要执行此操作(正常方法是通过对象的ID,然后根据ID再次获取数据),但是您可以通过创建一个RouteValueDictionary
带有索引属性名称,并在您的@Ajax.ActionLink()
方法中使用。
在视图中
@{
var rvd = new RouteValueDictionary();
rvd.Add("MyList[0]", "foo");
rvd.Add("MyList[1]", "bar");
}
@Ajax.ActionLink("<", "Index", rvd, new AjaxOptions())
将成为
public ActionResult Index(MyViewModel model)
但是,您还必须使MyList
成为属性(DefaultModelBinder
不绑定字段)
public class MyViewModel{
public List<string> MyList { get; set; } // add getter/setter
}
,然后在POST方法中model.MyList
的值为["foo", "bar"]
。
使用Stephen的Anwser,我开发了一种助手扩展方法来执行此操作。
请注意URL查询字符串限制:如果该集合的值太多,则URL可能大于255个字符并抛出例外。
public static class AjaxHelperExtensions
{
public static MvcHtmlString ActionLinkUsingCollection(this AjaxHelper ajaxHelper, string linkText, string actionName, object model, AjaxOptions ajaxOptions, IDictionary<string, object> htmlAttributes)
{
var rv = new RouteValueDictionary();
foreach (var property in model.GetType().GetProperties())
{
if (typeof(ICollection).IsAssignableFrom(property.PropertyType))
{
var s = ((IEnumerable<object>)property.GetValue(model));
if (s != null && s.Any())
{
var values = s.Select(p => p.ToString()).Where(p => !string.IsNullOrEmpty(p)).ToList();
for (var i = 0; i < values.Count(); i++)
rv.Add(string.Concat(property.Name, "[", i, "]"), values[i]);
}
}
else
{
var value = property.GetGetMethod().Invoke(model, null) == null ? "" : property.GetGetMethod().Invoke(model, null).ToString();
if (!string.IsNullOrEmpty(value))
rv.Add(property.Name, value);
}
}
return AjaxExtensions.ActionLink(ajaxHelper, linkText, actionName, rv, ajaxOptions, htmlAttributes);
}
}