[c#] .NET 콘솔에서 JSON WebService를 호출하는 가장 좋은 방법
Json 문자열을 반환하는 ASP.Net MVC3에서 웹 서비스를 호스팅하고 있습니다. ac # 콘솔 응용 프로그램에서 웹 서비스를 호출하고 반환을 .NET 개체로 구문 분석하는 가장 좋은 방법은 무엇입니까?
콘솔 앱에서 MVC3를 참조해야합니까?
Json.Net에는 .NET 개체를 직렬화 및 역 직렬화하는 몇 가지 좋은 방법이 있지만 웹 서비스에서 값을 게시하고 가져 오는 방법이 있는지는 알 수 없습니다.
아니면 웹 서비스에 대한 POST 및 GET을위한 나만의 도우미 메서드를 만들어야합니까? .net 객체를 키 값 쌍으로 직렬화하려면 어떻게해야합니까?
답변
HttpWebRequest를 사용하여 웹 서비스에서 가져 오면 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 을 사용 하여 문자열을 동적으로 구문 분석합니다. 또는 다음 codeplex 도구를 사용하여 샘플 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 웹 서비스 작업을위한 최신 인터페이스입니다. 링크에있는 페이지의 예제 섹션을 확인하십시오. 비동기 HTTP GET에 대한 매우 간단한 사용 사례가 있습니다.
using (var client = new System.Net.Http.HttpClient())
{
return await client.GetStringAsync("https://reqres.in/api/users/3"); //uri
}