4

我通过这样做得到了我的 ARGB_8888 位图的像素数据:

public void getImagePixels(byte[] pixels, Bitmap image) {
    // calculate how many bytes our image consists of
    int bytes = image.getByteCount();

    ByteBuffer buffer = ByteBuffer.allocate(bytes); // Create a new buffer
    image.copyPixelsToBuffer(buffer); // Move the byte data to the buffer

    pixels = buffer.array(); // Get the underlying array containing the data.
}

但是,我想将每个像素存储在 4 个字节 (ARGB) 上的数据转换为每个像素存储在 3 个字节 ( BGR ) 上的数据。
任何帮助表示赞赏!

4

3 回答 3

7

免责声明:使用 Android Bitmap API 可能有更好/更简单/更快的方法,但我不熟悉它。如果你想沿着你开始的方向前进,这里是你的代码修改为将 4 字节 ARGB 转换为 3 字节 BGR

public byte[] getImagePixels(Bitmap image) {
    // calculate how many bytes our image consists of
    int bytes = image.getByteCount();

    ByteBuffer buffer = ByteBuffer.allocate(bytes); // Create a new buffer
    image.copyPixelsToBuffer(buffer); // Move the byte data to the buffer

    byte[] temp = buffer.array(); // Get the underlying array containing the data.

    byte[] pixels = new byte[(temp.length / 4) * 3]; // Allocate for 3 byte BGR

    // Copy pixels into place
    for (int i = 0; i < (temp.length / 4); i++) {
       pixels[i * 3] = temp[i * 4 + 3];     // B
       pixels[i * 3 + 1] = temp[i * 4 + 2]; // G
       pixels[i * 3 + 2] = temp[i * 4 + 1]; // R

       // Alpha is discarded
    }

    return pixels;
}
于 2013-08-07T11:06:49.623 回答
0

您可以使用名为OpenCV的强大库来尝试您的技能——而且它是免费的。它允许您从 BGR 更改为 RGB 并反转。它还允许您添加或删除 Alpha 通道(“A”)。

OpenCV 有一个专用的 Android 版本可供下载(OpenCV for Android v 2.4.6)

在此库中,请查看此文档中的cvtColor(),其中说明了以下内容:

该函数可以执行以下转换: RGB 空间内的转换,例如添加/删除 Alpha 通道、反转通道顺序、转换为/从 16 位 RGB 颜色(R5:G6:B5 或 R5:G5:B5),以及作为灰度转换[...等]

我在 Google Play 商店 ( UnCanny ) 中有一个使用 OpenCV for Android 的应用程序。花了一些时间来加快速度,但有很多功能。

于 2013-08-06T17:38:46.767 回答
0

使用OpenCV库并通过不同的方法获取像素(见下文),您可以用本机调用替换 java 函数,它的速度快了约 4 倍

总之:

// reading bitmap from java side:
Mat mFrame = Mat(height,width,CV_8UC4,pFrameData).clone();
Mat mout;
cvtColor(mFrame, mout,CV_RGB2GRAY); // or CV_RGB2XXX (3BGR)

完整示例:

Java端:

    Bitmap bitmap = mTextureView.getBitmap(mWidth, mHeight);
    int[] argb = new int[mWidth * mHeight];
    // get ARGB pixels and then proccess it with 8UC4 opencv convertion
    bitmap.getPixels(argb, 0, mWidth, 0, 0, mWidth, mHeight);
    // native method (NDK or CMake)
    processFrame8UC4(argb, mWidth, mHeight);

本机端(NDK):

JNIEXPORT jint JNICALL com_native_detector_Utils_processFrame8UC4
    (JNIEnv *env, jobject object, jint width, jint height, jintArray frame) {

    jint *pFrameData = env->GetIntArrayElements(frame, 0);
    // it is the line:
    Mat mFrame = Mat(height,width,CV_8UC4,pFrameData).clone();
    // the next only is a extra example to gray convertion:
    Mat mout;
    cvtColor(mFrame, mout,CV_RGB2GRAY); // or CV_RGB2XXX
    // your code from here, the next is a example:
    int objects = face_detection(env, mout);
    // release object
    env->ReleaseIntArrayElements(frame, pFrameData, 0);
    return objects;
}
于 2018-03-17T00:35:59.320 回答