swig-python对C++的接口

2016-09-12  本文已影响0人  codeKing

前言:

swig可以实现多种高级语言(如python,R,Java等)对C/C++的使用,提供一种转换的接口.这里由于项目的需要,介绍下Python对C++的支持.(本文部分参考其它网络文章,但代码均经过验证可行)


安装SWIG(ubuntu 14.04):

sudo apt-get update
sudo apt-get install libpcre3 libpcre3-dev
可能还需要安装:
sudo apt-get install openssl libssl-dev

sudo apt-get install swig

安装结束


简单使用

    int fact(int n);

源文件example.cpp:

   #include "example.h"

   int fact(int n){
    if(n<0){
    return 0;
    }
    if(n==0){
    return 1;
    }
    else{
    return (1+n)*fact(n-1);
    }
   }
%module example

%{
#define SWIG_FILE_WITH_INIT
#include "example.h"
%}

int fact(int n);

swig -c++ -python example.i

执行完命令后会生成两个不同的文件:example_wrap.cxx和example.py.

"""
setup.py
"""

from distutils.core import setup, Extension

example_module = Extension('_example',
            sources=['example_wrap.cxx','example.cpp'],
            )

setup (name='example',
       version='0.1',
       author="SWIG Docs",
       description="""Simple swig example from docs""",
       ext_modules=[example_module],
       py_modules=["example"],
      )

注意:头文件和源文件都是example.*,那么setup.py脚本中Extension的参数必须为"_example"

python setup.py build_ext --inplace

>>>import example
>>>example.fact(4)
24
>>>

*7.支持STL

*7.1. vector

%module example

%{
#define SWIG_FILE_WITH_INIT
#include "example.h"
%}
%include stl.i
namespace std{
%template(VectorOfString) vector<string>;
}

int fact(int n);
std::vector<std::string> getname(int n);

*7.2. vector<vector<> >

%module example

%{
#define SWIG_FILE_WITH_INIT
#include "example.h"
%}
%include stl.i
namespace std{
%template(stringvector) vector<string>;
%template(stringmat) vector<vector<string> >;
}

int fact(int n);
std::vector<std::vector<std::string> > getname(int n);

*7.3. vector<vector<struct> >二维vector(多维vector定义+struct)

%module example
%{
#define SWIG_FILE_WITH_INIT
#include "example.h"
%}

%include stl.i
struct point
{
int i;
int j;
};

namespace std{
%template(stringvector) std::vector<point>;
%template(stringmat) std::vector<std::vector<point> >;
}
std::vector<std::vector<point> > getname(int n); 
/*结束
namespace std块中,第一个vector是第二个vector的基础,也就是第一个是第二个的子集,需要先申明内部,然后才能定义更加复杂的部分,比如我之前只定义了如下的namespace std形式:
namespace std{
%template(stringvector) std::vector<double>;
%template(stringmat) std::vector<std::vector<point> >;
}
寻找了好长时间也没找到错误的原因,后来查阅外文资料,才知道这个必须要逐个声明,也就是这里,它不知道std::vector<point>是怎么来的,所以我必须要先声明std::vector<point>才行,即上文形式,这个问题困扰了我好长时间,现在终于解决了.
*/
上一篇 下一篇

猜你喜欢

热点阅读