如何使用java比较图像的相似性

2022-09-02 21:02:21

最近,我有机会使用图像处理技术作为我的一个项目的一部分,我的任务是在给出新图像时从图像商店中查找匹配的图像。我通过谷歌搜索“如何使用java比较图像”开始了我的项目,我得到了一些关于查找两个图像相似性的好文章。几乎所有这些步骤都基于四个基本步骤,它们是:

1.Locating the Region of Interest (Where the Objects appear in the given image),
2.Re-sizing the ROIs in to a common size,
3.Substracting ROIs,
4.Calculating the Black and White Ratio of the resultant image after subtraction.

虽然这听起来像是比较图像的好算法,但在我的项目中使用JAI实现它后,需要花费相当多的时间。因此,我必须找到另一种方法来做到这一点。

有什么建议吗?


答案 1
    **// This API will compare two image file //
// return true if both image files are equal else return false//**
public static boolean compareImage(File fileA, File fileB) {        
    try {
        // take buffer data from botm image files //
        BufferedImage biA = ImageIO.read(fileA);
        DataBuffer dbA = biA.getData().getDataBuffer();
        int sizeA = dbA.getSize();                      
        BufferedImage biB = ImageIO.read(fileB);
        DataBuffer dbB = biB.getData().getDataBuffer();
        int sizeB = dbB.getSize();
        // compare data-buffer objects //
        if(sizeA == sizeB) {
            for(int i=0; i<sizeA; i++) { 
                if(dbA.getElem(i) != dbB.getElem(i)) {
                    return false;
                }
            }
            return true;
        }
        else {
            return false;
        }
    } 
    catch (Exception e) { 
        System.out.println("Failed to compare image files ...");
        return  false;
    }
}

答案 2

根据图像的不同程度,您可以执行类似如下操作(伪代码)。它非常原始,但应该非常有效。您可以通过采用随机或图案像素而不是每个像素来加快速度。

for x = 0 to image.size:
    for y = 0 to image.size:
        diff += abs(image1.get(x,y).red - image2.get(x,y).red)
        diff += abs(image1.get(x,y).blue - image2.get(x,y).blue)
        diff += abs(image1.get(x,y).green - image2.get(x,y).green)
    end
end

return ((float)(diff)) / ( x * y * 3)

推荐