重载方法-引用和实例化对象的区别

时间:2019-06-24 14:26:34

标签: c# polymorphism overloading

在上面的代码片段中,我有一个基类Shape和两个从其衍生的类RectangleTriangle。我实例化了它们,但对于一个Triangle对象,我使用其基类的引用类型。
因此,现在当我调用方法calculate()时,它将更喜欢调用采用基类参数的方法。

这是什么目的?

我正在创建Triangle对象,而不是Shape对象,我只是使用基类的引用。我的另一个问题是,与使用基类的引用和从派生实例化对象而不是使用派生引用相比,它们还有其他区别吗?

public static void Main(string[] args)
{
    Point tc = new Point(3, 4);
    Point rc = new Point(7, 5);

    Shape shape = new Triangle(tc, 4, 4, 4);

    calculate(shape);
}

public static void calculate(Shape shape) <<-- new Triangle()  with base class ref will came here.
{
    Console.WriteLine("shape");
}

public static void calculate(Rectangle rectangle) 
{
    Console.WriteLine("rectangle");
}

public static void calculate(Triangle triangle) <<-- new Triangle() using triangle ref will came here.
{
    Console.WriteLine("triangle");
}

2 个答案:

答案 0 :(得分:3)

1ST问题:因此,现在当我调用方法validate()时,它将更喜欢调用采用基类参数的方法。这样做的目的是什么?

答案:怎么可能是其他方式?编译器将无法确定对象的“实际”类型,因为只有在运行时才能真正知道该类型。使用“反射”(例如GetType()和typeof())将父对象(形状)转换为其子对象(三角形),然后将其作为参数传递给您,这是您的责任。如果它以其他任何方式起作用,则您将无法正确实现以下方法。

 public foo(object var1){
     // Test for var1's type and perform a operation
 }

第二个问题:与使用基类的引用和从派生实例化对象而不是使用派生引用相比,它们还有其他区别吗?

答案:在内存中,引用始终指向相同的数据,但是 Context 会更改。这意味着该对象所确定的对象类型(子对象或父对象)决定了可以访问哪些字段/方法。对象强制转换为哪种类型不会改变实际存储在堆中的内容,而是会更改您可以访问的内容。下面的代码段对此进行了演示。

    public class Parent {
        public int var1 = 1;
    }

    public class Child : Parent {
        public int var2 = 2;
    }

    public void foo () {
        Parent theObject = new Child();
        int num1 = theObject.var1;          // Valid
        int num2 = theObject.var2;          // Invalid
        int num3 = ((Child)theObject).var2; // Valid
    }

答案 1 :(得分:0)

实现多态的正确方法是将您的calculate函数放置在您的每个类(包括基类)中,而不要将其静态化。然后,您将从实例中调用该函数,您将获得预期的结果:

Shape shape = new Triangle(tc, 4, 4, 4);
shape.calculate(); <<-- this will output "triangle"