我正在使用 System.Runtime.InteropServices.DllImportAttribute 测试从 C# 中的 dll 调用 C 代码的速度。C 函数生成一个自定义结构,用值填充它,执行计算,然后返回结果。这个过程我在一个循环中重复了数十万次,我记录了循环之前和循环之后的滴答数。然后我在直接的 C# 中制作了完全相同的函数并重复了这个试验。直接的 C# 方法比使用非托管 DLL 快得多。为什么?似乎没有不受管理的速度增益。
c2cstest.c
#include <stdio.h>
struct test {
double a;
double b;
double c;
};
_declspec(dllexport) double myCfunction(double input) {
struct test one;
one.a = input;
one.b = one.a * one.a;
one.c = one.b * one.a;
return one.c;
}
cl /LD cscstest.c runCcode.cs
using System;
using System.Runtime.InteropServices;
class test
{
[DllImport("c2cstest.dll")]
public static extern double myCfunction (double input);
static void Main()
{
double x = 5.25;
double result = 0.0;
long tick1 = DateTime.Now.Ticks;
for(int y = 100000; y > 0; y--)
{
result = myCfunction(x);
}
long tick2 = DateTime.Now.Ticks;
Console.WriteLine("Answer is {0}. Dllimport took {1} ticks.", result, tick2-tick1);
}
}
输出:答案是 144.703125。Dllimport 花费了 250000 个滴答声。运行CScode.cs
using System;
using System.Runtime.InteropServices;
struct test
{
public double a;
public double b;
public double c;
}
class testclass
{
double Mycsfunction (double input)
{
test one;
one.a = input;
one.b = one.a * one.a;
one.c = one.b * one.a;
return one.c;
}
static void Main()
{
double x = 5.25;
double result = 0.0;
testclass ex = new testclass();
long tick1 = DateTime.Now.Ticks;
for(int y = 100000; y > 0; y--)
{
result = ex.Mycsfunction(x);
}
long tick2 = DateTime.Now.Ticks;
Console.WriteLine("Answer is {0}. Straight CS took {1} ticks.", result, tick2-tick1);
}}
输出:答案是 144.703125。直接 CS 需要 50000 个滴答声。
补充:在尝试了各种方法后,我得出了与调用非托管代码技术这个家伙相同的结论,尽管他尝试的方法比我多。
结论:直接简单的函数调用是不值得的(特别是当它们被循环时)。将循环放在非托管函数中肯定会有所帮助。非常大的功能可能是值得的。无论您尝试多少种不同的方法,编组都不是一种有效的技术。