C# 中类的成员变量是什么?
C# 中类是一种具有成员变量和函数的蓝图。它会描述对象的处理行为。
我们来看看类的语法,了解什么成员变量 −
<access specifier> class class_name { // member variables <access specifier> <data type> variable1; <access specifier> <data type> variable2; ... <access specifier> <data type> variableN; // member methods <access specifier> <return type> method1(parameter_list) { // method body } <access specifier> <return type> method2(parameter_list) { // method body } ... <access specifier> <return type> methodN(parameter_list) { // method body } }
成员变量都是一个对象的属性(从设计的角度来说),它们被保密起来以实现封装。这些变量只能使用公共成员函数进行访问。
下面的长度和宽度是成员变量,因为 Rectangle 类的每个新实例都会创建一个它们的实例/新实例。
示例
using System; namespace RectangleApplication { class Rectangle { //member variables private double length; private double width; public void Acceptdetails() { length = 10; width = 14; } public double GetArea() { return length * width; } public void Display() { Console.WriteLine("Length: {0}", length); Console.WriteLine("Width: {0}", width); Console.WriteLine("Area: {0}", GetArea()); } } //end class Rectangle class ExecuteRectangle { static void Main(string[] args) { Rectangle r = new Rectangle(); r.Acceptdetails(); r.Display(); Console.ReadLine(); } } }
输出
Length: 10 Width: 14 Area: 140
广告