0

如何获取所有嵌套类中所有字段的列表

class AirCraft
{
    class fighterJets
    {
        public string forSeas = "fj_f18";
        public string ForLand = "fj_f15";
    }
    class helicopters 
    {
        public string openFields = "Apachi";
        public string CloseCombat = "Cobra";

    }
}

我尝试使用的代码来自这里的一篇文章,我可以将它分成两行或三行分隔的代码,它会起作用,问题是关于表达式,并使用最短/现代代码。

IEnumerable<FieldInfo> GetAllFields(Type type) {
    return type.GetNestedTypes().SelectMany(GetAllFields)
               .Concat(type.GetFields());
}

这将返回 fieldInfo 而不是名称或值,我更需要它作为字符串列表或更适合字段值和名称的字典,但现在可以使用列表。

List<string> (or dictionary) ChosenContainersNamesOrValuesOfAllNested(Type T)
{
   return a shortest syntax for that task, using lambda rather foreach
}

谢谢。

4

1 回答 1

1

您可以只使用 Linq 的Select扩展方法来获取名称:

IEnumerable<string> GetAllFieldNames(Type type)
{
    // uses your existing method
    return GetAllFields(type).Select(f => f.Name);
}

或者ToDictionary构造字典的扩展方法:

IDictionary<string, object> GetAllFieldNamesAndValues(object instance) 
{
    return instance.GetType()
        .GetFields()
        .ToDictionary(f => f.Name, f => f.GetValue(instance));
}

请注意,您将需要该类型的实例来获取值。此外,这仅适用于单一类型,因为您需要每种类型的实例来获取值。

但是,如果您将字段定义为静态,您可以这样做:

class AirCraft
{
    public class fighterJets
    {
        public static string forSeas = "fj_f18";
        public static string ForLand = "fj_f15";
    }
    public class helicopters 
    {
        public static string openFields = "Apachi";
        public static string CloseCombat = "Cobra";

    }
}

IEnumerable<FieldInfo> GetAllStaticFields(Type type) 
{
    return type.GetNestedTypes().SelectMany(GetAllFields)
               .Concat(type.GetFields(BindingFlags.Public | BindingFlags.Static));
}


IDictionary<string, object> GetAllStaticFieldNamesAndValues(Type type) 
{
    return GetAllStaticFields(type)
        .ToDictionary(f => f.Name, f => f.GetValue(null));
}

这是有效的,因为静态字段没有绑定到类的任何实例。

于 2013-06-08T22:24:44.703 回答