我有以下类型为 {Newtonsoft.Json.Linq.JArray}
的变量。
properties["Value"] {[
{
"Name": "Username",
"Selected": true
},
{
"Name": "Password",
"Selected": true
}
]}
我想完成的是将其转换为List<SelectableEnumItem>
其中SelectableEnumItem
为以下类型:
public class SelectableEnumItem
{
public string Name { get; set; }
public bool Selected { get; set; }
}
我对编程相当陌生,我不确定这是否可能。任何有关工作示例的帮助将不胜感激。
只需调用array.ToObject<List<SelectableEnumItem>>()
方法即可。它将返回您需要的内容。
文档:将 JSON 转换为类型
问题中的示例是一个更简单的情况,其中属性名称在 json 和代码中完全匹配。如果属性名称不完全匹配,例如 json 中的属性"first_name": "Mark"
,代码中的属性FirstName
则使用 Select 方法,如下所示
List<SelectableEnumItem> items = ((JArray)array).Select(x => new SelectableEnumItem
{
FirstName = (string)x["first_name"],
Selected = (bool)x["selected"]
}).ToList();
在我的例子中,API 返回值如下所示:
{
"pageIndex": 1,
"pageSize": 10,
"totalCount": 1,
"totalPageCount": 1,
"items": [
{
"firstName": "Stephen",
"otherNames": "Ebichondo",
"phoneNumber": "+254721250736",
"gender": 0,
"clientStatus": 0,
"dateOfBirth": "1979-08-16T00:00:00",
"nationalID": "21734397",
"emailAddress": "sebichondo@gmail.com",
"id": 1,
"addedDate": "2018-02-02T00:00:00",
"modifiedDate": "2018-02-02T00:00:00"
}
],
"hasPreviousPage": false,
"hasNextPage": false
}
将 items 数组转换为客户端列表的操作如下所示:
if (responseMessage.IsSuccessStatusCode)
{
var responseData = responseMessage.Content.ReadAsStringAsync().Result;
JObject result = JObject.Parse(responseData);
var clientarray = result["items"].Value<JArray>();
List<Client> clients = clientarray.ToObject<List<Client>>();
return View(clients);
}
我可以想到不同的方法来实现相同的目标
IList<SelectableEnumItem> result= array;
或者(我有一些情况,这个效果不好)
var result = (List<SelectableEnumItem>) array;
或使用 LINQ 扩展
var result = array.CastTo<List<SelectableEnumItem>>();
或
var result= array.Select(x=> x).ToArray<SelectableEnumItem>();
或更明确地
var result= array.Select(x=> new SelectableEnumItem{FirstName= x.Name, Selected = bool.Parse(x.selected) });
请注意上面的解决方案我使用了动态对象
我可以想到更多解决方案,这些解决方案是上述解决方案的组合。 但我认为它涵盖了几乎所有可用的方法。
我自己我用第一个
using Newtonsoft.Json.Linq;
using System.Linq;
using System.IO;
using System.Collections.Generic;
public List<string> GetJsonValues(string filePath, string propertyName)
{
List<string> values = new List<string>();
string read = string.Empty;
using (StreamReader r = new StreamReader(filePath))
{
var json = r.ReadToEnd();
var jObj = JObject.Parse(json);
foreach (var j in jObj.Properties())
{
if (j.Name.Equals(propertyName))
{
var value = jObj[j.Name] as JArray;
return values = value.ToObject<List<string>>();
}
}
return values;
}
}
使用 IList 获取 JArray 计数并使用循环转换为列表
var array = result["items"].Value<JArray>();
IList collection = (IList)array;
var list = new List<string>();
for (int i = 0; i < collection.Count; j++)
{
list.Add(collection[i].ToString());
}