我正在使用cTypes将一些c函数从dll公开到python脚本。其中一个函数返回一个动态大小的字符数组,我希望能够在Python中读取该数组的内容,但也希望在处理完该数组后,属性句柄释放该数组的内存。
示例C代码:
...
#ifdef __cplusplus
extern "C"
{
#endif
__declspec(dllexport) char * WINAPI get_str()
{
int str_len = ... // figure out how long it is gonna be and set it here
char *ary = (char *)malloc(sizeof(char) * str_len);
// populate the array
...
ary[str_len - 1] = '\0';
return ary;
}
#ifdef __cplusplus
}
#endif
我构建我的DLL,将其复制到一个可以找到的位置,然后使用以下Python代码:
import ctypes
my_dll = ctypes.WinDLL("MyDLLName.dll")
some_str = ctypes.string_at(my_dll.get_str())
print some_str
这些代码都能正常工作。我的问题是:因为ctypes.string_at会在指定的内存位置创建一个字符串,当Python解释器中的某些_str超出作用域时,该内存会被垃圾收集,还是需要手动释放?
最佳答案
string_at
在新的内存位置创建一个新的Python字符串,完全独立于调用它的内存位置。
python或cTypes无法猜测您的本机代码返回了什么——就它而言,它只是一个数字(在本例中恰好是一个有效的指针)。
因此,经验法则是:如果您编写了分配内存的C代码,那么您还应该编写等效的C代码来取消分配它——并使用Python代码调用该代码,将C代码从您的C类型中解放出来。
对于像这样的快速脚本和示例,因为您知道它是一个简单的分配字符串,所以可以直接从Python端释放它,方法是使用ctypes调用systemfree
函数。
也就是说,将返回的指针存储在python变量中:
(您可以或不可以将其分类为正确的ctypes指针类型),在运行string-at之后,
使用:
pointer = my_dll.get_str()
some_str = ctypes.string_at(pointer)
# This is windows specific -
# on Posix, one have to load "libc.so" and use "free" from there:
ctypes.cdll.msvcrt.free(pointer)