我一直在混用C,C++和Fortran中的代码。我进行的一个简单测试涉及C++中的一个主程序(cppprogram.C):

#include <iostream>
using namespace std;
extern "C" {
  void ffunction_(float *a, float *b);
}

extern "C" {
  void cfunction(float *a, float *b);
}

void cppfunction(float *a, float *b);

int main() {
  float a=1.0, b=2.0;

  cout << "Before running Fortran function:" << endl;
  cout << "a=" << a << endl;
  cout << "b=" << b << endl;

  ffunction_(&a,&b);

  cout << "After running Fortran function:" << endl;
  cout << "a=" << a << endl;
  cout << "b=" << b << endl;

  cout << "Before running C function:" << endl;
  cout << "a=" << a << endl;
  cout << "b=" << b << endl;

  cfunction(&a,&b);

  cout << "After running C function:" << endl;
  cout << "a=" << a << endl;
  cout << "b=" << b << endl;

  cout << "Before running C++ function:" << endl;
  cout << "a=" << a << endl;
  cout << "b=" << b << endl;

  cppfunction(&a,&b);

  cout << "After running C++ function:" << endl;
  cout << "a=" << a << endl;
  cout << "b=" << b << endl;

  return 0;
}

...在C,C++和Fortran中的调用过程:

C(cfunction1.c)
void cfunction(float *a, float *b) {
  *a=7.0;
  *b=8.0;
}

C++(cppfunction1.C)
extern "C" {
  void cppfunction(float *a, float *b);
}

void cppfunction(float *a, float *b) {
  *a=5.0;
  *b=6.0;
}

Fortran(ffunction.f)
subroutine ffunction(a,b)
a=3.0
b=4.0
end

这是我用来制作目标文件并将它们链接在一起的命令:
g++ -c cppprogram.C
gcc -c cfunction1.c
g++ -c cppfunction1.C
gfortran -c ffunction.f
g++ -o cppprogram cppprogram.o cfunction1.o cppfunction1.o ffunction.o

这是我的错误:
cppprogram.o: In function `main':
cppprogram.C:(.text+0x339): undefined reference to `cppfunction(float*, float*)'
collect2: error: ld returned 1 exit status

我知道在内部编译器有时会在文件名后添加下划线,但我认为我已经做好了这一点。这可以通过nm命令确定。某处有一个小错误...有人看到吗?提前谢谢了。

最佳答案

更新:

您在cppfunction中将extern "C"声明为cppfunction1.C,但是在cppprogram.C中,您并未将其声明为extern "C"。由于mainC++,因此除非您希望能够从C或Fortran调用它,否则无需在cppfunction中将extern "C"声明为cppfunction1.C

extern "C"中删除cppfunction1.C

10-06 00:37