我们知道c#中有两种常量的表达方式:readonly与const,但是这两种方式有什么不同呢?在实际的应用中如何去选择使用
或者说这两种方式可以用另外一种说法,大家更容易明白:运行时常量与编译时常量。表面上的意思就是:readonly是在运行时才确定的常量,而const是在编译时已经替换成常量。这两种方式有不一样的行为操作,如果说你想性能上有稍微的提升,可以选择编译时常量,但是相对于运行时的产量,缺乏灵活性。如下:
public const int mill = 2000;
public static readonly int max = 2111;
这些常量的声明可以在类中或者结构体中,const的常量也可以方法体中声明,但是readonly常量是不允许在方法体中声明的。
在目标代码中,编译时常量会在编译时替换为常量,比如:
int result = 2000;
if(result == mill)
<span style="white-space:pre"> </span>Console.WritLine("aa");
Console.Read();
il代码会被替换为
.method private hidebysig static void Main(string[] args) cil managed
{
.entrypoint
// 代码大小 42 (0x2a)
.maxstack 2
.locals init ([0] int32 result,
[1] bool CS$4$0000)
IL_0000: nop
IL_0001: ldc.i4 0x7d0
IL_0006: stloc.0
IL_0007: ldloc.0
IL_0008: ldc.i4 0x7d0
IL_000d: ceq
IL_000f: ldc.i4.0
IL_0010: ceq
IL_0012: stloc.1
IL_0013: ldloc.1
IL_0014: brtrue.s IL_0023
IL_0016: nop
从上面的il代码中可以看到,mill直接会被2000所代替,而运行时变量,会在il中引用readonly的变量而不是readonly的值。
还有一点是,编译时的常量只能是基础类型,比如:整型,浮点型;还有枚举,字符串。编译时常量要求类能用有意义的常量赋值初始化,而只有基础类型的才能在IL中使用常量来替换,而不能使用new的方式来初始化编译时常量,即使这个类型时值类型:比如:
public const datetime create = new datetime(2016,1,28,0,0,0);----------wrong
而运行时常量在构造函数完成之后是不能修改的,所以对于运行时变量我们有足够的灵活性去控制它,像上面的datatime就可以用readonly来修饰。当你引用一个运行时的变量时,il代码指向的是readnoly常量的引用,上面的实例中,修改
public const int mill = 2000;
为:
public static readonly int mill = 2000;再来看下il代码<pre name="code" class="html">.entrypoint
// 代码大小 42 (0x2a)
.maxstack 2
.locals init ([0] int32 result,
[1] bool CS$4$0000)
IL_0000: nop
IL_0001: ldc.i4 0x7d0
IL_0006: stloc.0
IL_0007: ldloc.0
IL_0008: ldsfld int32 ConsoleApplication6.Program::mil
IL_000d: ceq
IL_000f: ldc.i4.0
IL_0010: ceq
IL_0012: stloc.1
IL_0013: ldloc.1
IL_0014: brtrue.s IL_0023
IL_0016: nop
很明显的区别,这种区别在维护上会带来不一样的效果,会影响运行时的兼容性,比如我们在infratructure中定义如下
public class UsefulValues
{
public static readonly int StartValue = 5;
public const int EndValue = 10;
}
在另外的程序集调用
for (int i = UsefulValues.StartValue;
i < UsefulValues.EndValue; i++)
Console.WriteLine("value is {0}", i);
预期的结果为:
value is 5
value is 6
。。。。
value is 9
一周后我们发布新的infrastructure而没有重新编译整个应用程序集
public class UsefulValues
{
public static readonly int StartValue = 105;
public const int EndValue = 120;
}
没有获取到期望的结果:value is 105等,实际上是没有任何输出的,因为for条件开始于105结束于5。
相比于readonly,const的优势就是性能上会有稍微的提升,但是个人觉得,如果不是对性能有苛刻的需求,这种提升时可以忽略的。
谢谢