Computer >> คอมพิวเตอร์ >  >> การเขียนโปรแกรม >> Python

จะแนบวิธี C กับคลาส Python ที่มีอยู่ได้อย่างไร


วิธีนี้แสดงวิธีกำหนดคลาส Python ใหม่จากโมดูลส่วนขยาย C เมธอดของคลาสมีการใช้งานในภาษาซี แต่คลาสยังสามารถสร้างอินสแตนซ์ คลาสย่อย และขยายจาก Python ได้ เทคนิคเดียวกันกับการสืบทอดยังสามารถใช้เพื่อขยายคลาส Python ที่มีอยู่ด้วยวิธีการที่เขียนด้วยภาษา C ในเทคนิคนี้ อาร์กิวเมนต์แรกไปยัง PyClass_New จะถูกส่งเป็น NULL แสดงว่าคลาสใหม่ไม่มีคลาสพื้นฐาน จากนั้นเราส่ง tuple ของคลาสพื้นฐานในจุดนี้ และเราจะได้รับพฤติกรรมการสืบทอด Python ปกติ แม้ว่าคลาสใหม่ของเราจะถูกสร้างขึ้นในส่วนขยาย C มากกว่าในซอร์สโค้ด Python

ตัวอย่าง

#include <Python.h>
static PyObject* Foo_init(PyObject *self, PyObject *args)
{
    printf("Foo._ _init_ _ called\n");
    Py_INCREF(Py_None);
    return Py_None;
}
static PyObject* Foo_doSomething(PyObject *self, PyObject *args)
{
    printf("Foo.doSomething called\n");
    Py_INCREF(Py_None);
    return Py_None;
}
static PyMethodDef FooMethods[] =
{
    {"_ _init_ _", Foo_init, METH_VARARGS, "doc string"},
    {"doSomething", Foo_doSomething, METH_VARARGS, "doc string"},
    {0, 0},
};
static PyMethodDef ModuleMethods[] = { {0, 0} };
#ifdef _ _cplusplus
extern "C"
#endif
void initFoo(  )
{
    PyMethodDef *def;
    /* create new module and class objects */
    PyObject *module = Py_InitModule("Foo", ModuleMethods);
    PyObject *moduleDict = PyModule_GetDict(module);
    PyObject *classDict = PyDict_New(  );
    PyObject *className = PyString_FromString("Foo");
    PyObject *fooClass = PyClass_New(NULL, classDict, className);
    PyDict_SetItemString(moduleDict, "Foo", fooClass);
    Py_DECREF(classDict);
    Py_DECREF(className);
    Py_DECREF(fooClass);
    /* add methods to class */
    for (def = FooMethods; def->ml_name != NULL; def++) {
        PyObject *func = PyCFunction_New(def, NULL);
        PyObject *method = PyMethod_New(func, NULL, fooClass);
        PyDict_SetItemString(classDict, def->ml_name, method);
        Py_DECREF(func);
        Py_DECREF(method);
    }
}