说我有一个行动方法:
[HttpGet]
public ActionResult Search(List<int> category){
...
}
MVC模型绑定的工作方式,它需要一个类似的列表:
/search?category=1&category=2
所以我的问题是:
Url.Action("Search", new {category=???}) //Expect: /search?category=1&category=2
var categories = new List<int>(){1,2}; //Expect: /search?category=1&category=2
Url.Action("Search", new {category=categories}) //does not work,
答案 0 :(得分:14)
不使用匿名类型,而是构建RouteValueDictionary
。将参数格式化为parameter[index]
。
@{
var categories = new List<int>() { 6, 7 };
var parameters = new RouteValueDictionary();
for (int i = 0; i < categories.Count; ++i)
{
parameters.Add("category[" + i + "]", categories[i]);
}
}
然后,
@Url.Action("Test", parameters)
答案 1 :(得分:3)
自己构建查询字符串,很明显UrlHelper不是为这个用例而设计的。
使用:
static class QueryStringBuilder {
public static string ToQueryString(this NameValueCollection qs) {
return ToQueryString(qs, includeDelimiter: false);
}
public static string ToQueryString(this NameValueCollection qs, bool includeDelimiter) {
var sb = new StringBuilder();
for (int i = 0; i < qs.AllKeys.Length; i++) {
string key = qs.AllKeys[i];
string[] values = qs.GetValues(key);
if (values != null) {
for (int j = 0; j < values.Length; j++) {
if (sb.Length > 0)
sb.Append('&');
sb.Append(HttpUtility.UrlEncode(key))
.Append('=')
.Append(HttpUtility.UrlEncode(values[j]));
}
}
}
if (includeDelimiter && sb.Length > 0)
sb.Insert(0, '?');
return sb.ToString();
}
}
你可以这样写:
var parameters = new NameValueCollection {
{ "category", "1" },
{ "category", "2" }
};
var url = Url.Action("Search") + parameters.ToQueryString(includeDelimiter: true);
答案 2 :(得分:0)
将类型强制转换为“对象”或“对象[]”或使用RouteValueDictionary。一种简单的方法是使用“ Newtonsoft.Json”
如果使用.Net Core 3.0或更高版本;
默认为使用内置的System.Text.Json解析器实现。
@using System.Text.Json;
…….
@Url.Action(“ActionName”, “ControllerName”, new {object = JsonConvert.SerializeObject(‘@ModalObject’) }))
如果使用.Net Core 2.2或更早版本而被卡住;
默认为使用Newtonsoft JSON.Net作为首选的JSON分析器。
@using Newtonsoft.Json;
…..
@Url.Action(“ActionName”, “ControllerName”, new {object = JsonConvert.SerializeObject(‘@ModalObject’) }))
您可能需要先安装软件包。
PM> Install-Package Newtonsoft.Json
然后
public ActionResult ActionName(string modalObjectJSON)
{
Modal modalObj = new Modal();
modalObj = JsonConvert.DeserializeObject<Modal>(modalObjectJSON);
}
答案 3 :(得分:-1)
这不是最好的方法,但您可以使用QueryString参数名称加入类别列表。
@Url.Action("Search", new {category = string.Join("&category=", categories)});