比如 dll 文件中有这样一个函数
```C
#include <stdio.h>
double div(double a, double b)
{
if (b == 0)
return 0;
return a / b;
}
```
go 来调用编译后的test.dll
```go
import (
"fmt"
"syscall"
)
func main() {
dll := syscall.NewLazyDLL("test.dll")
div:= dll.NewProc("div")
div.Call(?, ?) //这两个参数怎么传?
}
```
传整数,字符,切片都是可以的,网上的例子也大多是这些。
但我发现传doube 型怎么也传不进去, C函数接收到的始终是0.00000,除非传double 型指针,但这样就太怪了了,C函数要这样写了
```C
#include <stdio.h>
double div(double *a, double *b)
{
if (*b == 0)
return 0;
return *a / *b;
}
```
C里面的double,golang 调用dll不能直接传float64,需要转换成uint64
关键词:golang 调用dll 怎么传float64参数,如果返回double需要怎么做
C代码:
````
// 没有指针
double sum(double a, double b) {
return a + b;
}
// 如果是指针
double sum(double a, double b,double *c) {
*c=1.33333;
return a + b;
}
````
// 有指针
![2.png](https://static.studygolang.com/200417/693ac36de8e6961e08cb27b2a9cdff89.png)
// 没有指针 返回double
![QQ图片20200417135959.png](https://static.studygolang.com/200417/e1457188c9f07d7c10e3de93e4e07085.png)
#4
更多评论
go调用dll 方法
```
var (
moddll = syscall.NewLazyDLL("test.dll")
procDiv = moddll.NewProc("div")
)
func main() {
Div(1.33, 2.22)
}
func Div(a, b float64) float64 {
r1, _, _ := syscall.Syscall(procDiv.Addr(), 2, uintptr(a), uintptr(b), 0)
return float64(r1)
}
```
#2