服务器之家:专注于服务器技术及软件下载分享
分类导航

PHP教程|ASP.NET教程|Java教程|ASP教程|编程技术|正则表达式|C/C++|IOS|C#|Swift|Android|VB|R语言|JavaScript|易语言|vb.net|

服务器之家 - 编程语言 - C/C++ - C++如何调用已经写好的C接口

C++如何调用已经写好的C接口

2022-01-24 13:55deroy C/C++

如何在C++代码中调用写好的C接口?你可能会奇怪,C++不是兼容C吗?直接调用不就可以了,那么我们来测试一下,先看看C++如何调用C代码接口的,需要的朋友可以参考一下

前言:

如何在C++代码中调用写好的C接口?你可能会奇怪,C++不是兼容C吗?直接调用不就可以了,那么我们来测试一下,先看看C++如何调用C代码接口的。

 

1、C++调用C文件

一个C语言文件test.c

?
1
2
3
4
5
#include <stdio.h>
void print(int a,int b)
{
    printf("这里调用的是C语言的函数:%d,%d ",a,b);
}

一个头文件test.h

?
1
2
3
4
5
6
#ifndef _TEST_H
#define _TEST_H
 
void print(int a,int b);
 
#endif

C++文件调用C函数

?
1
2
3
4
5
6
7
8
9
#include <iostream>
using namespace std;
#include "test.h"
int main()
{
   cout<<"现在调用C语言函数 ";
   print(3,4);
   return 0;
}

执行命令

?
1
2
gcc -c test.c
g++ -o main main.cpp test.o

编译后链接出错:main.cppprint(int, int)未定义的引用。

那么g++编译器为什么找不到print(int,int)呢,其实在我们学C++重载的时候就提到过C++底层的编译原理。

 

2、原因分析

test.c我们使用的是C语言的编译器gcc进行编译的,其中的函数print编译之后,在符号表中的名字为 print,通过nm查看.o文件.

?
1
2
3
4
5
$ gcc -c test.c
$ nm test.o 
                 U _GLOBAL_OFFSET_TABLE_
0000000000000000 T print
                 U printf

我们链接的时候采用的是 g++ 进行链接,也就是 C++ 链接方式,程序在运行到调用 print 函数的代码时,会在符号表中寻找 _Z5printii(是按照C++的链接方法来寻找的,所以是找 _Z5printii 而不是找 print)的名字,发现找不到,所以会提示“未定义的引用”

?
1
2
3
4
5
6
7
$ g++ -c test.c
$ ls
main.cpp  makefile  test.c  test.h  test.o
$ nm test.o
                 U _GLOBAL_OFFSET_TABLE_
                 U printf
0000000000000000 T _Z5printii

此时如果我们在对print的声明中加入 extern “C” ,这个时候,g++编译器就会按照C语言的链接方式进行寻找,也就是在符号表中寻找print(这才是C++兼容C),这个时候是可以找到的,是不会报错的。

总结:

编译后底层解析的符号不同,C语言是 _printC++ __Z5printii

 

3、解决调用失败问题

修改test.h文件

?
1
2
3
4
5
6
#ifndef _TEST_H
#define _TEST_H
extern "C"{
void print(int a,int b);
}
#endif

修改后再次执行命令

?
1
2
3
gcc -c test.c
g++ -o main main.cpp test.o
./main

运行无报错

 

4、思考:那C语言能够调用C接口吗

实验:定义main.c函数如下

?
1
2
3
4
5
6
7
8
#include <stdio.h>
#include "test.h"
int main()
{
    printf("现在调用C语言函数 ");
    print(3,4);
    return 0;
}

重新执行命令如下

?
1
2
gcc -c test.c
gcc -o mian main.c test.o

报错:C语言里面没有extern “C“这种写法

 

5、C接口既能被C++调用又能被C调用

为了使得test.c代码既能被C++调用又能被C调用

将test.h修改如下

?
1
2
3
4
5
6
7
8
9
10
11
12
13
14
15
16
17
#ifndef __TEST_H__
#define __TEST_H__
 
#ifdef __cplusplus
#if __cplusplus
extern "C"{
#endif
#endif /* __cplusplus */
 
extern void print(int a,int b);
 
#ifdef __cplusplus
#if __cplusplus
}
#endif
#endif /* __cplusplus */
#endif /* __TEST_H__ */

ps:下期介绍一个Source Insight的插件,快速生成上面的代码

再次执行命令

?
1
2
3
gcc -c test.c
gcc -o main main.c test.o
./main

结果示意:

C++如何调用已经写好的C接口

到此这篇关于C++如何调用已经写好的C接口的文章就介绍到这了,更多相关C++如何调用C接口内容请搜索服务器之家以前的文章或继续浏览下面的相关文章希望大家以后多多支持服务器之家!

原文链接:https://developer.51cto.com/art/202110/685147.htm

延伸 · 阅读

精彩推荐