C#中const 和 readonly 修饰符的用法详解
程序员文章站
2022-08-31 07:58:01
1.const是不变常量,在编译的时候就需要有确定的值,只能用于数值和字符串,或者引用类型只能为null.(这里为什么要把字符串单独拿出来?是因为字符串string是引用类型,但是使用的时候却感觉是值类型,它是一种特殊的引用类型,后面会详细说),struct也不能用const标记。const可以修饰 ......
1.const是不变常量,在编译的时候就需要有确定的值,只能用于数值和字符串,或者引用类型只能为null.(这里为什么要把字符串单独拿出来?是因为字符串string是引用类型,但是使用的时候却感觉是值类型,它是一种特殊的引用类型,后面会详细说),struct也不能用const标记。const可以修饰class的字段或者局部变量,不能修饰属性。而readonly仅仅用于修饰class的字段,不能修饰属性。const是属于类级别而不是实例对象级别,不能跟static一起使用。而readonly既可以是类级别也可以是实例级别,它可以与static一起使用。
2.readonly是只读的意思,表示不能进行写操作。最重要的是它在程序运行时才会去求值。它可以是任意类型,当然可以是object,数组,struct,它必须在构造函数或者初始化器中初始化,初始化完成之后不能被修改。通常可以定义一个readonly值为DateTime的常量。而const却无法指定为DateTime类型。
1. 只有C#内置类型(int,double,long等)可以声明为const;结果、类和数组不能声明为const。
2. readonly 是在字段上使用的修饰符,直接以类名.字段访问。
3. const 必须在申明中初始化。之后不能再修改。
4. readonly可以在申明中初始化,也可以在构造函数中初始化,其它情况不能修改。
readonly修饰的字段,其初始化仅是固定了其引用(地址不能修改),但它引用的对象的属性是可以更改的。
namespace const_and_readonly { class Program { static void Main(string[] args) { Console.WriteLine("Half a year have {0} Moths", Calendar.Moths/2); //直接类名.字段访问const字段 Calendar test1 = new Calendar(); Console.WriteLine("Every year has {0} weeks and {1} days", test1._weeks, test1._days);//readonly字段通过实例访问 Calendar test2 = new Calendar(31, 4); Console.WriteLine("January has {0} weeks and {1} days", test2._weeks ,test2 ._days); Console.ReadKey(); } } class Calendar { public const int Moths = 12; //const必须在声明中初始化 public readonly int _days=365; //readonly在声明中初始化 public readonly int _weeks; public Calendar() //readonly在构造函数内初始化 { _weeks = 52; } public Calendar(int days,int weeks) //readonly在构造函数内初始化 { _days = days; _weeks = weeks; } public void setvalue(int days,int weeks) { // _days = days; 无法对只读字段赋值 //_weeks = weeks; 无法对只读字段赋值 } }