我想创建一个应用程序,将对比度应用于图像,然后在imageview中显示该图像。我找到了this示例代码,但它似乎无法正常工作。在应用了对比度之后,它只是使所有的东西都变绿了。以下是我的计划:

public class ImageImprovementActivity extends ActionBarActivity {
    private ImageView imageView;
    private Button buttonLoad;

    @Override
    protected void onCreate(Bundle savedInstanceState) {
        super.onCreate(savedInstanceState);
        setContentView(R.layout.activity_image_improvement);

        buttonLoad = (Button) findViewById(R.id.buttonLoad);
        imageView = (ImageView) findViewById(R.id.imageView);

        imageView.setImageBitmap(getImage());

        buttonLoad.setOnClickListener(new View.OnClickListener() {
            @Override
            public void onClick(View v) {
                imageView.setImageBitmap(applyContrast(((BitmapDrawable)imageView.getDrawable()).getBitmap(), 0.3));
            }
        });
    }

    private Bitmap getImage() {
        final File imgFile = new File(Environment.getExternalStorageDirectory() + "/testImage2.jpg" );

        if (imgFile.exists()) {
            Bitmap bmp = BitmapFactory.decodeFile(imgFile.getAbsolutePath());
            return bmp;
        }

        return null;
    }

    private Bitmap applyContrast(Bitmap image, double contrastVal) {
        final int width = image.getWidth();
        final int height = image.getHeight();
        final Bitmap contrastedImage = Bitmap.createBitmap(width, height, image.getConfig());

        int A, R, G, B;
        int pixel;

        double contrast = Math.pow((100 + contrastVal) / 100, 2);


        for (int x = 0; x < width; x++) {
            for (int y = 0; y < height; y++) {
                pixel = image.getPixel(x, y);
                A = Color.alpha(pixel);
                R = Color.red(pixel);
                R = (int)(((((R / 255.0) - 0.5) * contrast) + 0.5) * 255.0);
                R = truncate(R);

                G = Color.green(pixel);
                G = (int)(((((G / 255.0) - 0.5) * contrast) + 0.5) * 255.0);
                G = truncate(R);

                B = Color.blue(pixel);
                B = (int)(((((B / 255.0) - 0.5) * contrast) + 0.5) * 255.0);
                B = truncate(B);

                Log.i("ImageImprove", A + " " + R + " " + " " + G + " " + B);

                contrastedImage.setPixel(x, y, Color.argb(A, R, G, B));
            }
        }
        return contrastedImage;
    }

    private int truncate(int value) {
        if (value < 0) {
            return 0;
        } else if (value > 255) {
            return 255;
        }

        return value;
    }
}

你知道问题出在哪里吗?另外,如果你有另一个例子,请张贴它,它可能是有用的。
编辑
而且似乎每次的结果都是一样的,不管我给contrastVal中的applyContrast(Bitmap image, double contrastVal)取什么值。
编辑2
很抱歉,实际上在更改contrastVal时有明显的区别。图像还是绿色的。
编辑3
我正在添加一些图像,以便您可以更清楚地了解问题所在。
原图如下:
下面是在应用对比度1之后:

最佳答案

你的代码有一个小错误(复制错误?)改变

G = truncate(R);


G = truncate(G);

关于android - Android位图对比实现,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/27827017/

10-11 10:48