2

我需要将 PNG 发送到服务器。一个非常简单的解决方案是使用以下代码创建 aBitmap并将其转换为 a :byte[]

final Bitmap bitmap = BitmapFactory.decodeResource(res, R.drawable.some_image);
final ByteArrayOutputStream os = new ByteArrayOutputStream();
bitmap.compress(CompressFormat.PNG, 100, os);
final byte[] data = os.toByteArray();

因为我想节省时间和内存,我想在不需要创建位图的情况下实现这一点。

一个想法是访问Drawableas aFile但我不知道如何获得正确的路径。

有任何想法吗?

4

1 回答 1

1

harism 给了我最后的提示:使用其中一种Resoureces.openRawResource方法。

这是我的最终解决方案:

private byte[] fetchImageData(Resources res) throws IOException {
    final AssetFileDescriptor raw = res.openRawResourceFd(R.drawable.some_image);
    final FileInputStream is = raw.createInputStream();

    // there are plenty of libraries around to achieve this with just one line...
    final ByteArrayOutputStream buffer = new ByteArrayOutputStream();

    int nRead;
    final byte[] data = new byte[16384];

    while ((nRead = is.read(data, 0, data.length)) != -1) {
        buffer.write(data, 0, nRead);
    }

    buffer.flush();

    return buffer.toByteArray();
}

在我的情况下,我有一个 250x200 像素的 PNG 和一个 42046 字节的文件大小。该Bitmap方法需要大约 500 毫秒,原始方法需要 3 毫秒。

希望有人可以使用此解决方案。

于 2013-01-26T12:12:27.303 回答