C# 웹 API를 호출할 때 지원되지 않는 허가 유형
c# WPF 데스크톱 앱에서 웹 API에 게시를 수행하려고 합니다.
내가 무엇을 하든, 나는.
{"error": "unsupported_message_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으로 성공적인 통화를 할 수 있습니다.
Fiddler 결과 업데이트
위의 웹 API로 성공적으로 통화할 수 있도록 도와주실 수 있나요?제가 명확하게 하는 데 도움이 될 수 있는지 알려주세요.감사합니다!!
의 기본 구현OAuthAuthorizationServerHandler
양식 인코딩만 허용합니다(예:application/x-www-form-urlencoded
) 및 JSON 인코딩 아님(application/JSON
).
당신의 요청은ContentType
그래야 한다application/x-www-form-urlencoded
본문에 다음과 같이 데이터를 전달합니다.
grant_type=password&username=Alice&password=password123
즉, JSON 형식이 아닙니다.
위 크롬 예제는 JSON으로 데이터를 전달하지 않기 때문에 작동합니다.당신은 토큰을 얻기 위해서만 이것이 필요합니다; 당신의 API의 다른 방법들은 JSON을 사용할 수 있습니다.
이런 종류의 문제는 여기에서도 논의됩니다.
URL: "localhost:55828/token"("localhost:55828/API/token"이 아님)을 기록합니다.
요청 데이터를 기록합니다.json 형식이 아니라 큰따옴표 없이 단순한 데이터입니다."userName=xxx@gmail.com &password=Test123$&grant_type=password"
내용 유형을 기록합니다.Content-Type: 'application/x-www-form-urlenced'(Content-Type: 'application/json'이 아님)
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) {//...
포스트맨의 아래 스크린샷을 참조하십시오.
다음은 SSL을 사용하여 포트 43305에서 실행 중인 로컬 웹 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; }
}
}
}
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;
}
토큰 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;
제 경우에는 설치 패키지 토큰을 잊어버렸습니다.JWT, 그래서 당신의 프로젝트에도 설치가 필요합니다.설치-패키지 시스템.아이덴티티 모델.Tokens.Jwt - 버전 6.7.1
프로토콜의 원인일 수 있습니다. 필요합니다. https://
EX : https://localhost:port/oauth/token
jQuery.ajax({
"method": "post",
"url": "https://localhost:44324/token",
**"contentType": "application/x-www-form-urlencoded",**
"data": {
"Grant_type": "password",
"Username": $('#txtEmail').val(),
"Password": $('#txtPassword').val()
}
})
.done(function (data) { console.log(data); })
.fail(function (data) { console.log(data); })
//In Global.asax.cs (MVC WebApi 2)
protected void Application_BeginRequest()
{
HttpContext.Current.Response.AddHeader("Access-Control-Allow-Origin", "*");
}
언급URL : https://stackoverflow.com/questions/29246908/c-sharp-unsupported-grant-type-when-calling-web-api
'programing' 카테고리의 다른 글
$PATH 변수에서 중복 경로 제거 (0) | 2023.05.26 |
---|---|
하위 요소를 추가하기 위한 웹 구성 변환 (0) | 2023.05.21 |
linq 식으로 중첩된 객체를 평탄화하는 방법 (0) | 2023.05.21 |
spacy Windows 10 및 Python 3.5.3에서 'en_core_web_sm' 모델을 찾을 수 없음 :: 아나콘다 사용자 지정(64비트) (0) | 2023.05.21 |
Mongoose, 찾기, 특정 속성 반환 (0) | 2023.05.21 |