flutter圖片內(nèi)存優(yōu)化

方法一

按照給定尺寸進(jìn)行圖片的解碼仰禀,而不是解碼整個(gè)圖片的尺寸坡椒,用來(lái)減少內(nèi)存的占用奥帘。

官方文檔:
https://api.flutter.dev/flutter/painting/ResizeImage-class.html

官方說(shuō)明:
Instructs Flutter to decode the image at the specified dimensions instead of at its native size.

This allows finer control of the size of the image in ImageCache and is generally used to reduce the memory footprint of ImageCache.

The decoded image may still be displayed at sizes other than the cached size provided here.

使用:

Image(
                      image: ResizeImage(
                        NetworkImage('https://img-dev.xinxigu.com.cn/s1/2021/1/18/6e19c84b1b4aeb416bdee40615aa9854.jpg'),
                        width: AdaptUtils.pxW(150).toInt(),
                        height: AdaptUtils.pxW(150).toInt(),
                      ),
                    ),

方法二

三方庫(kù):cached_network_image 限2.5.0之后版本才可用
設(shè)定最大的緩存寬度和高度this.maxWidthDiskCache猾骡、this.maxHeightDiskCache

image.png

  CachedNetworkImage({
    Key key,
    @required this.imageUrl,
    this.httpHeaders,
    this.imageBuilder,
    this.placeholder,
    this.progressIndicatorBuilder,
    this.errorWidget,
    this.fadeOutDuration = const Duration(milliseconds: 1000),
    this.fadeOutCurve = Curves.easeOut,
    this.fadeInDuration = const Duration(milliseconds: 500),
    this.fadeInCurve = Curves.easeIn,
    this.width,
    this.height,
    this.fit,
    this.alignment = Alignment.center,
    this.repeat = ImageRepeat.noRepeat,
    this.matchTextDirection = false,
    this.cacheManager,
    this.useOldImageOnUrlChange = false,
    this.color,
    this.filterQuality = FilterQuality.low,
    this.colorBlendMode,
    this.placeholderFadeInDuration,
    this.memCacheWidth,
    this.memCacheHeight,
    this.cacheKey,
    this.maxWidthDiskCache,
    this.maxHeightDiskCache,

使用:

CachedNetworkImage(
                      imageUrl: AppUtils.processImageUrl(url: coverUrl) ?? AppURL.defaultImageRectangle,
                      width: AdaptUtils.pxW(150),
                      height: AdaptUtils.pxW(150),
                      fit: BoxFit.cover,
                      placeholder: AppURL.placeholderRectangle(
                        width: AdaptUtils.pxW(150),
                        height: AdaptUtils.pxW(150),
                      ),
                      maxWidthDiskCache: AdaptUtils.pxW(150 * 2).toInt(),
                      maxHeightDiskCache: AdaptUtils.pxW(150 * 2).toInt(),
                    ),

方法三

從相冊(cè)選取圖片洪规,展示時(shí)使用指定尺寸寬高進(jìn)行處理旧困。
使用三方庫(kù):

  # 仿微信資源選擇器
  wechat_assets_picker: ^4.2.0

  # 仿微信拍照
  wechat_camera_picker: ^1.2.1

使用自定義provider來(lái)指定所需圖片的寬高:

  /// The item builder for images and video type of asset.
  /// 圖片和視頻資源的部件構(gòu)建
  /// 縮略圖視圖
  static Widget thumbImageItemBuilder(
      BuildContext context,
      AssetEntity asset, // 圖片資源數(shù)據(jù)
      double thumbSizeWidth, // 縮略圖寬醇份,同為圖片展示寬
      double thumbSizeHeight, // 縮略圖高,同為圖片展示高
      BoxFit fit, // 圖片展示方式
      ) {
    final AssetEntityImageProvider imageProvider = AssetEntityImageProvider(
      asset,
      isOriginal: false,
      thumbSize: [int.parse('${thumbSizeWidth.toStringAsFixed(0)}'), int.parse('${thumbSizeWidth.toStringAsFixed(0)}')],
    );
    return RepaintBoundary(
      child: Image(
        width: thumbSizeWidth,
        height: thumbSizeHeight,
        image: imageProvider,
        fit: fit,
      ),
    );
  }

AssetEntityImageProvider傳入寬高和圖片原圖AssetEntity數(shù)據(jù)吼具。
providerkey.entity.thumbDataWithSize方法:

  Future<ui.Codec> _loadAsync(
    AssetEntityImageProvider key,
    DecoderCallback decode,
  ) async {
    assert(key == this);
    Uint8List data;
    if (isOriginal ?? false) {
      if (imageFileType == ImageFileType.heic) {
        data = await (await key.entity.file).readAsBytes();
      } else {
        data = await key.entity.originBytes;
      }
    } else {
      data = await key.entity.thumbDataWithSize(thumbSize[0], thumbSize[1]);
    }
    return decode(data);
  }

進(jìn)入entitythumbDataWithSize方法:

  /// get thumb with size
  Future<Uint8List> thumbDataWithSize(
    int width,
    int height, {
    ThumbFormat format = ThumbFormat.jpeg,
    int quality = 100,
  }) {
    assert(width > 0 && height > 0, "The width and height must better 0.");
    assert(format != null, "The format must not be null.");
    assert(quality > 0 && quality <= 100, "The quality must between 0 and 100");

    /// Return null if asset is audio or other type, because they don't have such a thing.
    if (type == AssetType.audio || type == AssetType.other) {
      return null;
    }

    return PhotoManager._getThumbDataWithId(
      id,
      width: width,
      height: height,
      format: format,
      quality: quality,
    );
  }

進(jìn)入_getThumbDataWithId方法中僚纷,

  static _getThumbDataWithId(
    String id, {
    int width = 150,
    int height = 150,
    ThumbFormat format = ThumbFormat.jpeg,
    int quality = 100,
  }) {
    return _plugin.getThumb(
      id: id,
      width: width,
      height: height,
      format: format,
      quality: quality,
    );
  }

進(jìn)入getThumb:

  Future<Uint8List> getThumb({
    @required String id,
    int width = 100,
    int height = 100,
    ThumbFormat format,
    int quality,
  }) {
    return _channel.invokeMethod("getThumb", {
      "width": width,
      "height": height,
      "id": id,
      "format": format.index,
      "quality": quality,
    });
  }

調(diào)用iOS原生的獲取圖片方法,

if ([call.method isEqualToString:@"getThumb"]) {
        NSString *id = call.arguments[@"id"];
        NSUInteger width = [call.arguments[@"width"] unsignedIntegerValue];
        NSUInteger height = [call.arguments[@"height"] unsignedIntegerValue];
        NSUInteger format = [call.arguments[@"format"] unsignedIntegerValue];
        NSUInteger quality = [call.arguments[@"quality"] unsignedIntegerValue];

        [manager getThumbWithId:id width:width height:height format:format quality:quality resultHandler:handler];

      }

進(jìn)入getThumbWithId方法拗盒,

- (void)getThumbWithId:(NSString *)id width:(NSUInteger)width height:(NSUInteger)height format:(NSUInteger)format quality:(NSUInteger)quality resultHandler:(ResultHandler *)handler {
  PMAssetEntity *entity = [self getAssetEntity:id];
  if (entity && entity.phAsset) {
    PHAsset *asset = entity.phAsset;
    [self fetchThumb:asset width:width height:height format:format quality:quality resultHandler:handler];
  } else {
    [handler replyError:@"asset is not found"];
  }
}

原生實(shí)現(xiàn)獲取置頂寬高縮略圖方法實(shí)現(xiàn):
使用iOS原生類PHImageManager

                     targetSize:CGSizeMake(width, height)
                    contentMode:PHImageContentModeAspectFill
                        options:options
                  resultHandler:^(UIImage *result, NSDictionary *info)

來(lái)獲取縮略圖怖竭。

- (void)fetchThumb:(PHAsset *)asset width:(NSUInteger)width height:(NSUInteger)height format:(NSUInteger)format quality:(NSUInteger)quality resultHandler:(ResultHandler *)handler {
  PHImageManager *manager = PHImageManager.defaultManager;
  PHImageRequestOptions *options = [PHImageRequestOptions new];
  [options setNetworkAccessAllowed:YES];
  [options setProgressHandler:^(double progress, NSError *error, BOOL *stop,
          NSDictionary *info) {
      if (progress == 1.0) {
        [self fetchThumb:asset width:width height:height format:format quality:quality resultHandler:handler];
      }
  }];
  [manager requestImageForAsset:asset
                     targetSize:CGSizeMake(width, height)
                    contentMode:PHImageContentModeAspectFill
                        options:options
                  resultHandler:^(UIImage *result, NSDictionary *info) {
                      BOOL downloadFinished = [PMManager isDownloadFinish:info];

                      if (!downloadFinished) {
                        return;
                      }

                      if ([handler isReplied]) {
                        return;
                      }
                      NSData *imageData;
                      if (format == 1) {
                        imageData = UIImagePNGRepresentation(result);
                      } else {
                        double qualityValue = (double) quality / 100.0;
                        imageData = UIImageJPEGRepresentation(result, qualityValue);
                      }

                      FlutterStandardTypedData *data = [FlutterStandardTypedData typedDataWithBytes:imageData];
                      [handler reply:data];
                  }];
}
最后編輯于
?著作權(quán)歸作者所有,轉(zhuǎn)載或內(nèi)容合作請(qǐng)聯(lián)系作者
  • 序言:七十年代末,一起剝皮案震驚了整個(gè)濱河市陡蝇,隨后出現(xiàn)的幾起案子痊臭,更是在濱河造成了極大的恐慌,老刑警劉巖登夫,帶你破解...
    沈念sama閱讀 207,113評(píng)論 6 481
  • 序言:濱河連續(xù)發(fā)生了三起死亡事件广匙,死亡現(xiàn)場(chǎng)離奇詭異,居然都是意外死亡恼策,警方通過(guò)查閱死者的電腦和手機(jī)鸦致,發(fā)現(xiàn)死者居然都...
    沈念sama閱讀 88,644評(píng)論 2 381
  • 文/潘曉璐 我一進(jìn)店門,熙熙樓的掌柜王于貴愁眉苦臉地迎上來(lái),“玉大人分唾,你說(shuō)我怎么就攤上這事抗碰。” “怎么了绽乔?”我有些...
    開(kāi)封第一講書(shū)人閱讀 153,340評(píng)論 0 344
  • 文/不壞的土叔 我叫張陵改含,是天一觀的道長(zhǎng)。 經(jīng)常有香客問(wèn)我迄汛,道長(zhǎng)捍壤,這世上最難降的妖魔是什么? 我笑而不...
    開(kāi)封第一講書(shū)人閱讀 55,449評(píng)論 1 279
  • 正文 為了忘掉前任鞍爱,我火速辦了婚禮鹃觉,結(jié)果婚禮上,老公的妹妹穿的比我還像新娘睹逃。我一直安慰自己盗扇,他們只是感情好,可當(dāng)我...
    茶點(diǎn)故事閱讀 64,445評(píng)論 5 374
  • 文/花漫 我一把揭開(kāi)白布沉填。 她就那樣靜靜地躺著疗隶,像睡著了一般。 火紅的嫁衣襯著肌膚如雪翼闹。 梳的紋絲不亂的頭發(fā)上斑鼻,一...
    開(kāi)封第一講書(shū)人閱讀 49,166評(píng)論 1 284
  • 那天,我揣著相機(jī)與錄音猎荠,去河邊找鬼坚弱。 笑死,一個(gè)胖子當(dāng)著我的面吹牛关摇,可吹牛的內(nèi)容都是我干的荒叶。 我是一名探鬼主播,決...
    沈念sama閱讀 38,442評(píng)論 3 401
  • 文/蒼蘭香墨 我猛地睜開(kāi)眼输虱,長(zhǎng)吁一口氣:“原來(lái)是場(chǎng)噩夢(mèng)啊……” “哼些楣!你這毒婦竟也來(lái)了?” 一聲冷哼從身側(cè)響起宪睹,我...
    開(kāi)封第一講書(shū)人閱讀 37,105評(píng)論 0 261
  • 序言:老撾萬(wàn)榮一對(duì)情侶失蹤愁茁,失蹤者是張志新(化名)和其女友劉穎,沒(méi)想到半個(gè)月后横堡,有當(dāng)?shù)厝嗽跇?shù)林里發(fā)現(xiàn)了一具尸體埋市,經(jīng)...
    沈念sama閱讀 43,601評(píng)論 1 300
  • 正文 獨(dú)居荒郊野嶺守林人離奇死亡冠桃,尸身上長(zhǎng)有42處帶血的膿包…… 初始之章·張勛 以下內(nèi)容為張勛視角 年9月15日...
    茶點(diǎn)故事閱讀 36,066評(píng)論 2 325
  • 正文 我和宋清朗相戀三年命贴,在試婚紗的時(shí)候發(fā)現(xiàn)自己被綠了。 大學(xué)時(shí)的朋友給我發(fā)了我未婚夫和他白月光在一起吃飯的照片。...
    茶點(diǎn)故事閱讀 38,161評(píng)論 1 334
  • 序言:一個(gè)原本活蹦亂跳的男人離奇死亡胸蛛,死狀恐怖污茵,靈堂內(nèi)的尸體忽然破棺而出,到底是詐尸還是另有隱情葬项,我是刑警寧澤泞当,帶...
    沈念sama閱讀 33,792評(píng)論 4 323
  • 正文 年R本政府宣布,位于F島的核電站民珍,受9級(jí)特大地震影響襟士,放射性物質(zhì)發(fā)生泄漏。R本人自食惡果不足惜嚷量,卻給世界環(huán)境...
    茶點(diǎn)故事閱讀 39,351評(píng)論 3 307
  • 文/蒙蒙 一陋桂、第九天 我趴在偏房一處隱蔽的房頂上張望。 院中可真熱鬧蝶溶,春花似錦嗜历、人聲如沸。這莊子的主人今日做“春日...
    開(kāi)封第一講書(shū)人閱讀 30,352評(píng)論 0 19
  • 文/蒼蘭香墨 我抬頭看了看天上的太陽(yáng)。三九已至田轧,卻和暖如春暴匠,著一層夾襖步出監(jiān)牢的瞬間,已是汗流浹背傻粘。 一陣腳步聲響...
    開(kāi)封第一講書(shū)人閱讀 31,584評(píng)論 1 261
  • 我被黑心中介騙來(lái)泰國(guó)打工巷查, 沒(méi)想到剛下飛機(jī)就差點(diǎn)兒被人妖公主榨干…… 1. 我叫王不留,地道東北人抹腿。 一個(gè)月前我還...
    沈念sama閱讀 45,618評(píng)論 2 355
  • 正文 我出身青樓岛请,卻偏偏與公主長(zhǎng)得像,于是被迫代替她去往敵國(guó)和親警绩。 傳聞我的和親對(duì)象是個(gè)殘疾皇子崇败,可洞房花燭夜當(dāng)晚...
    茶點(diǎn)故事閱讀 42,916評(píng)論 2 344

推薦閱讀更多精彩內(nèi)容