在很多场景,作为开发都会想到,在执行完毕一个任务的时候,能执行一个callback函数是多么好的事情。
现在模拟一下这个情景:
定义三个类。分别是主函数类。callback函数的接口类。业务处理类。在业务处理类中,处理完业务之后,执行一个callback函数。
public class Main { public static void main(String[] args) { new TestCallBack().compute(1000, new ComputeCallBack() { @Override public void onComputeEnd() { System.out.println("end back!!!"); } }); } }
这是主函数类。new了一个业务处理类来处理逻辑,并在处理完毕之后,执行callback函数。
public class TestCallBack { public void compute(int n, ComputeCallBack callback) { for (int i = 0; i < n; i++) { System.out.println(i); } callback.onComputeEnd(); } }
这是业务处理类。仅仅输出一些数字,然后执行回调函数。
public interface ComputeCallBack { public void onComputeEnd(); }
这是回调函数的接口。
运行上面的代码,就会在输出结束的时候调用在Main里面的callback函数,输出System.out.println("end back!!!");
这里的原理是:
在主类中,新建业务类的时候,传递进去的第二个参数是一个实现了回调接口的匿名类对象。
在业务类中,我们调用了这个对象的onComputeEnd方法。在执行onComputeEnd的时候,jvm会找到这个对象的函数实现并调用。于是就输出了end back!!!
写这篇文章的灵感来自于这里
这篇文章介绍了安卓下,下载图片并缓存。文章中亮点不仅仅是回调函数的使用,而且还使用了SoftReference来做内存缓存。
下面的代码,用SoftReference写入内存缓存:
/**
* 从网络端下载图片
*
* @param url
* 网络图片的URL地址
* @param cache2Memory
* 是否缓存(缓存在内存中)
* @return bitmap 图片bitmap结构
*
*/
public Bitmap getBitmapFromUrl(String url, boolean cache2Memory) {
Bitmap bitmap = null;
try {
URL u = new URL(url);
HttpURLConnection conn = (HttpURLConnection) u.openConnection();
InputStream is = conn.getInputStream();
bitmap = BitmapFactory.decodeStream(is);
if (cache2Memory) {
// 1.缓存bitmap至内存软引用中
imageCache.put(url, new SoftReference<Bitmap>(bitmap));
if (cache2FileFlag) {
// 2.缓存bitmap至/data/data/packageName/cache/文件夹中
String fileName = getMD5Str(url);
String filePath = this.cachedDir + "/" + fileName;
FileOutputStream fos = new FileOutputStream(filePath);
bitmap.compress(Bitmap.CompressFormat.PNG, 100, fos);
}
}
is.close();
conn.disconnect();
return bitmap;
} catch (IOException e) {
e.printStackTrace();
return null;
}
}
下面是从内存缓存中读取图片并返回:;
/**
* 从内存缓存中获取bitmap
*
* @param url
* @return bitmap or null.
*/
public Bitmap getBitmapFromMemory(String url) {
Bitmap bitmap = null;
if (imageCache.containsKey(url)) {
synchronized (imageCache) {
SoftReference<Bitmap> bitmapRef = imageCache.get(url);
if (bitmapRef != null) {
bitmap = bitmapRef.get();
return bitmap;
}
}
}
// 从外部缓存文件读取
if (cache2FileFlag) {
bitmap = getBitmapFromFile(url);
if (bitmap != null)
imageCache.put(url, new SoftReference<Bitmap>(bitmap));
}
return bitmap;
}
网友评论