Generating assembly code from C# code?

人走茶凉 提交于 2019-11-29 10:39:56

C# is normally compiled to the .NET bytecode (called CIL or MSIL) and then JIT ("Just In Time") compiled to native code when the program is actually run. There exist ahead of time compilers for C# like Mono's AOT, so you could possibly compile a C# program through one of those and then disassemble it. The result is likely to be very difficult to follow.

More likely, you may want to look at the bytecodes which are somewhat higher level than a CPU's assembly code, which you can do by using ILdasm on a compiled .exe of a C# program.

Dmitry Polomoshnov

C# code compiles into MSIL (MS Intermediate Language) which is actually not really asm-code you get from C compiler. Read more about about how .NET Framework applications run.

If you want to look at generated IL code see this question.

You can do this in a bit of an indirect way using the NGEN tool and then disassemble the binary that is produced. Alternatively you can use a debugger to inspect the JIT code created from the MSIL, Ollydbg 2 is one such debugger able to do this.

You can use BenchmarkDotNet with the printAsm flag set to true.

[DisassemblyDiagnoser(printAsm: true, printSource: true)] // !!! use the new diagnoser!!
[RyuJitX64Job]
public class Simple
{
    int[] field = Enumerable.Range(0, 100).ToArray();

    [Benchmark]
    public int SumLocal()
    {
        var local = field; // we use local variable that points to the field

        int sum = 0;
        for (int i = 0; i < local.Length; i++)
            sum += local[i];

        return sum;
    }

    [Benchmark]
    public int SumField()
    {
        int sum = 0;
        for (int i = 0; i < field.Length; i++)
            sum += field[i];

        return sum;
    }
}

Which produces:

易学教程内所有资源均来自网络或用户发布的内容,如有违反法律规定的内容欢迎反馈
该文章没有解决你所遇到的问题?点击提问,说说你的问题,让更多的人一起探讨吧!