靜態構造函數:
靜態構造函數既無訪問修飾符、無參數;
在 new 或調用任何靜態成員之前,將自動調用靜態構造函數;
靜態構造函數一般用於初始化靜態數據;
靜態構造函數會在第一次 new 或第一次使用靜態成員前觸發;
不能直接調用靜態構造函數.
using System;
class MyClass
{
public static int Num;
public static void ShowNum() { Console.WriteLine(Num); }
public void Msg() { Console.WriteLine("Msg"); }
static MyClass() { Num = 123; }
}
class Program
{
static void Main()
{
MyClass.ShowNum(); //123
MyClass.Num = 2009;
MyClass.ShowNum(); //2009
MyClass obj1 = new MyClass();
obj1.Msg(); //Msg
Console.ReadKey();
}
}
自動調用父類的構造方法:
using System;
class Parent
{
public Parent() { Console.WriteLine("Parent"); }
}
class Child1 : Parent
{
public Child1() { Console.WriteLine("Child1"); }
public Child1(int x) { Console.WriteLine(x); }
}
class Child2 : Child1
{
public Child2() { Console.WriteLine("Child2"); }
public Child2(int x, int y) { Console.WriteLine(x + y); }
}
class Program
{
static void Main()
{
Parent p = new Parent(); // Parent
Child1 c1 = new Child1(); // Parent / Child1
Child2 c2 = new Child2(); // Parent / Child1 / Child2
Child1 c11 = new Child1(999); // Parent / 999
Child2 c22 = new Child2(111, 222); // Parent / Child1 / 333
Console.ReadKey();
}
}