问题
如何使用Cython中的c ++流(如std::ifstream
或ostream
)?在c ++中,您可以执行以下操作:
std::ofstream output { filename, std::ios::binary };
output.write(...);
你如何在Cython中实现同样的目标?
当前状态
我已经在Cython中包装了fstream中的结构,以便我可以在函数声明中使用它们的名称,但是棘手的部分是使用(在Cython中包装,可能)write方法并创建流。我没有在互联网上找到任何代码示例。
P.S。 我知道一个可能的答案就是使用Python的IO,但我需要传递/返回与我正在连接的C ++代码的流。
这是包装流声明的代码:
cdef extern from "<iostream>" namespace "std":
cdef cppclass basic_istream[T]:
pass
cdef cppclass basic_ostream[T]:
pass
ctypedef basic_istream[char] istream
ctypedef basic_ostream[char] ostream
答案 0 :(得分:6)
与包装任何其他C ++类相比,c ++ iostream没有太多特别之处。唯一棘手的问题是访问std::ios_base::binary
,我告诉Cython std::ios_base
是名称空间而不是类。
# distutils: language = c++
cdef extern from "<iostream>" namespace "std":
cdef cppclass ostream:
ostream& write(const char*, int) except +
# obviously std::ios_base isn't a namespace, but this lets
# Cython generate the correct C++ code
cdef extern from "<iostream>" namespace "std::ios_base":
cdef cppclass open_mode:
pass
cdef open_mode binary
# you can define other constants as needed
cdef extern from "<fstream>" namespace "std":
cdef cppclass ofstream(ostream):
# constructors
ofstream(const char*) except +
ofstream(const char*, open_mode) except+
def test_ofstream(str s):
cdef ofstream* outputter
# use try ... finally to ensure destructor is called
outputter = new ofstream("output.txt",binary)
try:
outputter.write(s,len(s))
finally:
del outputter
要添加的另一件事是我没有使用完整的模板化类heirarchy - 如果你还想要wchar
变体可能会有用,但是只告诉Cython有关类的更容易实际上是在使用。