这是一个简单的示例,可让您从 C 中读取 Fortran 名称列表。我使用了您在问题中提供的名称列表文件,input.txt
.
Fortran 子程序nmlread_f.f90
(注意使用ISO_C_BINDING
):
subroutine namelistRead(n,m,l) bind(c,name='namelistRead')
use,intrinsic :: iso_c_binding,only:c_float,c_int
implicit none
real(kind=c_float), intent(inout) :: n
real(kind=c_float), intent(inout) :: m
integer(kind=c_int),intent(inout) :: l
namelist /inputDataList/ n,m,l
open(unit=100,file='input.txt',status='old')
read(unit=100,nml=inputDataList)
close(unit=100)
write(*,*)'Fortran procedure has n,m,l:',n,m,l
endsubroutine namelistRead
C 程序,nmlread_c.c
:
#include <stdio.h>
void namelistRead(float *n, float *m, int *l);
int main()
{
float n;
float m;
int l;
n = 0;
m = 0;
l = 0;
printf("%5.1f %5.1f %3d\n",n,m,l);
namelistRead(&n,&m,&l);
printf("%5.1f %5.1f %3d\n",n,m,l);
}
还要注意n
,m
和l
需要被声明为指针,以便通过引用 Fortran 例程来传递它们。
在我的系统上,我使用英特尔编译器套件对其进行编译(我的 gcc 和 gfortran 已有多年历史,不要问):
ifort -c nmlread_f.f90
icc -c nmlread_c.c
icc nmlread_c.o nmlread_f.o /usr/local/intel/composerxe-2011.2.137/compiler/lib/intel64/libifcore.a
执行a.out
产生预期的输出:
0.0 0.0 0
Fortran procedure has n,m,l: 1000.000 1000.000 -2
1000.0 1000.0 -2
您可以编辑上述 Fortran 过程以使其更通用,例如从 C 程序中指定名称列表文件名和列表名称。