3

我正在寻找一种方法来获取向上转换对象的可能类型。例如:我有一个 MyControl 类型的控件,它继承了 Control。现在,当 MyControl 类型的对象向下转换为 Control 时,有办法找出它是否是顶级对象类型,或者现在何时获取可以向上转换的类型(在本例中为 MyControl) ? 我希望它向上转换到 MyControl(带有反射)并获得带有反射的属性。但我不知道 MyControl 在我必须这样做的地方。

MyControl 是用 new 实现 Visible 的。现在,当我调用 control.Visible = true 时,它​​将调用 Control 的 Visible,但我必须调用 MyControl 的 Visible。

谢谢你的帮助。

4

3 回答 3

4

你也可以使用这个:

MyControl myControl = someControlOfTypeMyControl as MyControl

if(myControl != null)
{
   //your stuff
}

使用“as”.net 框架检查控件是否来自该类型以及是否可以强制转换,.NET 框架将强制转换并返回 MyControl 类型,否则将返回 null。

所以基本上,它与以前的答案相同,但更干净(恕我直言,你可以想不同)

于 2012-02-07T11:09:29.633 回答
2

有:

if (myControl is MyControl)
{
    var m = (MyControl)myControl;
}

这将适用于类型层次结构的任何部分。如果变量本身是基本类型,则以下检查将不起作用:

MyBaseControl myControl = null;

if (myControl.GetType() == typeof(MyControl))
{

}

但是,听起来您想要被覆盖的方法或属性的行为。在正常情况下,您将覆盖Visible

public override bool Visible
{
    get { return true; } // Always visible in derived class.
}

但是,这仅适用于基类未密封并且您要覆盖的成员是abstractor的情况virtual。如果不是这种情况,那么我会坚持转换为派生类型……不理想,但选择不多。

听起来您还试图像这样隐藏基本成员:

public new bool Visible
{
    get { return true; }
}

这仅在您引用类型本身时才有效。如果您有对基类型的引用,则成员隐藏不起作用它不知道成员隐藏在派生类型中:

MyBaseControl c = new MyDerivedControl();

bool vis = c.Visible; // Comes from MyBaseControl even if hidden in derived control.

(在上面,如果Visible被覆盖,那么它将来自派生类)。

更新:要在运行时执行任何此操作,只要您知道要反映的事物的名称,就可以执行以下操作:

class Program
    {
        static void Main(string[] args)
        {
            A a = new B();

            // Get the casted object.
            string fullName = a.GetType().FullName;
            object castedObject = Convert.ChangeType(a, Type.GetType(fullName));

            // Use reflection to get the type.
            var pi = castedObject.GetType().GetProperty("Visible");

            Console.WriteLine(a.Visible);
            Console.WriteLine((bool)pi.GetValue(castedObject, null));

            Console.Read();
        }
    }    

    class A
    {
        public bool Visible { get { return false; } }
    }

    class B : A
    {
        public new bool Visible { get { return true; } }
    }
}
于 2012-02-07T11:04:17.437 回答
0
Control control = (control)someControlOfTypeMyControl;

if (control is MyControl) {
    var myControl = (MyControl)control;
    var propertyValue = myControl.SomeProperty;
}
于 2012-02-07T11:04:16.890 回答