1

我正在使用 Boost Python 为 C++ 中的某些类提供 python 接口。我发现这种情况我不确定如何解决:

我有一个具有此成员函数的类:

virtual void visit(const ReportClass r) = 0;
virtual void visit(const unsigned int category) = 0;
virtual void visit(const char* type) = 0;
virtual void visit(const char* name, const unsigned int id, const char &value ) = 0;
virtual void visit(const char* name, const unsigned int id, const unsigned short &value ) = 0;
virtual void visit(const char* name, const unsigned int id, const unsigned int &value ) = 0;
virtual void visit(const char* name, const unsigned int id, const MaskedAddr &value ) = 0;
virtual void visit(const char* name, const unsigned int id, const unsigned long long &value ) = 0;

我对如何实现 python-boost 部分有点迷茫,我已经看到如何处理虚函数和重载函数,但我不知道如何将两者结合起来。

顺便说一句,我在示例中看到返回 int 的虚函数(例如)应该以这种方式实现:

int f()
{
    return this->get_override("f")();
}

就我而言,他们没有返回任何东西,我想我应该以这种方式实现它们:

void f()
{
     this->get_override("f")();
}

它是否正确?

提前致谢

4

2 回答 2

1

让我们先回答一个简单的问题:即使返回类型为 void,您也始终可以“返回 this->get_override("f")();”。实际上,在这样的包装代码中,我发现这是更好的选择,因为如果包装的函数突然返回一些东西,你会得到一个编译错误!

现在是一个难题:如何在这里混合虚拟函数和重载函数。我会使用模板方法模式来规避这个问题。这个想法是简单地提供一个公共的、非虚拟的函数来调用一个私有的虚拟函数。或者,您可以使虚拟的受保护,以允许扩展而不是覆盖。此外,在非虚拟类中,您可以验证派生类必须满足或验证参数的前置/后置条件(例如 assert(name);)。

于 2013-01-31T20:41:24.793 回答
1

如果我正确理解您的问题,您希望将纯虚拟(重载)方法绑定到 Python,以便可以从 python 重载它们。您已经找到的教程部分解释了这一点。在您的特定情况下,C++ 和 Python 不能很好地与重载相互作用。虽然 C++ 允许,但 Python 禁止。f在 Python中不能有两个同名的方法。我们要做的就是分散python 调用,以便用户可以从 Python 实现覆盖。

我会写一个更小的例子,但你可以从中抽象出来。

让我们从 C++ 管道开始。您的 C++ 绑定应如下所示:

struct BaseWrap : Base, boost::python::wrapper<Base> {
    int f() {
        return this->get_override("__f1__")();
    }

    int f(int i) {
        return this->get_override("__f2__")()
    }

    int f(const char* s) {
        return this->get_override("__f3__")()
    }

    int f(const char* s, double d) {
        return this->get_override("__f4__")()
    }
};

//your module code will look like this
BOOST_PYTHON_MODULE(example) {
  using namespace boost::python;
  class_<BaseWrap, boost::noncopyable>("Base")
    .def("f", pure_virtual(((int)(Base::*)())&Base::f))
    .def("f", pure_virtual(((int)(Base::*)(int))&Base::f))
    .def("f", pure_virtual(((int)(Base::*)(const char*))&Base::f))
    .def("f", pure_virtual(((int)(Base::*)(const char*, double))&Base::f))
  ;
}

我们做了什么?当 Python 端的代码调用f(<parameters>)时,我们会解析到正确的重载方法。然后,此方法将从 Python 调用 Python 的__f1____f2__等,其中方法的实质是真正编码的。

要完成绑定,在 Python 中,您必须继承并example.Base实现__f1____f2__和:__f3____f4__

class Base(example.Base):
  """Throw here the documentation of Base - don't bother about the C++ stuff"""

  def __init__(self,...):
    pass

  def __f1__(self):
    """Implementation of Base::f()"""
    pass

  def __f2__(self):
    """Implementation of Base::f(int)"""
    pass

  def __f3__(self):
    """Implementation of Base::f(const char*)"""
    pass

  def __f4__(self):
    """Implementation of Base::f(const char*, double)"""
    pass
于 2013-02-10T07:59:39.087 回答