web-dev-qa-db-ja.com

Web APIを呼び出すときのC#サポートされていない付与タイプ

C#WPFデスクトップアプリからWebAPIへの投稿を実行しようとしています。

何をしていても

{「エラー」:「unsupported_grant_type」}

これは私が試したものです(そして私は見つけることができるすべてを試しました):

また、テスト用に現在アクティブなdev web api: http://studiodev.biz/

ベースHTTPクライアントオブジェクト:

var client = new HttpClient()
client.BaseAddress = new Uri("http://studiodev.biz/");
client.DefaultRequestHeaders.Accept.Clear();
client.DefaultRequestHeaders.Accept.Add(new MediaTypeWithQualityHeaderValue("application/json"));
client.DefaultRequestHeaders.Accept.Add(new MediaTypeWithQualityHeaderValue("text/plain"));
client.DefaultRequestHeaders.Accept.Add(new MediaTypeWithQualityHeaderValue("*/*"));

次の送信メソッドを使用します。

var response = await client.PostAsJsonAsync("token", "{'grant_type'='password'&'username'='username'&'password'='password'");
var response = await client.PostAsJsonAsync("token", "grant_type=password&username=username&password=password");

それが失敗した後、私はいくつかのグーグルを行い、試しました:

LoginModel data = new LoginModel(username, password);
string json = JsonConvert.SerializeObject(data);
await client.PostAsync("token", new JsonContent(json));

同じ結果なので、私は試しました:

req.Content = new StringContent(json, Encoding.UTF8, "application/x-www-form-urlencoded");
await client.SendAsync(req).ContinueWith(respTask =>
{
 Application.Current.Dispatcher.Invoke(new Action(() => { label.Content = respTask.Result.ToString(); }));
});

注:Chromeで電話をかけることができます。

フィドラー結果の更新

enter image description here

誰かが上記のWeb APIへの呼び出しを成功させるのを手伝ってもらえますか...明確にするのを助けることができるかどうか私に知らせてください。ありがとう!!

57
OverMars

OAuthAuthorizationServerHandlerのデフォルトの実装は、フォームエンコーディング(つまり、application/x-www-form-urlencoded)のみを受け入れ、JSONエンコーディング(application/JSON)は受け入れません。

リクエストのContentTypeapplication/x-www-form-urlencodedであり、本体のデータを次のように渡す必要があります。

grant_type=password&username=Alice&password=password123

つまり、JSON形式ではありません

上記のchromeの例は、データをJSONとして渡さないため機能します。これは、トークンを取得するためにのみ必要です。 APIの他のメソッドにはJSONを使用できます。

この種の問題についても説明します here

131
M. Ali Iftikhar

1)URL:「localhost:55828/token」に注意してください(「localhost:55828/API/token」ではありません)

2)要求データに注意してください。 JSON形式ではなく、二重引用符なしの単なるプレーンデータです。 「[email protected]&password=Test123$&grant_type=password」

3)コンテンツタイプに注意してください。 Content-Type: 'application/x-www-form-urlencoded'(Content-Type: 'application/json'ではありません)

4)javascriptを使用して投稿リクエストを行う場合、以下を使用できます。

$http.post("localhost:55828/token", 
    "userName=" + encodeURIComponent(email) +
        "&password=" + encodeURIComponent(password) +
        "&grant_type=password",
    {headers: { 'Content-Type': 'application/x-www-form-urlencoded' }}
).success(function (data) {//...

以下のPostmanのスクリーンショットをご覧ください。

Postman Request

Postman Request Header

13
Chirag

これは、SSLを使用してポート43305で実行されているローカルWeb APIアプリケーションにこのリクエストを行うために使用した実例です。プロジェクトをGitHubにも配置しました。 https://github.com/casmer/WebAPI-getauthtoken

using System;
using System.Collections.Generic;
using System.Diagnostics;
using System.Linq;
using System.Text;
using System.Threading.Tasks;
using Newtonsoft.Json;
using System.Net.Http;
using System.Web;

namespace GetAccessTokenSample
{
  class Program
  {
    private static string baseUrl = "https://localhost:44305";

    static void Main(string[] args)
    {

      Console.WriteLine("Enter Username: ");
      string username= Console.ReadLine();
      Console.WriteLine("Enter Password: ");
      string password = Console.ReadLine();

      LoginTokenResult accessToken = GetLoginToken(username,password);
      if (accessToken.AccessToken != null)
      {
        Console.WriteLine(accessToken);
      }
      else
      {
        Console.WriteLine("Error Occurred:{0}, {1}", accessToken.Error, accessToken.ErrorDescription);
      }

    }


    private static LoginTokenResult GetLoginToken(string username, string password)
    {

      HttpClient client = new HttpClient();
      client.BaseAddress = new Uri(baseUrl);
      //TokenRequestViewModel tokenRequest = new TokenRequestViewModel() { 
      //password=userInfo.Password, username=userInfo.UserName};
      HttpResponseMessage response =
        client.PostAsync("Token",
          new StringContent(string.Format("grant_type=password&username={0}&password={1}",
            HttpUtility.UrlEncode(username),
            HttpUtility.UrlEncode(password)), Encoding.UTF8,
            "application/x-www-form-urlencoded")).Result;

      string resultJSON = response.Content.ReadAsStringAsync().Result;
      LoginTokenResult result = JsonConvert.DeserializeObject<LoginTokenResult>(resultJSON);

      return result;
    }

    public class LoginTokenResult
    {
      public override string ToString()
      {
        return AccessToken;
      }

      [JsonProperty(PropertyName = "access_token")]
      public string AccessToken { get; set; }

      [JsonProperty(PropertyName = "error")]
      public string Error { get; set; }

      [JsonProperty(PropertyName = "error_description")]
      public string ErrorDescription { get; set; }

    }

  }
}
11
Casey Gregoire

RestSharpを使用している場合、次のようなリクエストを行う必要があります。

public static U PostLogin<U>(string url, Authentication obj)
            where U : new()
        {
            RestClient client = new RestClient();
            client.BaseUrl = new Uri(Host + url);
            var request = new RestRequest(Method.POST);
            string encodedBody = string.Format("grant_type=password&username={0}&password={1}",
                obj.username,obj.password);
            request.AddParameter("application/x-www-form-urlencoded", encodedBody, ParameterType.RequestBody);
            request.AddParameter("Content-Type", "application/x-www-form-urlencoded", ParameterType.HttpHeader);
            var response = client.Execute<U>(request);

             return response.Data;

        }
7

同じ問題を抱えていましたが、トークンURLのセキュリティで保護されたHTTPでのみ解決しました。サンプルのhttpclientコードを参照してください。サーバーのメンテナンス後に通常のHTTPが機能しなくなる

var apiUrl = "https://appdomain.com/token"
var client = new HttpClient();    
client.Timeout = new TimeSpan(1, 0, 0);
            var loginData = new Dictionary<string, string>
                {
                    {"UserName", model.UserName},
                    {"Password", model.Password},
                    {"grant_type", "password"}
                };
            var content = new FormUrlEncodedContent(loginData);
            var response = client.PostAsync(apiUrl, content).Result;
0
Afis