Android yuv转换成bitmap

在做视频开发或相机预览时,获取到的图像数据是YUV格式的,显示要求必须是RGB格式的,所以需要将YUV转为RGB,在网上有很多转换模块,但是效果都不是很好,安卓自带了一个转换类YuvImage,用起来很方便,但是效率不是很高,如果做实时流的话,最终我们还是需要在底层进行转换,最近测试了一些转换接口,基本上差不多,都是从网上找的,效果还算可以,有需要的可以百度一下YUV转RGB。
下面是一个转换接口:

public Bitmap rawByteArray2RGBABitmap2(byte[] data, int width, int height) {
        int frameSize = width * height;
        int[] rgba = new int[frameSize];
            for (int i = 0; i < height; i++)
                for (int j = 0; j < width; j++) {
                    int y = (0xff & ((int) data[i * width + j]));
                    int u = (0xff & ((int) data[frameSize + (i >> 1) * width + (j & ~1) + 0]));
                    int v = (0xff & ((int) data[frameSize + (i >> 1) * width + (j & ~1) + 1]));
                    y = y < 16 ? 16 : y;
                    int r = Math.round(1.164f * (y - 16) + 1.596f * (v - 128));
                    int g = Math.round(1.164f * (y - 16) - 0.813f * (v - 128) - 0.391f * (u - 128));
                    int b = Math.round(1.164f * (y - 16) + 2.018f * (u - 128));
                    r = r < 0 ? 0 : (r > 255 ? 255 : r);
                    g = g < 0 ? 0 : (g > 255 ? 255 : g);
                    b = b < 0 ? 0 : (b > 255 ? 255 : b);
                    rgba[i * width + j] = 0xff000000 + (b << 16) + (g << 8) + r;
                }
        Bitmap bmp = Bitmap.createBitmap(width, height, Bitmap.Config.ARGB_8888);
        bmp.setPixels(rgba, 0 , width, 0, 0, width, height);
        return bmp;
    }

这是Android自带类:从相机预览获取图片

 /**
     * 预览回调
     */
    private Camera.PreviewCallback previewCallback = new Camera.PreviewCallback() {
        @Override
        public void onPreviewFrame(byte[] data, Camera camera) {
            Camera.Size size = mCamera.getParameters().getPreviewSize();
            try{
                YuvImage image = new YuvImage(data, ImageFormat.NV21, size.width, size.height, null);
                if(image!=null){
                    ByteArrayOutputStream stream = new ByteArrayOutputStream();
                    image.compressToJpeg(new Rect(0, 0, size.width, size.height), 80, stream);

                    Bitmap bmp = BitmapFactory.decodeByteArray(stream.toByteArray(), 0, stream.size());
                    //TODO:此处可以对位图进行处理,如显示,保存等

                    stream.close();
                }
            }catch(Exception ex){
                Log.e("Sys","Error:"+ex.getMessage());
            }          
        }
    };

你可能感兴趣的:(Android)