C#屬性
屬性是類,結構和接口的成員名稱。成員變量或者類中的方法或結構被稱為字段。屬性字段的擴展,並且使用相同的語法來訪問。它們通過使用其私有字段的值可以讀取,寫入或操縱訪問。
屬性不命名的存儲位置。相反,它們訪問的讀,寫,或計算它們的值。
例如,我們有一個名為Student類,使用年齡,姓名和代碼私有字段。從外部類的範圍我們無法直接訪問這些字段,但我們可以對訪問這些private字段屬性。
訪問器
屬性的訪問器包含了可執行語句,有助於獲得(閱讀或計算)或設置(寫)屬性。在訪問聲明可以包含一個get訪問,set訪問,或兩者兼而有之。例如:
// Declare a Code property of type string: public string Code { get { return code; } set { code = value; } } // Declare a Name property of type string: public string Name { get { return name; } set { name = value; } } // Declare a Age property of type int: public int Age { get { return age; } set { age = value; } }
例子:
下麵的例子演示了屬性的使用:
using System; namespace yiibai { class Student { private string code = "N.A"; private string name = "not known"; private int age = 0; // Declare a Code property of type string: public string Code { get { return code; } set { code = value; } } // Declare a Name property of type string: public string Name { get { return name; } set { name = value; } } // Declare a Age property of type int: public int Age { get { return age; } set { age = value; } } public override string ToString() { return "Code = " + Code +", Name = " + Name + ", Age = " + Age; } } class ExampleDemo { public static void Main() { // Create a new Student object: Student s = new Student(); // Setting code, name and the age of the student s.Code = "001"; s.Name = "Zara"; s.Age = 9; Console.WriteLine("Student Info: {0}", s); //let us increase age s.Age += 1; Console.WriteLine("Student Info: {0}", s); Console.ReadKey(); } } }
當上述代碼被編譯和執行時,它產生了以下結果:
Student Info: Code = 001, Name = Zara, Age = 9 Student Info: Code = 001, Name = Zara, Age = 10
抽象屬性
一個抽象類可以具有一個抽象屬性,它應該在派生類來實現。下麵的程序說明了這一點:
using System; namespace yiibai { public abstract class Person { public abstract string Name { get; set; } public abstract int Age { get; set; } } class Student : Person { private string code = "N.A"; private string name = "N.A"; private int age = 0; // Declare a Code property of type string: public string Code { get { return code; } set { code = value; } } // Declare a Name property of type string: public override string Name { get { return name; } set { name = value; } } // Declare a Age property of type int: public override int Age { get { return age; } set { age = value; } } public override string ToString() { return "Code = " + Code +", Name = " + Name + ", Age = " + Age; } } class ExampleDemo { public static void Main() { // Create a new Student object: Student s = new Student(); // Setting code, name and the age of the student s.Code = "001"; s.Name = "Zara"; s.Age = 9; Console.WriteLine("Student Info:- {0}", s); //let us increase age s.Age += 1; Console.WriteLine("Student Info:- {0}", s); Console.ReadKey(); } } }
讓我們編譯和運行上麵的程序,這將產生以下結果:
Student Info: Code = 001, Name = Zara, Age = 9 Student Info: Code = 001, Name = Zara, Age = 10