编译器是否优化了任何乘以 1 的乘法?也就是说,考虑:
int a = 1;
int b = 5 * a;
表达式 5 * a 会被优化成 5 吗?如果不是,如果a被定义为:
const int a = 1;
编译器是否优化了任何乘以 1 的乘法?也就是说,考虑:
int a = 1;
int b = 5 * a;
表达式 5 * a 会被优化成 5 吗?如果不是,如果a被定义为:
const int a = 1;
它会在编译时预先计算任何常量表达式,包括字符串连接。没有const
它,它将被单独留下。
您的第一个示例编译为此 IL:
.maxstack 2
.locals init ([0] int32, [1] int32)
ldc.i4.1 //load 1
stloc.0 //store in 1st local variable
ldc.i4.5 //load 5
ldloc.0 //load 1st variable
mul // 1 * 5
stloc.1 // store in 2nd local variable
第二个示例编译为:
.maxstack 1
.locals init ( [0] int32 )
ldc.i4.5 //load 5
stloc.0 //store in local variable
恒定传播是最常见和最简单的优化之一。
查看单声道编译器生成的代码,带有非常量 a 的版本在运行时执行乘法运算。也就是说,乘法没有被优化。如果你做一个 const,那么乘法就会被优化。
Microsoft 编译器可能有更激进的编译器,最好的解决方案是查看编译器生成的代码,看看它在做什么。
编译器在这里优化的不是乘以 1 本身,而是在编译时使用已知值的算术运算。所以是的,编译器会优化您示例中的所有数学运算,无论是否使用const
.
编辑:我应该说,一个称职的编译器。