Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

Call external json webservice from asp.net C#

I need to make a call to a json webservice from C# Asp.net. The service returns a json object and the json data that the webservice wants look like this:

"data" : "my data"

This is what I've come up with but I can't understand how I add the data to my request and send it and then parse the json data that I get back.

string data = "test";
Uri address = new Uri("http://localhost/Service.svc/json");
HttpWebRequest request = (HttpWebRequest)WebRequest.Create(address);
request.Method = "POST";
request.ContentType = "application/json; charset=utf-8";
string postData = "{\"data\":\"" + data + "\"}";

How can I add my json data to my request and then parse the response?

like image 629
Martin Avatar asked Jan 15 '10 11:01

Martin


1 Answers

Use the JavaScriptSerializer, to deserialize/parse the data. You can get the data using:

// corrected to WebRequest from HttpWebRequest
WebRequest request = WebRequest.Create("http://localhost/service.svc/json");

request.Method="POST";
request.ContentType = "application/json; charset=utf-8";
string postData = "{\"data\":\"" + data + "\"}"; //encode your data 
                                               //using the javascript serializer

//get a reference to the request-stream, and write the postData to it
using(Stream s = request.GetRequestStream())
{
    using(StreamWriter sw = new StreamWriter(s))
        sw.Write(postData);
}

//get response-stream, and use a streamReader to read the content
using(Stream s = request.GetResponse().GetResponseStream())
{
    using(StreamReader sr = new StreamReader(s))
    {
        var jsonData = sr.ReadToEnd();
        //decode jsonData with javascript serializer
    }
}
like image 195
Jan Jongboom Avatar answered Oct 19 '22 23:10

Jan Jongboom