Reputation: 21622
Is there any simple solution how to convert vector<cv::Point2d>
to vector<cv::Point>
? something like here C++ convert vector<int> to vector<double> ?
This types are templated :
typedef Point_<double> Point2d;
typedef Point_<int> Point2i;
typedef Point2i Point;
/*!
template 2D point class.
The class defines a point in 2D space. Data type of the point coordinates is specified
as a template parameter. There are a few shorter aliases available for user convenience.
See cv::Point, cv::Point2i, cv::Point2f and cv::Point2d.
*/
template<typename _Tp> class Point_
{
public:
typedef _Tp value_type;
// various constructors
Point_();
Point_(_Tp _x, _Tp _y);
Point_(const Point_& pt);
Point_(const CvPoint& pt);
Point_(const CvPoint2D32f& pt);
Point_(const Size_<_Tp>& sz);
Point_(const Vec<_Tp, 2>& v);
Point_& operator = (const Point_& pt);
//! conversion to another data type
template<typename _Tp2> operator Point_<_Tp2>() const;
//! conversion to the old-style C structures
operator CvPoint() const;
operator CvPoint2D32f() const;
operator Vec<_Tp, 2>() const;
//! dot product
_Tp dot(const Point_& pt) const;
//! dot product computed in double-precision arithmetics
double ddot(const Point_& pt) const;
//! cross-product
double cross(const Point_& pt) const;
//! checks whether the point is inside the specified rectangle
bool inside(const Rect_<_Tp>& r) const;
_Tp x, y; //< the point coordinates
};
Upvotes: 3
Views: 10986
Reputation: 41765
You can do exactly as described there using vector range constructor:
#include <opencv2\opencv.hpp>
#include <vector>
using namespace cv;
using namespace std;
int main()
{
vector<Point2d> vd{ { 1.1, 2.2 }, { 3.3, 4.4 }, {5.5, 6.6} };
vector<Point> v(vd.begin(), vd.end());
// Print for debug
copy(vd.begin(), vd.end(), ostream_iterator<Point2d>(cout, " "));
cout << endl;
copy(v.begin(), v.end(), ostream_iterator<Point>(cout, " "));
return 0;
}
This will work since you can build a Point
from a Point2d
with:
template<typename _Tp> template<typename _Tp2> inline Point_<_Tp>::operator Point_<_Tp2>() const
{ return Point_<_Tp2>(saturate_cast<_Tp2>(x), saturate_cast<_Tp2>(y)); }
Upvotes: 8
Reputation: 5230
Since there is not conversion from cv::Point2D to cv::Point I would suggest a lambda (untested):
vector<cv::Point2d> src ;
vector<cv::Point> dest ;
std::copy(src.begin(),
src.end(),
[&dest](const cv::Point2d &item) {
dest.push_back(cv::Point(pt.x, pt.y)) ;}) ;
Upvotes: 0