我可以覆盖c#中的属性吗?怎么样?


76

我有这个基类:

abstract class Base
{
  public int x
  {
    get { throw new NotImplementedException(); }
  }
}

和以下后代:

class Derived : Base
{
  public int x
  {
    get { //Actual Implementaion }
  }
}

当我编译时,我得到警告,说派生类的定义x将隐藏它的Base版本。是否可以在类似c#的方法中覆盖属性?

Answers:


96

您需要使用virtual关键字

abstract class Base
{
  // use virtual keyword
  public virtual int x
  {
    get { throw new NotImplementedException(); }
  }
}

或定义一个抽象属性:

abstract class Base
{
  // use abstract keyword
  public abstract int x { get; }
}

override在孩子中使用关键字:

abstract class Derived : Base
{
  // use override keyword
  public override int x { get { ... } }
}

如果不打算重写,则可以new在方法上使用关键字来隐藏父级的定义。

abstract class Derived : Base
{
  // use new keyword
  public new int x { get { ... } }
}

12

使基本属性抽象,并在派生类中重写或使用new关键字。

abstract class Base
{
  public abstract int x { get; }
}

class Derived : Base
{
  public override int x
  {
    get { //Actual Implementaion }
  }
}

要么

abstract class Base
{
  public int x { get; }
}

class Derived : Base
{
  public new int x
  {
    get { //Actual Implementaion }
  }
}

4
或者,您可以在基类上使用虚拟,如Jeffrey Zhao所提到的。
jrummell 2011年

5

更改属性签名,如下所示:

基类

public virtual int x 
{ get { /* throw here*/ } }

派生类

public override int x 
{ get { /*overriden logic*/ } }

如果在Base类中不需要任何实现,则只需使用abstract属性。

基础:

public abstract int x { get; }

派生:

public override int x { ... }

我建议您使用abstract属性而不是在getter中处理NotImplemented异常,abstact修饰符将强制所有派生类实现此属性,因此您将获得编译时安全的解决方案。


3
abstract class Base 
{ 
  // use abstract keyword 
  public virtual int x 
  { 
    get { throw new NotImplementedException(); } 
  } 
} 

3
abstract class Base
{

  public virtual int x
  {
    get { throw new NotImplementedException(); }
  }
}

要么

abstract class Base
{
  // use abstract keyword
  public abstract int x
  {
    get;
  }
}

在这两种情况下,您都必须编写派生类

public override int x
  {
    get { your code here... }
  }

两者之间的区别在于,使用抽象时,您可以强制派生类实现某些东西,而使用virtaul时,您可以提供一个默认行为,派生者可以按原样使用或更改它。

By using our site, you acknowledge that you have read and understand our Cookie Policy and Privacy Policy.
Licensed under cc by-sa 3.0 with attribution required.