web-dev-qa-db-ja.com

.NETの文字列からURLパラメータを取得する

私は実際にはURLです。NETの文字列を持っています。特定のパラメータから値を取得する簡単な方法が欲しいのです。

通常はRequest.Params["theThingIWant"]を使いますが、この文字列はリクエストからのものではありません。私はそのように新しいUri項目を作成することができます:

Uri myUri = new Uri(TheStringUrlIWantMyValueFrom);

クエリ文字列を取得するためにmyUri.Queryを使用することができます...しかしそれから私はそれを分割するための何らかの正規表現の方法を見つけなければなりません。

明白なことを見逃していませんか。それとも、ある種の正規表現を作成すること以外にこれを行うための方法が組み込まれていませんか。

208
Beska

ParseQueryStringを返すSystem.Web.HttpUtilityクラスの静的NameValueCollectionメソッドを使用してください。

Uri myUri = new Uri("http://www.example.com?param1=good&param2=bad");
string param1 = HttpUtility.ParseQueryString(myUri.Query).Get("param1");

http://msdn.Microsoft.com/en-us/library/ms150046.aspx でドキュメントを確認してください。

440
CZFox

これはおそらくあなたが望むものです

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");
45
Sergej Andrejev

何らかの理由で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);
        }
    }
}
27
alsed42

myUri.Queryの値をループしてそこから解析する必要があるようです。

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

ただし、不正なURLの集まりでテストしない限り、このコードは使用しません。それはこれらのいくつか/すべてで壊れるかもしれません:

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

@ 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" );`
10
Mo Gauvin

最初のパラメータでも機能するように、次の回避策を使用できます。

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

.NET Reflectorを使用してSystem.Web.HttpValueCollectionFillFromStringメソッドを表示します。これにより、ASP.NETがRequest.QueryStringコレクションを埋めるために使用しているコードがわかります。

2
David

URLがわからない場合(ハードコーディングを避けるために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;
        }
1
Fandango68
HttpContext.Current.Request.QueryString.Get("id");
1
Hallgeir Engen

これは実際にはとても簡単です、そしてそれは私のために働きました:)

        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();
        } 
0
Ralle12

デフォルトページにQueryStringを取得したい場合は、デフォルトページは現在のページのURLを意味します。あなたはこのコードを試すことができます:

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

文字列からすべてのクエリ文字列をループしたい人向け

        foreach (var item in new Uri(urlString).Query.TrimStart('?').Split('&'))
        {
            var subStrings = item.Split('=');

            var key = subStrings[0];
            var value = subStrings[1];

            // do something with values
        }
0
Indy411