我有一个C ++类,我正在使用boost :: python构建一个python模块。我有一些函数,我想采取关键字参数。我已经设置了包装函数来传递给raw_arguments,并且工作正常,但我想构建一些函数参数的错误检查。有没有标准的方法来做到这一点?
我的函数原型,在C ++中,看起来有点像这样:
double MyClass::myFunction(int a, int b, int c);
第三个参数是可选的,默认值为0(到目前为止,我已经使用宏在boost :: python中实现了这个)。在python中,我希望能够实现以下行为:
MyClass.my_function(1) # Raises exception
MyClass.my_function(2, 3) # So that a = 2, b = 3 and c defaults to 0
MyClass.my_function(2, 3, 1) # As above, but now c = 1
MyClass.my_function(2, 3, 1, 3) # Raises exception
MyClass.my_function(3, 1, c = 2) # So a = 3, b = 1 and c = 2
MyClass.my_function(a = 2, b = 2, c = 3) # Speaks for itself
MyClass.my_function(b = 2, c = 1) # Raises exception
boost :: python或raw_function包装中是否有东西可以促进这一点,或者我是否需要编写代码来自行检查所有这些?如果我确实需要,我该如何提出异常?有没有一种标准的方法呢?
答案 0 :(得分:13)
boost/python/args.hpp
文件提供了一系列用于指定参数关键字的类。特别是,Boost.Python提供了arg
类型,表示潜在的关键字参数。它重载了逗号运算符,以允许更自然地定义参数列表。
将myFunction
公开MyClass
作为my_function
,其中a
,b
和c
是关键字参数,{{1}默认值c
可以写成如下:
0
这是一个完整的例子:
BOOST_PYTHON_MODULE(example)
{
namespace python = boost::python;
python::class_<MyClass>("MyClass")
.def("my_function", &MyClass::myFunction,
(python::arg("a"), "b", python::arg("c")=0))
;
}
互动用法:
#include <boost/python.hpp>
class MyClass
{
public:
double myFunction(int a, int b, int c)
{
return a + b + c;
}
};
BOOST_PYTHON_MODULE(example)
{
namespace python = boost::python;
python::class_<MyClass>("MyClass")
.def("my_function", &MyClass::myFunction,
(python::arg("a"), "b", python::arg("c")=0))
;
}