C#中访问私有成员详解
首先访问一个类的私有成员不是什么好做法。大家都知道私有成员在外部是不能被访问的。一个类中会存在很多私有成员:如私有字段、私有属性、私有方法。对于私有成员造访,可以套用下面这种非常好的方式去解决。
- private string name;
- public string Name
- {
- get
- {
- return name;
- }
- set
- {
- name = value;
- }
- }
但是有时候,源代码是别人的,只提供给你dll。或者你去维护别人的代码,源代码却有丢失。这样的情况或许你想知道私有成员的值,甚至去想直接调用类里面的私有方法。那怎么办呢?在.net中访问私有成员不是很难,这篇文章提供几个简单的方法让你如愿以偿。
为了让代码用起来优雅,使用扩展方法去实现。
1、得到私有字段的值:
- public static T GetPrivateField<T>(this object instance, string fieldname)
- {
- BindingFlags flag = BindingFlags.Instance | BindingFlags.NonPublic;
- Type type = instance.GetType();
- FieldInfo field = type.GetField(fieldname, flag);
- return (T)field.GetValue(instance);
- }
2、得到私有属性的值:
- public static T GetPrivateProperty<T>(this object instance, string propertyname)
- {
- BindingFlags flag = BindingFlags.Instance | BindingFlags.NonPublic;
- Type type = instance.GetType();
- PropertyInfo field = type.GetProperty(propertyname, flag);
- return (T)field.GetValue(instance, null);
- }
3、设置私有成员的值:
- public static void SetPrivateField(this objectinstance, stringfieldname, objectvalue)
- {
- BindingFlagsflag = BindingFlags.Instance | BindingFlags.NonPublic;
- Typetype = instance.GetType();
- FieldInfofield = type.GetField(fieldname, flag);
- field.SetValue(instance, value);
- }
4、设置私有属性的值:
- public static void SetPrivateProperty(this objectinstance, stringpropertyname, objectvalue)
- {
- BindingFlagsflag = BindingFlags.Instance | BindingFlags.NonPublic;
- Typetype = instance.GetType();
- PropertyInfofield = type.GetProperty(propertyname, flag);
- field.SetValue(instance, value, null
补充:软件开发 , C# ,