boost.Geometry运算符

时间:2015-03-25 07:57:16

标签: c++ boost boost-geometry

我想在boost.Geometry中使用运算符而不是multiply_value,add_point,dot_product ....我自己要定义这些吗?

#include <boost/geometry.hpp>
#include <boost/geometry/geometries/point.hpp>
namespace bg = boost::geometry;
using Point = bg::model::point<double, 3, bg::cs::cartesian>;
using namespace bg;

void test()
{
    const double z{2.0};
    const Point a{1.0,2.0,-1.0};

    // this doesn't compile:
    //      const Point b{z*a};
    //      const Point c{a+b};

    // instead I have to do this:
    Point b{a};
    multiply_value(b, z);

    Point c{5.0,1.0,0.0};
    add_point(c, b);
}

1 个答案:

答案 0 :(得分:1)

官方Boost Geometry doc并不表示任何算术运算符(在字母O处检查)。

理论上,您应该能够自己定义一个包装器,但请记住,添加或乘法有两种方式multiply_pointmultiply_value

template<typename Point1, typename Point2>
void multiply_point(Point1 & p1, Point2 const & p2)

template<typename Point>
void multiply_value(Point & p, typename detail::param< Point >::type value)

但是参数的类型可以由编译器互换,这意味着如果这两个函数具有相同的名称,它将不知道选择哪个。

这意味着您将必须选择在进行乘法时执行哪个操作,以及选择操作数的顺序,这样它就不会编译器含糊不清。

以下是如何执行此操作的示例,以便Point b{z * a}编译:

// For multiply value
template<typename Point>
Point operator*(const Point & p, typename detail::param< Point >::type value) {
    Point result{p};
    multiply_value(result, value);
    return result;
}

请注意,Point b{a * z} 无法使用此解决方案进行编译Point c{a * b}也不会。

Example of order of the operands causing problem

Example of multiply_value or multiply_point causing problem