I found this code snippet in the help of python 2.7.5, which is a chapter about exposing a C-API to other modules in the Extending Python with C and C++ section: Providing a C API for an Extension Module
/* C API functions */
#define PySpam_System_NUM 0
#define PySpam_System_RETURN int
#define PySpam_System_PROTO (const char *command)
// ...
static PySpam_System_RETURN PySpam_System PySpam_System_PROTO;
// ...
static void **PySpam_API;
#define PySpam_System \
(*(PySpam_System_RETURN (*)PySpam_System_PROTO) PySpam_API[PySpam_System_NUM])
This snipped is for function capsules. A capsule is used to pass functions between two modules.
But what's the meaning of this snippet: [...] (PySpam_SystemRETURN (*)PySpam_System_PROTO) [...].
I think it's something like a static cast. Something like (int(*)(char s)). But what's the meaning of this construct?
As defined, the macro
PySpam_Systemexpands into:Which is basically accessing
PySpam_API[0], casting it to a pointer to function receiving aconst char *and returningint, and dereferencing that pointer.It is equivalent to writing:
That is, it is equivalent to declaring a variable
function_ptrwhich is a pointer to the same function pointed to byPySpam_API[0]casted toint (*)(const char *), and then usingPySpam_Systemas a shortcut to dereference the pointer, which means thatPySpam_Systemcan be used as if it were a function, as in:This effectively calls the function pointed to by
PySpam_API[0]with argument"an example". Note that the function must be compatible with the cast.Also, notice that the code defines a function called
PySpam_Systembefore defining the macroPySpam_System. This has the effect that if you usePySpam_System()before the#define, you will be calling this function:(Which expands to
static int PySpam_System(const char *command);)If you use
PySpam_System()after the#define, you will be calling a macro that calls the function pointed to byPySpam_API[0].