OpenCV - 形态学操作



在前面的章节中,我们讨论了**腐蚀**和**膨胀**的过程。除了这两个之外,OpenCV 还有更多形态学变换。**Imgproc**类的**morphologyEx()**方法用于对给定图像执行这些操作。

以下是此方法的语法:

morphologyEx(src, dst, op, kernel)

此方法接受以下参数:

  • **src** - **Mat**类的一个对象,表示源(输入)图像。

  • **dst** - **Mat**类的一个对象,表示目标(输出)图像。

  • **op** - 一个整数,表示形态学操作的类型。

  • **kernel** - 一个核矩阵。

示例

以下程序演示了如何使用 OpenCV 库对图像应用**“顶帽”**形态学操作。

import org.opencv.core.Core;
import org.opencv.core.CvType;
import org.opencv.core.Mat;
import org.opencv.imgcodecs.Imgcodecs;
import org.opencv.imgproc.Imgproc;

public class MorphologyExTest {
   public static void main(String args[]) {
      // Loading the OpenCV core library
      System.loadLibrary( Core.NATIVE_LIBRARY_NAME );

      // Reading the Image from the file and storing it in to a Matrix object
      String file ="E:/OpenCV/chap12/morph_input.jpg";
      Mat src = Imgcodecs.imread(file);

      // Creating an empty matrix to store the result
      Mat dst = new Mat();

      // Creating kernel matrix
      Mat kernel = Mat.ones(5,5, CvType.CV_32F);

      // Applying Blur effect on the Image 
      Imgproc.morphologyEx(src, dst, Imgproc.MORPH_TOPHAT, kernel);

      // Writing the image
      Imgcodecs.imwrite("E:/OpenCV/chap12/morph_tophat.jpg", dst);

      System.out.println("Image Processed");
   } 
}

假设以上程序中指定了以下输入图像**morph_input.jpg**。

Morph Input

输出

执行程序后,您将获得以下输出:

Image Processed

如果打开指定路径,您可以观察到输出图像如下:

Morph Output

更多操作

除了前面**示例**中演示的**TOPHAT**形态学操作之外,OpenCV 还提供各种其他类型的形态学操作。所有这些类型都由**Imgproc**类的预定义静态字段(固定值)表示。

您可以通过将它们各自的预定义值传递给**morphologyEx()**方法的**op**参数来选择所需的形态学类型。

// Applying Blur effect on the Image
Imgproc.morphologyEx(src, dst, Imgproc.MORPH_TOPHAT, kernel);

以下是表示形态学操作类型及其相应输出的值。

操作和描述 输出
MORPH_BLACKHAT MORPH_BLACKHAT
MORPH_CLOSE MORPH_CLOSE
MORPH_CROSS MORPH_CROSS
MORPH_DILATE MORPH_DILATE
MORPH_ELLIPSE MORPH_ELLIPSE
MORPH_ERODE MORPH_ERODE
MORPH_GRADIENT MORPH_GRADIENT
MORPH_OPEN MORPH_OPEN
MORPH_RECT MORPH_RECT
MORPH_TOPHAT MORPH_TOPHAT
广告