1

我有一堂课,是这样的:

class BaseClass
{
  protected int X;
  virtual void ChangeParameters(int NewX)
  {
    this.X = newX;
  }
}

class DerivedClass1 : BaseClass
{
  private int a;
  private int b;
}

class DerivedClass2 : BaseClass
{
  private int a;
}

当我想在派生类中覆盖 ChangeParameters() 函数时,问题就来了,因为它们中的每一个都可以有不同数量的参数。

那么问题来了——我怎样才能创建一个虚函数,它可以在派生类中改变参数数量?

PS。我不想使用 params 关键字,因为我更希望类的用户确切地知道他必须传递给函数的参数数量。

4

3 回答 3

4

你不能。如果是override,则签名必须完全匹配。如果你想要不同的参数,它听起来不像override- 毕竟......调用者如何调用它,只知道基本类型?(替代校长等)

BaseClass obj = GetSomeConcreteObject(); // actually a DerievedClass2
obj.ChangeParameters({what would go here?});

在我看来,这些只是独立的方法。您可以有一个virtual采用数组(带或不带params)的方法,但随后您需要接受调用者可以提供任何大小。

于 2012-04-16T09:33:54.770 回答
3

那是不可能的。

根据定义,覆盖必须保持与原始方法相同的名称和参数集(也称为签名)。

如果您使用不同的参数,运行时应该如何将您的“覆盖”绑定到超类上的方法调用?想象一下这是可能的:

class A
{
    virtual void Foo(int i) { Console.WriteLine(i); }
}

class B : A
{
    override void Foo(int i, int j) { Console.WriteLine(i + j); }
}

// somewhere else

void DoSomething(A a)
{
    a.Foo(1);
}

// later

DoSomething(new B()); // how will b.Foo get called inside DoSomething?

如果你改变参数,你得到的只是过载。

于 2012-04-16T09:34:26.690 回答
0

有趣的技巧也可以使用可选参数来完成,如下所示:

public class Base
{
     public virtual void DoSomething(string param="Hello", string param1 = "Bye") 
     {

    Console.WriteLine(string.Format("prm: {0}, prm1: {1}", param, param1));
     }
}

public class Derived  : Base
{
    public override void  DoSomething(string param="Ciao", string param1="Ciao")
    {
          Console.WriteLine(string.Format("prm: {0}, prm1: {1}", param, param1));
    }
}

所以你可以在如下代码中使用:

Base a = new Derived();
a.DoSomething();

输出是:

prm: Hello, prm1: Bye

但你现在可以这样:

Base a = new Derived();
a.DoSomething("Ciao");

并像这样输出:

prm: Ciao, prm1: Bye //!! 
于 2012-04-16T09:48:04.050 回答