如何使用swig实例化模板类的模板方法?

时间:2013-04-25 15:32:38

标签: c++ python swig

我在C ++中有一个类,它是一个模板类,这个类上的一个方法是在另一个占位符上模板化的

template <class T>
class Whatever {
public:
    template <class V>
    void foo(std::vector<V> values);
}

当我将这个类传输到swig文件时,我做了

%template(Whatever_MyT) Whatever<MyT>;

不幸的是,当我尝试从python的Whatever_MyT实例上调用foo时,我得到属性错误。我以为我必须使用

实例化成员函数
%template(foo_double) Whatever<MyT>::foo<double>;

这是我在C ++中编写的,但它不起作用(我得到语法错误)

问题出在哪里?

1 个答案:

答案 0 :(得分:11)

首先声明成员模板的实例,然后声明类模板的实例。

实施例

%module x

%inline %{
#include<iostream>
template<class T> class Whatever
{
    T m;
public:
    Whatever(T a) : m(a) {}
    template<class V> void foo(V a) { std::cout << m << " " << a << std::endl; }
};
%}

// member templates
// NOTE: You *can* use the same name for member templates,
//       which is useful if you have a lot of types to support.
%template(fooi) Whatever::foo<int>;
%template(food) Whatever::foo<double>;
// class templates.  Each will contain fooi and food members.
// NOTE: You *can't* use the same template name for the classes.
%template(Whateveri) Whatever<int>;
%template(Whateverd) Whatever<double>;

输出

>>> import x
>>> wi=x.Whateveri(5)
>>> wd=x.Whateverd(2.5)
>>> wi.fooi(7)
5 7
>>> wd.fooi(7)
2.5 7
>>> wi.food(2.5)
5 2.5
>>> wd.food(2.5)
2.5 2.5

参考: 6.18 Templates(在SWIG 2.0 Documentation中搜索“会员模板”。