Flutter加载图片流程之ImageCache源码分析

其他教程   发布日期:2025年03月22日   浏览次数:122

这篇文章主要讲解了“Flutter加载图片流程之ImageCache源码分析”,文中的讲解内容简单清晰,易于学习与理解,下面请大家跟着小编的思路慢慢深入,一起来研究和学习“Flutter加载图片流程之ImageCache源码分析”吧!

ImageCache

  1. const int _kDefaultSize = 1000;
  2. const int _kDefaultSizeBytes = 100 << 20; // 100 MiB
  3. /// Class for caching images.
  4. ///
  5. /// Implements a least-recently-used cache of up to 1000 images, and up to 100
  6. /// MB. The maximum size can be adjusted using [maximumSize] and
  7. /// [maximumSizeBytes].
  8. ///
  9. /// The cache also holds a list of 'live' references. An image is considered
  10. /// live if its [ImageStreamCompleter]'s listener count has never dropped to
  11. /// zero after adding at least one listener. The cache uses
  12. /// [ImageStreamCompleter.addOnLastListenerRemovedCallback] to determine when
  13. /// this has happened.
  14. ///
  15. /// The [putIfAbsent] method is the main entry-point to the cache API. It
  16. /// returns the previously cached [ImageStreamCompleter] for the given key, if
  17. /// available; if not, it calls the given callback to obtain it first. In either
  18. /// case, the key is moved to the 'most recently used' position.
  19. ///
  20. /// A caller can determine whether an image is already in the cache by using
  21. /// [containsKey], which will return true if the image is tracked by the cache
  22. /// in a pending or completed state. More fine grained information is available
  23. /// by using the [statusForKey] method.
  24. ///
  25. /// Generally this class is not used directly. The [ImageProvider] class and its
  26. /// subclasses automatically handle the caching of images.
  27. ///
  28. /// A shared instance of this cache is retained by [PaintingBinding] and can be
  29. /// obtained via the [imageCache] top-level property in the [painting] library.
  30. ///
  31. /// {@tool snippet}
  32. ///
  33. /// This sample shows how to supply your own caching logic and replace the
  34. /// global [imageCache] variable.

ImageCache类是一个用于缓存图像的类。它实现了一个最近最少使用的缓存,最多缓存1000个图像,最大缓存100MB。缓存的最大大小可以使用maximumSize和maximumSizeBytes进行调整。

ImageCache还持有一个"活"图像引用的列表。当ImageStreamCompleter的监听计数在添加至少一个监听器后从未降至零时,图像被认为是"活"的。缓存使用ImageStreamCompleter.addOnLastListenerRemovedCallback方法来确定这种情况是否发生。

putIfAbsent方法是缓存API的主要入口点。如果给定键的先前缓存中有ImageStreamCompleter可用,则返回该实例;否则,它将首先调用给定的回调函数来获取该实例。在任何情况下,键都会被移到"最近使用"的位置。

调用者可以使用containsKey方法确定图像是否已经在缓存中。如果图像以待处理或已处理状态被缓存,containsKey将返回true。使用statusForKey方法可以获得更细粒度的信息。

通常情况下,这个类不会直接使用。ImageProvider类及其子类会自动处理图像缓存。

在PaintingBinding中保留了这个缓存的共享实例,并可以通过painting库中的imageCache顶级属性获取。

_pendingImages、_cache、_liveImages

  1. final Map<Object, _PendingImage> _pendingImages = <Object, _PendingImage>{};
  2. final Map<Object, _CachedImage> _cache = <Object, _CachedImage>{};
  3. /// ImageStreamCompleters with at least one listener. These images may or may
  4. /// not fit into the _pendingImages or _cache objects.
  5. ///
  6. /// Unlike _cache, the [_CachedImage] for this may have a null byte size.
  7. final Map<Object, _LiveImage> _liveImages = <Object, _LiveImage>{};

这段代码定义了三个

  1. Map
对象来实现图片的缓存机制。其中:
    1. _pendingImages
    :用于缓存正在加载中的图片,键为图片的标识符,值为
    1. _PendingImage
    对象。
    1. _cache
    :用于缓存已经加载完成的图片,键为图片的标识符,值为
    1. _CachedImage
    对象。
    1. _liveImages
    :用于缓存当前正在使用中的图片,即其对应的
    1. ImageStreamCompleter
    对象有至少一个监听器。键为图片的标识符,值为
    1. _LiveImage
    对象。

需要注意的是,

  1. _liveImages
中的
  1. _LiveImage
对象的
  1. byteSize
可能为
  1. null
,而
  1. _cache
中的
  1. _CachedImage
对象的
  1. byteSize
总是非空的。这是因为
  1. _cache
中的图片已经加载完成并占用了内存,而
  1. _liveImages
中的图片可能还处于加载中或者被释放了内存,因此其大小可能还未确定或者已经变为
  1. null

maximumSize、currentSize

  1. /// Maximum number of entries to store in the cache.
  2. ///
  3. /// Once this many entries have been cached, the least-recently-used entry is
  4. /// evicted when adding a new entry.
  5. int get maximumSize => _maximumSize;
  6. int _maximumSize = _kDefaultSize;
  7. /// Changes the maximum cache size.
  8. ///
  9. /// If the new size is smaller than the current number of elements, the
  10. /// extraneous elements are evicted immediately. Setting this to zero and then
  11. /// returning it to its original value will therefore immediately clear the
  12. /// cache.
  13. set maximumSize(int value) {
  14. assert(value != null);
  15. assert(value >= 0);
  16. if (value == maximumSize) {
  17. return;
  18. }
  19. TimelineTask? timelineTask;
  20. if (!kReleaseMode) {
  21. timelineTask = TimelineTask()..start(
  22. 'ImageCache.setMaximumSize',
  23. arguments: <String, dynamic>{'value': value},
  24. );
  25. }
  26. _maximumSize = value;
  27. if (maximumSize == 0) {
  28. clear();
  29. } else {
  30. _checkCacheSize(timelineTask);
  31. }
  32. if (!kReleaseMode) {
  33. timelineTask!.finish();
  34. }
  35. }
  36. /// The current number of cached entries.
  37. int get currentSize => _cache.length;
  38. /// Maximum size of entries to store in the cache in bytes.
  39. ///
  40. /// Once more than this amount of bytes have been cached, the
  41. /// least-recently-used entry is evicted until there are fewer than the
  42. /// maximum bytes.
  43. int get maximumSizeBytes => _maximumSizeBytes;
  44. int _maximumSizeBytes = _kDefaultSizeBytes;
  45. /// Changes the maximum cache bytes.
  46. ///
  47. /// If the new size is smaller than the current size in bytes, the
  48. /// extraneous elements are evicted immediately. Setting this to zero and then
  49. /// returning it to its original value will therefore immediately clear the
  50. /// cache.
  51. set maximumSizeBytes(int value) {
  52. assert(value != null);
  53. assert(value >= 0);
  54. if (value == _maximumSizeBytes) {
  55. return;
  56. }
  57. TimelineTask? timelineTask;
  58. if (!kReleaseMode) {
  59. timelineTask = TimelineTask()..start(
  60. 'ImageCache.setMaximumSizeBytes',
  61. arguments: <String, dynamic>{'value': value},
  62. );
  63. }
  64. _maximumSizeBytes = value;
  65. if (_maximumSizeBytes == 0) {
  66. clear();
  67. } else {
  68. _checkCacheSize(timelineTask);
  69. }
  70. if (!kReleaseMode) {
  71. timelineTask!.finish();
  72. }
  73. }
  74. /// The current size of cached entries in bytes.
  75. int get currentSizeBytes => _currentSizeBytes;
  76. int _currentSizeBytes = 0;

  1. maximumSize
  1. maximumSizeBytes
用于控制缓存的大小。
  1. maximumSize
是缓存中最多可以存储的元素数,超出该限制时,添加新的元素会导致最近最少使用的元素被清除。
  1. maximumSizeBytes
是缓存中最多可以存储的字节数,超出该限制时,添加新元素会导致最近最少使用的元素被清除,直到缓存中元素的字节总数小于最大值。
  1. currentSize
  1. currentSizeBytes
分别表示当前缓存中元素的数量和字节总数。在缓存大小发生变化时,会自动清除多出的元素。

clear

  1. /// Evicts all pending and keepAlive entries from the cache.
  2. ///
  3. /// This is useful if, for instance, the root asset bundle has been updated
  4. /// and therefore new images must be obtained.
  5. ///
  6. /// Images which have not finished loading yet will not be removed from the
  7. /// cache, and when they complete they will be inserted as normal.
  8. ///
  9. /// This method does not clear live references to images, since clearing those
  10. /// would not reduce memory pressure. Such images still have listeners in the
  11. /// application code, and will still remain resident in memory.
  12. ///
  13. /// To clear live references, use [clearLiveImages].
  14. void clear() {
  15. if (!kReleaseMode) {
  16. Timeline.instantSync(
  17. 'ImageCache.clear',
  18. arguments: <String, dynamic>{
  19. 'pendingImages': _pendingImages.length,
  20. 'keepAliveImages': _cache.length,
  21. 'liveImages': _liveImages.length,
  22. 'currentSizeInBytes': _currentSizeBytes,
  23. },
  24. );
  25. }
  26. for (final _CachedImage image in _cache.values) {
  27. image.dispose();
  28. }
  29. _cache.clear();
  30. for (final _PendingImage pendingImage in _pendingImages.values) {
  31. pendingImage.removeListener();
  32. }
  33. _pendingImages.clear();
  34. _currentSizeBytes = 0;
  35. }

  1. clear()
方法用于清除ImageCache中所有的待定和保持活动状态的图像缓存。这对于需要获取新图像的情况非常有用,例如根资产包已更新。尚未完成加载的图像不会从缓存中删除,当它们完成时,它们将像往常一样被插入。

此方法不清除图像的活动引用,因为这样做不会减少内存压力。这些图像仍然在应用程序代码中具有侦听器,并且仍将保留在内存中。如果要清除活动引用,请使用

  1. clearLiveImages()
方法。

evict

  1. /// Evicts a single entry from the cache, returning true if successful.
  2. ///
  3. /// Pending images waiting for completion are removed as well, returning true
  4. /// if successful. When a pending image is removed the listener on it is
  5. /// removed as well to prevent it from adding itself to the cache if it
  6. /// eventually completes.
  7. ///
  8. /// If this method removes a pending image, it will also remove
  9. /// the corresponding live tracking of the image, since it is no longer clear
  10. /// if the image will ever complete or have any listeners, and failing to
  11. /// remove the live reference could leave the cache in a state where all
  12. /// subsequent calls to [putIfAbsent] will return an [ImageStreamCompleter]
  13. /// that will never complete.
  14. ///
  15. /// If this method removes a completed image, it will _not_ remove the live
  16. /// reference to the image, which will only be cleared when the listener
  17. /// count on the completer drops to zero. To clear live image references,
  18. /// whether completed or not, use [clearLiveImages].
  19. ///
  20. /// The `key` must be equal to an object used to cache an image in
  21. /// [ImageCache.putIfAbsent].
  22. ///
  23. /// If the key is not immediately available, as is common, consider using
  24. /// [ImageProvider.evict] to call this method indirectly instead.
  25. ///
  26. /// The `includeLive` argument determines whether images that still have
  27. /// listeners in the tree should be evicted as well. This parameter should be
  28. /// set to true in cases where the image may be corrupted and needs to be
  29. /// completely discarded by the cache. It should be set to false when calls
  30. /// to evict are trying to relieve memory pressure, since an image with a
  31. /// listener will not actually be evicted from memory, and subsequent attempts
  32. /// to load it will end up allocating more memory for the image again. The
  33. /// argument must not be null.
  34. ///
  35. /// See also:
  36. ///
  37. /// * [ImageProvider], for providing images to the [Image] widget.
  38. bool evict(Object key, { bool includeLive = true }) {
  39. assert(includeLive != null);
  40. if (includeLive) {
  41. // Remove from live images - the cache will not be able to mark
  42. // it as complete, and it might be getting evicted because it
  43. // will never complete, e.g. it was loaded in a FakeAsync zone.
  44. // In such a case, we need to make sure subsequent calls to
  45. // putIfAbsent don't return this image that may never complete.
  46. final _LiveImage? image = _liveImages.remove(key);
  47. image?.dispose();
  48. }
  49. final _PendingImage? pendingImage = _pendingImages.remove(key);
  50. if (pendingImage != null) {
  51. if (!kReleaseMode) {
  52. Timeline.instantSync('ImageCache.evict', arguments: <String, dynamic>{
  53. 'type': 'pending',
  54. });
  55. }
  56. pendingImage.removeListener();
  57. return true;
  58. }
  59. final _CachedImage? image = _cache.remove(key);
  60. if (image != null) {
  61. if (!kReleaseMode) {
  62. Timeline.instantSync('ImageCache.evict', arguments: <String, dynamic>{
  63. 'type': 'keepAlive',
  64. 'sizeInBytes': image.sizeBytes,
  65. });
  66. }
  67. _currentSizeBytes -= image.sizeBytes!;
  68. image.dispose();
  69. return true;
  70. }
  71. if (!kReleaseMode) {
  72. Timeline.instantSync('ImageCache.evict', arguments: <String, dynamic>{
  73. 'type': 'miss',
  74. });
  75. }
  76. return false;
  77. }

从缓存中删除一个条目,如果成功则返回true。

同时删除等待完成的待处理图像,如果成功则返回true。当删除待处理的图像时,也将移除其上的监听器,以防止其在最终完成后添加到缓存中。

如果此方法删除了待处理的图像,则它还将删除图像的相应实时跟踪,因为此时无法确定图像是否会完成或具有任何侦听器,并且未删除实时引用可能会使缓存处于状态,其中所有后续对 [putIfAbsent] 的调用都将返回一个永远不会完成的 [ImageStreamCompleter]。

如果此方法删除了已完成的图像,则不会删除图像的实时引用,只有在监听器计数为零时才会清除实时图像引用。要清除已完成或未完成的实时图像引用,请使用 [clearLiveImages]。

  1. key
必须等于用于在 [ImageCache.putIfAbsent] 中缓存图像的对象。

如果 key 不是立即可用的对象(这很常见),请考虑使用 [ImageProvider.evict] 间接调用此方法。

  1. includeLive
参数确定是否也应将仍具有树中侦听器的图像清除。在图像可能损坏并需要完全丢弃缓存的情况下,应将此参数设置为true。在尝试缓解内存压力的情况下,应将其设置为false,因为具有侦听器的图像实际上不会从内存中清除,后续尝试加载它将再次为图像分配更多内存。该参数不能为空。

_touch

  1. /// Updates the least recently used image cache with this image, if it is
  2. /// less than the [maximumSizeBytes] of this cache.
  3. ///
  4. /// Resizes the cache as appropriate to maintain the constraints of
  5. /// [maximumSize] and [maximumSizeBytes].
  6. void _touch(Object key, _CachedImage image, TimelineTask? timelineTask) {
  7. assert(timelineTask != null);
  8. if (image.sizeBytes != null && image.sizeBytes! <= maximumSizeBytes && maximumSize > 0) {
  9. _currentSizeBytes += image.sizeBytes!;
  10. _cache[key] = image;
  11. _checkCacheSize(timelineTask);
  12. } else {
  13. image.dispose();
  14. }
  15. }

如果图片的大小小于此缓存的 [maximumSizeBytes],则使用此图像更新最近最少使用的图像缓存。

调整缓存大小以满足 [maximumSize] 和 [maximumSizeBytes] 的约束。

_checkCacheSize

  1. // Remove images from the cache until both the length and bytes are below
  2. // maximum, or the cache is empty.
  3. void _checkCacheSize(TimelineTask? timelineTask) {
  4. final Map<String, dynamic> finishArgs = <String, dynamic>{};
  5. TimelineTask? checkCacheTask;
  6. if (!kReleaseMode) {
  7. checkCacheTask = TimelineTask(parent: timelineTask)..start('checkCacheSize');
  8. finishArgs['evictedKeys'] = <String>[];
  9. finishArgs['currentSize'] = currentSize;
  10. finishArgs['currentSizeBytes'] = currentSizeBytes;
  11. }
  12. while (_currentSizeBytes > _maximumSizeBytes || _cache.length > _maximumSize) {
  13. final Object key = _cache.keys.first;
  14. final _CachedImage image = _cache[key]!;
  15. _currentSizeBytes -= image.sizeBytes!;
  16. image.dispose();
  17. _cache.remove(key);
  18. if (!kReleaseMode) {
  19. (finishArgs['evictedKeys'] as List<String>).add(key.toString());
  20. }
  21. }
  22. if (!kReleaseMode) {
  23. finishArgs['endSize'] = currentSize;
  24. finishArgs['endSizeBytes'] = currentSizeBytes;
  25. checkCacheTask!.finish(arguments: finishArgs);
  26. }
  27. assert(_currentSizeBytes >= 0);
  28. assert(_cache.length <= maximumSize);
  29. assert(_currentSizeBytes <= maximumSizeBytes);
  30. }

这段代码实现了检查缓存大小的逻辑,用于在缓存大小超过最大限制时从缓存中移除图像以释放内存。

该方法首先创建一个空的字典对象

  1. finishArgs
用于保存一些统计数据,然后在非生产环境下创建一个时间线任务
  1. checkCacheTask
,用于记录缓存检查的时间。如果检查任务存在,则将
  1. evictedKeys
  1. currentSize
  1. currentSizeBytes
添加到
  1. finishArgs
中。

然后,使用

  1. while
循环,当缓存大小超过最大限制时,从
  1. _cache
字典中删除第一个元素,并释放相关图像的内存。如果
  1. checkCacheTask
存在,则将已删除的元素的键添加到
  1. evictedKeys
列表中。

当循环结束时,将

  1. endSize
  1. endSizeBytes
添加到
  1. finishArgs
中,表示缓存检查后的当前大小和字节数。最后,如果
  1. checkCacheTask
存在,则完成任务并将
  1. finishArgs
作为参数传递。

最后,这个方法断言

  1. _currentSizeBytes
必须大于等于零,
  1. _cache
的长度必须小于等于
  1. maximumSize
  1. _currentSizeBytes
必须小于等于
  1. maximumSizeBytes

_trackLiveImage

  1. void _trackLiveImage(Object key, ImageStreamCompleter completer, int? sizeBytes) {
  2. // Avoid adding unnecessary callbacks to the completer.
  3. _liveImages.putIfAbsent(key, () {
  4. // Even if no callers to ImageProvider.resolve have listened to the stream,
  5. // the cache is listening to the stream and will remove itself once the
  6. // image completes to move it from pending to keepAlive.
  7. // Even if the cache size is 0, we still add this tracker, which will add
  8. // a keep alive handle to the stream.
  9. return _LiveImage(
  10. completer,
  11. () {
  12. _liveImages.remove(key);
  13. },
  14. );
  15. }).sizeBytes ??= sizeBytes;
  16. }

putIfAbsent

  1. /// Returns the previously cached [ImageStream] for the given key, if available;
  2. /// if not, calls the given callback to obtain it first. In either case, the
  3. /// key is moved to the 'most recently used' position.
  4. ///
  5. /// The arguments must not be null. The `loader` cannot return null.
  6. ///
  7. /// In the event that the loader throws an exception, it will be caught only if
  8. /// `onError` is also provided. When an exception is caught resolving an image,
  9. /// no completers are cached and `null` is returned instead of a new
  10. /// completer.
  11. ImageStreamCompleter? putIfAbsent(Object key, ImageStreamCompleter Function() loader, { ImageErrorListener? onError }) {
  12. assert(key != null);
  13. assert(loader != null);
  14. TimelineTask? timelineTask;
  15. TimelineTask? listenerTask;
  16. if (!kReleaseMode) {
  17. timelineTask = TimelineTask()..start(
  18. 'ImageCache.putIfAbsent',
  19. arguments: <String, dynamic>{
  20. 'key': key.toString(),
  21. },
  22. );
  23. }
  24. ImageStreamCompleter? result = _pendingImages[key]?.completer;
  25. // Nothing needs to be done because the image hasn't loaded yet.
  26. if (result != null) {
  27. if (!kReleaseMode) {
  28. timelineTask!.finish(arguments: <String, dynamic>{'result': 'pending'});
  29. }
  30. return result;
  31. }
  32. // Remove the provider from the list so that we can move it to the
  33. // recently used position below.
  34. // Don't use _touch here, which would trigger a check on cache size that is
  35. // not needed since this is just moving an existing cache entry to the head.
  36. final _CachedImage? image = _cache.remove(key);
  37. if (image != null) {
  38. if (!kReleaseMode) {
  39. timelineTask!.finish(arguments: <String, dynamic>{'result': 'keepAlive'});
  40. }
  41. // The image might have been keptAlive but had no listeners (so not live).
  42. // Make sure the cache starts tracking it as live again.
  43. _trackLiveImage(
  44. key,
  45. image.completer,
  46. image.sizeBytes,
  47. );
  48. _cache[key] = image;
  49. return image.completer;
  50. }
  51. final _LiveImage? liveImage = _liveImages[key];
  52. if (liveImage != null) {
  53. _touch(
  54. key,
  55. _CachedImage(
  56. liveImage.completer,
  57. sizeBytes: liveImage.sizeBytes,
  58. ),
  59. timelineTask,
  60. );
  61. if (!kReleaseMode) {
  62. timelineTask!.finish(arguments: <String, dynamic>{'result': 'keepAlive'});
  63. }
  64. return liveImage.completer;
  65. }
  66. try {
  67. result = loader();
  68. _trackLiveImage(key, result, null);
  69. } catch (error, stackTrace) {
  70. if (!kReleaseMode) {
  71. timelineTask!.finish(arguments: <String, dynamic>{
  72. 'result': 'error',
  73. 'error': error.toString(),
  74. 'stackTrace': stackTrace.toString(),
  75. });
  76. }
  77. if (onError != null) {
  78. onError(error, stackTrace);
  79. return null;
  80. } else {
  81. rethrow;
  82. }
  83. }
  84. if (!kReleaseMode) {
  85. listenerTask = TimelineTask(parent: timelineTask)..start('listener');
  86. }
  87. // A multi-frame provider may call the listener more than once. We need do make
  88. // sure that some cleanup works won't run multiple times, such as finishing the
  89. // tracing task or removing the listeners
  90. bool listenedOnce = false;
  91. // We shouldn't use the _pendingImages map if the cache is disabled, but we
  92. // will have to listen to the image at least once so we don't leak it in
  93. // the live image tracking.
  94. final bool trackPendingImage = maximumSize > 0 && maximumSizeBytes > 0;
  95. late _PendingImage pendingImage;
  96. void listener(ImageInfo? info, bool syncCall) {
  97. int? sizeBytes;
  98. if (info != null) {
  99. sizeBytes = info.sizeBytes;
  100. info.dispose();
  101. }
  102. final _CachedImage image = _CachedImage(
  103. result!,
  104. sizeBytes: sizeBytes,
  105. );
  106. _trackLiveImage(key, result, sizeBytes);
  107. // Only touch if the cache was enabled when resolve was initially called.
  108. if (trackPendingImage) {
  109. _touch(key, image, listenerTask);
  110. } else {
  111. image.dispose();
  112. }
  113. _pendingImages.remove(key);
  114. if (!listenedOnce) {
  115. pendingImage.removeListener();
  116. }
  117. if (!kReleaseMode && !listenedOnce) {
  118. listenerTask!.finish(arguments: <String, dynamic>{
  119. 'syncCall': syncCall,
  120. 'sizeInBytes': sizeBytes,
  121. });
  122. timelineTask!.finish(arguments: <String, dynamic>{
  123. 'currentSizeBytes': currentSizeBytes,
  124. 'currentSize': currentSize,
  125. });
  126. }
  127. listenedOnce = true;
  128. }
  129. final ImageStreamListener streamListener = ImageStreamListener(listener);
  130. pendingImage = _PendingImage(result, streamListener);
  131. if (trackPendingImage) {
  132. _pendingImages[key] = pendingImage;
  133. }
  134. // Listener is removed in [_PendingImage.removeListener].
  135. result.addListener(streamListener);
  136. return result;
  137. }

这个是图片缓存的核心方法。

clearLiveImages

(调用此方法不会减轻内存压力,因为活动图像缓存仅跟踪同时由至少一个其他对象持有的图像实例。)

  1. /// Clears any live references to images in this cache.
  2. ///
  3. /// An image is considered live if its [ImageStreamCompleter] has never hit
  4. /// zero listeners after adding at least one listener. The
  5. /// [ImageStreamCompleter.addOnLastListenerRemovedCallback] is used to
  6. /// determine when this has happened.
  7. ///
  8. /// This is called after a hot reload to evict any stale references to image
  9. /// data for assets that have changed. Calling this method does not relieve
  10. /// memory pressure, since the live image caching only tracks image instances
  11. /// that are also being held by at least one other object.
  12. void clearLiveImages() {
  13. for (final _LiveImage image in _liveImages.values) {
  14. image.dispose();
  15. }
  16. _liveImages.clear();
  17. }

清除此缓存中任何图像的现有引用。

如果一个图像的 [ImageStreamCompleter] 至少添加了一个侦听器并且从未达到零侦听器,则认为该图像是“现有的”。

[ImageStreamCompleter.addOnLastListenerRemovedCallback] 用于确定是否发生了这种情况。

在热重载之后调用此方法以清除对已更改资产的图像数据的任何过时引用。

调用此方法不会减轻内存压力,因为活动图像缓存仅跟踪同时由至少一个其他对象持有的图像实例。

答疑解惑

_pendingImages 正在加载中的缓存,这个有什么作用呢? 假设Widget1加载了图片A,Widget2也在这个时候加载了图片A,那这时候Widget就复用了这个加载中的缓存

_cache 已经加载成功的图片缓存

_liveImages 存活的图片缓存,看代码主要是在CacheImage之外再加一层缓存。收到内存警告时, 调用clear()方法清除缓存时, 并不是清除_liveImages, 因为官方解释: 因为这样做不会减少内存压力。

以上就是Flutter加载图片流程之ImageCache源码分析的详细内容,更多关于Flutter加载图片流程之ImageCache源码分析的资料请关注九品源码其它相关文章!