Images not being cached locally (using Universal Image Loader) - slow image load times

后端 未结 4 547
被撕碎了的回忆
被撕碎了的回忆 2020-12-14 12:26

Description of the problem: I\'m creating a scrollable list of articles with thumbnails that\'s populated by my SQLite database. In general, it\'s \"workin

相关标签:
4条回答
  • 2020-12-14 12:52

    An alternate solution is "RemoteImageView" from the ignition open source project.

    http://kaeppler.github.com/ignition-docs/ignition-core/apidocs/com/github/ignition/core/widgets/RemoteImageView.html

    Effectively, RemoteImageView extends ImageView and does all the fetching/caching for you behind the scenes.

    While it doesn't necessarily solve your problem you listed, it might be worth investigating as an alternate solution.

    EDIT: I would highly recommend Picasso if you're still in need of a remote image solution. I've replaced RemoteImageView in my applications with Picasso: http://square.github.io/picasso/

    0 讨论(0)
  • 2020-12-14 12:53

    I was experiencing similar issues with images in list view. Possibly this answer will correct your wrong image problem.

    I just downloaded the sample project with UniversalImageLoader and it exhibits the same behavior you are describing.

    A few notes so far from looking through the source code.

    public static final int DEFAULT_THREAD_POOL_SIZE = 3;
    public static final int DEFAULT_THREAD_PRIORITY = Thread.NORM_PRIORITY - 1;
    public static final int DEFAULT_MEMORY_CACHE_SIZE = 2 * 1024 * 1024; // bytes
    

    This says that at any time there will be three threads downloading and max of 2MB of images. How big are the images you are downloading? Also are you caching to disk? If so, that will be slow.

    To configure some of the basic options in the ImageLoader you will need to pass in to displayImage:

     DisplayImageOptions options = new DisplayImageOptions.Builder()
         .showStubImage(R.drawable.stub_image)
         .cacheInMemory()
         .cacheOnDisc()
         .build();
    

    I would also like you to try these options:

    ImageLoaderConfiguration imageLoaderConfiguration = new ImageLoaderConfiguration.Builder(this)
        .enableLogging()
        .memoryCacheSize(41943040)
        .discCacheSize(104857600)
        .threadPoolSize(10)
        .build();
    
    imageLoader = ImageLoader.getInstance();
    imageLoader.init(imageLoaderConfiguration);
    

    With my testing, the images are on disk, but loading is still slow.

    After extensive testing, I determined the primary issue is that UniversalImageLoader is just slow. Specifically, the ImageLoader and LoadAndDisplayImageTask are holding up the works. I (very quickly) rewrote the LoadAndDisplayImageTask as an AsyncTask and it immediately performed better. You can download the forked version of the code on GitHub.

    Universal Image Loader with AsyncTasks

    0 讨论(0)
  • 2020-12-14 13:01

    I suspect the resize.php is slow, especially if it has to resize large pages, and several requests are received. And somehow caching in imageLoader is not done.

    First I would do the rest after the image loading: subtitle, description and all. Because if the image loading takes too long, there is a more instantaneous effect, if description and all the rest appear together. Ordinarily your order of statements is fine.

    The answer of @CameronLowellPallmer takes care of switched images and caching.

    0 讨论(0)
  • 2020-12-14 13:09

    This class worked for me:

    import java.io.File;
    import java.io.FileInputStream;
    import java.io.FileOutputStream;
    import java.io.IOException;
    import java.io.InputStream;
    import java.lang.ref.WeakReference;
    import java.util.HashMap;
    import java.util.Map;
    
    import org.apache.http.HttpEntity;
    import org.apache.http.HttpResponse;
    import org.apache.http.HttpStatus;
    import org.apache.http.HttpVersion;
    import org.apache.http.client.HttpClient;
    import org.apache.http.client.methods.HttpGet;
    import org.apache.http.impl.client.DefaultHttpClient;
    import org.apache.http.params.BasicHttpParams;
    import org.apache.http.params.CoreProtocolPNames;
    import org.apache.http.params.HttpParams;
    
    import android.content.Context;
    import android.graphics.Bitmap;
    import android.graphics.BitmapFactory;
    import android.graphics.Color;
    import android.graphics.drawable.ColorDrawable;
    import android.graphics.drawable.Drawable;
    import android.os.AsyncTask;
    import android.util.Log;
    import android.widget.ImageView;
    
    public class ImageDownloader {
    
        Map<String,Bitmap> imageCache;
    
        public ImageDownloader(){
            imageCache = new HashMap<String, Bitmap>();
    
        }
    
        //download function
        public void download(String url, ImageView imageView) {
             if (cancelPotentialDownload(url, imageView)&&url!=null) {
    
                 //Caching code right here
                 String filename = String.valueOf(url.hashCode());
                 File f = new File(getCacheDirectory(imageView.getContext()), filename);
    
                  // Is the bitmap in our memory cache?
                 Bitmap bitmap = null;
    
                  bitmap = (Bitmap)imageCache.get(f.getPath());
                    BitmapFactory.Options bfOptions=new BitmapFactory.Options();
                    bfOptions.inDither=false;                     //Disable Dithering mode
                    bfOptions.inPurgeable=true;                   //Tell to gc that whether it needs free memory, the Bitmap can be cleared
                    bfOptions.inInputShareable=true;              //Which kind of reference will be used to recover the Bitmap data after being clear, when it will be used in the future
                    bfOptions.inTempStorage=new byte[32 * 1024]; 
                    FileInputStream fs=null;
    
                  if(bitmap == null){
    
                      //bitmap = BitmapFactory.decodeFile(f.getPath(),options);
                      try {
                          fs = new FileInputStream(f);
                            if(fs!=null) bitmap=BitmapFactory.decodeFileDescriptor(fs.getFD(), null, bfOptions);
                        } catch (IOException e) {
                            //TODO do something intelligent
                            e.printStackTrace();
                        } finally{ 
                            if(fs!=null) {
                                try {
                                    fs.close();
                                } catch (IOException e) {
                                    // TODO Auto-generated catch block
                                    e.printStackTrace();
                                }
                            }
                        }
    
                      if(bitmap != null){
                          imageCache.put(f.getPath(), bitmap);
                      }
    
                  }
                  //No? download it
                  if(bitmap == null){
                      BitmapDownloaderTask task = new BitmapDownloaderTask(imageView);
                      DownloadedDrawable downloadedDrawable = new DownloadedDrawable(task);
                      imageView.setImageDrawable(downloadedDrawable);
                      task.execute(url);
                  }else{
                      //Yes? set the image
                      imageView.setImageBitmap(bitmap);
                  }
             }
        }
    
        //cancel a download (internal only)
        private static boolean cancelPotentialDownload(String url, ImageView imageView) {
            BitmapDownloaderTask bitmapDownloaderTask = getBitmapDownloaderTask(imageView);
    
            if (bitmapDownloaderTask != null) {
                String bitmapUrl = bitmapDownloaderTask.url;
                if ((bitmapUrl == null) || (!bitmapUrl.equals(url))) {
                    bitmapDownloaderTask.cancel(true);
                } else {
                    // The same URL is already being downloaded.
                    return false;
                }
            }
            return true;
        }
    
        //gets an existing download if one exists for the imageview
        private static BitmapDownloaderTask getBitmapDownloaderTask(ImageView imageView) {
            if (imageView != null) {
                Drawable drawable = imageView.getDrawable();
                if (drawable instanceof DownloadedDrawable) {
                    DownloadedDrawable downloadedDrawable = (DownloadedDrawable)drawable;
                    return downloadedDrawable.getBitmapDownloaderTask();
                }
            }
            return null;
        }
    
        //our caching functions
        // Find the dir to save cached images
        public static File getCacheDirectory(Context context){
            String sdState = android.os.Environment.getExternalStorageState();
            File cacheDir;
    
            if (sdState.equals(android.os.Environment.MEDIA_MOUNTED)) {
                File sdDir = android.os.Environment.getExternalStorageDirectory();  
    
                //TODO : Change your diretcory here
                cacheDir = new File(sdDir,"data/tac/images");
            }
            else
                cacheDir = context.getCacheDir();
    
            if(!cacheDir.exists())
                cacheDir.mkdirs();
                return cacheDir;
        }
    
        private void writeFile(Bitmap bmp, File f) {
              FileOutputStream out = null;
    
              try {
                out = new FileOutputStream(f);
                bmp.compress(Bitmap.CompressFormat.PNG, 80, out);
              } catch (Exception e) {
                e.printStackTrace();
              }
              finally { 
                try { if (out != null ) out.close(); }
                catch(Exception ex) {} 
              }
        }
        ///////////////////////
    
        //download asynctask
        public class BitmapDownloaderTask extends AsyncTask<String, Void, Bitmap> {
            private String url;
            private final WeakReference<ImageView> imageViewReference;
    
            public BitmapDownloaderTask(ImageView imageView) {
                imageViewReference = new WeakReference<ImageView>(imageView);
            }
    
            @Override
            // Actual download method, run in the task thread
            protected Bitmap doInBackground(String... params) {
                 // params comes from the execute() call: params[0] is the url.
                 url = (String)params[0];
                 return downloadBitmap(params[0]);
            }
    
            @Override
            // Once the image is downloaded, associates it to the imageView
            protected void onPostExecute(Bitmap bitmap) {
                if (isCancelled()) {
                    bitmap = null;
                }
    
                if (imageViewReference != null) {
                    ImageView imageView = imageViewReference.get();
                    BitmapDownloaderTask bitmapDownloaderTask = getBitmapDownloaderTask(imageView);
                    // Change bitmap only if this process is still associated with it
                    if (this == bitmapDownloaderTask) {
                        imageView.setImageBitmap(bitmap);
    
                        //cache the image
    
    
                        String filename = String.valueOf(url.hashCode());
                        File f = new File(getCacheDirectory(imageView.getContext()), filename);
    
                        imageCache.put(f.getPath(), bitmap);
    
                        writeFile(bitmap, f);
                    }
                }
            }
    
    
        }
    
        static class DownloadedDrawable extends ColorDrawable {
            private final WeakReference<BitmapDownloaderTask> bitmapDownloaderTaskReference;
    
            public DownloadedDrawable(BitmapDownloaderTask bitmapDownloaderTask) {
                super(Color.BLACK);
                bitmapDownloaderTaskReference =
                    new WeakReference<BitmapDownloaderTask>(bitmapDownloaderTask);
            }
    
            public BitmapDownloaderTask getBitmapDownloaderTask() {
                return bitmapDownloaderTaskReference.get();
            }
        }
    
        //the actual download code
        static Bitmap downloadBitmap(String url) {
            HttpParams params = new BasicHttpParams();
            params.setParameter(CoreProtocolPNames.PROTOCOL_VERSION, HttpVersion.HTTP_1_1);
            HttpClient client = new DefaultHttpClient(params);
            final HttpGet getRequest = new HttpGet(url);
    
            try {
                HttpResponse response = client.execute(getRequest);
                final int statusCode = response.getStatusLine().getStatusCode();
                if (statusCode != HttpStatus.SC_OK) { 
                    Log.w("ImageDownloader", "Error " + statusCode + " while retrieving bitmap from " + url); 
                    return null;
                }
    
                final HttpEntity entity = response.getEntity();
                if (entity != null) {
                    InputStream inputStream = null;
                    try {
                        inputStream = entity.getContent(); 
                        final Bitmap bitmap = BitmapFactory.decodeStream(inputStream);
                        return bitmap;
                    } finally {
                        if (inputStream != null) {
                            inputStream.close();  
                        }
                        entity.consumeContent();
                    }
                }
            } catch (Exception e) {
                // Could provide a more explicit error message for IOException or IllegalStateException
                getRequest.abort();
                Log.w("ImageDownloader", "Error while retrieving bitmap from " + url + e.toString());
            } finally {
                if (client != null) {
                    //client.close();
                }
            }
            return null;
        }
    }
    

    Example of use:

    downloader = new ImageDownloader();
    ImageView image_profile =(ImageView) row.findViewById(R.id.image_profile);
    downloader.download(url, image_profile);
    
    0 讨论(0)
提交回复
热议问题