C調用C++代碼的方法步驟

有時C程序裡需要用到C++的類,但是C語言又不能直接調用類,這時需要把C++的類使用C接口封裝後,再調用,

可以將封裝後的C++代碼編譯成庫文件,供C語言調用;

需要註意的是,封裝的C++代碼庫文件是用g++編譯的,所以在C中調用時,需要添加extern “C”{}關鍵字。

編譯c代碼時,要加上-lstdc++

如下代碼,是c代碼使用C++的map容器的例子:

//test.cpp 封裝C++代碼


#include <map>
#include <iostream>
#include "test.h"

using namespace std;

static map<int, int> m_testMap;


void pushVal(int key, int val)
{
 m_testMap[key] = val;
}


int getVal(int key)
{
 map<int, int>::iterator iter = m_testMap.find(key);
 if (iter != m_testMap.end() )
 {
  return iter->second;
 }

 return  -1;
}

//頭文件 test.h

#ifndef _TEST_H_
#define _TEST_H_

#ifdef __cplusplus
extern "C" {
#endif

void pushVal(int key, int val);
int getVal(int key );


#ifdef __cplusplus
}
#endif

#endif

main函數,調用封裝的C++接口:

//main.c

#include <stdio.h>
#include "test.h"



int main()
{
 printf("test\n");
 for (int i = 0; i < 10; i++)
 {
  printf("push key: %d, val: %d\n", i, i*10);
  pushVal(i, i*10);
 }
 
 int val = 0;
 for (int i = 0; i < 10; i++)
 {
  val = getVal(i);
  printf("get key: %d, val: %d\n", i,val);
 }
 return 0;
}

編譯的時候,為瞭簡單,我這裡沒有編譯成庫文件,直接用引用.o編譯的:

makefile:

all: 
 g++ -Wall -c  test.cpp -o test.o
 gcc -Wall -c  main.c -o main.o

 gcc -Wall test.o main.o -o test -lstdc++

clean:
 rm test *.o

編譯運行結果如下:

make
g++ -Wall -c  test.cpp -o test.o
gcc -Wall -c  main.c -o main.o
gcc -Wall test.o main.o -o test -lstdc++

運行:

./test
test
push key: 0, val: 0
push key: 1, val: 10
push key: 2, val: 20
push key: 3, val: 30
push key: 4, val: 40
push key: 5, val: 50
push key: 6, val: 60
push key: 7, val: 70
push key: 8, val: 80
push key: 9, val: 90
get key: 0, val: 0
get key: 1, val: 10
get key: 2, val: 20
get key: 3, val: 30
get key: 4, val: 40
get key: 5, val: 50
get key: 6, val: 60
get key: 7, val: 70
get key: 8, val: 80
get key: 9, val: 90

到此這篇關於C調用C++代碼的方法步驟的文章就介紹到這瞭,更多相關C調用C++內容請搜索WalkonNet以前的文章或繼續瀏覽下面的相關文章希望大傢以後多多支持WalkonNet!

推薦閱讀: