web-dev-qa-db-ja.com

opencvでMatOfPointをMatOfPoint2fに変換する方法Java api

Opencv Java api。findContours(gray, contours, CV_RETR_LIST, CV_CHAIN_APPROX_SIMPLE); in Java=この構文を使用しましたImgproc.findContours(gray, contours, new Mat(), Imgproc.RETR_LIST, Imgproc.CHAIN_APPROX_SIMPLE);

したがって、コンターは_vector<vector<cv::Point> > contours;_ではなくList<MatOfPoint> contours = new ArrayList<MatOfPoint>();になるはずです。

次に、この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 ++インターフェイスと同じようにベクトルを使用する方法はありますか?提案やサンプルコードは大歓迎です。

38
chAmi

MatOfPoint2fは、要素のタイプ(それぞれ32ビットfloatおよび32ビットint)のみがMatOfPointと異なります。実行可能なオプション(パフォーマンスは低下しますが)は、MatOfPoint2fインスタンスを作成し、その要素を(ループ内で)ソースMatOfPointの要素と等しくなるように設定することです。

がある

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

両方のクラスのメソッド。

だからあなたはちょうどすることができます

 /// Source variable
 MatOfPoint SrcMtx;

 /// New variable
 MatOfPoint2f  NewMtx = new MatOfPoint2f( SrcMtx.toArray() );
40
Viktor Latypov

この質問はすでに十分に回答されていると思いますが、将来的にそれを見つけた人のための代替案を追加します-

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);
}
34
eskimo9

この質問には既に回答していますが、受け入れられた回答は最善ではないと私は信じています。行列を配列に変換してから戻すと、時間的にもメモリ的にもパフォーマンスが大幅に低下します。

代わりに、OpenCVにはこれを正確に実行する関数convertToが既にあります。

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

これは大幅に高速で、よりメモリフレンドリーであることがわかりました。

MatOfPoint2fをMatOfPointに変換するには、代わりにCvType.CV_32Sを使用します。

22