How to dynamically create a derived type in the Python C-API

后端 未结 3 939
余生分开走
余生分开走 2021-01-30 10:17

Assume we have the type Noddy as defined in the tutorial on writing C extension modules for Python. Now we want to create a derived type, overwriting only the

3条回答
  •  误落风尘
    2021-01-30 10:30

    I apologize up front if this answer is terrible, but you can find an implementation of this idea in PythonQt, in particular I think the following files might be useful references:

    • PythonQtClassInfo.cpp
    • PythonQtClassInfo.h
    • PythonQtClassWrapper.cpp
    • PythonQtClassWrapper.h

    This fragment from PythonQtClassWrapper_init jumps out at me as being somewhat interesting:

    static int PythonQtClassWrapper_init(PythonQtClassWrapper* self, PyObject* args, PyObject* kwds)
    {
      // call the default type init
      if (PyType_Type.tp_init((PyObject *)self, args, kwds) < 0) {
        return -1;
      }
    
      // if we have no CPP class information, try our base class
      if (!self->classInfo()) {
        PyTypeObject*  superType = ((PyTypeObject *)self)->tp_base;
    
        if (!superType || (superType->ob_type != &PythonQtClassWrapper_Type)) {
          PyErr_Format(PyExc_TypeError, "type %s is not derived from PythonQtClassWrapper", ((PyTypeObject*)self)->tp_name);
          return -1;
        }
    
        // take the class info from the superType
        self->_classInfo = ((PythonQtClassWrapper*)superType)->classInfo();
      }
    
      return 0;
    }
    

    It's worth noting that PythonQt does use a wrapper generator, so it's not exactly in line with what you're asking for, but personally I think trying to outsmart the vtable isn't the most optimal design. Basically, there are many different C++ wrapper generators for Python and people use them for a good reason - they're documented, there are examples floating around in search results and on stack overflow. If you hand roll a solution for this that nobody's seen before, it'll be that much harder for them to debug if they run into problems. Even if it's closed-source, the next guy who has to maintain it will be scratching his head and you'll have to explain it to every new person who comes along.

    Once you get a code generator working, all you need to do is maintain the underlying C++ code, you don't have to update or modify your extension code by hand. (Which is probably not too far away from the tempting solution you went with)

    The proposed solution is an example of breaking the type-safety that the newly introduced PyCapsule provides a bit more protection against (when used as directed).

    So, while its possible it might not be the best long term choice to implement derived/subclasses this way, but rather wrap the code and let the vtable do what it does best and when the new guy has questions you can just point him at the documentation for whatever solution fits best.

    This is just my opinion though. :D

提交回复
热议问题