编程语言
首页 > 编程语言> > C#

C#

作者:互联网

类的声明

class 类名
{

}

类的成员

类头:类名
类体:字段、属性、方法、构造函数等

1、字段

就是常量或者变量。
若字段未初始化默认为0。

namespace Demo
{
    class Employee//定义员工类
    {
        public string name;//定义姓名字段
        public int age;//定义年龄字段
    }
    class Program
    {
        static void Main(string[] args)
        {
            Employee e = new Employee();//创建员工类的对象
            e.name = "小王";//为姓名字段赋值
            e.age = 30;//为年龄字段赋值
            //输出员工的姓名及年龄
            Console.WriteLine("姓名:{0}  年龄:{1}", e.name, e.age);
            Console.ReadLine();
        }
    }
}

2、属性

属性的声明

[权限修饰符] [类型] [属性名]
{
    get {get访问器体}
    set {set访问器体}
}

实例

namespace Demo
{
    class cStockInfo//商品信息类
    {
        private int num = 0;//声明一个私有变量,用来表示数量
        public int Num//库存数量属性
        {
            get
            {
                return num;
            }
            set
            {
                if (value > 0 && value <= 100)//控制数量在0—100之间
                {
                    num = value;
                }
                else
                {
                    Console.WriteLine("商品数量输入有误!");
                }
            }
        }
    }
    class Program
    {
        static void Main(string[] args)
        {
            Console.Write("请输入库存商品数量:");
            //创建cStockInfo对象
            cStockInfo stockInfo = new cStockInfo();
            stockInfo.Num = Convert.ToInt32(Console.ReadLine());
            Console.ReadLine();
        }
    }
}

构造函数

1、构造函数的定义

public class Book
{
    public Book() //无参数构造方法
    {
    
    }
    public Book(int args) //有参数构造方法
    {
        args = 2 + 3;
    }
}

2、

namespace Demo
{
    class Cellphone
    {
        public Cellphone()
        {
            Console.WriteLine("智能手机的默认语言为英文");
        }

        public Cellphone(String defaultLanguage)
        {
            Console.WriteLine("将智能手机的默认语言设置为" + defaultLanguage);
        }
        static void Main(string[] args)
        {
            Cellphone cellphone1 = new Cellphone();
            Cellphone cellphone2 = new Cellphone("中文");
            Console.ReadLine();
        }
    }
}

析构函数

标签:Cellphone,Console,C#,args,class,int,public
来源: https://www.cnblogs.com/shazamsjtu/p/16629750.html