42

我正在尝试 使用 opencv java api来实现以下问题的示例代码。为了findContours(gray, contours, CV_RETR_LIST, CV_CHAIN_APPROX_SIMPLE);在 java 中实现,我使用了这种语法Imgproc.findContours(gray, contours, new Mat(), Imgproc.RETR_LIST, Imgproc.CHAIN_APPROX_SIMPLE);

所以现在轮廓应该是List<MatOfPoint> contours = new ArrayList<MatOfPoint>();而不是vector<vector<cv::Point> > contours;

然后我需要实现这个approxPolyDP(Mat(contours[i]), approx, arcLength(Mat(contours[i]), true)*0.02, true);。在 java api 中,Imgproc.approxPolyDP 接受参数为approxPolyDP(MatOfPoint2f curve, MatOfPoint2f approxCurve, double epsilon, boolean closed). 如何将 MatOfPoint 转换为 MatOfPoint2f?

或者有没有办法使用与 c++ 接口相同的向量来实现这一点。非常感谢任何建议或示例代码。

4

3 回答 3

44

MatOfPoint2f 与 MatOfPoint 的区别仅在于元素的类型(分别为 32 位浮点和 32 位整数)。可行的选项(尽管有性能损失)是创建 MatOfPoint2f 实例并将其元素(在循环中)设置为等于源 MatOfPoint 的元素。

 public void fromArray(Point... lp);
 public Point[] toArray();

两个类中的方法。

所以你可以做

 /// Source variable
 MatOfPoint SrcMtx;

 /// New variable
 MatOfPoint2f  NewMtx = new MatOfPoint2f( SrcMtx.toArray() );
于 2012-06-30T11:14:15.400 回答
34

我意识到这个问题已经得到了很好的回答,但是为将来发现它的任何人添加一个替代方案 -

Imgproc.findContours(gray, contours, new Mat(), Imgproc.RETR_LIST, Imgproc.CHAIN_APPROX_SIMPLE);

for(int i=0;i<contours.size();i++){
    //Convert contours(i) from MatOfPoint to MatOfPoint2f
    contours.get(i).convertTo(mMOP2f1, CvType.CV_32FC2);
    //Processing on mMOP2f1 which is in type MatOfPoint2f
    Imgproc.approxPolyDP(mMOP2f1, mMOP2f2, approxDistance, true); 
    //Convert back to MatOfPoint and put the new values back into the contours list
    mMOP2f2.convertTo(contours.get(i), CvType.CV_32S);
}
于 2012-10-04T01:00:52.700 回答
26

虽然这个问题已经回答了,但我相信接受的答案并不是最好的。将矩阵转换为数组然后返回会带来相当大的性能损失,无论是时间方面还是内存方面。

相反,OpenCV 已经有一个函数可以做到这一点:convertTo。

MatOfPoint src;
// initialize src
MatOfPoint2f dst = new MatOfPoint2f();
src.convertTo(dst, CvType.CV_32F);

我发现这明显更快,对内存更友好。

要将 MatOfPoint2f 转换为 MatOfPoint,请改用 CvType.CV_32S。

于 2016-11-06T10:56:29.570 回答