从Json字符串中提取数据

时间:2014-06-15 19:06:56

标签: c# json json.net

我有一个包含Json的字符串。它看起来像这样:

"status_code":200,
"status_txt":"OK",
"data":
{
   "img_name":"D9Y3z.png",
   "img_url":"http:\/\/s1.uploads.im\/D9Y3z.png",
   "img_view":"http:\/\/uploads.im\/D9Y3z.png",
   "img_width":"167",
   "img_height":"288",
   "img_attr":"width=\"167\" height=\"288\"",
   "img_size":"36.1 KB",
   "img_bytes":36981,
   "thumb_url":"http:\/\/s1.uploads.im\/t\/D9Y3z.png",
   "thumb_width":360,
   "thumb_height":360,
   "source":"http:\/\/www.google.com\/images\/srpr\/nav_logo66.png",
   "resized":"0",
   "delete_key":"df149b075ab68c38"
}

我试图抓住“img_url”。我安装了Json.NET,我在这里发现了类似的问题..

例如:

JObject o = JObject.Parse("{'People':[{'Name':'Jeff'},{'Name':'Joe'}]}");

// get name token of first person and convert to a string
string name = (string)o.SelectToken("People[0].Name");

就我而言,我将("People[0].Name")更改为("img_url")("img_url[0])等等。运气

这是我现在的代码:

public string tempJson { get; set; }
public ActionResult SaveUploadedFile(string test)
{
    using (WebResponse wrs = wrq.GetResponse())
    using (Stream stream = wrs.GetResponseStream())
    using (StreamReader reader = new StreamReader(stream))
    {
        string json = reader.ReadToEnd();
        tempJson = json;
    }
}

在提取值之前,我是否必须对字符串执行某些操作? 谢谢!

2 个答案:

答案 0 :(得分:34)

img_url不是root对象的属性 - 它是data对象的属性:

var obj = JObject.Parse(json);
var url = (string)obj["data"]["img_url"]; // http://s1.uploads.im/D9Y3z.png

另一种选择:

var url = (string)obj.SelectToken("data.img_url");

答案 1 :(得分:12)

this site

的帮助下
var obj = JsonConvert.DeserializeObject<RootObject>(json);
Console.WriteLine(obj.data.img_url);

public class Data
{
    public string img_name { get; set; }
    public string img_url { get; set; }
    public string img_view { get; set; }
    public string img_width { get; set; }
    public string img_height { get; set; }
    public string img_attr { get; set; }
    public string img_size { get; set; }
    public int img_bytes { get; set; }
    public string thumb_url { get; set; }
    public int thumb_width { get; set; }
    public int thumb_height { get; set; }
    public string source { get; set; }
    public string resized { get; set; }
    public string delete_key { get; set; }
}

public class RootObject
{
    public int status_code { get; set; }
    public string status_txt { get; set; }
    public Data data { get; set; }
}

使用dynamic关键字(不声明上述类)也可以做同样的事情

dynamic obj = JsonConvert.DeserializeObject(json);
Console.WriteLine(obj.data.img_url);
相关问题