Java 数字图像处理 - Sobel 算子



Sobel 算子与 Prewitt 算子非常相似。它也是一种导数掩码,用于边缘检测。Sobel 算子用于检测图像中的两种边缘:垂直方向边缘和水平方向边缘。

我们将使用 **OpenCV** 函数 **filter2D** 将 Sobel 算子应用于图像。它可以在 **Imgproc** 包下找到。其语法如下所示:

filter2D(src, dst, depth , kernel, anchor, delta, BORDER_DEFAULT );

函数参数如下所述:

序号 参数
1

src

它是源图像。

2

dst

它是目标图像。

3

depth

它是 dst 的深度。负值(例如 -1)表示深度与源相同。

4

kernel

它是将扫描图像的内核。

5

anchor

它是锚点相对于其内核的位置。默认情况下,位置 Point(-1, -1) 表示中心。

6

delta

它是卷积期间要添加到每个像素的值。默认值为 0。

7

BORDER_DEFAULT

我们默认使用此值。

除了 filter2D 方法外,Imgproc 类还提供了其他方法。它们简要描述如下:

序号 方法与描述
1

cvtColor(Mat src, Mat dst, int code, int dstCn)

它将图像从一个颜色空间转换为另一个颜色空间。

2

dilate(Mat src, Mat dst, Mat kernel)

它使用特定的结构元素膨胀图像。

3

equalizeHist(Mat src, Mat dst)

它均衡灰度图像的直方图。

4

filter2D(Mat src, Mat dst, int depth, Mat kernel, Point anchor, double delta)

它将图像与内核进行卷积。

5

GaussianBlur(Mat src, Mat dst, Size ksize, double sigmaX)

它使用高斯滤波器模糊图像。

6

integral(Mat src, Mat sum)

它计算图像的积分。

示例

以下示例演示了如何使用 Imgproc 类将 Sobel 算子应用于灰度图像。

import org.opencv.core.Core;
import org.opencv.core.CvType;
import org.opencv.core.Mat;

import org.opencv.highgui.Highgui;
import org.opencv.imgproc.Imgproc;

public class convolution {
   public static void main( String[] args ) {
   
      try {
         int kernelSize = 9;
         System.loadLibrary( Core.NATIVE_LIBRARY_NAME );
         
         Mat source = Highgui.imread("grayscale.jpg",  Highgui.CV_LOAD_IMAGE_GRAYSCALE);
         Mat destination = new Mat(source.rows(),source.cols(),source.type());
         
         Mat kernel = new Mat(kernelSize,kernelSize, CvType.CV_32F) {
            {
               put(0,0,-1);
               put(0,1,0);
               put(0,2,1);

               put(1,0-2);
               put(1,1,0);
               put(1,2,2);

               put(2,0,-1);
               put(2,1,0);
               put(2,2,1);
            }
         };	      
         
         Imgproc.filter2D(source, destination, -1, kernel);
         Highgui.imwrite("output.jpg", destination);
         
      } catch (Exception e) {
         System.out.println("Error: " + e.getMessage());
      }
   }
}

输出

执行给定代码时,将看到以下输出:

原始图像

Applying Sobel operator Tutorial

此原始图像与垂直边缘的 Sobel 算子进行卷积,如下所示:

垂直方向

-1 0 1
-2 0 2
-1 0 1

卷积图像(垂直方向)

Applying Sobel operator Tutorial

此原始图像与水平边缘的 Sobel 算子进行卷积,如下所示:

水平方向

-1 -2 -1
0 0 0
1 2 1

卷积图像(水平方向)

Applying Sobel operator Tutorial
广告