我有这个简单的Fortran 90程序:
subroutine apc_wrapper(i, j, k)
implicit none
integer*8, intent(in) :: i, j
integer*8, intent(out) :: k
double precision t
k = i + js
end subroutine
编译为共享库
gfortran -O2 -shared -fPIC apc_wrapper.f90 -o apc_wrapper.so
现在,我想从Julia调用这个子例程,带有所有整数参数,比如这个
i = 2
j = 3
k = 0
ccall( (:apc_wrapper_, "./apc_wrapper.so"), Void, (Ptr{Int64}, Ptr{Int64}, Ptr{Int64}), &i, &j, &k)
但它不起作用。 k
不会更改其值并继续评估为0.
但是,如果我这样做
i = 2
j = 3
kk = [0]
ccall( (:apc_wrapper_, "./apc_wrapper.so"), Void, (Ptr{Int64}, Ptr{Int64}, Ptr{Int64}), &i, &j, kk)
也就是说,使用数组存储输出,它的工作原理!调用子例程后,kk
计算到
1-element Array{Int64,1}:
5
我根本没有改变Fortran代码,它甚至不知道它处理的是数组,只是一块内存。
因此,如果Fortran能够读取内存块(i
且j
正确为红色),为什么无法写入内存?
我对此没有任何问题。实际上,我想使用数组作为输出,但这种行为让我感到惊讶。
答案 0 :(得分:9)
嗯,Julia是一种快节奏的开发语言,事实证明&variable
语法已被弃用。
这将是正确的方法:
i = 2
j = 3
k = 0
i_ref = Ref{Int64}(i)
j_ref = Ref{Int64}(j)
k_ref = Ref{Int64}(k)
ccall( (:apc_wrapper_, "./apc_wrapper.so"), Void,
(Ref{Int64}, Ref{Int64}, Ref{Int64}),
i_ref, j_ref, k_ref)
然后k_ref.x
将评估为5
。