Computer >> 컴퓨터 >  >> 프로그램 작성 >> C#

C#의 가상 함수는 무엇입니까?

<시간/>

virtual 키워드는 메서드, 속성, 인덱서 또는 이벤트를 수정할 때 유용합니다. 상속된 클래스에서 구현하려는 클래스에 정의된 함수가 있는 경우 가상 함수를 사용합니다. 가상 함수는 다른 상속된 클래스에서 다르게 구현될 수 있으며 이러한 함수에 대한 호출은 런타임에 결정됩니다.

다음은 가상 기능입니다.

public virtual int area() { }

다음은 가상 기능으로 작업하는 방법을 보여주는 예입니다 -

예시

using System;

namespace PolymorphismApplication {
   class Shape {
      protected int width, height;
   
      public Shape( int a = 0, int b = 0) {
         width = a;
         height = b;
      }

      public virtual int area() {
         Console.WriteLine("Parent class area :");
         return 0;
      }
   }

   class Rectangle: Shape {
      public Rectangle( int a = 0, int b = 0): base(a, b) {

      }

      public override int area () {
         Console.WriteLine("Rectangle class area ");
         return (width * height);
      }
   }

   class Triangle: Shape {
      public Triangle(int a = 0, int b = 0): base(a, b) {
   }

   public override int area() {
      Console.WriteLine("Triangle class area:");
      return (width * height / 2);
   }
}

class Caller {
   public void CallArea(Shape sh) {
      int a;
      a = sh.area();
      Console.WriteLine("Area: {0}", a);
   }
}

class Tester {
   static void Main(string[] args) {
      Caller c = new Caller();
      Rectangle r = new Rectangle(10, 7);
      Triangle t = new Triangle(10, 5);

      c.CallArea(r);
      c.CallArea(t);
      Console.ReadKey();
   }
   }
}