Java 循环通过图像中的像素?

2022-09-01 17:16:02

我试图找到一种方法来为我的2D Java游戏制作地图,我想到了一个想法,在这个想法中,我将遍历图像的每个像素,并取决于像素是什么颜色,这将是要绘制的瓷砖。

例如:enter image description here

是否可以循环访问图像像素?如果是,如何?

你能给我一些有用的链接或代码片段吗?


答案 1

请注意,如果要遍历图像中的所有像素,请确保在 y 坐标上进行外部循环,如下所示:

for (int y = 0; y < image.getHeight(); y++) {
    for (int x = 0; x < image.getWidth(); x++) {
          int  clr   = image.getRGB(x, y); 
          int  red   = (clr & 0x00ff0000) >> 16;
          int  green = (clr & 0x0000ff00) >> 8;
          int  blue  =  clr & 0x000000ff;
          image.setRGB(x, y, clr);
    }
}

这可能会使您的代码更快,因为您将按照图像数据在内存中的存储顺序访问图像数据。(以像素行的形式。


答案 2

我认为Pixelgrabber是你想要的。如果您对代码有疑问,请写一条评论。以下是javadoc的链接:[Pixelgrabber][1]和另一个简短的例子:[获取特定像素的颜色][2],Java程序获取像素的颜色

以下示例来自最后一个链接。感谢 roseindia.net

import java.awt.image.BufferedImage;
import java.io.File;
import java.io.IOException;

import javax.imageio.ImageIO;

public class ImageTest
{
    public static void main(final String args[])
        throws IOException
    {
        final File file = new File("c:\\example.bmp");
        final BufferedImage image = ImageIO.read(file);

        for (int x = 0; x < image.getWidth(); x++) {
            for (int y = 0; y < image.getHeight(); y++) {
                final int clr = image.getRGB(x, y);
                final int red = (clr & 0x00ff0000) >> 16;
                final int green = (clr & 0x0000ff00) >> 8;
                final int blue = clr & 0x000000ff;

                // Color Red get cordinates
                if (red == 255) {
                    System.out.println(String.format("Coordinate %d %d", x, y));
                } else {
                    System.out.println("Red Color value = " + red);
                    System.out.println("Green Color value = " + green);
                    System.out.println("Blue Color value = " + blue);
                }
            }
        }
    }
}

[1]: https://docs.oracle.com/javase/7/docs/api/java/awt/image/PixelGrabber.html [2]: http://www.rgagnon.com/javadetails/java-0257.html


推荐