所以我试图从一位同事那里移植一些C++代码,该代码通过Bluetoth串行端口获取图像数据(我使用的是Android手机)。我需要从数据中生成一个位图。
在测试移植的代码之前,我编写了这个快速函数来生成一个纯红色矩形。但是,BitmapFactory.decodeByteArray()总是失败,并返回一个空位图。我已经检查了它可以抛出的两个可能的解释,但都没有抛出。
byte[] pixelData = new byte[225*160*4];
for(int i = 0; i < 225*160; i++) {
pixelData[i * 4 + 0] = (byte)255;
pixelData[i * 4 + 1] = (byte)255;
pixelData[i * 4 + 2] = (byte)0;
pixelData[i * 4 + 3] = (byte)0;
}
Bitmap image = null;
logBox.append("Creating bitmap from pixel data...n");
BitmapFactory.Options options = new BitmapFactory.Options();
options.inPreferredConfig = Bitmap.Config.ARGB_8888;
options.outWidth = 225;
options.outHeight = 160;
try {
image = BitmapFactory.decodeByteArray(pixelData, 0, pixelData.length, options);
} catch (IllegalArgumentException e) {
logBox.append(e.toString() + 'n');
}
//pixelData = null;
logBox.append("Bitmap generation completen");
decodeByteArray()代码:
public static Bitmap decodeByteArray(byte[] data, int offset, int length, Options opts) {
if ((offset | length) < 0 || data.length < offset + length) {
throw new ArrayIndexOutOfBoundsException();
}
Bitmap bm;
Trace.traceBegin(Trace.TRACE_TAG_GRAPHICS, "decodeBitmap");
try {
bm = nativeDecodeByteArray(data, offset, length, opts);
if (bm == null && opts != null && opts.inBitmap != null) {
throw new IllegalArgumentException("Problem decoding into existing bitmap");
}
setDensityFromOptions(bm, opts);
} finally {
Trace.traceEnd(Trace.TRACE_TAG_GRAPHICS);
}
return bm;
}
我认为是nativeCodeByteArray()失败了。
我还注意到日志消息:
D/skia:--SkImageDecoder::工厂返回空
有人有什么想法吗?
BitmapFactory
的decodeByteArray
实际上解码图像,即以JPEG或PNG等格式编码的图像。decodeFile
和decodeStream
更有意义,因为您的编码图像可能来自文件、服务器或其他什么。
你不想解码任何东西。您正试图将原始图像数据转换为位图。查看您的代码,您似乎正在生成一个225 x 160的位图,每个像素4个字节,格式为ARGB。所以这个代码应该对你有效:
int width = 225;
int height = 160;
int size = width * height;
int[] pixelData = new int[size];
for (int i = 0; i < size; i++) {
// pack 4 bytes into int for ARGB_8888
pixelData[i] = ((0xFF & (byte)255) << 24) // alpha, 8 bits
| ((0xFF & (byte)255) << 16) // red, 8 bits
| ((0xFF & (byte)0) << 8) // green, 8 bits
| (0xFF & (byte)0); // blue, 8 bits
}
Bitmap image = Bitmap.createBitmap(pixelData, width, height, Bitmap.Config.ARGB_8888);