Java中的自动缩放范围16位灰度图像

时间:2018-04-24 00:04:50

标签: scale bufferedimage grayscale

我有12-bit grayscale张图片。我希望用BufferedImage在Java中显示它,我发现BufferedImage.TYPE_USHORT_GRAY是最合适的。但是,它使我的显示图像几乎变黑(我的像素在0~4095范围内)。

如何自动缩放以清晰显示?

非常感谢。

2 个答案:

答案 0 :(得分:0)

您需要从12位扩展到16位。将您的值乘以16

答案 1 :(得分:0)

如果您的数据存储为16位样本(如注释中所示),则可以:

  • 将样本(乘以16)乘以16位整数范围,然后创建BufferedImage.TYPE_USHORT_GRAY图像。直接前进,但需要按摩和复制数据。

  • 或者,您也可以使用12位BufferedImage创建自定义ColorModel,并按原样使用数据。可能更快,但代码更冗长/更复杂。

这里是使用12位灰色模型创建图像的代码:

WritableRaster raster = Raster.createInterleavedRaster(new DataBufferUShort(twelveBitData, twelveBitData.length), w, h, w, 1, new int[]{0}, null);

ColorSpace gray = ColorSpace.getInstance(ColorSpace.CS_GRAY);
ColorModel twelveBitModel = new ComponentColorModel(gray, new int[]{12}, false, false, Transparency.OPAQUE, DataBuffer.TYPE_USHORT);
BufferedImage image = new BufferedImage(twelveBitModel, raster, twelveBitModel.isAlphaPremultiplied(), null);

以下完整,可运行的演示程序。

或者,如果您的数据已存储为"一个半字节"打包12位样本,最简单的解决方案是首先将数据填充到完整的16位样本。

演示程序:

public class TwelveBit {

    public static void main(String[] args) {
        int w = 320;
        int h = 200;
        short[] twelveBitData = new short[w * h];

        createRandomData(twelveBitData);

        WritableRaster raster = Raster.createInterleavedRaster(new DataBufferUShort(twelveBitData, twelveBitData.length), w, h, w, 1, new int[]{0}, null);

        ColorSpace gray = ColorSpace.getInstance(ColorSpace.CS_GRAY);
        ColorModel twelveBitModel = new ComponentColorModel(gray, new int[]{12}, false, false, Transparency.OPAQUE, DataBuffer.TYPE_USHORT);
        BufferedImage image = new BufferedImage(twelveBitModel, raster, twelveBitModel.isAlphaPremultiplied(), null);

        showIt(image);

    }

    private static void createRandomData(short[] twelveBitData) {
        Random random = new Random();
        for (int i = 0; i < twelveBitData.length; i++) {
            twelveBitData[i] = (short) random.nextInt(1 << 12);
        }
    }

    private static void showIt(final BufferedImage image) {
        SwingUtilities.invokeLater(new Runnable() {
            @Override
            public void run() {
                JFrame frame = new JFrame("test");
                frame.setDefaultCloseOperation(WindowConstants.EXIT_ON_CLOSE);

                frame.add(new JLabel(new ImageIcon(image)));

                frame.pack();
                frame.setLocationRelativeTo(null);
                frame.setVisible(true);
            }
        });
    }
}