How To Avoid Flickering While Updating Gridview?
Solution 1:
I had the same issue and was able to solve it like this:
In fact it was due to my ListAdapter
which didn't managed properly the case when the whole list is refreshed. If so, what you want to do is keeping the items already displayed on the screen as-is.
To do so, in the method getView
of the Adapter when you get a recycled item, you must check if it's not already the one you want to display. If it's the case, just return it directly.
@Overridepublic View getView(int position, View convertView, ViewGroup container) {
ImageView imageView;
Stringsrc=this.getItem(position).getSrcThumbnail();
if (convertView == null) {
imageView = newImageView(getContext());
imageView.setScaleType(ImageView.ScaleType.CENTER_CROP);
intheight= (int) TypedValue.applyDimension(TypedValue.COMPLEX_UNIT_DIP, 120, getResources().getDisplayMetrics());
imageView.setLayoutParams(newGridView.LayoutParams(GridView.LayoutParams.MATCH_PARENT, height));
} else {
imageView = (ImageView) convertView;
// When you get a recycled item, check if it's not already the one you want to display.StringnewSrc= (String) imageView.getTag();
if(newSrc.equals(src)){
// If so, return it directly.return imageView;
}
}
loadBitmap(this.getItem(position).getSrcThumbnail(), imageView);
// Here you set the unique tag that allow to identify this item.
imageView.setTag(src);
return imageView;
}
Solution 2:
If your adapter has stable ids, override hasStableIds
to return true
.
Grep the android.GridView
source code here, it allows the grid view to reuse a view for the same data rather than do a full redraw. This might help in the OP's case, because by default hasStableIds
returns false
.
Solution 3:
Flickering occurs because the updating the UI is heavy.Please check weather you are doing cpu intensive functions like image cropping in the getview() of the adapter.The idea is to keep the getview() function simple and do the process intensive logic in separate threads.
Solution 4:
The solution is to not reload your image when it did not change.
In your adapters getView() do:
// schedule rendering:
final String path = ... (get path here);
if (holder.lastImageUrl == null || !holder.lastImageUrl.equals(path)
|| holder.headerImageView.getDrawable() == null) {
// refresh image
imageLoader.displayImage(imageUri, imageAware);
} else {
// do nothing, image did not change and does not need to be updated
}
on success (add a ImageLoadingListener) you set holder.lastImageUrl = path, on fail and cancel you set holder.lastImageUrl to null so that it will reload next time.
Solution 5:
Use nostra13's Universal Image Loader on showing your images, set some animations while showing it.
...DisplayImageOptions.displayer(FadeInBitmapDisplayer)...
Post a Comment for "How To Avoid Flickering While Updating Gridview?"