Programing

HTTP 요청에서 JSON 데이터를 다시 받기

lottogame 2020. 12. 11. 07:40
반응형

HTTP 요청에서 JSON 데이터를 다시 받기


제대로 작동하는 웹 요청이 있지만 OK 상태를 반환하고 있지만 반환을 요청하는 개체가 필요합니다. 요청한 json 값을 얻는 방법을 모르겠습니다. HttpClient 개체를 처음 사용하는 경우 누락 된 속성이 있습니까? 반환 객체가 정말 필요합니다. 도움을 주셔서 감사합니다

전화 걸기-잘 실행하면 상태 OK가 반환됩니다.

HttpClient client = new HttpClient();
client.DefaultRequestHeaders.Accept
  .Add(new MediaTypeWithQualityHeaderValue("application/json"));
var responseMsg = client.GetAsync(string.Format("http://localhost:5057/api/Photo")).Result;

API get 메소드

//Cut out alot of code but you get the idea
public string Get()
{
    return JsonConvert.SerializeObject(returnedPhoto);
}

.NET 4.5에서 System.Net.HttpClient를 참조하는 경우 HttpResponseMessage.Content 속성을 HttpContent 파생 개체 사용하여 GetAsync에서 반환 된 콘텐츠를 가져올 수 있습니다 . 그런 다음 HttpContent.ReadAsStringAsync 메서드를 사용하거나 ReadAsStreamAsync 메서드를 사용하여 스트림으로 콘텐츠를 문자열로 읽을 수 있습니다 .

HttpClient를의 클래스 문서는이 예제를 포함합니다 :

  HttpClient client = new HttpClient();
  HttpResponseMessage response = await client.GetAsync("http://www.contoso.com/");
  response.EnsureSuccessStatusCode();
  string responseBody = await response.Content.ReadAsStringAsync();

바탕 @Panagiotis Kanavos '대답, 여기 대신 문자열의 대상으로 응답을 반환 예로서 작업 방법입니다 :

public static async Task<object> PostCallAPI(string url, object jsonObject)
{
    try
    {
        using (HttpClient client = new HttpClient())
        {
            var content = new StringContent(jsonObject.ToString(), Encoding.UTF8, "application/json");
            var response = await client.PostAsync(url, content);
            if (response != null)
            {
                var jsonString = await response.Content.ReadAsStringAsync();
                return JsonConvert.DeserializeObject<object>(jsonString);
            }
        }
    }
    catch (Exception ex)
    {
        myCustomLogger.LogException(ex);
    }
    return null;
}

이것은 단지 예일 뿐이며 HttpClientusing 절에서 사용하는 대신 공유 인스턴스 로 사용하고 싶을 것입니다 .


내가 일반적으로하는 일, 대답과 비슷합니다.

var response = await httpClient.GetAsync(completeURL); // http://192.168.0.1:915/api/Controller/Object

if (response.IsSuccessStatusCode == true)
    {
        string res = await response.Content.ReadAsStringAsync();
        var content = Json.Deserialize<Model>(res);

// do whatever you need with the JSON which is in 'content'
// ex: int id = content.Id;

        Navigate();
        return true;
    }
    else
    {
        await JSRuntime.Current.InvokeAsync<string>("alert", "Warning, the credentials you have entered are incorrect.");
        return false;
    }

여기서 'model'은 C # 모델 클래스입니다.


가장 짧은 방법은 다음과 같습니다.

var client = new HttpClient();
string reqUrl = $"http://myhost.mydomain.com/api/products/{ProdId}";
var prodResp = await client.GetAsync(reqUrl);
if (!prodResp.IsSuccessStatusCode){
    FailRequirement();
}
var prods = await prodResp.Content.ReadAsAsync<Products>();

참고 URL : https://stackoverflow.com/questions/10928528/receiving-json-data-back-from-http-request

반응형