user3611646
user3611646

Reputation: 19

How to parse Json WebApi response containing C# list

hi I have a json response like

{"Status":"Success","Message":"Authentication successful","Data":{"Key":"sdsdIRs99Iebe6QHmawlBsCks9mqfUt6jKYNQ%2bW","UserId":"ddjjj8-11e6-637af7"}}

how can I parse this to read response.

I am doing this way:

private void POST(string url) 
{
    HttpWebRequest request = (HttpWebRequest)WebRequest.Create(url);
    request.Method = "POST";

    System.Text.UTF8Encoding encoding = new System.Text.UTF8Encoding();

    postData="{\"UserName\": \"abc\"," +"\"Password\": \"mypwd\"}";

    Byte[] byteArray = Encoding.UTF8.GetBytes(postData);

    request.ContentLength = byteArray.Length;
    request.ContentType = @"application/x-www-form-urlencoded";

    using (Stream dataStream = request.GetRequestStream())
    {
        dataStream.Write(byteArray, 0, byteArray.Length);
    }

    long length = 0;

    try 
    {
        using (HttpWebResponse response =  (HttpWebResponse)request.GetResponse())
        {
            length = response.ContentLength;
             using (var reader = new StreamReader(response.GetResponseStream()))
             {
                JavaScriptSerializer js = new JavaScriptSerializer();
                var objText = reader.ReadToEnd();

                string str= objText;
                MyObject myojb = (MyObject)js.Deserialize(objText,typeof(MyObject));           
            }
        }                       
    }
    catch (WebException ex) 
    {
        // Log exception and throw as for GET example above
    }
}

I am able to read "Status" and "Message" but unable to read "Key" and "UserID" values.

Please help!

Upvotes: 1

Views: 1490

Answers (2)

konrad_pe
konrad_pe

Reputation: 1190

Guessing (since we don't know the structure of the MyObject class) how you access your data:

String status = myobj.status;
String message = myobj.message; 

Now since the other data properties are in the "data" node of your json, you should be able to access them like this:

String key = myobj.data.key;
String userId = myobj.data.userId; 

Upvotes: 1

Mohit S
Mohit S

Reputation: 14024

You can use Newtonsoft Json instead of JavaScriptSerializer the class structure for your json looks like this

public class Rootobject
{
    public string Status { get; set; }
    public string Message { get; set; }
    public Data Data { get; set; }
}

public class Data
{
    public string Key { get; set; }
    public string UserId { get; set; }
}

Deserialization could be done easily like

Rootobject ro = JsonConvert.DeserializeObject<Rootobject>(json);

Console.WriteLine(ro.Status + ", " + ro.Message + ", " + ro.Data.Key + ", " + ro.Data.UserId);

Upvotes: 5

Related Questions