Java 数字图像处理 - 图像金字塔



图像金字塔是一种显示多分辨率图像的方法。最底层是图像的最高分辨率版本,最顶层是图像的最低分辨率版本。图像金字塔用于处理不同尺度的图像。

在本章中,我们将对图像进行一些下采样和上采样操作。

我们使用OpenCV 函数pyrUppyrDown。它们可以在Imgproc 包中找到。语法如下:

Imgproc.pyrUp(source, destination, destinationSize);
Imgproc.pyrDown(source, destination,destinationSize);

参数说明如下:

序号 参数及说明
1

source

源图像。

2

destination

目标图像。

3

destinationSize

输出图像的大小。默认情况下,计算为 Size((src.cols*2), (src.rows*2))。

除了 pyrUp 和 pyrDown 方法外,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 类对图像进行上采样和下采样。

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

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

public class main {
   public static void main( String[] args ) {
   
      try{
      
         System.loadLibrary( Core.NATIVE_LIBRARY_NAME );
         Mat source = Highgui.imread("digital_image_processing.jpg",
         Highgui.CV_LOAD_IMAGE_COLOR);
         
         Mat destination1 = new Mat(source.rows()*2, source.cols()*2,source.type());
         destination1 = source;
         
         Imgproc.pyrUp(source, destination1, new  Size(source.cols()*2   source.rows()*2));
         Highgui.imwrite("pyrUp.jpg", destination1);
         
         source = Highgui.imread("digital_image_processing.jpg", 
         Highgui.CV_LOAD_IMAGE_COLOR);
         
         Mat destination = new Mat(source.rows()/2,source.cols()/2, source.type());
         destination = source;
         Imgproc.pyrDown(source, destination, new Size(source.cols()/2,  source.rows()/2));
         Highgui.imwrite("pyrDown.jpg", destination);
         
      } catch (Exception e) { 
         System.out.println("error: " + e.getMessage());
      }
   }
}

输出

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

原始图像

Image Pyramids Tutorial

在原始图像上,执行了 pyrUp(上采样)和 pyrDown(下采样)。采样后的输出如下所示:

pyrUp 图像

Image Pyramids Tutorial

pyrDown 图像

Image Pyramids Tutorial
广告