我正在使用ASP构建一个RESTful API。NET Core MVC和我想使用查询字符串参数来指定对返回集合的资源进行过滤和分页。
在这种情况下,我需要读取在查询字符串中传递的值以过滤并选择要返回的结果。
我已经发现在控制器内部的Get动作访问HttpContext.Request.Query返回一个IQueryCollection。
问题是我不知道如何使用它来检索值。事实上,我认为这样做的方法是使用,例如
string page = HttpContext.Request.Query["page"]
问题是HttpContext.Request。查询["page"]不返回字符串,而是返回StringValues。
无论如何,如何使用IQueryCollection来实际读取查询字符串值?
在。net core中,如果你想在视图中访问querystring,可以像这样使用
@Context.Request.Query["yourKey"]
如果我们在@Context不可用的位置,我们可以像这样注入它
@inject Microsoft.AspNetCore.Http.IHttpContextAccessor HttpContextAccessor
@if (HttpContextAccessor.HttpContext.Request.Query.Keys.Contains("yourKey"))
{
<text>do something </text>
}
对于饼干也是如此
HttpContextAccessor.HttpContext.Request.Cookies["DeniedActions"]
我有个更好的解决办法,
request是一个抽象类ControllerBase的成员
GetSearchParams()是在bellow helper中创建的扩展方法
类。
var searchparams =等待请求。getsearchparams ();
我创建了一个带有一些扩展方法的静态类
public static class HttpRequestExtension
{
public static async Task<SearchParams> GetSearchParams(this HttpRequest request)
{
var parameters = await request.TupledParameters();
try
{
for (var i = 0; i < parameters.Count; i++)
{
if (parameters[i].Item1 == "_count" && parameters[i].Item2 == "0")
{
parameters[i] = new Tuple<string, string>("_summary", "count");
}
}
var searchCommand = SearchParams.FromUriParamList(parameters);
return searchCommand;
}
catch (FormatException formatException)
{
throw new FhirException(formatException.Message, OperationOutcome.IssueType.Invalid, OperationOutcome.IssueSeverity.Fatal, HttpStatusCode.BadRequest);
}
}
public static async Task<List<Tuple<string, string>>> TupledParameters(this HttpRequest request)
{
var list = new List<Tuple<string, string>>();
var query = request.Query;
foreach (var pair in query)
{
list.Add(new Tuple<string, string>(pair.Key, pair.Value));
}
if (!request.HasFormContentType)
{
return list;
}
var getContent = await request.ReadFormAsync();
if (getContent == null)
{
return list;
}
foreach (var key in getContent.Keys)
{
if (!getContent.TryGetValue(key, out StringValues values))
{
continue;
}
foreach (var value in values)
{
list.Add(new Tuple<string, string>(key, value));
}
}
return list;
}
}
通过这种方式,您可以轻松地访问所有搜索参数。我希望这能帮助到很多开发者:)