1

我有一个image_source带有一些图片的源位图和image_new-临时位图

我做这个代码,这使得它image_source成为浮雕背景层:

int [] pixel = {0x0, 0x0, 0x0};
int [] image_params = {image_source.getWidth() - 2 * anaglyph_amplitude, image_source.getHeight()};
Bitmap image_new = Bitmap.createScaledBitmap(image_source, image_params[0], image_params[1], false);
for(int i = 0; i < image_params[0]; ++i)
    for(int j = 0; j < image_params[1]; ++j) {
        pixel[0] = image_source.getPixel(i, j);
        pixel[1] = image_source.getPixel(i + 2 * anaglyph_amplitude, j);
        pixel[2] = pixel[0] + pixel[1] % 0x10000 - pixel[0] % 0x10000;
        image_new.setPixel(i, j, pixel[2]);
    }
image_source = Bitmap.createBitmap(image_new);
image_new = null;

然后image_source被绘制到画布(在画布上绘制不可用)。

问题是这个程序在智能安卓设备上处理 1000x1000 大小的图像大约需要 5 秒。

还有其他方法可以运行位图像素吗?

4

4 回答 4

1

片段代码有一些性能增强。我不确定这对你来说是否足够。

第一次改变

pixel[2] = pixel[0] + (pixel[1] & 0xFFFF) - (pixel[0] & 0xFFFF);

代替

pixel[2] = pixel[0] + pixel[1] % 0x10000 - pixel[0] % 0x10000;

-

pixel[1] = image_source.getPixel(i + (anaglyph_amplitude<<1), j);

代替

pixel[1] = image_source.getPixel(i + 2 * anaglyph_amplitude, j);
于 2012-01-04T06:46:49.797 回答
1

另一个小调整。在内部循环中,没有理由为像素 [1] 等使用数组。有三个整数,p0、p1 和 p2。

编辑添加

我对 Android 的熟悉不如 Swing,但我希望 Android 的 Bitmap 有一种类似于 Raster 的“一次获取一堆像素”的方法。确实如此。

我认为你应该在这里使用 Bitmap 方法 javadocs 链接

public void getPixels (int[] pixels, int offset, int stride, int x, int y, int width, int height)

如果您有可用的内存,请立即获得全部 1,000,000。

于 2012-01-04T07:09:57.637 回答
0

这是解决方案:我得到像素数组并使用它。

int [] pixel = {0x0, 0x0, 0x0};
int [] pixels_old, pixels_new;
int [] params = {image_source.getWidth(), image_source.getHeight()};
int [] image_params = {image_source.getWidth() - 2 * anaglyph_amplitude, image_source.getHeight()};
pixels_old = new int[params[2] * params[3]];
pixels_new = new int[image_params[0] * image_params[1]];
image_source.getPixels(pixels_old, 0, params[2], 0, 0, params[2], params[3]); 
image_source = null;
for(int i = 0; i < image_params[0]; ++i)
    for(int j = 0; j < image_params[1]; ++j) {
        pixel[0] = pixels_old[i + j * params[2]];
        pixel[1] = pixels_old[i + (anaglyph_amplitude<<1) + j * params[2]];
        pixel[2] = pixel[0] + (pixel[1] & 0xFFFF) - (pixel[0] & 0xFFFF);
        pixels_new[i + j * image_params[0]] = pixel[2];
    }
pixels_old = null;
image_source = Bitmap.createBitmap(pixels_new, image_params[0], image_params[1], Bitmap.Config.ARGB_8888);
pixels_new = null;
于 2012-01-05T04:33:22.833 回答
0

您可以缓存计算,2 * anaglyph_amplitude因此不必在每次迭代时计算。

于 2012-01-04T08:06:04.643 回答