3

我有一个函数可以通过选定的字段过滤特定类的对象。我目前这样做的方式是将一个字符串命名为该字段作为函数的参数。理想情况下,我希望能够使用此字符串来选择对象中的字段,类似于字典(例如,此功能存在于 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]哪里。相反,我必须使用下面的这个函数,这需要我根据需要手动添加字段名称:constraintHangingArtBundle

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# 中以一种优雅的方式完成吗?

4

1 回答 1

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");
于 2012-12-04T02:25:39.160 回答