我在C ++上有一个简单的测试函数:
#include <stdio.h>
#include <string.h>
#include <stdlib.h>
#include <locale.h>
#include <wchar.h>
char fun() {
printf( "%i", 12 );
return 'y';
}
编译:
gcc -o test.so -shared -fPIC test.cpp
并在python中使用ctypes:
from ctypes import cdll
from ctypes import c_char_p
lib = cdll.LoadLibrary('test.so')
hello = lib.fun
hello.restype = c_char_p
print('res', hello())
然后我收到一个错误:
Traceback (most recent call last): File "./sort_c.py", line 10, in <module>
hello = lib.fun File "/System/Library/Frameworks/Python.framework/Versions/2.7/lib/python2.7/ctypes/__init__.py", line 366, in __getattr__
func = self.__getitem__(name) File "/System/Library/Frameworks/Python.framework/Versions/2.7/lib/python2.7/ctypes/__init__.py", line 371, in __getitem__
func = self._FuncPtr((name_or_ordinal, self))
AttributeError: dlsym(0x100979b40, fun): symbol not found
哪里有问题?
使用:
Mac Os X 10.7.5和Python 2.7
答案 0 :(得分:9)
你的第一个问题是C ++ name mangling 。如果您在nm
文件上运行.so
,您将获得以下内容:
nm test.so
0000000000000f40 T __Z3funv
U _printf
U dyld_stub_binder
如果在使用C ++编译时将其标记为C样式:
#ifdef __cplusplus
extern "C" char fun()
#else
char fun(void)
#endif
{
printf( "%i", 12 );
return 'y';
}
nm
给出:
0000000000000f40 T _fun
U _printf
U dyld_stub_binder
你的第二个问题是python会死于Segmentation fault: 11
(在OS X上)。 C ++返回char
,而你在python中将它标记为指向char的指针。使用:
hello.restype = c_char
而是(更改您的import
语句以匹配)。
编辑:正如@eryksun指出的那样,你不应该使用gcc
,而应该使用g++
。否则,将不会链接正确的C ++运行时。要查看OS X
:
otool -L test.so
(ldd
,通常在UNIX / Linux上使用的工具,不随OS X一起分发)