我想知道是否有办法将图像(.gif类型)保存到sqllite数据库。如果是,我的DatabaseAdapter
应该如何。
还有性能问题吗?
答案 0 :(得分:20)
您应该在数据库中使用BLOB
:
检查this tutorial ...
但我认为您应该在HashMap中下载并存储图像,这样可以简化它。
代码:
<强> Stroring 强>
Map<String, byte[]> hh = new HashMap<String, byte[]>();
String hi = "http://i.stack.imgur.com/TLjuP.jpg";
byte[] logoImagedata = getLogoImage(hi);
hh.put("img",logoImagedata);
的检索强>
byte[] imageByteArray = hh.get("img");
ByteArrayInputStream imageStream = new ByteArrayInputStream(imageByteArray);
Bitmap theImage= BitmapFactory.decodeStream(imageStream);
的 getLogoImage()强>
private byte[] getLogoImage(String url){
try {
URL imageUrl = new URL(url);
URLConnection ucon = imageUrl.openConnection();
InputStream is = ucon.getInputStream();
BufferedInputStream bis = new BufferedInputStream(is);
ByteArrayBuffer baf = new ByteArrayBuffer(500);
int current = 0;
while ((current = bis.read()) != -1) {
baf.append((byte) current);
}
return baf.toByteArray();
} catch (Exception e) {
Log.d("ImageManager", "Error: " + e.toString());
return null;
}
}
希望它对你有所帮助。
答案 1 :(得分:6)
将图像存储到SQLite没什么特别之处。只需使用BLOB记录类型创建表,并执行如下操作:
protected long saveBitmap(SQLiteDatabase database, Bitmap bmp)
{
int size = bmp.getRowBytes() * bmp.getHeight();
ByteBuffer b = ByteBuffer.allocate(size); bmp.copyPixelsToBuffer(b);
byte[] bytes = new byte[size];
b.get(bytes, 0, bytes.length);
ContentValues cv=new ContentValues();
cv.put(CHUNK, bytes);
this.id= database.insert(TABLE, null, cv);
}
你可能想要按块保存图像块,因为有限制/建议的BLOB大小(不记得多少)
答案 2 :(得分:2)