android:编辑图片

时间:2012-12-20 10:25:36

标签: android image-processing

在我的应用程序中,我想编辑亮度,对比度等图像。我得到了一些教程,我正在尝试这样来改变对比度

public static Bitmap createContrast(Bitmap src, double value) {
        // image size
        int width = src.getWidth();
        int height = src.getHeight();
        // create output bitmap
        Bitmap bmOut = Bitmap.createBitmap(width, height, src.getConfig());
        // color information
        int A, R, G, B;
        int pixel;
        // get contrast value
        double contrast = Math.pow((100 + value) / 100, 2);

        // scan through all pixels
        for(int x = 0; x < width; ++x) {
            for(int y = 0; y < height; ++y) {
                // get pixel color
                pixel = src.getPixel(x, y);
                A = Color.alpha(pixel);
                // apply filter contrast for every channel R, G, B
                R = Color.red(pixel);
                R = (int)(((((R / 255.0) - 0.5) * contrast) + 0.5) * 255.0);
                if(R < 0) { R = 0; }
                else if(R > 255) { R = 255; }

                G = Color.red(pixel);
                G = (int)(((((G / 255.0) - 0.5) * contrast) + 0.5) * 255.0);
                if(G < 0) { G = 0; }
                else if(G > 255) { G = 255; }

                B = Color.red(pixel);
                B = (int)(((((B / 255.0) - 0.5) * contrast) + 0.5) * 255.0);
                if(B < 0) { B = 0; }
                else if(B > 255) { B = 255; }

                // set new pixel color to output bitmap
                bmOut.setPixel(x, y, Color.argb(A, R, G, B));

            }
        }


        // return final image
        return bmOut;

将其称为:

ImageView image = (ImageView)(findViewById(R.id.image));
        //image.setImageBitmap(createContrast(bitmap));

但是我没有看到图像发生任何影响。你能帮我解决我的错误。

我看到了APi 14的effectFactory。是否存在可用于旧版本进行图像处理的类似/任何教程

2 个答案:

答案 0 :(得分:0)

在这个链接上有一个.jar库和一堆预制的过滤器,可能对你很感兴趣:http://www.jhlabs.com/ip/filters/

答案 1 :(得分:0)

这种方法存在三个基本问题。前两个是编码问题。首先,您始终致电Color.red,并且在您的代码中找不到Color.greenColor.blue。第二个问题是这个计算太重复了。您假设颜色在[0,255]范围内,因此创建256个位置的数组要快得多,并为[0,255]中的每个i计算对比度。

第三个问题更成问题。你为什么考虑这个算法来提高对比度? RGB的结果毫无意义,您可能会在不同的颜色系统中获得更好的效果。以下是您应该期望的结果,参数value为0,10,20和30:

enter image description here enter image description here enter image description here enter image description here

以下是执行操作的示例Python代码:

import sys
from PIL import Image

img = Image.open(sys.argv[1])
width, height = img.size

cvalue = float(sys.argv[2]) # Your parameter "value".
contrast = ((100 + cvalue) / 100) ** 2

def apply_contrast(c):
    c = (((c / 255.) - 0.5) * contrast + 0.5) * 255.0
    return min(255, max(0, int(c)))

# Build the lookup table.
ltu = []
for i in range(256):
    ltu.append(apply_contrast(i))

# The following "point" method applies a function to each
# value in the image. It considers the image as a flat sequence
# of values.
img = img.point(lambda x: ltu[x])

img.save(sys.argv[3])