在C#中使用类型后缀是否有任何性能提升?

时间:2013-03-27 13:55:18

标签: c# performance types

有时需要使用类型后缀(如 0d 用于值为零的双精度型或 0f 用于浮点型),并且通常被认为是好的风格。

但它有任何性能影响吗?

所以打电话几百万次

if (x == 0d) ...   or
if (x == 0.0) ...

将与

一样快
if (x == 0) ...

我想,编译器会将0转换为0.0,因此性能无关紧要。但是因为我在质量代码中看了几次,我不确定......


由于注释而添加:x不是int的双倍。

2 个答案:

答案 0 :(得分:4)

如果您检查IL代码,则在与convint字面值

进行比较时,您会发现其他0.0操作码
int x = 0;
Console.WriteLine (x == 0.0);

IL_0000:  ldc.i4.0    
IL_0001:  stloc.0     // x
IL_0002:  ldloc.0     // x
IL_0003:  conv.r8     //<-- this is absent if literal is 0
IL_0004:  ldc.r8      00 00 00 00 00 00 00 00 
IL_000D:  ceq         
IL_000F:  call        System.Console.WriteLine

这是事实,Int32 ==运算符重载接受int作为第二个参数。

备注:使用编译器优化标志 在LINQPad中编译。

一个重要的评论在您确定之前不要进行纳米优化,这是一个瓶颈。这种优化通常会破坏代码的可读性,从而实现可维护性。

答案 1 :(得分:0)

取了Ilya Ivanov的暗示,我检查了一个小样本程序的IL代码。

伊利亚假设x是一个整数。如果是这种情况,他对转换的评论是完全正确的(conv.r8)。但我想到的情况是,如果你将double类型的变量与double literal进行比较。 在这种情况下,类型后缀是否会有所不同?

答案是:不!

让我们看看这个小程序,比较(d == 0)或者(d == 0d):

static void Main(string[] args)
{
    double d = 0.0;

    if (d == 0)     // if (d == 0d)
        d = 1.23;

    Console.WriteLine(d);
}

两个版本都编译成完全相同的IL-Code:

.method private hidebysig static 
    void Main (
        string[] args
    ) cil managed 
{
    // Method begins at RVA 0x2050
    // Code size 48 (0x30)
    .maxstack 2
    .entrypoint
    .locals init (
        [0] float64 d,
        [1] bool CS$4$0000
    )

    IL_0000: nop
    IL_0001: ldc.r8 0.0
    IL_000a: stloc.0
    IL_000b: ldloc.0
    IL_000c: ldc.r8 0.0
    IL_0015: ceq
    IL_0017: ldc.i4.0
    IL_0018: ceq
    IL_001a: stloc.1
    IL_001b: ldloc.1
    IL_001c: brtrue.s IL_0028

    IL_001e: ldc.r8 1.23
    IL_0027: stloc.0

    IL_0028: ldloc.0
    IL_0029: call void [mscorlib]System.Console::WriteLine(float64)
    IL_002e: nop
    IL_002f: ret
} // end of method Program::Main

当然,汇编代码也是一样。

所以写0而不是0.0或0d就好了......