1

我无法访问 BufferedImage 中的单个像素。我的图像是二进制的,只有黑色或白色。这意味着图像的每个字节包含 8 个像素(每像素 1 位)。

为了确保正确索引图像,我编写了一个快速测试将所有像素设置为 1(黑色):

import javax.imageio.ImageIO;
import java.awt.image.BufferedImage;
import java.awt.image.DataBufferByte;
import java.io.File;

public class ImageTest {
    public static void main(String... args) throws Exception {
        File input = new File("stripes.bmp");
        final BufferedImage image = ImageIO.read(input);
        System.out.println(image);

        byte[] byte_buffer = ((DataBufferByte) image.getRaster().getDataBuffer()).getData();

        final int width = image.getWidth(), height = image.getHeight();

        for (int j = 0; j < height; j++) {
            for (int i = 0; i < width; i++) {
                int byte_index = (i + j * width) / 8;
                int bit_index = (i + j * width) % 8;
                byte_buffer[byte_index] |= 1 << bit_index;
            }
        }

        ImageIO.write(image, "bmp", new File("stripes_out.bmp"));
    }
}

输入图像 stripes.bmp 如下所示: 条纹.bmp

输出是: 条纹输出.bmp

我预计图像会全黑,但底部有几行没有修改。显然,我没有到达字节缓冲区的末尾。

进一步调查,看起来数组中有一些额外的字节。

width = 810, height = 723
-> width * height / 8 = 73203
byte_buffer.length = 73746

不幸的是,这 543 个额外的字节不仅仅是在开头,因为跳过前 543 个字节会在图像的开头留下几行未修改。

我错过了什么?如何正确索引单个像素?

4

1 回答 1

3

字节缓冲区数组中的每个图像行都是字节对齐的。这意味着每行的“真实”位宽必须是 8 的倍数。在您的图像中,每行因此四舍五入到 816 位。我假设每行中的最后 6 位被丢弃。

    816 * 723 / 8 = 73746

因此,只需将您的宽度四舍五入到最接近的 8 倍数,然后在您的内部循环中使用它:

    final int width = image.getWidth(),
              height = image.getHeight(),
              rowBitWidth = ((width + 7) / 8) * 8;

    for (int j = 0; j < height; j++) {
        for (int i = 0; i < width; i++) {
            int byte_index = (i + j * rowBitWidth) / 8;
            int bit_index = (i + j * rowBitWidth) % 8;
            byte_buffer[byte_index] |= 1 << bit_index;
        }
    }
于 2013-08-15T21:03:58.447 回答