The C function myfunc
operates on a larger chunk of data. The results are returned in chunks to a callback function:
int myfunc(const char *data, int (*callback)(char *result, void *userdata), void *userdata);
Using ctypes, it's no big deal to call myfunc
from Python code, and to have the results being returned to a Python callback function. This callback work fine.
myfunc = mylib.myfunc
myfunc.restype = c_int
myfuncFUNCTYPE = CFUNCTYPE(STRING, c_void_p)
myfunc.argtypes = [POINTER(c_char), callbackFUNCTYPE, c_void_p]
def mycb(result, userdata):
print result
return True
input="A large chunk of data."
myfunc(input, myfuncFUNCTYPE(mycb), 0)
But, is there any way to give a Python object (say a list) as userdata to the callback function? In order to store away the result chunks, I'd like to do e.g.:
def mycb(result, userdata):
userdata.append(result)
userdata=[]
But I have no idea how to cast the Python list to a c_void_p, so that it can be used in the call to myfunc.
My current workaround is to implement a linked list as a ctypes structure, which is quite cumbersome.