我有一个存储在数据库中的存储过程的名称(和几个视图)。在运行时,我查询数据库,然后运行所需的查询。既然我不知道查询的字段名称,也没有已知对象来存储结果我使用动态变量
dynamic results = Respository.GetTableContents();
// not exactly the code but it conveys the point
该表将包含未知数量的字段,但对于此示例,字段名称为
Id, FirstName, Lastname //(this is what the table would be returning)
// Normally stored to a list of the model type
List<Users> resultsFromTable = ...
可以通过
访问生成的动态数据foreach(var r in result)
{
string name = r.FirstName + " " + r.LastName;
//.... Do something with the code, etc.
}
如果您知道属性名称,那就太棒了。我不知道属性名称。
如何在不知道属性名称的情况下访问动态变量的数据?
我的主要目标是在视图中使用它(剃须刀)。
也许我已经解决了问题并且有更好的方法。有什么想法吗?
答案 0 :(得分:1)
另一种方法是使用System.Reflection
。试试这个:
foreach (var r in results)
{
string name, trimmedName = "";
if (r.GetType() == typeof(ExpandoObject))
{
name = ((IDictionary<string,object>)r).ToList()
.Aggregate<KeyValuePair<string,object>, string>("", (s, p) =>
{
return s + " " + p.Value;
});
trimmedName = name.Trim();
}
else
{
PropertyInfo[] ps = r.GetType().GetProperties();
name = ps.Aggregate<PropertyInfo, string>("", (s, p) =>
{
return s + " " + p.GetValue(r);
});
trimmedName = name.Trim();
}
// use the trimmedName
Console.WriteLine(trimmedName);
}
[编辑]基于@pwas的建议,这里是他的代码版本,具有改进的Cyclomatic Complexity:
foreach (var r in results)
{
ProcessResult(r);
}
ProcessResult
有2个重载:
static void ProcessResult(ExpandoObject r)
{
string name, trimmedName = "";
name = ((IDictionary<string, object>)r).ToList()
.Aggregate<KeyValuePair<string, object>, string>("", (s, p) =>
{
return s + " " + p.Value;
});
trimmedName = name.Trim();
FurtherProcess(trimmedName);
}
static void ProcessResult(object r)
{
string name, trimmedName = "";
PropertyInfo[] ps = r.GetType().GetProperties();
name = ps.Aggregate<PropertyInfo, string>("", (s, p) =>
{
return s + " " + p.GetValue(r);
});
FurtherProcess(trimmedName);
}
private static void FurtherProcess(string trimmedName)
{
Console.WriteLine(trimmedName);
}
以下是改进:
Type Maintainability Cyclomatic
Index Complexity
Program 54 24
// After code optimization
Program 69 16