6

我目前正在尝试使用Boost Python导出一个类,然后在对应的程序中使用它。

/**
    main.cpp
*/
#define BOOST_PYTHON_STATIC_LIB
#include <Resource\ZipResourceFile.hpp>
#include <Resource\ResourceCache.hpp>
#include <Windows.h>
#include <boost/python.hpp>
#include <iostream>

/* a simple add method, for s & g's */
int add(int a, int b)
{
    return a + b;
}

/* Foo class*/
class Foo
{
public:
    Foo(int n);
    ~Foo();
    void f();
};

/* Foo ctor, does nothingm just wanted to pass and arg */
Foo::Foo(int n)
{

}

/* destructor */
Foo::~Foo()
{
}

/* f() implementation, calls Foo!!! to cout */
void Foo::f()
{
    std::cout << "Foo!!!" << '\n';
}

/* Boost python module definition */
BOOST_PYTHON_MODULE(PyBackend)
{
    using namespace boost::python;

    def("add", add);
    class_<Foo>("Foo", init<int>())
        .def("f", &Foo::f);
}



int main(int argc, char* argv[])
{
    PyImport_AppendInittab("PyBackend", init_PyBackend);
    Py_Initialize();
    PyRun_SimpleString("import PyBackend");
    PyRun_SimpleString("foo = PyBackend.Foo(1)");

    Py_Finalize();

    {
        int n;
        std::cin >> n;
    }
    return 0;
}

无论如何,我不知道在哪里可以找到函数 init_PyBackend,尽管如果我不使用 Boost.Python,这似乎是合乎逻辑的事情。

模块本身不在单独的 DLL 中,它是同时编译的。无论如何,有人对我能做什么有任何想法吗?

4

1 回答 1

11

命名模块初始化函数的约定是:

  • init***对于 Python 2.x(无下划线)。
  • PyInit_***对于 Python 3.x。

Boost.Python 的BOOST_PYTHON_MODULE宏遵循这些约定。

由于您使用的是 Python 3.2,PyBackend因此将调用模块的初始化函数:

PyInit_PyBackend.

Note that for modules with names starting with an underscore, like _sre, the init functions are init_sre/PyInit__sre (notice two underscores for Python 3.x).

于 2012-05-04T04:14:25.400 回答