本文介绍了创建动态对象的处理方法,对大家解决问题具有一定的参考价值,需要的朋友们下面随着小编来一起学习吧!
问题描述
如何动态创建对象?
string[] columnNames = { "EmpName", "EmpID", "PhoneNo" };
List<string[]> columnValues = new List<string[]>();
for (int i = 0; i < 10; i++)
{
columnValues.Add(new[] { "Ramesh", "12345", "12345" });
}
List<Dictionary<string, object>> testData = new List<Dictionary<string, object>>();
foreach (string[] columnValue in columnValues)
{
Dictionary<string, object> data = new Dictionary<string, object>();
for (int j = 0; j < columnNames.Count(); j++)
{
data.Add(columnNames[j], columnValues[j]);
}
testData.Add(data);
}
虚构类(代码中不提供类) strong>
Imaginary Class(Class is not available in code):
class Employee
{
string EmpName { get;set; }
string EmpID { get;set; }
string PhoneNo { get;set; }
}
注意:属性/列名称是动态的。
Note: Property/column names are dynamic.
现在我想将列表<字典< string,object>>
转换为类型列表< object>
(ie)列表< Employee>
。
Now I want to convert the List<Dictionary<string, object>>
to a class of type List<object>
(i.e) List<Employee>
.
可以吗
推荐答案
使用匿名对象(如果您知道要投影的属性):
Using an anonymous object (if you know the properties you want to project):
var employees =
(from dict in testData
select new
{
EmpName = dict["EmpName"] as string,
EmpID= dict["EmpID"] as string,
PhoneNo=dict["PhoneNo"] as string
}).ToList();
或者,使用System.Dynamic.Expando(如果需要动态地项目未知列名称):
Or, using System.Dynamic.Expando (if you need to dynamically project unknown column names):
string[] columnNames = { "EmpName", "EmpID", "PhoneNo" };
List<string[]> columnValues = new List<string[]>();
for (int i = 0; i < 10; i++)
{
columnValues.Add(new[] { "Ramesh", "12345", "12345" });
}
var testData = new List<ExpandoObject>();
foreach (string[] columnValue in columnValues)
{
dynamic data = new ExpandoObject();
for (int j = 0; j < columnNames.Count(); j++)
{
((IDictionary<String,Object>)data).Add(columnNames[j], columnValue[j]);
}
testData.Add(data);
}
这篇关于创建动态对象的文章就介绍到这了,希望我们推荐的答案对大家有所帮助,也希望大家多多支持!