我在C ++中有一个具有静态方法的模板类。看起来或多或少是这样的:
template<typename T>
class Foo {
static std::shared_ptr<Foo<T>> doSth();
}
所以在C ++中你会称之为:Foo<Int>::doSth();
。但是在Cython中,调用静态方法的方法是使用classname作为命名空间:
cdef extern from "Bar.h" namespace "Bar":
shared_ptr[Bar] doSth() # assuming shared_ptr is already declared
但这没有模板的概念。显然,简单地将Foo<T>
作为命名空间传递并不起作用,因为它在C ++中转换为Foo<T>::doStr()
,没有具体的类型代替T。
你如何在Cython中做到这一点?有办法还是解决方法?
答案 0 :(得分:6)
Cython现在直接支持静态方法;命名空间hack不再是必需或推荐的。
cdef extern from "Foo.h":
cdef cppclass Foo[T]:
@staticmethod
shared_ptr[Foo[T]] doSth() # assuming shared_ptr is already declared
cdef shared_ptr[Foo[int]] shared_ptr_value = Foo[int].doSth()
http://docs.cython.org/en/latest/src/userguide/wrapping_CPlusPlus.html#static-member-method
答案 1 :(得分:3)
注意:这个答案在编写时是正确的(并且仍然有效)但您现在应该使用@Robertwb's answer to this question instead来正确执行此操作。
我认为你不能直接在Cython中做到这一点。您可以创建一个普通(非静态方法)c ++模板函数的非常薄的包装器
template <typename T>
std::shared_ptr<Foo<T>> Foo_T_doSth<T>() {
return Foo<T>::doSth();
}
然后将此方法包装在Cython中
cdef extern from "..."
shared_ptr[T] Foo_T_doSth[T]()
顺便说一下,在Cython中包装静态方法的推荐方法看起来是(来自https://groups.google.com/forum/#!topic/cython-users/xaErUq2yY0s)
cdef extern from "...":
cdef Foo_doSth "Foo::doSth"() # not declared as a memeber
(通过指定用作字符串的实际函数)。这对你没有帮助,因为它不能处理模板。可能是我在你尝试的方式上误导了你......