// This is an enumerable type, you can just add this like you would an inner class. // Make sure you change this code a bit before you submit it, though it is from StackOverflow. // Have Fun! public enum BitmapManager { INSTANCE; private final Map> cache; private final ExecutorService pool; private Map imageViews = Collections .synchronizedMap(new WeakHashMap()); private Bitmap placeholder; BitmapManager() { cache = new HashMap>(); pool = Executors.newFixedThreadPool(5); } public void setPlaceholder(Bitmap bmp) { placeholder = bmp; } public Bitmap getBitmapFromCache(String url) { if (cache.containsKey(url)) { return cache.get(url).get(); } return null; } public void queueJob(final String url, final ImageView imageView, final int width, final int height) { /* Create handler in UI thread. */ final Handler handler = new Handler() { @Override public void handleMessage(Message msg) { String tag = imageViews.get(imageView); if (tag != null && tag.equals(url)) { if (msg.obj != null) { imageView.setImageBitmap((Bitmap) msg.obj); } else { imageView.setImageBitmap(placeholder); Log.d(null, "fail " + url); } } } }; pool.submit(new Runnable() { @Override public void run() { final Bitmap bmp = downloadBitmap(url, width, height); Message message = Message.obtain(); message.obj = bmp; Log.d(null, "Item downloaded: " + url); handler.sendMessage(message); } }); } public void loadBitmap(final String url, final ImageView imageView, final int width, final int height) { imageViews.put(imageView, url); Bitmap bitmap = getBitmapFromCache(url); // check in UI thread, so no concurrency issues if (bitmap != null) { Log.i("Item Get", "Item loaded from cache: " + url); imageView.setImageBitmap(bitmap); } else { imageView.setImageBitmap(placeholder); queueJob(url, imageView, width, height); } } private Bitmap downloadBitmap(String url, int width, int height) { try { Bitmap bitmap = BitmapFactory .decodeStream((InputStream) new URL(url).getContent()); bitmap = Bitmap.createScaledBitmap(bitmap, width, height, true); Log.w("Item Get", "Item downloaded from web: " + url); cache.put(url, new SoftReference(bitmap)); return bitmap; } catch (MalformedURLException e) { e.printStackTrace(); } catch (IOException e) { e.printStackTrace(); } return null; } }