2

我有一个包含 C 端字符数组的结构

stuct s
{
    int x;
    char buffer[100];
}

在我的 python 方面,我定义了

class myS(ctypes.Structure):
    _fields_ = [("x", c_int),
         ("buffer",type(create_string_buffer(100)))]

现在,当我这样做时

buf = create_string_buffer(64)
s1 = myS(10,buf)

它给了我错误

TypeError: expected string or Unicode object, c_char_Array_100 found

我想要一个将由我的 C 函数更改的字符串。怎么做?

4

2 回答 2

1

您可以将常规 Python 字符串分配给 100*c_char 字段:

class myS(ctypes.Structure):
    _fields_ = [("x", c_int),
         ("buffer", 100*c_char)]

s1 = myS(10, "foo")
s1.buffer = "bar"

但是,如果您有一个字符串缓冲区对象,则可以取其值:

buf = create_string_buffer(64) 
s1 = myS(10,buf.value)

另请注意

>>> type(create_string_buffer(100)) == 100*c_char
True
于 2012-04-04T08:23:30.477 回答
1

您不必创建缓冲区。实例化缓冲区时,缓冲区位于结构中。

这是一个快速的DLL:

#include <string.h>

struct s
{
    int x;
    char buffer[100];
};

__declspec(dllexport) void func(struct s* a)
{
    a->x = 5;
    strcpy(a->buffer,"here is the contents of the string.");
}

这是调用它的 Python 代码:

import ctypes

class myS(ctypes.Structure):
    _fields_ = [
        ("x", ctypes.c_int),
        ("buffer",ctypes.c_char * 100)]

s1 = myS()
dll = ctypes.CDLL('test')
dll.func(ctypes.byref(s1))
print s1.buffer
print s1.x

输出:

here is the contents of the string.
5
于 2012-04-04T08:25:24.863 回答