0

我正在尝试在 C 中做一个简单的扩展,它应该能够扩展 python 代码。我在https://github.com/munirhossain/py_c_extension上找到了该代码

#include <Python.h>

// Function 1: A simple 'hello world' function
static PyObject* helloworld(PyObject* self, PyObject* args) 
{   
    printf("Hello Munir\n");
    Py_RETURN_NONE;
    return Py_None;
}

// Function 2: A C fibonacci implementation
// this is nothing special and looks exactly
// like a normal C version of fibonacci would look
int Cfib(int n)
{
    if (n < 2)
        return n;
    else
        return Cfib(n-1)+Cfib(n-2);
}
// Our Python binding to our C function
// This will take one and only one non-keyword argument
static PyObject* fib(PyObject* self, PyObject* args)
{
    // instantiate our `n` value
    int n;
    // if our `n` value 
    if(!PyArg_ParseTuple(args, "i", &n))
        return NULL;
    // return our computed fib number
    return Py_BuildValue("i", Cfib(n));
}

// Our Module's Function Definition struct
// We require this `NULL` to signal the end of our method
// definition 
static PyMethodDef myMethods[] = {
    { "helloworld", helloworld, METH_NOARGS, "Prints Hello Munir" },
    { "fib", fib, METH_VARARGS, "Computes Fibonacci" },
    { NULL, NULL, 0, NULL }
};

// Our Module Definition struct
static struct PyModuleDef myModule = {
    PyModuleDef_HEAD_INIT,
    "myModule",
    "Test Module",
    -1,
    myMethods
};

// Initializes our module using our above struct
PyMODINIT_FUNC PyInit_myModule(void)
{
    return PyModule_Create(&myModule);
}

我想修改该代码,就像我调用 helloworld func 时一样,就像helloworld("max")它在 C 中返回一样Hello max,但是我该如何使用PyObject* args:/ 有什么想法可以做到这一点(在 C 中)?

4

1 回答 1

0

您应该阅读PyArg_ParseTuple文档。基本上这应该工作:

static PyObject* helloworld(PyObject* self, PyObject* args) 
{   
    const char *name;

    if (!PyArg_ParseTuple(args, "s", &name)) {
        return NULL;
    }

    printf("Hello %s\n", name);
    Py_RETURN_NONE;
}

并且您需要将表中的方法定义更改为

{ "helloworld", helloworld, METH_VARARGS, "Prints Hello <name>" },

自然,因为它现在需要争论。描述s说参数元组必须只包含一项,并且它应该是 type str; 它被转换为 UTF-8(每个 CPython 字符串对象都可以包含 UTF-8 中字符串内容的缓存副本以供 C 使用),并将指向第一个字符的指针存储到相应参数指向的指针对象中变量参数列表(即&name- 输出值为const char *,并且对应的参数必须是指向此类对象的指针,即const char **)。

如果PyArg_ParseTuple返回一个假值,则表示转换失败并设置了 Python 异常。NULL我们通过返回而不是Py_None从函数返回来引发 Python 端的异常。

最后,

return Py_None; 

是不正确的-在返回之前,您必须始终在任何此类值上增加Py_RETURN_NONE引用计数器-这就是宏在其中所做的-它在功能上等同于

Py_INCREF(Py_None);
return Py_None;
于 2021-01-16T17:14:31.503 回答