我正在使用.net web api获取json并将其返回到前端以获得角度。 json可以是对象或数组。我的代码目前只适用于数组而不是对象。我需要找到一种方法来tryparse或确定内容是对象还是数组。
这是我的代码
public HttpResponseMessage Get(string id)
{
string singleFilePath = String.Format("{0}/../Data/phones/{1}.json", AssemblyDirectory, id);
List<Phone> phones = new List<Phone>();
Phone phone = new Phone();
JsonSerializer serailizer = new JsonSerializer();
using (StreamReader json = File.OpenText(singleFilePath))
{
using (JsonTextReader reader = new JsonTextReader(json))
{
//if array do this
phones = serailizer.Deserialize<List<Phone>>(reader);
//if object do this
phone = serailizer.Deserialize<Phone>(reader);
}
}
HttpResponseMessage response = Request.CreateResponse<List<Phone>>(HttpStatusCode.OK, phones);
return response;
}
以上可能不是最好的方法。它就在我现在的位置。
答案 0 :(得分:105)
使用Json.NET,您可以这样做:
string content = File.ReadAllText(path);
var token = JToken.Parse(content);
if (token is JArray)
{
IEnumerable<Phone> phones = token.ToObject<List<Phone>>();
}
else if (token is JObject)
{
Phone phone = token.ToObject<Phone>();
}
答案 1 :(得分:1)
从美学上来说,我喜欢@dcastro给出的答案更好。但是,如果要生成JToken对象,则也可以只使用令牌的 Type 枚举属性。由于已经确定了 Type 属性,因此与进行对象类型比较相比可能要便宜一些。
https://www.newtonsoft.com/json/help/html/T_Newtonsoft_Json_Linq_JTokenType.htm
//...JToken token
if (token.Type == JTokenType.Array)
{
IEnumerable<Phone> phones = token.ToObject<List<Phone>>();
}
else if (token.Type == JTokenType.Object)
{
Phone phone = token.ToObject<Phone>();
}
else
{
Console.WriteLine($"Neither, it's actually a {token.Type}");
}
答案 2 :(得分:0)
我发现对于大型JSON文件,使用Json.NET接受的解决方案有点慢。
看来JToken
API的内存分配过多。
这是一个使用JsonReader
API来执行相同操作的辅助方法:
public static List<T> DeserializeSingleOrList<T>(JsonReader jsonReader)
{
if (jsonReader.Read())
{
switch (jsonReader.TokenType)
{
case JsonToken.StartArray:
return new JsonSerializer().Deserialize<List<T>>(jsonReader);
case JsonToken.StartObject:
var instance = new JsonSerializer().Deserialize<T>(jsonReader);
return new List<T> { instance };
}
}
throw new InvalidOperationException("Unexpected JSON input");
}
用法:
public HttpResponseMessage Get(string id)
{
var filePath = $"{AssemblyDirectory}/../Data/phones/{id}.json";
using (var json = File.OpenText(filePath))
using (var reader = new JsonTextReader(json))
{
var phones = DeserializeSingleOrList<Phone>(reader);
return Request.CreateResponse<List<Phone>>(HttpStatusCode.OK, phones);
}
}