我在ASP.Net MVC3中托管一个Web服务,它返回一个Json字符串.从ac#console应用程序调用web服务并将返回解析为.NET对象的最佳方法是什么?
我应该在我的控制台应用程序中引用MVC3吗?
Json.Net有一些很好的方法来序列化和反序列化.NET对象,但是我没有看到它有从POST服务中获取POST和GET值的方法.
或者我应该创建自己的辅助方法来POSTing和GETing到Web服务?如何将我的.net对象序列化为键值对?
我使用HttpWebRequest从Web服务获取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动态解析字符串.或者,您可以使用此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 } }
我在我们的Web服务的自动化测试中使用这样的代码.
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(json); // TODO: do something with the model }
您还可以签出一些REST客户端框架,例如RestSharp.
尽管现有的答案是有效的方法,但它们是过时的。HttpClient是用于使用RESTful Web服务的现代界面。检查链接中页面的示例部分,它有一个非常简单的异步HTTP GET用例。
using (var client = new System.Net.Http.HttpClient()) { return await client.GetStringAsync("https://reqres.in/api/users/3"); //uri }