0

我有一个使用 python PIL 创建的 png 文件,其中包含一个高度图(正值)。

格式为:16 位的单通道(灰度),因此每像素 16 位。

我阅读了android上的文件BitmapFactory.decodeStream(<...data input stream...>);

getWidth()我通过和正确获得了图像的大小getHeight()

但是,当我循环调用调用的像素时,getPixel(i,j)我获得了负值,例如:-16776192 -16250872 -16250872 -16250872 -16250872 -16249848 ....

相反,我期望一个介于 0 和 65535 之间的正值。

我发现二进制中的值 -16250872 是 1111111111111111111111111111111111111111000010000000100000001000

这表明信息依赖于前 16 个最低有效位。

我尝试了getPixel(i,j)&0xffff并获得了一个合理的值,但是我不确定字节序:我应该翻转 2 个提取的字节吗?

有没有办法以更优雅和便携的方式进行这种转换?

注意:该文件不是彩色 (RGBA) PNG,而是灰度 PNG 图像,每个像素都有一个 16 位值。

4

2 回答 2

3

我自己使用这篇文章中的考虑找到了一个解决方案: Android: loading an alpha mask bitmap

基本上,如果您直接从位图工厂加载 16 位灰度 PNG,则像素格式将不正确。您需要使用 RGBA 32 位颜色格式,将像素格式设置为 ARGB_8888。然后您必须使用 getPixel(i,j) 获取所有像素,并使用 0xffff 屏蔽整数值。通过这种方式,您将获得预期的 16 位值。

这是我使用的代码的一部分:

BitmapFactory.Options opt = new BitmapFactory.Options();
opt.inPreferredConfig= Bitmap.Config.ARGB_8888;
Bitmap bmp=BitmapFactory.decodeStream(entity.getContent(),null,opt);
int W=bmp.getWidth();
int H=bmp.getHeight();
int px;
for (int i = 0; i < H; i++)
    for (int j = 0; j < W; j++)
    {
          px= bmp.getPixel(j, i)&0x0000ffff;//in px you will find a value between 0 and 65535
          ...
    }
于 2012-05-20T12:03:24.640 回答
1

我假设您试图获取图像中像素的 RGB。如果这是正确的,那么您会发现以下内容很有帮助。

返回指定位置的颜色。如果 x 或 y 超出范围(分别为宽度或高度的负数或 >=),则引发异常。

这就是 Bitmap.getPixel(); 的引用。

你需要做些什么来打印它,以便它是人类可读的。我用 android 编程过,但没有用 android 做这个。我为我的一个程序使用了以下功能。

public static int[] getRGBValue(BufferedImage bi, int x, int y) {
    int argb = bi.getRGB(x, y);
    int rgb[] = new int[] {
            (argb >> 16) & 0xff, // red
            (argb >>  8) & 0xff, // green
            (argb      ) & 0xff, // blue
    };
    return rgb;
}

public static String getStringOfRGB(int[] value) {
    return "Color: (" + value[0] + ", " + value[1] + ", " + value[2] + ")";
}

我不知道你究竟想做什么,所以上面的代码不会回答你的问题......但应该帮助你找到你想要使用像素数据的答案。

希望这可以帮助!:)

于 2012-05-20T01:22:11.720 回答