Logo Questions Linux Laravel Mysql Ubuntu Git Menu
 

How to combine two Boost Geometry transformers?

I have two transformers, a translation and a rotation as follows:

namespace bg = boost::geometry;
namespace trans = bg::strategy::transform;

trans::translate_transformer<point, point> translate(px, py);
trans::rotate_transformer<point, point, bg::radian> rotate(rz);

How do I combine them into one, so that I don't have to call bg::transform twice each time and use an intermediate variable?

like image 494
Nestor Avatar asked Mar 13 '12 20:03

Nestor


1 Answers

Both translate and rotate are affine transformations, i.e., they can be represented using a matrix. Therefore, all you have to do is to create a new transformer whose matrix is equal to the product of the matrices of the two transforms.

trans::ublas_transformer<point, point, 2, 2> translateRotate(prod(rotate.matrix(), translate.matrix()));

Here is a full working example:

#include <boost/geometry/geometries/point_xy.hpp>
#include <boost/geometry/strategies/transform/matrix_transformers.hpp>

namespace bg = boost::geometry;
namespace trans = bg::strategy::transform;

typedef bg::model::d2::point_xy<double> point;

int main()
{
    trans::translate_transformer<point, point> translate(0, 1);
    trans::rotate_transformer<point, point, bg::degree> rotate(90);

    trans::ublas_transformer<point, point, 2, 2> translateRotate(prod(rotate.matrix(), translate.matrix()));

    point p;
    translateRotate.apply(point(0, 0), p);
    std::cout << bg::get<0>(p) << " " << bg::get<1>(p) << std::endl;
}

Be very careful regarding the order of the matrices in the multiplication. The example above first translates, then rotates.

like image 70
user1202136 Avatar answered Sep 27 '22 21:09

user1202136