https://msdn.microsoft.com/en-us/library/ms173153.aspx

In C#, a method in a derived class can have the same name as a method in the base class.

You can specify how the methods interact by using the new and override keywords.

The override modifier extends the base class method, and the new modifier hides it.

The difference is illustrated in the examples in this topic.

In a console application, declare the following two classes, BaseClass and DerivedClass.

DerivedClass inherits from BaseClass.

class BaseClass
{
public void Method1()
{
Console.WriteLine("Base - Method1");
}
} class DerivedClass : BaseClass
{
public void Method2()
{
Console.WriteLine("Derived - Method2");
}
}

In the Main method, declare variables bc, dc, and bcdc.

  • bc is of type BaseClass, and its value is of type BaseClass.

  • dc is of type DerivedClass, and its value is of type DerivedClass.

  • bcdc is of type BaseClass, and its value is of type DerivedClass. This is the variable to pay attention to.

Because bc and bcdc have type BaseClass, they can only directly access Method1, unless you use casting.

Variable dc can access both Method1 andMethod2. These relationships are shown in the following code.

class Program
{
static void Main(string[] args)
{
BaseClass bc = new BaseClass();
DerivedClass dc = new DerivedClass();
BaseClass bcdc = new DerivedClass(); bc.Method1();
dc.Method1();
dc.Method2();
bcdc.Method1(); //这个是正常的例子,子类没有重写父类的方法
}
// Output:
// Base - Method1
// Base - Method1
// Derived - Method2
// Base - Method1
}

Next, add the following Method2 method to BaseClass.

The signature of this method matches the signature of the Method2 method in DerivedClass.

public void Method2()
{
Console.WriteLine("Base - Method2");
}
 class BaseClass
{
public void Method1()
{
Console.WriteLine("Base - Method1");
}
public void Method2()
{
Console.WriteLine("Base - Method2");
}
} class DerivedClass : BaseClass
{
public void Method2()
{
Console.WriteLine("Derived - Method2");
}
}

父类有Method1和Method2    子类有Method2,并且子类的Method2隐藏了父类的Method2

Because BaseClass now has a Method2 method, a second calling statement can be added for BaseClass variables bc and bcdc, as shown in the following code.

bc.Method1();
bc.Method2();
dc.Method1(); //子类没有Method1,所以调用的是父类的方法
dc.Method2(); //子类有Method2,所以优先调用子类的方法
bcdc.Method1(); //子类没有Method1,所有调用的是父类的方法
bcdc.Method2(); //子类虽然有Method2,但是隐藏了父类Method2,

When you build the project, you see that the addition of the Method2 method in BaseClass causes a warning.

The warning says that the Method2 method in DerivedClass hides the Method2 method in BaseClass.

You are advised to use the new keyword in the Method2 definition if you intend to cause that result.

Alternatively, you could rename one of the Method2 methods to resolve the warning, but that is not always practical.

Before adding new, run the program to see the output produced by the additional calling statements. The following results are displayed.

// Output:
// Base - Method1
// Base - Method2
// Base - Method1
// Derived - Method2
// Base - Method1
// Base - Method2

The new keyword preserves the relationships that produce that output, but it suppresses抑制 the warning.

The variables that have type BaseClass continue to access the members of BaseClass,

and the variable that has type DerivedClass continues to access members in DerivedClass first, and then to consider members inherited from BaseClass.

To suppress the warning, add the new modifier to the definition of Method2 in DerivedClass, as shown in the following code.

The modifier can be added before or after public.

public new void Method2()
{
Console.WriteLine("Derived - Method2");
}

Run the program again to verify that the output has not changed.

Also verify that the warning no longer appears.

By using new, you are asserting断言 that you are aware that the member that it modifies hides a member that is inherited from the base class.

For more information about name hiding through inheritance, see new Modifier (C# Reference).

To contrast对比 this behavior to the effects of using override, add the following method to DerivedClass.

The override modifier can be added before or after public.

public override void Method1()
{
Console.WriteLine("Derived - Method1");
}

Add the virtual modifier to the definition of Method1 in BaseClass. The virtual modifier can be added before or after public.

public virtual void Method1()
{
Console.WriteLine("Base - Method1");
}

Run the project again. Notice especially the last two lines of the following output.

// Output:
// Base - Method1
// Base - Method2
// Derived - Method1
// Derived - Method2
// Derived - Method1
// Base - Method2

The use of the override modifier enables bcdc to access the Method1 method that is defined in DerivedClass.

Typically, that is the desired behavior in inheritance hierarchies.

You want objects that have values that are created from the derived class to use the methods that are defined in the derived class.

You achieve that behavior by using override to extend the base class method.

The following code contains the full example.

The following example illustrates similar behavior in a different context.

The example defines three classes: a base class named Car and two classes that are derived from it, ConvertibleCar有活动折篷的汽车 and Minivan小型货车.

The base class contains a DescribeCar method.

The method displays a basic description of a car, and then calls ShowDetails to provide additional information.

Each of the three classes defines a ShowDetails method.

The new modifier is used to define ShowDetails in the ConvertibleCar class.

The override modifier is used to define ShowDetails in the Minivan class.

// Define the base class, Car. The class defines two methods,
// DescribeCar and ShowDetails. DescribeCar calls ShowDetails, and each derived
// class also defines a ShowDetails method. The example tests which version of
// ShowDetails is selected, the base class method or the derived class method.
class Car
{
public void DescribeCar()
{
System.Console.WriteLine("Four wheels and an engine.");
ShowDetails();
} public virtual void ShowDetails()
{
System.Console.WriteLine("Standard transportation.");
}
} // Define the derived classes. // Class ConvertibleCar uses the new modifier to acknowledge that ShowDetails
// hides the base class method.
class ConvertibleCar : Car
{
public new void ShowDetails()
{
System.Console.WriteLine("A roof that opens up.");
}
} // Class Minivan uses the override modifier to specify that ShowDetails
// extends the base class method.
class Minivan : Car
{
public override void ShowDetails()
{
System.Console.WriteLine("Carries seven people.");
}
}

The example tests which version of ShowDetails is called.

The following method, TestCars1, declares an instance of each class, and then callsDescribeCar on each instance.

public static void TestCars1()
{
System.Console.WriteLine("\nTestCars1");
System.Console.WriteLine("----------"); Car car1 = new Car();
car1.DescribeCar();
System.Console.WriteLine("----------"); // Notice the output from this test case. The new modifier is
// used in the definition of ShowDetails in the ConvertibleCar
// class. ConvertibleCar car2 = new ConvertibleCar();
car2.DescribeCar();
System.Console.WriteLine("----------"); Minivan car3 = new Minivan();
car3.DescribeCar();
System.Console.WriteLine("----------");
}

TestCars1 produces the following output.

Notice especially the results for car2, which probably are not what you expected.

The type of the object isConvertibleCar, but DescribeCar does not access the version of ShowDetails that is defined in the ConvertibleCar class because that method is declared with the new modifier, not the override modifier.

As a result, a ConvertibleCar object displays the same description as a Car object.

Contrast the results for car3, which is a Minivan object.

In this case, the ShowDetails method that is declared in the Minivan class overrides theShowDetails method that is declared in the Car class, and the description that is displayed describes a minivan.

// TestCars1
// ----------
// Four wheels and an engine.
// Standard transportation.
// ----------
// Four wheels and an engine.
// Standard transportation.
// ----------
// Four wheels and an engine.
// Carries seven people.
// ----------

TestCars2 creates a list of objects that have type Car. The values of the objects are instantiated from the Car, ConvertibleCar, and Minivanclasses. DescribeCar is called on each element of the list. The following code shows the definition of TestCars2.

public static void TestCars2()
{
System.Console.WriteLine("\nTestCars2");
System.Console.WriteLine("----------"); var cars = new List<Car> { new Car(), new ConvertibleCar(),
new Minivan() }; foreach (var car in cars)
{
car.DescribeCar();
System.Console.WriteLine("----------");
}
}

The following output is displayed.

Notice that it is the same as the output that is displayed by TestCars1.

The ShowDetails method of the ConvertibleCar class is not called, regardless of whether the type of the object is ConvertibleCar, as in TestCars1, or Car, as in TestCars2.

Conversely相反地, car3 calls the ShowDetails method from the Minivan class in both cases, whether it has type Minivan or type Car.

// TestCars2
// ----------
// Four wheels and an engine.
// Standard transportation.
// ----------
// Four wheels and an engine.
// Standard transportation.
// ----------
// Four wheels and an engine.
// Carries seven people.
// ----------

Methods TestCars3 and TestCars4 complete the example.

These methods call ShowDetails directly, first from objects declared to have typeConvertibleCar and Minivan (TestCars3),

then from objects declared to have type Car (TestCars4).

The following code defines these two methods.

public static void TestCars3()
{
System.Console.WriteLine("\nTestCars3");
System.Console.WriteLine("----------");
ConvertibleCar car2 = new ConvertibleCar();
Minivan car3 = new Minivan();
car2.ShowDetails();
car3.ShowDetails();
} public static void TestCars4()
{
System.Console.WriteLine("\nTestCars4");
System.Console.WriteLine("----------");
Car car2 = new ConvertibleCar();
Car car3 = new Minivan();
car2.ShowDetails();
car3.ShowDetails();
}

The methods produce the following output, which corresponds to the results from the first example in this topic.

// TestCars3
// ----------
// A roof that opens up.
// Carries seven people. // TestCars4
// ----------
// Standard transportation.
// Carries seven people.

The following code shows the complete project and its output.

Knowing When to Use Override and New Keywords (C# Programming Guide)的更多相关文章

  1. Versioning with the Override and New Keywords (C# Programming Guide)

    The C# language is designed so that versioning between base and derived classes in different librari ...

  2. virtual (C# Reference)

    https://msdn.microsoft.com/en-us/library/9fkccyh4.aspx The virtual keyword is used to modify a metho ...

  3. Polymorphism (C# Programming Guide)

    https://msdn.microsoft.com/en-us/library/ms173152.aspx Polymorphism is often referred to as the thir ...

  4. override (C# Reference)

    https://msdn.microsoft.com/en-us/library/ebca9ah3.aspx The override modifier is required to extend o ...

  5. .NET 面试题: C# override && overloading (C# 覆写 && 重载)

    1 1 1 .NET 面试题, C# ,override , overloading, 覆写, 重载,.NET,ASP.NET, override (覆写/重写): 方法名相同,参数的个数和类型相同, ...

  6. How to Write Doc Comments for the Javadoc Tool

    http://www.oracle.com/technetwork/java/javase/documentation/index-137868.html This document describe ...

  7. Instruments 使用指南

    Instruments 用户指南 http://cdn.cocimg.com/bbs/attachment/Fid_6/6_24457_90eabb4ed5b3863.pdf 原著:Apple Inc ...

  8. Understanding the Objective-C Runtime

    Wednesday, January 20, 2010 Understanding the Objective-C Runtime The Objective-C Runtime is one of ...

  9. SpringBoot+Mybatis配置Pagehelper分页插件实现自动分页

    SpringBoot+Mybatis配置Pagehelper分页插件实现自动分页 **SpringBoot+Mybatis使用Pagehelper分页插件自动分页,非常好用,不用在自己去计算和组装了. ...

随机推荐

  1. swift extension 的最终目的是结合

    与数据结合:对数据进行操作: 与行为结合:使用原有行为生成更便捷的行为: 与协议结合:实现协议: 与类型结合:对类型数据进行操作,添加新的行为: 与关联类型.泛型结合:对类型做出限定.

  2. Sturts2几个常用内建拦截器的介绍

    Sturts2几个常用内建拦截器的介绍:1)conversation:这是一个处理类型转换错误的拦截器,它负责将类型转换错误从ActionContext中取出,并转换成Action的FieldErro ...

  3. 梦想iOS版CAD控件2018.11.07更新

    下载地址: http://www.mxdraw.com/ndetail_10110.html 1.  增加iOS上的CAD绘图接口和使用例子 2.  增加动态交互使用例子 3.  把Android上改 ...

  4. Introduction of Version Control/Git, SVN

    什么是版本控制? 你可以把一个版本控制系统(缩写VCS)理解为一个“数据库”,在需要的时候,它可以帮你完整地保存一个项目的快照.当你需要查看一个之前的快照(称之为“版本”)时,版本控制系统可以显示出当 ...

  5. python vars模块

    {'__file__': 'C:/Users/zhou/PycharmProjects/fullstack2/6_20/test.py', '__doc__': None, '__cached__': ...

  6. python的webservice请求

    1.pip install client 2.pip install suds-jurko #coding=utf-8from suds.client import Clientimport time ...

  7. 魂酥的LNOI2019滚粗记

    $Day -???$ 高一下终于开始了 在开学文化课考试的水题之下混了个(成绩)前排 于是我便油然而生一种自信 我!要!进!省!队! 讲句真话我这么想的时候连自己都觉得自己是个十足的沙雕 我又不是zw ...

  8. java容器(数组和集合)内元素的排序问题

    package com.janson.day20180827; import java.util.*; /** * java中容器内对象的排序可以通过Collections.sort()和Arrays ...

  9. Go:值类型、引用类型

    值类型,变量存的就是值本身: in系列t.float系列.bool.string.数组和struct 引用类型,变量存的是一个地址,这是地址存的才是值本身: 指针.slice.map.chan.int ...

  10. The C Programming Language-4.1

    下面是c程序设计语言4.1代码以及我的一些理解 strindex函数,通过嵌套两次循环,在s[ ]和t[ ]两个数组对映元素相等且t[ ]尚未遍历完毕的情况下,不断循环,最终返回正数或-1 代码如下 ...