我正在尝试读取.png grayscaleimages并将灰度值转换为
double[][]数组。我需要将它们映射到0到1之间的值。

我正在使用BufferedImage,并且尝试使用img.getColorModel().getColorSpace().getType()找出颜色深度,但返回的TYPE_5CLR或TYPE_6CLR通用组件颜色空间无济于事。

目前,我正在读取这样的值:

BufferedImage img = null;
        try {
            img = ImageIO.read(new File(path));
        } catch (IOException e) {
            return null;
        }

        double[][] heightmap= new double[img.getWidth()][img.getHeight()];
        WritableRaster raster = img.getRaster();
        for(int i=0;i<heightmap.length;i++)
        {
            for(int j=0;j<heightmap[0].length;j++)
            {
                heightmap[i][j]=((double) raster.getSample(i,j,0))/65535.0;
            }
        }


65535如果是8位,则为256,但我不知道何时。

最佳答案

我在评论中写道,您可以使用ColorModel.getNormalizedComponents(...),但是由于它使用float值并且不必要地复杂,因此实现这样的转换可能会更容易:

BufferedImage img;
try {
    img = ImageIO.read(new File(path));
} catch (IOException e) {
    return null;
}

double[][] heightmap = new double[img.getWidth()][img.getHeight()];

WritableRaster raster = img.getRaster();

// Component size should be 8 or 16, yielding maxValue 255 or 65535 respectively
double maxValue = (1 << img.getColorModel().getComponentSize(0)) - 1;

for(int x = 0; x < heightmap.length; x++) {
    for(int y = 0; y < heightmap[0].length; y++) {
        heightmap[x][y] = raster.getSample(x, y, 0) / maxValue;
    }
}

return heightmap;


请注意,上面的代码仅对灰度图像有效,但这似乎是您的输入。所有颜色分量(getComponentSize(0))的分量大小可能都相同,但是R,G和B(和A,如果有alpha分量)可能会有单独的样本,并且代码只会得到第一个样本(getSample(x, y, 0))。

PS:为清楚起见,我将变量重命名为xy。如果交换高度图中的尺寸,并在内部循环中通过x而不是y进行循环,则很有可能会获得更好的性能,这是因为数据的位置更好。

10-07 18:23