如何在Java OpenCV庫中查詢影像輪廓的面積?
輪廓不過是連線特定形狀邊界上所有點的線。使用它,您可以 -
查詢物體的形狀。
計算物體的面積。
檢測物體。
識別物體。
您可以使用 **findContours()** 方法找到影像中各種形狀、物體的輪廓。同樣,您可以繪製
您還可以找到給定輸入影像中形狀的面積。為此,您需要呼叫 Imgproc 類的 **contourArea()** 方法。此方法接受特定形狀的輪廓,找到並返回其面積。
示例
下面的 Java 示例查詢給定影像中每個形狀/物體的面積,並以紅色繪製面積小於 5000 的形狀輪廓,其餘則以白色繪製。
import java.util.ArrayList; import java.util.List; import org.opencv.core.Core; import org.opencv.core.CvType; import org.opencv.core.Mat; import org.opencv.core.MatOfPoint; import org.opencv.core.Point; import org.opencv.core.Scalar; import org.opencv.highgui.HighGui; import org.opencv.imgcodecs.Imgcodecs; import org.opencv.imgproc.Imgproc; public class FindContourArea { public static void main(String args[]) throws Exception { //Loading the OpenCV core library System.loadLibrary( Core.NATIVE_LIBRARY_NAME ); //Reading the contents of the image String file ="D:\Images\javafx_graphical.jpg"; Mat src = Imgcodecs.imread(file); //Converting the source image to binary Mat gray = new Mat(src.rows(), src.cols(), src.type()); Imgproc.cvtColor(src, gray, Imgproc.COLOR_BGR2GRAY); Mat binary = new Mat(src.rows(), src.cols(), src.type(), new Scalar(0)); Imgproc.threshold(gray, binary, 100, 255, Imgproc.THRESH_BINARY_INV); //Finding Contours List<MatOfPoint> contours = new ArrayList<>(); Mat hierarchey = new Mat(); Imgproc.findContours(binary, contours, hierarchey, Imgproc.RETR_TREE, Imgproc.CHAIN_APPROX_SIMPLE); Mat draw = Mat.zeros(src.size(), CvType.CV_8UC3); for (int i = 0; i < contours.size(); i++) { Scalar color = new Scalar(0, 0, 255); //Calculating the area double cont_area = Imgproc.contourArea(contours.get(i)); System.out.println(cont_area); if(cont_area>5000.0){ Imgproc.drawContours(draw, contours, i, color, 2, Imgproc.LINE_8, hierarchey, 2, new Point() ) ; } else { color = new Scalar(255, 255, 255); Imgproc.drawContours(draw, contours, i, color, 2, Imgproc.LINE_8, hierarchey, 2, new Point() ) ; } } HighGui.imshow("Contours operation", draw); HighGui.waitKey(); } }
輸入影像
輸出
4091.0 6336.0 189.0 6439.0 4903.0
除了上述輸出外,上述程式還會生成以下視窗 -
廣告