我有一个函数可以通过选定的字段过滤特定类的对象。我目前这样做的方式是我传递一个字符串命名该字段作为函数的参数。理想情况下,我希望能够使用此字符串来选择对象中的字段,类似于字典(例如,javascript中存在此功能)。
所以我在这里有功能(减少到相关位):
private List<HangingArtBundle> ConstrainBundlesBy(List<HangingArtBundle> bundles, string valueString, string constraint)
{
List<HangingArtBundle> retBundles = new List<HangingArtBundle>();
List<string> values = new List<string>(valueString.Split(new char[] { '|' }));
foreach (HangingArtBundle bundle in bundles)
{
if (values.Contains(ConstrainedField(constraint, bundle)))
{
retBundles.Add(bundle);
}
}
return retBundles;
}
我希望能够使用ConstrainedField(constraint, bundle)
之类的内容替换bundle[constraint]
部分,其中constraint
是类HangingArtBundle
字段的名称。相反,我必须在下面使用此功能,这需要我根据需要手动添加字段名称:
private string ConstrainedField(string field, HangingArtBundle bundle)
{
if (field.Equals("Category"))
{
return bundle.Category;
}
else if (field.Equals("AUToolTab"))
{
return bundle.AUToolTab;
}
else
{
return "";
}
}
如果它有帮助,这里是类(基本上只是一个结构):
public class HangingArtBundle
{
public string CP { get; set; }
public string Title { get; set; }
public string Category { get; set; }
public string AUToolTab { get; set; }
public List<HangingArtEntry> Art { get; set; }
}
这可以在C#中以优雅的方式进行吗?
答案 0 :(得分:6)
您可以将System.Reflection
用于此
private string GetField(HangingArtBundle hab, string property)
{
return (string)hab.GetType().GetProperty(property).GetValue(hab, null);
}
或许是一种扩展方法,可以让生活更轻松:
public static class Extensions
{
public static string GetField(this HangingArtBundle hab, string property)
{
if (hab.GetType().GetProperties().Any(p => p.Name.Equals(property)))
{
return (string)hab.GetType().GetProperty(property).GetValue(hab, null);
}
return string.Empty;
}
}
用法:
string result = bundle.GetField("CP");