python包合集-cffi
一、cffi
cffi是連接Python與c的橋樑,可實現在Python中調用c文件。cffi為c語言的外部介面,在Python中使用該介面可以實現在Python中使用外部c文件的數據結構及函數。
二、直接在python中通過cffi定義c函數並使用
1、先通過pip3安裝cffi : pip3 install cffi
2、編寫測試程式碼:直接在 python 文件中 編寫並執行 C語言程式碼
# test1.py 文件中
# 從cffi模組導入FFI from cffi import FFI # 創建FFI對象 ffi = FFI() # 使用cdef創建C語言的函數聲明,類似於頭文件 ffi.cdef("int add(int a, int b);") ffi.cdef("int sub(int a, int b);") #verify是在線api模式的基本方法它裡面直接寫C程式碼即可 lib = ffi.verify(""" int add(int a, int b) { return a+b; } int sub(int a,int b) { return a-b; } """) print(lib.add(1, 2)) print(lib.sub(1, 2))
3、執行結果
root@ubuntu:~/test_cffi# python3 test1.py 3 -1
三、載入已有C語言程式碼並執行
1、創建 test2.c 文件,並寫如下程式碼,注意這是一個 .c 的文件
#include <stdio.h> // 函數聲明 int add(int a, int b); // 函數定義 int add(int a, int b) { return a+b; } int mul(int a,int b); int mul(int a,int b) { return a*b; }
2、創建 test3.py 文件,並在 test3.py 中調用 test2.c 文件
from cffi import FFI ffi = FFI() # 就算在C語言的文件中定義了,這裡在時候前還是需要聲明一下 ffi.cdef(""" int add(int a, int b); int mul(int a,int b); """) #verify是在線api模式的基本方法它裡面直接寫C程式碼即可 lib = ffi.verify(sources=['test2.c']) print(lib.add(1,2)) print(lib.mul(1,2))
3、運行結果
root@ubuntu:~/test_cffi# python3 test3.py 3 2
四、打包C語言文件為擴展模組提供給其他 python 程式使用
1、創建 test4.py 文件,其內容如下
import cffi ffi = cffi.FFI() #生成cffi實例 ffi.cdef("""int add(int a, int b);""") #函數聲明 ffi.cdef("""int sub(int a, int b);""") # 參數1:為這個C語言的實現模組起個名字,類似於,這一塊C語言程式碼好像寫在一個文件中,而這就是這個文件的名字,既擴展模組名 # 參數2:為具體的函數實現部分 ffi.set_source('test4_cffi', """ int add(int a, int b) { return a + b; } int sub(int a, int b) { return a - b; } """) if __name__ == '__main__': ffi.compile(verbose=True)
2、 執行: python3 test4.py 執行過程如下
root@ubuntu:~/test_cffi# python3 test4.py generating ./test4_cffi.c the current directory is '/root/test_cffi' running build_ext building 'test4_cffi' extension x86_64-linux-gnu-gcc -pthread -DNDEBUG -g -fwrapv -O2 -Wall -Wstrict-prototypes -g -fstack-protector-strong -Wformat -Werror=format-security -Wdate-time -D_FORTIFY_SOURCE=2 -fPIC -I/usr/include/python3.5m -c test4_cffi.c -o ./test4_cffi.o x86_64-linux-gnu-gcc -pthread -shared -Wl,-O1 -Wl,-Bsymbolic-functions -Wl,-Bsymbolic-functions -Wl,-z,relro -Wl,-Bsymbolic-functions -Wl,-z,relro -g -fstack-protector-strong -Wformat -Werror=format-security -Wdate-time -D_FORTIFY_SOURCE=2 ./test4_cffi.o -o ./test4_cffi.cpython-35m-x86_64-linux-gnu.so root@ubuntu:~/test_cffi#
3、執行後多三個文件,分別是 .c, .o , .so 結尾的文件
- test4_cffi.c
- test4_cffi.cpython-35m-x86_64-linux-gnu.so
- test4_cffi.o
4、編寫 test5.py, 在 test5.py 中使用test4_cffi 擴展模組,如下
from test4_cffi import ffi, lib print(lib.add(20, 3)) print(lib.sub(10, 3))
5、運行結果如下
root@ubuntu:~/test_cffi# python3 test5.py 23 7