我目前正在构建一个方法,该方法从类型化的DataSet中获取类型为DataRow
的对象,然后返回DataRow中字段的JSON格式的字符串(用于网络服务)。
使用System.Reflection
,我正在做这样的事情:
public string getJson(DataRow r)
{
Type controlType = r.GetType();
PropertyInfo[] props = controlType.GetProperties();
foreach (PropertyInfo controlProperty in props)
{
}
return "";
}
然后在foreach
语句中,我将迭代每个字段并获取字段名称和值,并将其格式化为JSON。
问题在于,当迭代props
(类型为PropertyInfo[]
)时,我得到了我不想迭代的属性:
alt text http://img88.imageshack.us/img88/2001/datarowreflectionht0.gif
从上图中可以看出,我只需要0 - 11
数组中props
范围内的字段,因为这些字段是此特定类型行的“真实字段”。
所以我的问题是,如何才能获取Typed DataRow的字段,而不是其他'元数据'?
[使用解决方案更新]
正如Mehrdad Afshari建议的那样,我使用的是Reflection
数组而不是Table.Columns
。
这是完成的功能:
public string GetJson(DataRow r)
{
int index = 0;
StringBuilder json = new StringBuilder();
foreach (DataColumn item in r.Table.Columns)
{
json.Append(String.Format("\"{0}\" : \"{1}\"", item.ColumnName, r[item.ColumnName].ToString()));
if (index < r.Table.Columns.Count - 1)
{
json.Append(", ");
}
index++;
}
return "{" + json.ToString() + "}";
}
答案 0 :(得分:11)
为什么不使用row.Table.Columns
属性而不是反射?