在Android上逐像素更改png颜色的最佳方法是什么?

时间:2016-08-30 01:43:33

标签: android performance colors bitmap pixels

我需要更改存储在SD卡中的PNG的特定颜色。我不能在位图或任何其他对象上使用tintcolor,因为这会使所有图像不是特定的像素颜色。

为什么我需要这样做?
我正在尝试开发一个头像应用程序,我希望能够用我从调色板中选择的任何颜色来改变头像的头发。这款头发有两种颜色,一种用于边缘,另一种用于其余头发。我只是想改变空气颜色并保持边框一个。

这是一个简单的案例,但图像中可能有多种颜色。

我一直在寻找解决方案。这是我发现的唯一一件事(meaby可能会有更多,但我不幸运):

Android Bitmap: Convert transparent pixels to a color

这就是它在那里所暴露的:

Bitmap b = ...;
for(int x = 0; x<b.getWidth(); x++){
    for(int y = 0; y<b.getHeight(); y++){
        if(b.getPixel(x, y) == Color.TRANSPARENT){
            b.setPixel(x, y, Color.WHITE);
        }
     }
}

我想知道是否有更好的方法来做到这一点。类似于:

bipmapImage.changeColor(originalColor, newColor);

我不知道是否使用循环来检查像素是否是一个好像。想象一下1080 x 1080的图像。

提前致谢。

2 个答案:

答案 0 :(得分:2)

getPixel()setPixel()相比,您可以通过调用copyPixelsToBuffer()将像素复制到缓冲区,然后修改缓冲区中的像素值,最后调用{{{}来获得更好的性能1}}从缓冲区复制回位图:

copyPixelsFromBuffer()

然而,还有一些额外的复杂因素:位图必须使用boolean changeColor(Bitmap bitmap, int originalColor, int newColor) { // bitmap must be mutable and 32 bits per pixel: if((bitmap.getConfig() != Bitmap.Config.ARGB_8888) || !bitmap.isMutable()) return false; int pixelCount = bitmap.getWidth() * bitmap.getHeight(); IntBuffer buffer = IntBuffer.allocate(pixelCount); bitmap.copyPixelsToBuffer(buffer); int[] array = buffer.array(); for(int i = 0; i < pixelCount; i++) { if(array[i] == originalColor) array[i] = newColor; } bitmap.copyPixelsFromBuffer(buffer); return true; } 像素格式(如果它不同,您需要编写额外的代码来处理它)并且您需要捕获内存不足异常分配ARGB_8888时可能发生的情况。您应首先使用IntBuffer对代码进行分析,然后查看速度是否不可接受。

这也可能不是最快的解决方案,可能是在库中使用本机函数调用。但它仍然会比setPixels()更快,而且您不需要在项目中添加库。

答案 1 :(得分:1)

您最好使用OpenCV Matrix API,尤其是性能(和紧凑性)。

查看OpenCV Android教程here

假设您已安装了OpenCV功能,则可以更改图片中某些特定区域的颜色。

(您应该首先了解Mat功能。)

其实我没有在Android上使用过OpenCV 下面是一些示例代码,用于在C ++中将头发颜色更改为红色:

// 1. Loading
Mat src = imread("yourImagePath/yourOriginalImage.jpg");  // This code will automatically loads image to Mat with 3-channel(BGR) format
Mat mask = imread("yourImagePath/yourHairMaskImage.png", CV_GRAYSCALE);  // This code will automatically loads mask image to Mat with 1-channel(grayscale) format

// 2. Splitting RGB channel into 3 separate channels
vector<Mat> channels;   // C++ version of ArrayList<Mat>
split(src, channels);   // Automatically splits channels and adds them to channels. The size of channels = 3

// 3-1. Adjusting red color
Mat adjustRed = channels[0]*1.5;

// 3-2. Copy the adjusted pixels into org Mat with mask
channels[2] = adjustRed & mask + channels[0] & ~mask;

// 4. Merging channels
Mat dst;
merge(channels, dst);   // dst is re-created with 3-channel(BGR).
// Note that OpenCV applies BGR by default if your array size is 3,
// even if actual order is different. In this case this makes sense.

// 5. Saving
imwrite("yourImagePath/yourDstImage.jpg", dst);


我认为Android版本代码并没有那么不同。