android camera colorfilter

android - ¿Cómo puedo manipular la vista previa de la cámara?



camera colorfilter (3)

Hay varios tutoriales que explican cómo obtener una vista previa de cámara simple y ejecutándola en un dispositivo Android. Pero no pude encontrar ningún ejemplo que explique cómo manipular la imagen antes de que se represente.
Lo que quiero hacer es implementar filtros de color personalizados para simular, por ejemplo, deficiencia roja y / o verde.


¿Has mirado GPUImage?

Originalmente era una biblioteca OSX / iOS hecha por Brad Larson, que existe como un contenedor Objective-C alrededor de OpenGL / ES.

https://github.com/BradLarson/GPUImage

La gente de CyberAgent ha creado un puerto Android (que no tiene la paridad de características completa), que es un conjunto de envoltorios de Java además de OpenGLES. Es de un nivel relativamente alto, y bastante fácil de implementar, con mucha de la misma funcionalidad mencionada anteriormente ...

https://github.com/CyberAgent/android-gpuimage


Hice algunas investigaciones sobre esto y armé un ejemplo de trabajo (ish). Esto es lo que encontré. Es bastante fácil obtener los datos sin procesar de la cámara. Se devuelve como una matriz de bytes YUV. Tendría que dibujarlo manualmente sobre una superficie para poder modificarlo. Para hacer eso, necesitarías tener un SurfaceView con el que puedas ejecutar dibujar llamadas manualmente. Hay un par de banderas que puede configurar para lograr eso.

Para realizar la llamada al sorteo manualmente, necesitarás convertir la matriz de bytes en un mapa de bits de algún tipo. Parece que Bitmaps y BitmapDecoder no manejan muy bien la matriz de bytes YUV en este momento. Se ha presentado un error para esto, pero no sé cuál es el estado de eso. Así que la gente ha intentado decodificar la matriz de bytes en un formato RGB.

Parece que hacer la decodificación manualmente ha sido un poco lento y la gente ha tenido varios grados de éxito con ella. Algo así probablemente debería hacerse con código nativo en el nivel NDK.

Aún así, es posible hacer que funcione. Además, mi pequeña demostración es solo yo pasando un par de horas pirateando cosas juntas (creo que hacer esto me llamó la atención un poco demasiado;)). Por lo tanto, es probable que con algunos ajustes pueda mejorar mucho lo que he logrado hacer funcionar.

Este pequeño fragmento de código contiene un par de otras gemas que encontré también. Si lo único que desea es dibujar sobre la superficie, puede anular la función onDraw de la superficie (podría analizar la imagen de la cámara devuelta y dibujar una superposición), sería mucho más rápido que tratar de procesar cada fotograma. Además, cambié SurfaceHolder.SURFACE_TYPE_NORMAL de lo que se necesitaría si quisiera que apareciera una vista previa de la cámara. Así que un par de cambios en el código: el código comentado:

//try { mCamera.setPreviewDisplay(holder); } catch (IOException e) // { Log.e("Camera", "mCamera.setPreviewDisplay(holder);"); }

Y el:

SurfaceHolder.SURFACE_TYPE_NORMAL //SurfaceHolder.SURFACE_TYPE_PUSH_BUFFERS - for preview to work

Debería permitirle superponer marcos basándose en la vista previa de la cámara en la parte superior de la vista previa real.

De todos modos, aquí hay una pieza de código que funciona: debería darte algo para empezar.

Simplemente ponga una línea de código en una de sus vistas de esta manera:

<pathtocustomview.MySurfaceView android:id="@+id/surface_camera" android:layout_width="fill_parent" android:layout_height="10dip" android:layout_weight="1"> </pathtocustomview.MySurfaceView>

E incluye esta clase en tu fuente en alguna parte:

package pathtocustomview; import java.io.IOException; import java.nio.Buffer; import android.content.Context; import android.graphics.Bitmap; import android.graphics.BitmapFactory; import android.graphics.Canvas; import android.graphics.Paint; import android.graphics.Rect; import android.hardware.Camera; import android.util.AttributeSet; import android.util.Log; import android.view.SurfaceHolder; import android.view.SurfaceHolder.Callback; import android.view.SurfaceView; public class MySurfaceView extends SurfaceView implements Callback, Camera.PreviewCallback { private SurfaceHolder mHolder; private Camera mCamera; private boolean isPreviewRunning = false; private byte [] rgbbuffer = new byte[256 * 256]; private int [] rgbints = new int[256 * 256]; protected final Paint rectanglePaint = new Paint(); public MySurfaceView(Context context, AttributeSet attrs) { super(context, attrs); rectanglePaint.setARGB(100, 200, 0, 0); rectanglePaint.setStyle(Paint.Style.FILL); rectanglePaint.setStrokeWidth(2); mHolder = getHolder(); mHolder.addCallback(this); mHolder.setType(SurfaceHolder.SURFACE_TYPE_NORMAL); } @Override protected void onDraw(Canvas canvas) { canvas.drawRect(new Rect((int) Math.random() * 100, (int) Math.random() * 100, 200, 200), rectanglePaint); Log.w(this.getClass().getName(), "On Draw Called"); } public void surfaceChanged(SurfaceHolder holder, int format, int width, int height) { } public void surfaceCreated(SurfaceHolder holder) { synchronized (this) { this.setWillNotDraw(false); // This allows us to make our own draw // calls to this canvas mCamera = Camera.open(); Camera.Parameters p = mCamera.getParameters(); p.setPreviewSize(240, 160); mCamera.setParameters(p); //try { mCamera.setPreviewDisplay(holder); } catch (IOException e) // { Log.e("Camera", "mCamera.setPreviewDisplay(holder);"); } mCamera.startPreview(); mCamera.setPreviewCallback(this); } } public void surfaceDestroyed(SurfaceHolder holder) { synchronized (this) { try { if (mCamera != null) { mCamera.stopPreview(); isPreviewRunning = false; mCamera.release(); } } catch (Exception e) { Log.e("Camera", e.getMessage()); } } } public void onPreviewFrame(byte[] data, Camera camera) { Log.d("Camera", "Got a camera frame"); Canvas c = null; if(mHolder == null){ return; } try { synchronized (mHolder) { c = mHolder.lockCanvas(null); // Do your drawing here // So this data value you''re getting back is formatted in YUV format and you can''t do much // with it until you convert it to rgb int bwCounter=0; int yuvsCounter=0; for (int y=0;y<160;y++) { System.arraycopy(data, yuvsCounter, rgbbuffer, bwCounter, 240); yuvsCounter=yuvsCounter+240; bwCounter=bwCounter+256; } for(int i = 0; i < rgbints.length; i++){ rgbints[i] = (int)rgbbuffer[i]; } //decodeYUV(rgbbuffer, data, 100, 100); c.drawBitmap(rgbints, 0, 256, 0, 0, 256, 256, false, new Paint()); Log.d("SOMETHING", "Got Bitmap"); } } finally { // do this in a finally so that if an exception is thrown // during the above, we don''t leave the Surface in an // inconsistent state if (c != null) { mHolder.unlockCanvasAndPost(c); } } } }


la solución de , pero tuve algunos problemas con la conversión de YUV, los tamaños de salida de los marcos de la cámara y el bloqueo en el lanzamiento de la cámara.

Finalmente, el siguiente código funcionó para mí:

public class MySurfaceView extends SurfaceView implements Callback, Camera.PreviewCallback { private static final String TAG = "MySurfaceView"; private int width; private int height; private SurfaceHolder mHolder; private Camera mCamera; private int[] rgbints; private boolean isPreviewRunning = false; private int mMultiplyColor; public MySurfaceView(Context context, AttributeSet attrs) { super(context, attrs); mHolder = getHolder(); mHolder.addCallback(this); mMultiplyColor = getResources().getColor(R.color.multiply_color); } // @Override // protected void onDraw(Canvas canvas) { // Log.w(this.getClass().getName(), "On Draw Called"); // } @Override public void surfaceChanged(SurfaceHolder holder, int format, int width, int height) { } @Override public void surfaceCreated(SurfaceHolder holder) { synchronized (this) { if (isPreviewRunning) return; this.setWillNotDraw(false); // This allows us to make our own draw calls to this canvas mCamera = Camera.open(); isPreviewRunning = true; Camera.Parameters p = mCamera.getParameters(); Size size = p.getPreviewSize(); width = size.width; height = size.height; p.setPreviewFormat(ImageFormat.NV21); showSupportedCameraFormats(p); mCamera.setParameters(p); rgbints = new int[width * height]; // try { mCamera.setPreviewDisplay(holder); } catch (IOException e) // { Log.e("Camera", "mCamera.setPreviewDisplay(holder);"); } mCamera.startPreview(); mCamera.setPreviewCallback(this); } } @Override public void surfaceDestroyed(SurfaceHolder holder) { synchronized (this) { try { if (mCamera != null) { //mHolder.removeCallback(this); mCamera.setPreviewCallback(null); mCamera.stopPreview(); isPreviewRunning = false; mCamera.release(); } } catch (Exception e) { Log.e("Camera", e.getMessage()); } } } @Override public void onPreviewFrame(byte[] data, Camera camera) { // Log.d("Camera", "Got a camera frame"); if (!isPreviewRunning) return; Canvas canvas = null; if (mHolder == null) { return; } try { synchronized (mHolder) { canvas = mHolder.lockCanvas(null); int canvasWidth = canvas.getWidth(); int canvasHeight = canvas.getHeight(); decodeYUV(rgbints, data, width, height); // draw the decoded image, centered on canvas canvas.drawBitmap(rgbints, 0, width, canvasWidth-((width+canvasWidth)>>1), canvasHeight-((height+canvasHeight)>>1), width, height, false, null); // use some color filter canvas.drawColor(mMultiplyColor, Mode.MULTIPLY); } } catch (Exception e){ e.printStackTrace(); } finally { // do this in a finally so that if an exception is thrown // during the above, we don''t leave the Surface in an // inconsistent state if (canvas != null) { mHolder.unlockCanvasAndPost(canvas); } } } /** * Decodes YUV frame to a buffer which can be use to create a bitmap. use * this for OS < FROYO which has a native YUV decoder decode Y, U, and V * values on the YUV 420 buffer described as YCbCr_422_SP by Android * * @param rgb * the outgoing array of RGB bytes * @param fg * the incoming frame bytes * @param width * of source frame * @param height * of source frame * @throws NullPointerException * @throws IllegalArgumentException */ public void decodeYUV(int[] out, byte[] fg, int width, int height) throws NullPointerException, IllegalArgumentException { int sz = width * height; if (out == null) throw new NullPointerException("buffer out is null"); if (out.length < sz) throw new IllegalArgumentException("buffer out size " + out.length + " < minimum " + sz); if (fg == null) throw new NullPointerException("buffer ''fg'' is null"); if (fg.length < sz) throw new IllegalArgumentException("buffer fg size " + fg.length + " < minimum " + sz * 3 / 2); int i, j; int Y, Cr = 0, Cb = 0; for (j = 0; j < height; j++) { int pixPtr = j * width; final int jDiv2 = j >> 1; for (i = 0; i < width; i++) { Y = fg[pixPtr]; if (Y < 0) Y += 255; if ((i & 0x1) != 1) { final int cOff = sz + jDiv2 * width + (i >> 1) * 2; Cb = fg[cOff]; if (Cb < 0) Cb += 127; else Cb -= 128; Cr = fg[cOff + 1]; if (Cr < 0) Cr += 127; else Cr -= 128; } int R = Y + Cr + (Cr >> 2) + (Cr >> 3) + (Cr >> 5); if (R < 0) R = 0; else if (R > 255) R = 255; int G = Y - (Cb >> 2) + (Cb >> 4) + (Cb >> 5) - (Cr >> 1) + (Cr >> 3) + (Cr >> 4) + (Cr >> 5); if (G < 0) G = 0; else if (G > 255) G = 255; int B = Y + Cb + (Cb >> 1) + (Cb >> 2) + (Cb >> 6); if (B < 0) B = 0; else if (B > 255) B = 255; out[pixPtr++] = 0xff000000 + (B << 16) + (G << 8) + R; } } } private void showSupportedCameraFormats(Parameters p) { List<Integer> supportedPictureFormats = p.getSupportedPreviewFormats(); Log.d(TAG, "preview format:" + cameraFormatIntToString(p.getPreviewFormat())); for (Integer x : supportedPictureFormats) { Log.d(TAG, "suppoterd format: " + cameraFormatIntToString(x.intValue())); } } private String cameraFormatIntToString(int format) { switch (format) { case PixelFormat.JPEG: return "JPEG"; case PixelFormat.YCbCr_420_SP: return "NV21"; case PixelFormat.YCbCr_422_I: return "YUY2"; case PixelFormat.YCbCr_422_SP: return "NV16"; case PixelFormat.RGB_565: return "RGB_565"; default: return "Unknown:" + format; } } }

Para usarlo, ejecuta desde tu actividad onCreate el siguiente código:

SurfaceView surfaceView = new MySurfaceView(this, null); RelativeLayout.LayoutParams layoutParams = new RelativeLayout.LayoutParams(RelativeLayout.LayoutParams.MATCH_PARENT, RelativeLayout.LayoutParams.MATCH_PARENT); surfaceView.setLayoutParams(layoutParams); mRelativeLayout.addView(surfaceView);