source

에서 JSON Web Service를 호출하는 가장 좋은 방법입니다.NET 콘솔

manycodes 2023. 4. 6. 21:49
반응형

에서 JSON Web Service를 호출하는 가장 좋은 방법입니다.NET 콘솔

저는 ASP에서 웹 서비스를 호스팅하고 있습니다.Json 문자열을 반환하는 Net MVC3.c# 콘솔애플리케이션에서 웹 서비스를 호출하여 반환을 해석하는 가장 좋은 방법은 무엇입니까?NET 객체?

콘솔 앱에서 MVC3를 참조해야 합니까?

Json.Net에는 시리얼화 및 역시리얼화 방법이 몇 가지 있습니다.NET 개체는 웹 서비스에서 값을 POST 및 GET하는 방법은 없습니다.

아니면 웹 서비스에 POST 및 GETing을 위한 도우미 방법을 직접 만들어야 합니까?.net 객체를 키 값 쌍으로 시리얼화하려면 어떻게 해야 합니까?

HttpWebRequest를 사용하여 웹 서비스에서 GET하면 JSON 문자열이 반환됩니다.GET의 경우 다음과 같습니다.

// Returns JSON string
string GET(string url) 
{
    HttpWebRequest request = (HttpWebRequest)WebRequest.Create(url);
    try {
        WebResponse response = request.GetResponse();
        using (Stream responseStream = response.GetResponseStream()) {
            StreamReader reader = new StreamReader(responseStream, System.Text.Encoding.UTF8);
            return reader.ReadToEnd();
        }
    }
    catch (WebException ex) {
        WebResponse errorResponse = ex.Response;
        using (Stream responseStream = errorResponse.GetResponseStream())
        {
            StreamReader reader = new StreamReader(responseStream, System.Text.Encoding.GetEncoding("utf-8"));
            String errorText = reader.ReadToEnd();
            // log errorText
        }
        throw;
    }
}

그리고 JSON을 사용합니다.[Net] : 문자열을 동적으로 해석합니다.또는 다음 코드플렉스 도구를 사용하여 샘플 JSON 출력에서 C# 클래스를 스태틱하게 생성할 수도 있습니다.http://jsonclassgenerator.codeplex.com/

POST는 다음과 같습니다.

// POST a JSON string
void POST(string url, string jsonContent) 
{
    HttpWebRequest request = (HttpWebRequest)WebRequest.Create(url);
    request.Method = "POST";

    System.Text.UTF8Encoding encoding = new System.Text.UTF8Encoding();
    Byte[] byteArray = encoding.GetBytes(jsonContent);

    request.ContentLength = byteArray.Length;
    request.ContentType = @"application/json";

    using (Stream dataStream = request.GetRequestStream()) {
        dataStream.Write(byteArray, 0, byteArray.Length);
    }
    long length = 0;
    try {
        using (HttpWebResponse response = (HttpWebResponse)request.GetResponse()) {
            length = response.ContentLength;
        }
    }
    catch (WebException ex) {
        // Log exception and throw as for GET example above
    }
}

저는 웹 서비스의 자동 테스트에서 이와 같은 코드를 사용합니다.

WebClient: 리모트 URL 및 JavaScriptSerializer 또는 Json에서 콘텐츠를 가져옵니다.NET을 사용하여 JSON을 에 디시리얼화합니다.NET 오브젝트예를 들어 JSON 구조를 반영하는 모델 클래스를 정의한 후 다음을 수행합니다.

using (var client = new WebClient())
{
    var json = client.DownloadString("http://example.com/json");
    var serializer = new JavaScriptSerializer();
    SomeModel model = serializer.Deserialize<SomeModel>(json);
    // TODO: do something with the model
}

RestSharp와 같은 REST 클라이언트 프레임워크도 몇 가지 있습니다.

기존의 답변은 유효한 접근법이지만, 그것들은 구식입니다.HttpClient는 RESTful Web 서비스를 사용하기 위한 최신 인터페이스입니다.링크의 페이지 예시 섹션을 참조해 주세요.이 섹션에는 비동기 HTTP GET의 매우 간단한 사용 사례가 있습니다.

using (var client = new System.Net.Http.HttpClient())
{
    return await client.GetStringAsync("https://reqres.in/api/users/3"); //uri
}

언급URL : https://stackoverflow.com/questions/8270464/best-way-to-call-a-json-webservice-from-a-net-console

반응형