抽象プロパティを定義する方法 (C# プログラミング ガイド)
次の例では、抽象プロパティを定義する方法を示します。 抽象プロパティの宣言では、プロパティ アクセサーは実装されません。クラスがプロパティをサポートしていることは宣言しますが、アクセサーの実装は派生クラスに委ねます。 基本クラスから継承された抽象プロパティを実装する方法を次の例に示します。
このサンプルは 3 つのファイルで構成され、それぞれ個別にコンパイルされ、生成されたアセンブリが次のコンパイルで参照されます。
abstractshape.cs: 抽象
Shape
プロパティを含むArea
クラス。shapes.cs:
Shape
クラスのサブクラス。shapetest.cs:
Shape
から派生したいくつかのオブジェクトの面積を表示するテスト プログラム。
この例をコンパイルするには、次のコマンドを使用します。
csc abstractshape.cs shapes.cs shapetest.cs
これで、実行可能ファイル shapetest.exe が作成されます。
使用例
このファイルは、double
型の Shape
プロパティを含む Area
クラスを宣言します。
// compile with: csc -target:library abstractshape.cs
public abstract class Shape
{
private string name;
public Shape(string s)
{
// calling the set accessor of the Id property.
Id = s;
}
public string Id
{
get
{
return name;
}
set
{
name = value;
}
}
// Area is a read-only property - only a get accessor is needed:
public abstract double Area
{
get;
}
public override string ToString()
{
return $"{Id} Area = {Area:F2}";
}
}
プロパティの修飾子は、プロパティ宣言自体に設定されます。 次に例を示します。
public abstract double Area
抽象プロパティ (この例では
Area
など) を宣言する場合は、使用可能なアクセサーを示すだけで、実装はしません。 この例では、get アクセサーのみが使用可能であるため、プロパティは読み取り専用となります。
次のコードは、Shape
の 3 つのサブクラスと、それらがどのように Area
プロパティをオーバーライドして独自の実装を提供するかを示しています。
// compile with: csc -target:library -reference:abstractshape.dll shapes.cs
public class Square : Shape
{
private int side;
public Square(int side, string id)
: base(id)
{
this.side = side;
}
public override double Area
{
get
{
// Given the side, return the area of a square:
return side * side;
}
}
}
public class Circle : Shape
{
private int radius;
public Circle(int radius, string id)
: base(id)
{
this.radius = radius;
}
public override double Area
{
get
{
// Given the radius, return the area of a circle:
return radius * radius * System.Math.PI;
}
}
}
public class Rectangle : Shape
{
private int width;
private int height;
public Rectangle(int width, int height, string id)
: base(id)
{
this.width = width;
this.height = height;
}
public override double Area
{
get
{
// Given the width and height, return the area of a rectangle:
return width * height;
}
}
}
次のコードは、Shape
から派生するオブジェクトをいくつか作成し、それらの面積を出力するテスト プログラムを示しています。
// compile with: csc -reference:abstractshape.dll;shapes.dll shapetest.cs
class TestClass
{
static void Main()
{
Shape[] shapes =
{
new Square(5, "Square #1"),
new Circle(3, "Circle #1"),
new Rectangle( 4, 5, "Rectangle #1")
};
System.Console.WriteLine("Shapes Collection");
foreach (Shape s in shapes)
{
System.Console.WriteLine(s);
}
}
}
/* Output:
Shapes Collection
Square #1 Area = 25.00
Circle #1 Area = 28.27
Rectangle #1 Area = 20.00
*/
関連項目
.NET