Java 中使用 jna 调用 dll 的函数非常慢。用 Python 调用就非常快
// test.c
// dll 中的 C 函数
__declspec( dllexport ) double test(double a, double b)
{
return a / b - 1;
}
test.java
import com.sun.jna.Native;
import com.sun.jna.Library;
public class test {
public interface DLL extends Library {
DLL INSTANCE = (DLL)Native.load("mydll", DLL.class);
double test(double a, double b);
}
public static void main(String[] args) {
long st = System.nanoTime();
DLL.INSTANCE.test(3.234, 4.234);
System.out.println("耗时: " + String.valueOf(System.nanoTime() - st));
}
耗时: 204562136
# test.py
# Python 调用
import time
from ctypes import *
dll = CDLL("mydll.dll")
dll.test.restype = c_double
def invoke():
st = time.time_ns()
dll.test(c_double(3.234), c_double(4.234))
print("耗时: ", time.time_ns() - st)
invoke()
耗时: 0
为什么差距这么大?要怎样使java调用 dll函数达到 python 这样的速度?