首页 > 解决方案 > 如何在Java中对像素进行算术运算

问题描述

我必须为图像中的所有像素添加一些恒定值 - 用于灰色图像和彩色图像。但我不知道我该怎么做。我通过 BufferedImage 读取图像,并试图获取二维像素数组。我发现了类似 BufferedImage.getRGB() 的东西,但它返回奇怪的值(负值和巨大值)。如何为我的缓冲图像添加一些价值?

标签: javapixelbufferedimage

解决方案


您可以使用:

byte[] pixels = ((DataBufferByte) bufferedImage.getRaster().getDataBuffer()).getData();

要获取byte[]图像中的所有像素,然后循环byte[]将常量添加到每个字节元素。

如果您希望将字节转换为二维字节 [],我找到了一个可以做到这一点的示例(获取二维像素数组)。

总之,代码如下所示:

private static int[][] convertToArrayLocation(BufferedImage inputImage) {
   final byte[] pixels = ((DataBufferByte) inputImage.getRaster().getDataBuffer()).getData(); // get pixel value as single array from buffered Image
   final int width = inputImage.getWidth(); //get image width value
   final int height = inputImage.getHeight(); //get image height value
   int[][] result = new int[height][width]; //Initialize the array with height and width

    //this loop allocates pixels value to two dimensional array
    for (int pixel = 0, row = 0, col = 0; pixel < pixels.length; pixel++) {
       int argb = 0;
       argb = (int) pixels[pixel];

       if (argb < 0) { //if pixel value is negative, change to positive 
          argb += 256;
       }

       result[row][col] = argb;
       col++;

       if (col == width) {
          col = 0;
          row++;
       }
   }

   return result; //return the result as two dimensional array
} //!end of method!//

推荐阅读