从.NET中的字符串中获取url参数

时间:2009-03-18 20:05:12

标签: c# .net url parsing parameters

我在.NET中有一个字符串,实际上是一个网址。我想要一种简单的方法来从特定参数中获取值。

通常情况下,我只使用Request.Params["theThingIWant"],但此字符串不是来自请求。我可以像这样创建一个新的Uri项目:

Uri myUri = new Uri(TheStringUrlIWantMyValueFrom);

我可以使用myUri.Query来获取查询字符串......但是我显然必须找到一些分解它的regexy方法。

我是否遗漏了一些明显的东西,或者没有内置的方法来创建某种类型的正则表达式等等?

15 个答案:

答案 0 :(得分:438)

使用返回ParseQueryString的{​​{1}}类的静态System.Web.HttpUtility方法。

NameValueCollection

查看http://msdn.microsoft.com/en-us/library/ms150046.aspx

上的文档

答案 1 :(得分:45)

这可能是你想要的

var uri = new Uri("http://domain.test/Default.aspx?var1=true&var2=test&var3=3");
var query = HttpUtility.ParseQueryString(uri.Query);

var var2 = query.Get("var2");

答案 2 :(得分:27)

如果出于任何原因,您不能或不想使用HttpUtility.ParseQueryString(),那么这是另一种选择。

这构建为对“格式错误”的查询字符串有一定的容忍度,即http://test/test.html?empty=成为具有空值的参数。如果需要,调用者可以验证参数。

public static class UriHelper
{
    public static Dictionary<string, string> DecodeQueryParameters(this Uri uri)
    {
        if (uri == null)
            throw new ArgumentNullException("uri");

        if (uri.Query.Length == 0)
            return new Dictionary<string, string>();

        return uri.Query.TrimStart('?')
                        .Split(new[] { '&', ';' }, StringSplitOptions.RemoveEmptyEntries)
                        .Select(parameter => parameter.Split(new[] { '=' }, StringSplitOptions.RemoveEmptyEntries))
                        .GroupBy(parts => parts[0],
                                 parts => parts.Length > 2 ? string.Join("=", parts, 1, parts.Length - 1) : (parts.Length > 1 ? parts[1] : ""))
                        .ToDictionary(grouping => grouping.Key,
                                      grouping => string.Join(",", grouping));
    }
}

<强>测试

[TestClass]
public class UriHelperTest
{
    [TestMethod]
    public void DecodeQueryParameters()
    {
        DecodeQueryParametersTest("http://test/test.html", new Dictionary<string, string>());
        DecodeQueryParametersTest("http://test/test.html?", new Dictionary<string, string>());
        DecodeQueryParametersTest("http://test/test.html?key=bla/blub.xml", new Dictionary<string, string> { { "key", "bla/blub.xml" } });
        DecodeQueryParametersTest("http://test/test.html?eins=1&zwei=2", new Dictionary<string, string> { { "eins", "1" }, { "zwei", "2" } });
        DecodeQueryParametersTest("http://test/test.html?empty", new Dictionary<string, string> { { "empty", "" } });
        DecodeQueryParametersTest("http://test/test.html?empty=", new Dictionary<string, string> { { "empty", "" } });
        DecodeQueryParametersTest("http://test/test.html?key=1&", new Dictionary<string, string> { { "key", "1" } });
        DecodeQueryParametersTest("http://test/test.html?key=value?&b=c", new Dictionary<string, string> { { "key", "value?" }, { "b", "c" } });
        DecodeQueryParametersTest("http://test/test.html?key=value=what", new Dictionary<string, string> { { "key", "value=what" } });
        DecodeQueryParametersTest("http://www.google.com/search?q=energy+edge&rls=com.microsoft:en-au&ie=UTF-8&oe=UTF-8&startIndex=&startPage=1%22",
            new Dictionary<string, string>
            {
                { "q", "energy+edge" },
                { "rls", "com.microsoft:en-au" },
                { "ie", "UTF-8" },
                { "oe", "UTF-8" },
                { "startIndex", "" },
                { "startPage", "1%22" },
            });
        DecodeQueryParametersTest("http://test/test.html?key=value;key=anotherValue", new Dictionary<string, string> { { "key", "value,anotherValue" } });
    }

    private static void DecodeQueryParametersTest(string uri, Dictionary<string, string> expected)
    {
        Dictionary<string, string> parameters = new Uri(uri).DecodeQueryParameters();
        Assert.AreEqual(expected.Count, parameters.Count, "Wrong parameter count. Uri: {0}", uri);
        foreach (var key in expected.Keys)
        {
            Assert.IsTrue(parameters.ContainsKey(key), "Missing parameter key {0}. Uri: {1}", key, uri);
            Assert.AreEqual(expected[key], parameters[key], "Wrong parameter value for {0}. Uri: {1}", parameters[key], uri);
        }
    }
}

答案 3 :(得分:11)

看起来你应该遍历myUri.Query的值并从那里解析它。

 string desiredValue;
 foreach(string item in myUri.Query.Split('&'))
 {
     string[] parts = item.Replace('?', '').Split('=');
     if(parts[0] == "desiredKey")
     {
         desiredValue = parts[1];
         break;
     }
 }

但是,如果不对一堆格式错误的网址进行测试,我就不会使用此代码。它可能会破坏部分/全部:

  • hello.html?
  • hello.html?valuelesskey
  • hello.html?key=value=hi
  • hello.html?hi=value?&b=c

答案 4 :(得分:10)

@Andrew和@CZFox

我遇到了同样的错误,发现其原因是:http://www.example.com?param1而不是param1,这是人们所期望的。

通过删除问号之前的所有字符来修复此问题。所以实质上HttpUtility.ParseQueryString函数只需要一个有效的查询字符串参数,该参数只包含问号之后的字符,如下所示:

HttpUtility.ParseQueryString ( "param1=good&param2=bad" )

我的解决方法:

string RawUrl = "http://www.example.com?param1=good&param2=bad";
int index = RawUrl.IndexOf ( "?" );
if ( index > 0 )
    RawUrl = RawUrl.Substring ( index ).Remove ( 0, 1 );

Uri myUri = new Uri( RawUrl, UriKind.RelativeOrAbsolute);
string param1 = HttpUtility.ParseQueryString( myUri.Query ).Get( "param1" );`

答案 5 :(得分:2)

使用.NET Reflector查看FillFromString的{​​{1}}方法。这为您提供了用于填充System.Web.HttpValueCollection集合的代码。

答案 6 :(得分:2)

您可以使用以下解决方法来处理第一个参数:

var param1 =
    HttpUtility.ParseQueryString(url.Substring(
        new []{0, url.IndexOf('?')}.Max()
    )).Get("param1");

答案 7 :(得分:1)

HttpContext.Current.Request.QueryString.Get("id");

答案 8 :(得分:1)

或者,如果您不知道网址(以避免硬编码,请使用AbsoluteUri

示例......

        //get the full URL
        Uri myUri = new Uri(Request.Url.AbsoluteUri);
        //get any parameters
        string strStatus = HttpUtility.ParseQueryString(myUri.Query).Get("status");
        string strMsg = HttpUtility.ParseQueryString(myUri.Query).Get("message");
        switch (strStatus.ToUpper())
        {
            case "OK":
                webMessageBox.Show("EMAILS SENT!");
                break;
            case "ER":
                webMessageBox.Show("EMAILS SENT, BUT ... " + strMsg);
                break;
        }

答案 9 :(得分:1)

您可以仅使用 Uri 来获取查询字符串列表或查找特定参数。

Uri myUri = new Uri("http://www.example.com?param1=good&param2=bad");
var params = myUri.ParseQueryString();
var specific = myUri.ParseQueryString().Get("spesific");
var paramByIndex = = myUri.ParseQueryString().Get(1);

您可以从这里找到更多信息:https://docs.microsoft.com/en-us/dotnet/api/system.uri?view=net-5.0

答案 10 :(得分:0)

如果你想在默认页面上获取你的QueryString。默认页面意味着你当前的页面网址。 你可以试试这段代码:

string paramIl = HttpUtility.ParseQueryString(this.ClientQueryString).Get("city");

答案 11 :(得分:0)

这实际上很简单,对我有用:)

        if (id == "DK")
        {
            string longurl = "selectServer.aspx?country=";
            var uriBuilder = new UriBuilder(longurl);
            var query = HttpUtility.ParseQueryString(uriBuilder.Query);
            query["country"] = "DK";

            uriBuilder.Query = query.ToString();
            longurl = uriBuilder.ToString();
        } 

答案 12 :(得分:0)

对于想要遍历字符串中所有查询字符串的人

pip3 install keyboard

答案 13 :(得分:0)

单行LINQ解决方案:

Dictionary<string, string> ParseQueryString(string query)
{
    return query.Replace("?", "").Split('&').ToDictionary(pair => pair.Split('=').First(), pair => pair.Split('=').Last());
}

答案 14 :(得分:-3)

我用它并且运行得很好

<%=Request.QueryString["id"] %>