带有模板参数的函数的C ++函数包装器

问题描述 投票:2回答:1

我正在尝试创建一个函数包装器,它接受一个带有1个模板参数的函数,并在另一个头文件中使用它。基本上,主程序计算定义my_function的某些变量,用于在CGAL中定义“criteria.h”标题。这是包含函数和函数包装器的“sizing_fun.h”:

template <typename Point_vec>
double my_function(double x, double y, Point_vec list_of_points)
{
  //use list_of_points
  return 4.0+(x*x+y*y);
}

template <typename FT, typename Point_2, typename Point_vec>
class FT_to_point_function_wrapper : public std::binary_function<Point_2, Point_vec, FT>
{
  typedef FT (*Implicit_function)(FT, FT, FT);
  Implicit_function function;
 public:
  FT_to_point_function_wrapper(Implicit_function f) : function(f) {}
  FT operator()(Point_2 p, Point_vec list) const { return function(p.x(), p.y(), std::forward<Point_vec>(list)); } //error line
};

在“criteria.h”中,我使用my_func作为上面定义的函数包装器。 pcc是Point_2参数,my_list是Point_vec参数。

double local_squared_size_bound = my_func(pcc,my_list);

我去了错误信息:

sizing_fun.h:17: error: cannot convert 'std::vector<CGAL::Point_2<CGAL::Epick>, std::allocator<CGAL::Point_2<CGAL::Epick> > >' to 'double' in argument passing

所以看起来Point_vec类型没有正确传递。

我意识到这篇文章:C++ function call wrapper with function as template argument但我认为它是不同的,因为它的函数没有模板参数。

c++ templates cgal
1个回答
4
投票

typedef FT (*Implicit_function)(FT, FT, FT);

您声明该函数对所有3个参数都接受相同的类型,并且还返回相同的类型。

应该是typedef FT (*Implicit_function)(FT, FT, Point_vec);

修复Implicit_function的签名,你的问题应该消失了。

如果这至少是C ++ 11,你也应该优先使用std::function而不是原始函数指针,这样就可以接受带有绑定/捕获的函数或lambdas。

FT_to_point_function_wrapper::function应该声明为const,因为它只由构造函数中的初始化列表设置。如果使用C ++ 11,您可以将FT_to_point_function_wrapper::FT_to_point_function_wrapper声明为constexpr

FT_to_point_function_wrapper::operator()也应该被宣布为const

© www.soinside.com 2019 - 2024. All rights reserved.