Target target,
 @Nullable RequestListener targetListener,
 @Nullable RequestCoordinator parentCoordinator,
 TransitionOptions<?, ? super TranscodeType> transitionOptions,
 Priority priority,
 int overrideWidth,
 int overrideHeight,
 RequestOptions requestOptions) {
// Build the ErrorRequestCoordinator first if necessary so we can update parentCoordinator.
 ErrorRequestCoordinator errorRequestCoordinator = null;
 if (errorBuilder != null) {
 // 创建errorRequestCoordinator(异常处理对象)
 errorRequestCoordinator = new ErrorRequestCoordinator(parentCoordinator);
 parentCoordinator = errorRequestCoordinator;
 }
// 递归建立缩略图请求
 Request mainRequest =
 buildThumbnailRequestRecursive(
 target,
 targetListener,
 parentCoordinator,
 transitionOptions,
 priority,
 overrideWidth,
 overrideHeight,
 requestOptions);
if (errorRequestCoordinator == null) {
 return mainRequest;
 }
…
Request errorRequest = errorBuilder.buildRequestRecursive(
 target,
 targetListener,
 errorRequestCoordinator,
 errorBuilder.transitionOptions,
 errorBuilder.requestOptions.getPriority(),
 errorOverrideWidth,
 errorOverrideHeight,
 errorBuilder.requestOptions);
 errorRequestCoordinator.setRequests(mainRequest, errorRequest);
 return errorRequestCoordinator;
 }
// 分析1
 private Request buildThumbnailRequestRecursive(
 Target target,
 RequestListener targetListener,
 @Nullable RequestCoordinator parentCoordinator,
 TransitionOptions<?, ? super TranscodeType> transitionOptions,
 Priority priority,
 int overrideWidth,
 int overrideHeight,
 RequestOptions requestOptions) {
 if (thumbnailBuilder != null) {
 // Recursive case: contains a potentially recursive thumbnail request builder.
…
ThumbnailRequestCoordinator coordinator = new ThumbnailRequestCoordinator(parentCoordinator);
 // 获取一个正常请求对象
 Request fullRequest =
 obtainRequest(
 target,
 targetListener,
 requestOptions,
 coordinator,
 transitionOptions,
 priority,
 overrideWidth,
 overrideHeight);
 isThumbnailBuilt = true;
 // Recursively generate thumbnail requests.
 // 使用递归的方式建立一个缩略图请求对象
 Request thumbRequest =
 thumbnailBuilder.buildRequestRecursive(
 target,
 targetListener,
 coordinator,
 thumbTransitionOptions,
 thumbPriority,
 thumbOverrideWidth,
 thumbOverrideHeight,
 thumbnailBuilder.requestOptions);
 isThumbnailBuilt = false;
 // coordinator(ThumbnailRequestCoordinator)是作为两者的协调者,
 // 能够同时加载缩略图和正常的图的请求
 coordinator.setRequests(fullRequest, thumbRequest);
 return coordinator;
 } else if (thumbSizeMultiplier != null) {
 // Base case: thumbnail multiplier generates a thumbnail request, but cannot recurse.
 // 当设置了缩略的比例thumbSizeMultiplier(0 ~ 1)时,
 // 不需要递归建立缩略图请求
 ThumbnailRequestCoordinator coordinator = new ThumbnailRequestCoordinator(parentCoordinator);
 Request fullRequest =
 obtainRequest(
 target,
 targetListener,
 requestOptions,
 coordinator,
 transitionOptions,
 priority,
 overrideWidth,
 overrideHeight);
 RequestOptions thumbnailOptions = requestOptions.clone()
 .sizeMultiplier(thumbSizeMultiplier);
Request thumbnailRequest =
 obtainRequest(
 target,
 targetListener,
 thumbnailOptions,
 coordinator,
 transitionOptions,
 getThumbnailPriority(priority),
 overrideWidth,
 overrideHeight);
coordinator.setRequests(fullRequest, thumbnailRequest);
 return coordinator;
 } else {
 // Base case: no thumbnail.
 // 没有缩略图请求时,直接获取一个正常图请求
 return obtainRequest(
 target,
 targetListener,
 requestOptions,
 parentCoordinator,
 transitionOptions,
 priority,
 overrideWidth,
 overrideHeight);
 }
 }
private Request obtainRequest(
 Target target,
 RequestListener targetListener,
 RequestOptions requestOptions,
 RequestCoordinator requestCoordinator,
 TransitionOptions<?, ? super TranscodeType> transitionOptions,
 Priority priority,
 int overrideWidth,
 int overrideHeight) {
 // 最终实际返回的是一个SingleRequest对象(将制定的资源加载进对应的Target
 return SingleRequest.obtain(
 context,
 glideContext,
 model,
 transcodeClass,
 requestOptions,
 overrideWidth,
 overrideHeight,
 priority,
 target,
 targetListener,
 requestListeners,
 requestCoordinator,
 glideContext.getEngine(),
 transitionOptions.getTransitionFactory());
 }
从上源码分析可知,我们在分析1处的buildRequest()方法里建立了请求,且最多可同时进行缩略图和正常图的请求,最后,调用了requestManager.track(target, request)方法,接着看看track里面做了什么。
5、RequestManager#track
// 分析2
 void track(@NonNull Target<?> target, @NonNull Request request) {
 // 加入一个target目标集合(Set)
 targetTracker.track(target);
requestTracker.runRequest(request);
 }
6、RequestTracker#runRequest
/**
- Starts tracking the given request.
 */
 // 分析2
 public void runRequest(@NonNull Request request) {
 requests.add(request);
 if (!isPaused) {
 // 如果不是暂停状态则开始请求
 request.begin();
 } else {
 request.clear();
 if (Log.isLoggable(TAG, Log.VERBOSE)) {
 Log.v(TAG, “Paused, delaying request”);
 }
 // 否则清空请求,加入延迟请求队列(为了对这些请求维持一个强引用,使用了ArrayList实现)
 pendingRequests.add(request);
 }
 }
7、SingleRequest#begin
// 分析2
 @Override
 public void begin() {
…
if (model == null) {
…
 // model(url)为空,回调加载失败
 onLoadFailed(new GlideException(“Received null model”), logLevel);
 return;
 }
if (status == Status.RUNNING) {
 throw new IllegalArgumentException(“Cannot restart a running request”);
 }
if (status == Status.COMPLETE) {
 onResourceReady(resource, DataSource.MEMORY_CACHE);
 return;
 }
status = Status.WAITING_FOR_SIZE;
 if (Util.isValidDimensions(overrideWidth, overrideHeight)) {
 // 当使用override() API为图片指定了一个固定的宽高时直接执行onSizeReady,
 // 最终的核心处理位于onSizeReady
 onSizeReady(overrideWidth, overrideHeight);
 } else {
 // 根据imageView的宽高算出图片的宽高,最终也会走到onSizeReady
 target.getSize(this);
 }
if ((status == Status.RUNNING || status == Status.WAITING_FOR_SIZE)
 && canNotifyStatusChanged()) {
 // 预先加载设置的缩略图
 target.onLoadStarted(getPlaceholderDrawable());
 }
 if (IS_VERBOSE_LOGGABLE) {
 logV("finished run method in " + LogTime.getElapsedMillis(startTime));
 }
 }
从requestManager.track(target, request)开始,最终会执行到SingleRequest#begin()方法的onSizeReady,可以猜到(因为后面只做了预加载缩略图的处理),真正的请求就是从这里开始的,咱们进去一探究竟~
8、SingleRequest#onSizeReady
// 分析2
 @Override
 public void onSizeReady(int width, int height) {
 stateVerifier.throwIfRecycled();
…
status = Status.RUNNING;
float sizeMultiplier = requestOptions.getSizeMultiplier();
 this.width = maybeApplySizeMultiplier(width, sizeMultiplier);
 this.height = maybeApplySizeMultiplier(height, sizeMultiplier);
…
// 根据给定的配置进行加载,engine是一个负责加载、管理活跃和缓存资源的引擎类
 loadStatus = engine.load(
 glideContext,
 model,
 requestOptions.getSignature(),
 this.width,
 this.height,
 requestOptions.getResourceClass(),
 transcodeClass,
 priority,
 requestOptions.getDiskCacheStrategy(),
 requestOptions.getTransformations(),
 requestOptions.isTransformationRequired(),
 requestOptions.isScaleOnlyOrNoTransform(),
 requestOptions.getOptions(),
 requestOptions.isMemoryCacheable(),
 requestOptions.getUseUnlimitedSourceGeneratorsP ool(),
 requestOptions.getUseAnimationPool(),
 requestOptions.getOnlyRetrieveFromCache(),
 this);
…
 }
终于看到Engine类了,感觉距离成功不远了,继续~
9、Engine#load
public LoadStatus load(
 GlideContext glideContext,
 Object model,
 Key signature,
 int width,
 int height,
 Class<?> resourceClass, Class transcodeClass, Priority priority, DiskCacheStrategy diskCacheStrategy, Map
…
// 先从弱引用中查找,如果有的话回调onResourceReady并直接返回
 EngineResource<?> active = loadFromActiveResources(key, isMemoryCacheable);
 if (active != null) {
 cb.onResourceReady(active, DataSource.MEMORY_CACHE);
 if (VERBOSE_IS_LOGGABLE) {
 logWithTimeAndKey(“Loaded resource from active resources”, startTime, key);
 }
 return null;
 }
// 没有再从内存中查找,有的话会取出并放到ActiveResources(内部维护的弱引用缓存map)里面
 EngineResource<?> cached = loadFromCache(key, isMemoryCacheable);
 if (cached != null) {
 cb.onResourceReady(cached, DataSource.MEMORY_CACHE);
 if (VERBOSE_IS_LOGGABLE) {
 logWithTimeAndKey(“Loaded resource from cache”, startTime, key);
 }
 return null;
 }
EngineJob<?> current = jobs.get(key, onlyRetrieveFromCache);
 if (current != null) {
 current.addCallback(cb);
 if (VERBOSE_IS_LOGGABLE) {
 logWithTimeAndKey(“Added to existing load”, startTime, key);
 }
 return new LoadStatus(cb, current);
 }
// 如果内存中没有,则创建engineJob(decodejob的回调类,管理下载过程以及状态)
 EngineJob engineJob =
 engineJobFactory.build(
 key,
 isMemoryCacheable,
 useUnlimitedSourceExecutorPool,
 useAnimationPool,
 onlyRetrieveFromCache);
// 创建解析工作对象
 DecodeJob decodeJob =
 decodeJobFactory.build(
 glideContext,
 model,
 key,
 signature,
 width,
 height,
 resourceClass,
 transcodeClass,
 priority,
 diskCacheStrategy,
 transformations,
 isTransformationRequired,
 isScaleOnlyOrNoTransform,
 onlyRetrieveFromCache,
 options,
 engineJob);
// 放在Jobs内部维护的HashMap中
 jobs.put(key, engineJob);
// 关注点8 后面分析会用到
 // 注册ResourceCallback接口
 engineJob.addCallback(cb);
 // 内部开启线程去请求
 engineJob.start(decodeJob);
if (VERBOSE_IS_LOGGABLE) {
 logWithTimeAndKey(“Started new load”, startTime, key);
 }
 return new LoadStatus(cb, engineJob);
 }
public void start(DecodeJob decodeJob) {
 this.decodeJob = decodeJob;
 // willDecodeFromCache方法内部根据不同的阶段stage,如果是RESOURCE_CACHE/DATA_CACHE则返回true,使用diskCacheExecutor,否则调用getActiveSourceExecutor,内部会根据相应的条件返回sourceUnlimitedExecutor/animationExecutor/sourceExecutor
 GlideExecutor executor =
 decodeJob.willDecodeFromCache()
 ? diskCacheExecutor
 : getActiveSourceExecutor();
 executor.execute(decodeJob);
 }
可以看到,最终Engine(引擎)类内部会执行到自身的start方法,它会根据不同的配置采用不同的线程池使用diskCacheExecutor/sourceUnlimitedExecutor/animationExecutor/sourceExecutor来执行最终的解码任务decodeJob。
10、DecodeJob#run
runWrapped();
private void runWrapped() {
 switch (runReason) {
 case INITIALIZE:
 stage = getNextStage(Stage.INITIALIZE);
 // 关注点1
 currentGenerator = getNextGenerator();
 // 关注点2 内部会调用相应Generator的startNext()
 runGenerators();
 break;
 case SWITCH_TO_SOURCE_SERVICE:
 runGenerators();
 break;
 case DECODE_DATA:
 // 关注点3 将获取的数据解码成对应的资源
 decodeFromRetrievedData();
 break;
 default:
 throw new IllegalStateException("Unrecognized run reason: " + runReason);
 }
 }
// 关注点1,完整情况下,会异步依次生成这里的ResourceCacheGenerator、DataCacheGenerator和SourceGenerator对象,并在之后执行其中的startNext()
 private DataFetcherGenerator getNextGenerator() {
 switch (stage) {
 case RESOURCE_CACHE:
 return new ResourceCacheGenerator(decodeHelper, this);
 case DATA_CACHE:
 return new DataCacheGenerator(decodeHelper, this);
 case SOURCE:
 return new SourceGenerator(decodeHelper, this);
 case FINISHED:
 return null;
 default:
 throw new IllegalStateException("Unrecognized stage: " + stage);
 }
 }
11、SourceGenerator#startNext
// 关注点2
 @Override
 public boolean startNext() {
 // dataToCache数据不为空的话缓存到硬盘(第一执行该方法是不会调用的)
 if (dataToCache != null) {
 Object data = dataToCache;
 dataToCache = null;
 cacheData(data);
 }
if (sourceCacheGenerator != null && sourceCacheGenerator.startNext()) {
 return true;
 }
 sourceCacheGenerator = null;
12、DecodeHelper#getLoadData
List<LoadData<?>> getLoadData() { if (!isLoadDataSet) { isLoadDataSet = true; loadData.clear(); List
13、HttpGlideUrlLoader#buildLoadData
@Override
 public LoadData buildLoadData(@NonNull GlideUrl model, int width, int height,
 @NonNull Options options) {
 // GlideUrls memoize parsed URLs so caching them saves a few object instantiations and time
 // spent parsing urls.
 GlideUrl url = model;
 if (modelCache != null) {
 url = modelCache.get(model, 0, 0);
 if (url == null) {
 // 关注点5
 modelCache.put(model, 0, 0, model);
 url = model;
 }
 }
 int timeout = options.get(TIMEOUT);
 // 注意,这里创建了一个DataFetcher的实现类HttpUrlFetcher
 return new LoadData<>(url, new HttpUrlFetcher(url, timeout));
 }
// 关注点5
 public void put(A model, int width, int height, B value) {
 ModelKey key = ModelKey.get(model, width, height);
 // 最终是通过LruCache来缓存对应的值,key是一个ModelKey对象(由model、width、height三个属性组成)
 cache.put(key, value);
 }
从这里的分析,我们明白了HttpUrlFetcher实际上就是最终的请求执行者,而且,我们知道了Glide会使用LruCache来对解析后的url来进行缓存,以便后续可以省去解析url的时间。
14、HttpUrlFetcher#loadData
@Override
 public void loadData(@NonNull Priority priority,
 @NonNull DataCallback<? super InputStream> callback) {
 long startTime = LogTime.getLogTime();
 try {
 // 关注点6
 // loadDataWithRedirects内部是通过HttpURLConnection网络请求数据
 InputStream result = loadDataWithRedirects(glideUrl.toURL(), 0, null, glideUrl.getHeaders());
 // 请求成功回调onDataReady()
 callback.onDataReady(result);
 } catch (IOException e) {
 if (Log.isLoggable(TAG, Log.DEBUG)) {
 Log.d(TAG, “Failed to load data for url”, e);
 }
 callback.onLoadFailed(e);
 } finally {
 if (Log.isLoggable(TAG, Log.VERBOSE)) {
 Log.v(TAG, "Finished http url fetcher fetch in " + LogTime.getElapsedMillis(startTime));
 }
 }
 }
private InputStream loadDataWithRedirects(URL url, int redirects, URL lastUrl,
 Map<String, String> headers) throws IOException {
…
urlConnection.connect();
 // Set the stream so that it’s closed in cleanup to avoid resource leaks. See #2352.
 stream = urlConnection.getInputStream();
 if (isCancelled) {
 return null;
 }
 final int statusCode = urlConnection.getResponseCode();
 // 只要是2xx形式的状态码则判断为成功
 if (isHttpOk(statusCode)) {
 // 从urlConnection中获取资源流
 return getStreamForSuccessfulRequest(urlConnection);
 } else if (isHttpRedirect(statusCode)) {
…
// 重定向请求
 return loadDataWithRedirects(redirectUrl, redirects + 1, url, headers);
 } else if (statusCode == INVALID_STATUS_CODE) {
 throw new HttpException(statusCode);
 } else {
 throw new HttpException(urlConnection.getResponseMessage(), statusCode);
 }
 }
private InputStream getStreamForSuccessfulRequest(HttpURLConnection urlConnection)
 throws IOException {
 if (TextUtils.isEmpty(urlConnection.getContentEncoding())) {
 int contentLength = urlConnection.getContentLength();
 stream = ContentLengthInputStream.obtain(urlConnection.getInputStr eam(), contentLength);
 } else {
 if (Log.isLoggable(TAG, Log.DEBUG)) {
 Log.d(TAG, "Got non empty content encoding: " + urlConnection.getContentEncoding());
 }
 stream = urlConnection.getInputStream();
 }
 return stream;
 }
在HttpUrlFetcher#loadData方法的loadDataWithRedirects里面,Glide通过原生的HttpURLConnection进行请求后,并调用getStreamForSuccessfulRequest()方法获取到了最终的图片流。
15、DecodeJob#run
在我们通过HtttpUrlFetcher的loadData()方法请求得到对应的流之后,我们还必须对流进行处理得到最终我们想要的资源。这里我们回到第10步DecodeJob#run方法的关注点3处,这行代码将会对流进行解码。
decodeFromRetrievedData();
接下来,继续看看他内部的处理。
private void decodeFromRetrievedData() {
 if (Log.isLoggable(TAG, Log.VERBOSE)) {
 logWithTimeAndKey(“Retrieved data”, startFetchTime,
 "data: " + currentData
- ", cache key: " + currentSourceKey
- ", fetcher: " + currentFetcher);
 }
 Resource resource = null;
 try {
 // 核心代码
 // 从数据中解码得到资源
 resource = decodeFromData(currentFetcher, currentData, currentDataSource);
 } catch (GlideException e) {
 e.setLoggingDetails(currentAttemptingKey, currentDataSource);
 throwables.add(e);
 }
 if (resource != null) {
 // 关注点8
 // 编码和发布最终得到的Resource对象
 notifyEncodeAndRelease(resource, currentDataSource);
 } else {
 runGenerators();
 }
 }
private Resource decodeFromData(DataFetcher<?> fetcher, Data data,
 DataSource dataSource) throws GlideException {
 try {
 if (data == null) {
 return null;
 }
 long startTime = LogTime.getLogTime();
 // 核心代码
 // 进一步包装了解码方法
 Resource result = decodeFromFetcher(data, dataSource);
 if (Log.isLoggable(TAG, Log.VERBOSE)) {
 logWithTimeAndKey("Decoded result " + result, startTime);
 }
 return result;
 } finally {
 fetcher.cleanup();
 }
 }
@SuppressWarnings(“unchecked”)
 private Resource decodeFromFetcher(Data data, DataSource dataSource)
 throws GlideException {
 LoadPath<Data, ?, R> path = decodeHelper.getLoadPath((Class) data.getClass());
 // 核心代码
 // 将解码任务分发给LoadPath
 return runLoadPath(data, dataSource, path);
 }
private <Data, ResourceType> Resource runLoadPath(Data data, DataSource dataSource,
 LoadPath<Data, ResourceType, R> path) throws GlideException {
 Options options = getOptionsWithHardwareConfig(dataSource);
 // 将数据进一步包装
 DataRewinder rewinder = glideContext.getRegistry().getRewinder(data);
 try {
 // ResourceType in DecodeCallback below is required for compilation to work with gradle.
 // 核心代码
 // 将解码任务分发给LoadPath
 return path.load(
 rewinder, options, width, height, new DecodeCallback(dataSource));
 } finally {
 rewinder.cleanup();
 }
 }
16、LoadPath#load
public Resource load(DataRewinder rewinder, @NonNull Options options, int width,
 int height, DecodePath.DecodeCallback decodeCallback) throws GlideException {
 List throwables = Preconditions.checkNotNull(listPool.acquire());
 try {
 // 核心代码
 return loadWithExceptionList(rewinder, options, width, height, decodeCallback, throwables);
 } finally {
 listPool.release(throwables);
 }
}
private Resource loadWithExceptionList(DataRewinder rewinder,
 @NonNull Options options,
 int width, int height, DecodePath.DecodeCallback decodeCallback,
 List exceptions) throws GlideException {
 Resource result = null;
 //noinspection ForLoopReplaceableByForEach to improve perf
 for (int i = 0, size = decodePaths.size(); i < size; i++) {
 DecodePath<Data, ResourceType, Transcode> path = decodePaths.get(i);
 try {
 // 核心代码
 // 将解码任务又进一步分发给DecodePath的decode方法去解码
 result = path.decode(rewinder, width, height, options, decodeCallback);
 } catch (GlideException e) {
 exceptions.add(e);
 }
 if (result != null) {
 break;
 }
 }
if (result == null) {
 throw new GlideException(failureMessage, new ArrayList<>(exceptions));
 }
return result;
 }
17、DecodePath#decode
public Resource decode(DataRewinder rewinder, int width, int height,
 @NonNull Options options, DecodeCallback callback) throws GlideException {
 // 核心代码
 // 继续调用DecodePath的decodeResource方法去解析出数据
 Resource decoded = decodeResource(rewinder, width, height, options);
 Resource transformed = callback.onResourceDecoded(decoded);
 return transcoder.transcode(transformed, options);
 }
@NonNull
 private Resource decodeResource(DataRewinder rewinder, int width,
 int height, @NonNull Options options) throws GlideException {
 List exceptions = Preconditions.checkNotNull(listPool.acquire());
 try {
 // 核心代码
 return decodeResourceWithList(rewinder, width, height, options, exceptions);
 } finally {
 listPool.release(exceptions);
 }
 }
@NonNull
 private Resource decodeResourceWithList(DataRewinder rewinder, int width,
 int height, @NonNull Options options, List exceptions) throws GlideException {
 Resource result = null;
 //noinspection ForLoopReplaceableByForEach to improve perf
 for (int i = 0, size = decoders.size(); i < size; i++) {
 ResourceDecoder<DataType, ResourceType> decoder = decoders.get(i);
 try {
 DataType data = rewinder.rewindAndGet();
 if (decoder.handles(data, options)) {
 // 获取包装的数据
 data = rewinder.rewindAndGet();
 // 核心代码
 // 根据DataType和ResourceType的类型分发给不同的解码器Decoder
 result = decoder.decode(data, width, height, options);
 }
 } catch (IOException | RuntimeException | OutOfMemoryError e) {
 if (Log.isLoggable(TAG, Log.VERBOSE)) {
 Log.v(TAG, "Failed to decode data for " + decoder, e);
 }
 exceptions.add(e);
 }
if (result != null) {
 break;
 }
 }
if (result == null) {
 throw new GlideException(failureMessage, new ArrayList<>(exceptions));
 }
 return result;
 }
可以看到,经过一连串的嵌套调用,最终执行到了decoder.decode()这行代码,decode是一个ResourceDecoder<DataType, ResourceType>接口(资源解码器),根据不同的DataType和ResourceType它会有不同的实现类,这里的实现类是ByteBufferBitmapDecoder,接下来让我们来看看这个解码器内部的解码流程。
18、ByteBufferBitmapDecoder#decode
/**
- Decodes {@link android.graphics.Bitmap Bitmaps} from {@link java.nio.ByteBuffer ByteBuffers}.
 */
 public class ByteBufferBitmapDecoder implements ResourceDecoder<ByteBuffer, Bitmap> {
…
@Override
 public Resource decode(@NonNull ByteBuffer source, int width, int height,
 @NonNull Options options)
 throws IOException {
 InputStream is = ByteBufferUtil.toStream(source);
 // 核心代码
 return downsampler.decode(is, width, height, options);
 }
 }
可以看到,最终是使用了一个downsampler,它是一个压缩器,主要是对流进行解码,压缩,圆角等处理。
19、DownSampler#decode
public Resource decode(InputStream is, int outWidth, int outHeight,
 Options options) throws IOException {
 return decode(is, outWidth, outHeight, options, EMPTY_CALLBACKS);
 }
@SuppressWarnings({“resource”, “deprecation”})
 public Resource decode(InputStream is, int requestedWidth, int requestedHeight,
 Options options, DecodeCallbacks callbacks) throws IOException {
 Preconditions.checkArgument(is.markSupported(), “You must provide an InputStream that supports”
- " mark()");
…
try {
 // 核心代码
 Bitmap result = decodeFromWrappedStreams(is, bitmapFactoryOptions,
 downsampleStrategy, decodeFormat, isHardwareConfigAllowed, requestedWidth,
 requestedHeight, fixBitmapToRequestedDimensions, callbacks);
 // 关注点7
 // 解码得到Bitmap对象后,包装成BitmapResource对象返回,
 // 通过内部的get方法得到Resource对象
 return BitmapResource.obtain(result, bitmapPool);
 } finally {
 releaseOptions(bitmapFactoryOptions);
 byteArrayPool.put(bytesForOptions);
 }
 }
private Bitmap decodeFromWrappedStreams(InputStream is,
 BitmapFactory.Options options, DownsampleStrategy downsampleStrategy,
 DecodeFormat decodeFormat, boolean isHardwareConfigAllowed, int requestedWidth,
 int requestedHeight, boolean fixBitmapToRequestedDimensions,
 DecodeCallbacks callbacks) throws IOException {
// 省去计算压缩比例等一系列非核心逻辑
 …
// 核心代码
 Bitmap downsampled = decodeStream(is, options, callbacks, bitmapPool);
 callbacks.onDecodeComplete(bitmapPool, downsampled);
…
// Bimtap旋转处理
 …
return rotated;
 }
private static Bitmap decodeStream(InputStream is, BitmapFactory.Options options,
 DecodeCallbacks callbacks, BitmapPool bitmapPool) throws IOException {
…
TransformationUtils.getBitmapDrawableLock().lock();
 try {
 // 核心代码
 result = BitmapFactory.decodeStream(is, null, options);
 } catch (IllegalArgumentException e) {
 …
 } finally {
 TransformationUtils.getBitmapDrawableLock().unlock();
 }
if (options.inJustDecodeBounds) {
 is.reset();
 }
 return result;
 }
从以上源码流程我们知道,最后是在DownSampler的decodeStream()方法中使用了BitmapFactory.decodeStream()来得到Bitmap对象。然后,我们来分析下图片时如何显示的,我们回到步骤19的DownSampler#decode方法,看到关注点7,这里是将Bitmap包装成BitmapResource对象返回,通过内部的get方法可以得到Resource对象,再回到步骤15的DecodeJob#run方法,这是使用了notifyEncodeAndRelease()方法对Resource对象进行了发布。
20、DecodeJob#notifyEncodeAndRelease
private void notifyEncodeAndRelease(Resource resource, DataSource dataSource) {
…
notifyComplete(result, dataSource);
…
}










