Python調用C動態鏈接庫Python調用C庫很簡單,不經過任何封裝打包成so,再使用python的ctypes調用即可。
<test.cpp 生成動態庫的源文件>
- #include <stdio.h>
- extern "C" {
- void display() {
- printf("This is Display Function\n");
- }
- }
- g++ test.cpp -fPIC -shared -o libtest.so
<call.py 調用動態庫的源文件>
- import ctypes
- so = ctypes.CDLL("./libtest.so")
- so.display()
這裡需要注意的是:使用g++編譯生成動態庫的代碼中的函數 或者 方法時, 需要 使用extern "C"來進行編譯
Python調用C++(含類,重載)動態鏈接庫但是調用C++的so就有點麻煩了,網上找了下,大部分都是需要extern "C" 來輔助,也就是說還是只能調用C函數 不能直接調用方法 但是能解析C++方法。
<test.cpp 生成動態庫的源文件>
- #include <Akita/Akita.h>
- class TestLib{
- public:
- void display();
- void display(int a);
-
-
- };
- void TestLib::display() {
- cout<<"First display"<<endl;
- }
-
-
- void TestLib::display(int a) {
- cout<<"Second display"<<endl;
- }
- extern "C" {
- TestLib obj;
- void display() {
- obj.display();
- }
- void display_int() {
- obj.display(2);
- }
- }
g++ test.cpp -fPIC -shared -o libtest.so
使用這種方法有點麻煩 但是可以解決問題。注意到後面還是會有個extern "C" 不然構建後的動態鏈接庫沒有這些函數的符號表的。
<call.py 調用動態庫的源文件>
- import ctypes
- so = ctypes.CDLL("./libtest.so")
- so.display()
- so.display_int(1)
運行結果如下:
- ^[root@:~/Projects/nugget/kvDB-py]#python call.py
- First display
- Second display
C/C++調用Python模塊
<test.cpp >
- #include <Akita/Akita.h>
- #include <Python.h>
- int main() {
- Py_Initialize();
- if (!Py_IsInitialized()) return FALSE;
- PyRun_SimpleString("import sys");
- PyRun_SimpleString("sys.path.append('./')");
-
- //import Module
- PyObject* pModule = PyImport_ImportModule("hello");
- if (!pModule) {
- cout<<"Can't import Module!/n"<<endl;
- return -1;
- }
-
- PyObject* pDict = PyModule_GetDict(pModule);
- if (!pDict) {
- return -1;
- }
-
- //fetch Function
- PyObject* pFunHi = PyDict_GetItemString(pDict, "display");
- PyObject_CallFunction(pFunHi, "s", "Crazybaby");
- Py_DECREF(pFunHi);
-
- //Release
- Py_DECREF(pModule);
- Py_Finalize();
- return 0;
- }
#g++ test.cpp -I/usr/local/include/python2.7 -ldl -lutil -lpthread -lpython2.7
<call.py>
- def display(name):
- print "hi",name
---------
C++為Python編寫擴展模塊
Python為C++提供腳本接口。
有了兩者交互 方便之極。