使用Python C API命名参数?

使用Python C API命名参数?,python,c,python-c-api,named-parameters,Python,C,Python C Api,Named Parameters,如何使用Python C API模拟以下Python函数 def foo(bar, baz="something or other"): print bar, baz (即,可以通过以下方式调用: >>> foo("hello") hello something or other >>> foo("hello", baz="world!") hello world! >>> foo("hello", "world!") hello,

如何使用Python C API模拟以下Python函数

def foo(bar, baz="something or other"):
    print bar, baz
(即,可以通过以下方式调用:

>>> foo("hello")
hello something or other
>>> foo("hello", baz="world!")
hello world!
>>> foo("hello", "world!")
hello, world!
)

请参见:您想使用
PyArg_ParseTupleAndKeywords
,在我给出的URL中记录

例如:

def foo(bar, baz="something or other"):
    print bar, baz
变成(大致上——还没有测试过!):

#include "Python.h"

static PyObject *
themodule_foo(PyObject *self, PyObject *args, PyObject *keywds)
{
    char *bar;
    char *baz = "something or other";

    static char *kwlist[] = {"bar", "baz", NULL};

    if (!PyArg_ParseTupleAndKeywords(args, keywds, "s|s", kwlist,
                                     &bar, &baz))
        return NULL;

    printf("%s %s\n", bar, baz);

    Py_INCREF(Py_None);
    return Py_None;
}

static PyMethodDef themodule_methods[] = {
    {"foo", (PyCFunction)themodule_foo, METH_VARARGS | METH_KEYWORDS,
     "Print some greeting to standard output."},
    {NULL, NULL, 0, NULL}   /* sentinel */
};

void
initthemodule(void)
{
  Py_InitModule("themodule", themodule_methods);
}