SWIG passing argument to python callback function
So I'm almost done. Now I have working code which calls python callback function.
Only thing I need now is how to pass argument to the python callback function.
My callback.c is:
#include <stdio.h>
typedef void (*CALLBACK)(void);
CALLBACK my_callback = 0;
void set_callback(CALLBACK c);
void test(void);
void set_callback(CALLBACK c) {
my_callback = c;
}
void test(void) {
printf("Testing the callback function\n");
if (my_callback) (*my_callback)();
else printf("No callback registered\n");
}
My callback.i is:
// An entirely different mechanism for handling a callback
%module callback
%{
typedef void (*CALLBACK)(void);
extern CALLBACK my_callback;
extern void set_callback(CALLBACK c);
extern void my_set_callback(PyObject *PyFunc);
extern void test(void);
%}
extern CALLBACK my_callback;
extern void set_callback(CALLBACK c);
extern void my_set_callback(PyObject *PyFunc);
extern void test(void);
%{
static PyObject *my_pycallback = NULL;
static void PythonCallBack(void)
{
PyObject *func, *arglist;
PyObject *result;
func = my_pycallback; /* This is the function .... */
arglist = Py_BuildValue("()"); /* No arguments needed */
result = PyEval_CallObject(func, arglist);
Py_DECREF(arglist);
Py_XDECREF(result);
return /*void*/;
}
void my_set_callback(PyObject *PyFunc)
{
Py_XDECREF(my_pycallback); /* Dispose of previous callback */
Py_XINCREF(PyFunc); /* Add a reference to new callback */
my_pycallback 开发者_Python百科= PyFunc; /* Remember new callback */
set_callback(PythonCallBack);
}
%}
%typemap(python, in) PyObject *PyFunc {
if (!PyCallable_Check($input)) {
PyErr_SetString(PyExc_TypeError, "Need a callable object!");
return NULL;
}
$1 = $input;
}
It works well. What should I do so I can pass argument to my_callback
?
Any help will be greatly appreciated!
The arguments to the callback are the second argument to PyEval_CallObject()
. Right now you're building an empty tuple, which means "no arguments". So, change that. Where you now do:
arglist = Py_BuildValue("()"); /* No arguments needed */
you instead pass Py_BuildValue
whatever arguments you want the Python function to receive. For example, if you want to pass the callback an integer, a string and a Python object you got from somewhere, you would do:
arglist = Py_BuildValue("(isO)", the_int, the_str, the_pyobject);
精彩评论