这是我的代码,用于将已下载的base64字符串显示到imageview中(存在于ListView中):
RequestOptions requestOptions = new RequestOptions();
requestOptions.override((int) Converter.pxFromDp(this.context, (float) ICON_SIZE),(int) Converter.pxFromDp(this.context, (float) ICON_SIZE));
requestOptions.dontAnimate();
requestOptions.fitCenter();
requestOptions.diskCacheStrategy(DiskCacheStrategy.ALL);
if (!eventItem.getVulnerabilityIcon().isEmpty() ) {
Glide.with(context)
.asBitmap()
.load(Base64.decode(base64String, Base64.DEFAULT))
.apply(requestOptions)
.into(new BitmapImageViewTarget(holder.iconVul) { })
;
} else {
Glide.with(context).clear(holder.iconVul); // tell Glide that it should forget this view
holder.iconVul.setImageResource(R.drawable.defaultIcon); // manually set "unknown" icon
}
当我滚动列表视图时,一切都很好(上下)。现在,当我单击一个项目时,我有一个Highlight(View view,int position)方法,该方法仅更改视图的背景,因此调用getView(...)。然后重新绘制所有视图(正常行为)。问题是它从头开始重新绘制图像,就好像根本没有在图像上应用缓存功能一样。结果是每次我单击/点击列表中的某个项目时,图像都会闪烁,我不想这种效果。
起初我以为这是一个动画问题,我发现要禁用任何动画,我应该添加dontAnimate()。然后,我浏览了glide的(com.github.bumptech.glide:glide:4.0.0-RC0)文档,并阅读了以下内容:
/**
* From: RequestBuilder Class in com.github.bumptech.glide:glide:4.0.0-RC0
* Returns a request to load the given byte array.
*
* <p> Note - by default loads for bytes are not cached in either the memory or the disk cache.
* </p>
*
* @param model the data to load.
* @see #load(Object)
*/
public RequestBuilder<TranscodeType> load(@Nullable byte[] model) {
return loadGeneric(model).apply(signatureOf(new ObjectKey(UUID.randomUUID().toString()))
.diskCacheStrategy(DiskCacheStrategy.NONE).skipMemoryCache(true /*skipMemoryCache*/));
}
现在我的问题是,有没有办法在第一次加载Glide后强制Glide缓存字节数组图像?
附注:英语不是我的母语,因此请为我的语法不佳道歉。
最佳答案
更改Glide调用的.into()部分有效:
RequestOptions requestOptions = new RequestOptions();
requestOptions.override(iconWidth,iconHeight);
requestOptions.dontAnimate();
requestOptions.fitCenter();
requestOptions.diskCacheStrategy(DiskCacheStrategy.ALL);
if (!eventItem.getVulnerabilityIcon().isEmpty() ) {
Glide.with(context)
.asBitmap()
.load(Base64.decode(base64String, Base64.DEFAULT))
.apply(requestOptions)
.into(new SimpleTarget<Bitmap>(iconWidth, iconHeight) {
@Override
public void onResourceReady(Bitmap resource, Transition<? super Bitmap> transition) {
finalHolder.iconVul.setImageBitmap(resource);
}
});
} else {
Glide.with(context).clear(holder.iconVul); // tell Glide that it should forget this view
holder.iconVul.setImageResource(R.drawable.defaultIcon); // manually set "unknown" icon
}
现在它不再闪烁了。可以给我解释一下有什么区别吗?
1-是否因为我使用SimpleTarget而使Glide最终缓存了结果?
2-是否因为未进一步处理转换变量?
请有人能照亮我的灯笼。
关于android - Glide Android:如何缓存byteArray图片?,我们在Stack Overflow上找到一个类似的问题:https://stackoverflow.com/questions/44310895/