我正在实现一个自定义控件,在这个控件中我需要写一堆链接到当前页面,每个链接都有一个不同的查询参数。我需要保持现有的查询字符串不变,并添加(或修改)一个额外的查询项(例如“page”):
"Default.aspx?page=1"
"Default.aspx?page=2"
"Default.aspx?someother=true&page=2"
等
是否有一个简单的帮助方法,我可以在Render方法中使用...嗯......喜欢:
Page.ClientScript.SomeURLBuilderMethodHere(this,"page","1");
Page.ClientScript.SomeURLBuilderMethodHere(this,"page","2");
这将负责生成正确的URL,维护现有的查询字符串项,而不是创建重复项,例如。页= 1&安培;页= 2及?页= 3
滚动我自己似乎是一项非常有吸引力的任务。
答案 0 :(得分:1)
我担心我不知道任何内置方法,我们使用这个方法来获取查询字符串并设置参数
/// <summary>
/// Set a parameter value in a query string. If the parameter is not found in the passed in query string,
/// it is added to the end of the query string
/// </summary>
/// <param name="queryString">The query string that is to be manipulated</param>
/// <param name="paramName">The name of the parameter</param>
/// <param name="paramValue">The value that the parameter is to be set to</param>
/// <returns>The query string with the parameter set to the new value.</returns>
public static string SetParameter(string queryString, string paramName, object paramValue)
{
//create the regex
//match paramname=*
//string regex = String.Format(@"{0}=[^&]*", paramName);
string regex = @"([&?]{0,1})" + String.Format(@"({0}=[^&]*)", paramName);
RegexOptions options = RegexOptions.RightToLeft;
// Querystring has parameters...
if (Regex.IsMatch(queryString, regex, options))
{
queryString = Regex.Replace(queryString, regex, String.Format("$1{0}={1}", paramName, paramValue));
}
else
{
// If no querystring just return the Parameter Key/Value
if (queryString == String.Empty)
{
return String.Format("{0}={1}", paramName, paramValue);
}
else
{
// Append the new parameter key/value to the end of querystring
queryString = String.Format("{0}&{1}={2}", queryString, paramName, paramValue);
}
}
return queryString;
}
显然,您可以使用URI对象的QueryString NameValueCollection
属性来更轻松地查找值,但我们希望能够解析任何查询字符串。
答案 1 :(得分:0)
哦,我们也有这个方法,允许你输入一个完整的URL字符串,而不必从中获取查询字符串
public static string SetParameterInUrl(string url, string paramName, object paramValue)
{
int queryStringIndex = url.IndexOf("?");
string path;
string queryString;
if (queryStringIndex >= 0 && !url.EndsWith("?"))
{
path = url.Substring(0, queryStringIndex);
queryString = url.Substring(queryStringIndex + 1);
}
else
{
path = url;
queryString = string.Empty;
}
return path + "?" + SetParameter(queryString, paramName, paramValue);
}