.net中通過反射得到所有的私有欄位(包括父類)

wangccsy發表於2018-01-25

在.net中,利用反射可以很容易獲取類的欄位,屬性和方法,不管是私有的,公有的還是受保護的,但如果一個類繼承了其它的類,想要獲取全部的屬性或欄位或方法似乎沒有直接的方法。通過參考Java並實際實踐,找到一個折中的辦法。Demo如下:
首先定義兩個類(Student繼承自People)

點選(此處)摺疊或開啟

public class People
    {
        private string _Name;
        private string _Sex;
        private string _Age;

        public string Name
        {
            get { return this._Name; }
            set { this._Name = value; }
        }

        public string Sex
        {
            get { return this._Sex; }
            set { this._Sex = value; }
        }

        public string Age
        {
            get { return this._Age; }
            set { this._Age = value; }
        }
    }

    public class Student : People
    {
        private string _StuNo;
        private string _SchoolName;
        public string StuNo { get { return this._StuNo; } set { this._StuNo = value; } }

        public string SchoolName
        {
            get { return this._SchoolName; }
            set { this._SchoolName = value; }
        }
    }

通過反射取所有的私有欄位

點選(此處)摺疊或開啟

List<FieldInfo> fieldList = new List<FieldInfo>();
            People stu = new Student();
            Type type = stu.GetType();
            FieldInfo[] fieldInfos = type.GetFields(BindingFlags.NonPublic | BindingFlags.Instance );
            fieldList.AddRange(fieldInfos);
            while((type = type.BaseType) != typeof(object))
            {
                fieldList.AddRange(type.GetFields(BindingFlags.NonPublic | BindingFlags.Instance));
            }

折中的地方是通過類的型別包含的BaseType屬性找到父型別,當父型別不是object時一直取所有的私有欄位並新增到List中即可。
​權當記錄,以備後查。


相關文章