1、C++中如何调用C代码
extern "C" {
#include "aes.h"
#include "zbase64.h" // 整个头文件中的所有函数都是分布在多个xxx.c文件中的, 因此肯定xxx.obj是按照Ccompiler规则编译, 函数名无改动,
// 那么, C++中引用头文件的时候, 要在外部加上extern "C"包裹, 表示说我知道这部分是采用Ccompiler规则的函数名, 我会采用这个规则去找函数;
}
如果去掉extern "C"代码块形式, 则出现LNK2019错误:无法解析的外部符号
2、C中如何调用C++代码
在C中如何调用C++函数的问题,简单回答是将函数用extern "C"声明; 然后C代码中不要include C++的头文件, 而采用直接在C中增加函数声明的方式;
/*C++ code*/
extern "C" void f(int);
void f(int i)
{
// your code
}
/*C code*/
void f(int); // 不引入, 而只是直接声明
void cc(int i)
{
f(i); //调用
// other code
}
如果想要调用C++类中的成员函数, 由于C中没有类, 因此需要一个包装函数来调用这个成员函数, 并返回结果;
如果你想要在C里调用成员函数(包括虚函数),则需要提供一个简单的包装(wrapper)。例如:
// C++ code:
class C
{
// ...
virtual double f(int);
};
extern "C" double call_C_f(C* p, int i) // wrapper function
{
return p->f(i);
}
然后,你就可以这样调用C::f():
/* C code: */
double call_C_f(struct C* p, int i);
void ccc(struct C* p, int i)
{
double d = call_C_f(p,i);
/* ... */
}
网友评论