2

我有以下内容:

    [Serializable()]
    public struct ModuleStruct {
        public string moduleId;
        public bool isActive;
        public bool hasFrenchVersion;
        public string titleEn;
        public string titleFr;
        public string descriptionEn;
        public string descriptionFr;
        public bool isLoaded;
        public List<SectionStruct> sections;
        public List<QuestionStruct> questions;
    }

我创建了一个实例并填充它(内容与问题无关)。我有一个函数,它将实例化的对象作为一个参数,我们将其称为模块,并将该对象的类型作为另一个参数:module.GetType().

然后,此函数将使用反射,并且:

    FieldInfo[] fields = StructType.GetFields();
    string fieldName = string.Empty;

函数中的参数名称是StructStructType

我遍历 中的字段名称Struct,提取不同字段的值 和 并对其进行处理。一切都很好,直到我到达:

    public List<SectionStruct> sections;
    public List<QuestionStruct> questions;

该函数只知道Structby的类型StructType。在VB中,代码很简单:

    Dim fieldValue = Nothing
    fieldValue = fields(8).GetValue(Struct)

接着:

    fieldValue(0)

获取列表部分中的第一个元素;但是,在 C# 中,相同的代码不起作用,因为fieldValue它是一个对象,而我不能fieldValue[0]对一个对象执行此操作。

那么,我的问题是,该函数只知道Structby的类型StructType,如果可能的话,我如何在 C# 中复制 VB 行为?

4

1 回答 1

3

这里有一些(非常简单的)示例代码,这些代码非常清楚......我真的不想为你做所有事情,因为这可能是反思的一个很好的教训:)

private void DoSomethingWithFields<T>(T obj)
{
    // Go through all fields of the type.
    foreach (var field in typeof(T).GetFields())
    {
        var fieldValue = field.GetValue(obj);

        // You would probably need to do a null check
        // somewhere to avoid a NullReferenceException.

        // Check if this is a list/array
        if (typeof(IList).IsAssignableFrom(field.FieldType))
        {
            // By now, we know that this is assignable from IList, so we can safely cast it.
            foreach (var item in fieldValue as IList)
            {
                // Do you want to know the item type?
                var itemType = item.GetType();

                // Do what you want with the items.
            }
        }
        else
        {
            // This is not a list, do something with value
        }
    }
}
于 2012-11-22T23:10:38.507 回答