Flutter canvas波浪加载组件

28350_1669639768.gif

创建canvas画板:

return CustomPaint(
    size: Size(100, 100),
    painter: WavePainter(
      progress: 0.5,
      waveColor: Colors.blue,
    ),
)

创建一个WavePainter继承CustomPainter:

class WavePainter extends CustomPainter {
  final double progress;
  final Color waveColor;

  WavePainter({
    required this.progress,
    required this.waveColor,
  });

  final Paint wavePaint = Paint();
  double painterHeight = 0; // 波浪总体高度
  double waveWidth = 0; // 波浪宽度
  double waveHeight = 0; // 波浪浪尖高度

  @override
  void paint(Canvas canvas, Size size) {
    painterHeight = size.height;
    waveWidth = size.width / 2;
    waveHeight = size.height * 0.06;

    // 绘制波浪
    drawWave(
      canvas,
      Offset(-4 * waveWidth,
          painterHeight + waveHeight),
      waveColor,
    );
  }

  Path drawWave(Canvas canvas, Offset startPoint, Color color) {
    Path wavePath = Path();
    wavePath.moveTo(startPoint.dx, startPoint.dy);
    wavePath.relativeLineTo(0, -painterHeight * progress);

    int waveCount = 3;
    for (int i = 0; i < waveCount; i++) {
      wavePath.relativeQuadraticBezierTo(
          waveWidth / 2, -waveHeight * 2, waveWidth, 0);
      wavePath.relativeQuadraticBezierTo(
          waveWidth / 2, waveHeight * 2, waveWidth, 0);
    }
    wavePath.relativeLineTo(0, painterHeight);
    wavePath.relativeLineTo(-waveWidth * waveCount * 2.0, 0);
    canvas.drawPath(wavePath, wavePaint..color = color);
    return wavePath;
  }

  @override
  bool shouldRepaint(WavePainter oldDelegate) {
    return false;
  }
}

绘制波浪的方法写在drawWave中,在CustomPaint外面套一个Container看下效果先:


位图1.png

Container的clipBehavior属性去掉可以砍出波浪的具体位置,现在波浪是静止的

下面波浪动起来,给WavePainter传入一个Animation<double>动画:

AnimationController _waveCtrl;
_waveCtrl = AnimationController(
      duration: Duration(seconds: 1),
      vsync: this,
)..repeat();
WavePainter(
   waveColor: widget.waveColor,
   progress: progress,
   flow: _waveCtrl,
)
class WavePainter extends CustomPainter {
  final double progress;
  final Color waveColor;
  final Animation<double> flow;

  WavePainter({
    required this.progress,
    required this.waveColor,
    required this.flow,
  }) : super(repaint: flow);

  // 省略重复代码...

  @override
  void paint(Canvas canvas, Size size) {
    // 省略重复代码...

    // 绘制波浪
    drawWave(
      canvas,
      Offset(-4 * waveWidth + 2 * waveWidth * flow.value,
          painterHeight + waveHeight),
      waveColor,
    );
  }

  Path drawWave(Canvas canvas, Offset startPoint, Color color) {
    // 省略重复代码...
  }

  @override
  bool shouldRepaint(WavePainter oldDelegate) {
    return oldDelegate.flow != flow;
  }
}
219_1669687025.gif

再来一道底波:

@override
void paint(Canvas canvas, Size size) {
  // 省略重复代码...

  // 绘制波浪
  drawWave(
    canvas,
    Offset(-4 * waveWidth + 2 * waveWidth * flow.value,
        painterHeight + waveHeight),
    waveColor,
  );

  // 绘制底波
  drawWave(
    canvas,
    Offset(-4 * waveWidth + 4 * waveWidth * flow.value,
        painterHeight + waveHeight),
    waveColor.withAlpha(80),
  );
}

底波横向移动速度翻倍4 * waveWidth * flow.value,透明度80%
外层Container的clipBehavior属性改为Clip.antiAlias,再动态更新progress的值:


220.gif

接下来加上文字:

@override
void paint(Canvas canvas, Size size) {
  // 省略重复代码...

  // 绘制文字
  drawText(canvas, size, textColor);

  // 绘制波浪
  drawWave(
    canvas,
    Offset(-4 * waveWidth + 2 * waveWidth * flow.value,
        painterHeight + waveHeight),
    waveColor,
  );

  // 绘制底波
  drawWave(
    canvas,
    Offset(-4 * waveWidth + 4 * waveWidth * flow.value,
        painterHeight + waveHeight),
    waveColor.withAlpha(80),
  );
}
void drawText(Canvas canvas, Size size, Color color) {
    // 文字内容
    String text = '加载中...';

    // 文字样式
    TextStyle textStyle = TextStyle(
      fontSize: 15,
      fontWeight: FontWeight.bold,
      color: color,
    );

    // 最大行数
    int maxLines = 2;

    // 文字画笔
    _textPainter
      ..text = TextSpan(
        text: text,
        style: textStyle,
      )
      ..maxLines = maxLines
      ..textDirection = TextDirection.ltr;

    // 绘制文字
    _textPainter.layout(maxWidth: size.width);
    // 文字Size
    Size textSize = _textPainter.size;
    _textPainter.paint(
      canvas,
      Offset(
        (size.width - textSize.width) / 2,
        size.height / 2 + (size.height / 2 - textSize.height) / 2,
      ),
    );
  }

文字绘制完发现和波浪混一起就看不到了


位图.png

中间尝试过用blendMode和colorFilter让文字和波浪重叠的部分混色,效果不太理想
采取另一种办法,绘制两遍文字,波浪上方绘制一遍,波浪下方绘制一遍:

@override
void paint(Canvas canvas, Size size) {
  // 省略重复代码...

  // 绘制波浪上方文字
  drawText(canvas, size, textColor);

  // 绘制波浪
  Path wavePath = drawWave(
    canvas,
    Offset(-4 * waveWidth + 2 * waveWidth * flow.value,
        painterHeight + waveHeight),
    waveColor,
  );

  // 绘制底波
  drawWave(
    canvas,
    Offset(-4 * waveWidth + 4 * waveWidth * flow.value,
        painterHeight + waveHeight),
    waveColor.withAlpha(80),
  );

  // 绘制波浪下方文字
  canvas.clipPath(wavePath);
  drawText(canvas, size, Colors.white);
}

绘制波浪下方文字时用clipPath沿着波浪wavePath裁剪了一下,这样文字就只在波浪上显示了,不会超出波浪范围:


位图.png

完整代码,对波浪组件进行了封装:

import 'dart:async';
import 'package:flutter/material.dart';

class WaveLoading extends StatefulWidget {
  // 进度
  final double progress;
  // 波浪颜色
  final Color waveColor;
  // 尺寸
  final Size size;
  // 圆角半径
  final double borderRadius;
  // 动画时长
  final Duration duration;
  // 文字
  final String text;
  // 字号
  final double fontSize;
  // 文字颜色
  final Color? textColor;
  // 是否需要省略号
  final bool needEllipsis;

  const WaveLoading({
    Key? key,
    this.progress = 0.6,
    this.waveColor = Colors.blue,
    this.size = const Size(100, 100),
    this.borderRadius = 0,
    this.duration = const Duration(seconds: 1),
    this.text = '加载中',
    this.fontSize = 15,
    this.textColor,
    this.needEllipsis = true,
  }) : super(key: key);

  @override
  State<WaveLoading> createState() => _WaveLoadingState();
}

class _WaveLoadingState extends State<WaveLoading>
    with TickerProviderStateMixin {
  late AnimationController _waveCtrl;
  Timer? _timer;
  ValueNotifier<int> _ellipsisCount = ValueNotifier(1); // 文字省略号点的个数

  @override
  void initState() {
    super.initState();
    // 初始化动画控制器
    _initAnimationCtrl();
  }

  @override
  void dispose() {
    _waveCtrl.dispose();
    _timer?.cancel();
    super.dispose();
  }

  // 初始化动画控制器
  void _initAnimationCtrl() {
    _waveCtrl = AnimationController(
      duration: widget.duration,
      vsync: this,
    )..repeat();

    if (widget.needEllipsis) {
      // 有省略号才初始化计时器
      _timer = Timer.periodic(const Duration(seconds: 1), (timer) {
        if (_ellipsisCount.value < 3) {
          _ellipsisCount.value++;
        } else {
          _ellipsisCount.value = 1;
        }
      });
    }
  }

  @override
  Widget build(BuildContext context) {
    double progress = widget.progress > 1 ? 1 : widget.progress;

    return RepaintBoundary(
      child: CustomPaint(
        size: widget.size,
        painter: WavePainter(
          waveColor: widget.waveColor,
          borderRadius: widget.borderRadius,
          progress: progress,
          repaint: Listenable.merge([_waveCtrl, _ellipsisCount]),
          flow: _waveCtrl,
          ellipsisCount: _ellipsisCount,
          text: widget.text,
          textColor: widget.textColor ?? widget.waveColor,
          fontSize: widget.fontSize,
          needEllipsis: widget.needEllipsis,
        ),
      ),
    );
  }
}

class WavePainter extends CustomPainter {
  final Listenable repaint;
  final Animation<double> flow;
  final ValueNotifier<int> ellipsisCount;
  final double progress;
  final Color waveColor;
  final double borderRadius;
  final String text;
  final double fontSize;
  final Color textColor;
  final bool needEllipsis;

  WavePainter({
    required this.repaint,
    required this.flow,
    required this.ellipsisCount,
    required this.progress,
    required this.waveColor,
    required this.borderRadius,
    required this.text,
    required this.fontSize,
    required this.textColor,
    required this.needEllipsis,
  }) : super(repaint: repaint);

  final Paint wavePaint = Paint();
  final Paint borderPaint = Paint();
  final TextPainter _textPainter = TextPainter();
  double painterHeight = 0;
  double waveWidth = 0;
  double waveHeight = 0;

  @override
  void paint(Canvas canvas, Size size) {
    painterHeight = size.height;
    waveWidth = size.width / 2;
    waveHeight = size.height * 0.06;

    borderPaint
      ..style = PaintingStyle.fill
      ..color = waveColor.withAlpha(15);

    // 绘制背景
    Path borderPath = Path();
    borderPath.addRRect(
        RRect.fromRectXY(Offset.zero & size, borderRadius, borderRadius));
    canvas.clipPath(borderPath);
    canvas.drawPath(borderPath, borderPaint);

    // 绘制波浪上方文字
    drawText(canvas, size, textColor);

    // 绘制波浪
    Path wavePath = drawWave(
      canvas,
      Offset(-4 * waveWidth + 2 * waveWidth * flow.value,
          painterHeight + waveHeight),
      waveColor,
    );

    // 绘制底波
    drawWave(
      canvas,
      Offset(-4 * waveWidth + 4 * waveWidth * flow.value,
          painterHeight + waveHeight),
      waveColor.withAlpha(80),
    );

    // 绘制波浪下方文字
    canvas.clipPath(wavePath);
    drawText(canvas, size, Colors.white);
  }

  Path drawWave(Canvas canvas, Offset startPoint, Color color) {
    Path wavePath = Path();
    wavePath.moveTo(startPoint.dx, startPoint.dy);
    wavePath.relativeLineTo(0, -painterHeight * progress);

    int waveCount = 3;
    for (int i = 0; i < waveCount; i++) {
      wavePath.relativeQuadraticBezierTo(
          waveWidth / 2, -waveHeight * 2, waveWidth, 0);
      wavePath.relativeQuadraticBezierTo(
          waveWidth / 2, waveHeight * 2, waveWidth, 0);
    }
    wavePath.relativeLineTo(0, painterHeight);
    wavePath.relativeLineTo(-waveWidth * waveCount * 2.0, 0);
    canvas.drawPath(wavePath, wavePaint..color = color);
    return wavePath;
  }

  void drawText(Canvas canvas, Size size, Color color) {
    // 文字内容
    String content = text;
    if (needEllipsis) {
      String ellipsis = '.' * ellipsisCount.value;
      content += ellipsis.toString();
    }

    // 文字样式
    TextStyle textStyle = TextStyle(
      fontSize: fontSize,
      fontWeight: FontWeight.bold,
      color: color,
    );

    // 最大行数
    int maxLines = 2;

    // 文字画笔
    _textPainter
      ..text = TextSpan(
        text: content,
        style: textStyle,
      )
      ..maxLines = maxLines
      ..textDirection = TextDirection.ltr;

    // 文字Size,如果repaint不为空,说明需要省略号,计算时拼接上三个点,得出最大宽度
    Size textSize = sizeWithLabel(
      needEllipsis ? text + '...' : text,
      textStyle,
      maxLines,
    );

    // 绘制文字
    _textPainter.layout(maxWidth: size.width);
    _textPainter.paint(
      canvas,
      Offset(
        (size.width - textSize.width) / 2,
        size.height / 2 + (size.height / 2 - textSize.height) / 2,
      ),
    );
  }

  // 计算文字Size
  Size sizeWithLabel(String text, TextStyle textStyle, int maxLines) {
    TextSpan textSpan = TextSpan(text: text, style: textStyle);
    TextPainter textPainter = TextPainter(
        text: textSpan, maxLines: maxLines, textDirection: TextDirection.ltr);
    textPainter.layout();

    return textPainter.size;
  }

  @override
  bool shouldRepaint(WavePainter oldDelegate) {
    return oldDelegate.repaint != repaint ||
        oldDelegate.flow != flow ||
        oldDelegate.progress != progress ||
        oldDelegate.waveColor != waveColor ||
        oldDelegate.borderRadius != borderRadius ||
        oldDelegate.text != text ||
        oldDelegate.textColor != textColor ||
        oldDelegate.fontSize != fontSize ||
        oldDelegate.needEllipsis != needEllipsis ||
        oldDelegate.ellipsisCount != ellipsisCount;
  }
}

使用:

TextButton(
  child: Text(
    'show',
    style: TextStyle(
      fontSize: 30,
    ),
  ),
  onPressed: () {
     showDialog(
        context: context,
        barrierDismissible: true,
        barrierColor: Colors.transparent,
        builder: (context) {
          return Center(
             child: Container(
               decoration: BoxDecoration(
                 color: Colors.white,
                 borderRadius: BorderRadius.circular(10.w),
                 // 阴影
                 boxShadow: const [
                    BoxShadow(
                       color: Colors.grey,
                       offset: Offset(0, 1), // 阴影xy轴偏移量
                       blurRadius: 0.1, // 阴影模糊程度
                       spreadRadius: 0.1, // 阴影扩散程度
                    ),
                ],
              ),
              clipBehavior: Clip.antiAlias,
              child: Obx(() {
                // 这里为了实时刷新,使用了Getx状态管理框架,换成其他方式亦可
                return WaveLoading(
                   size: Size(200.w, 200.w),
                   progress: progress.value / 100,
                   text: '${progress.value}%',
                   fontSize: 36.sp,
                   needEllipsis: false,
                );
              }),
            ),
         );
       },
     ).then((value) {
         progress.value = 0;
         timer?.cancel();
     });
     // 模拟progress更新
     timer = Timer.periodic(Duration(milliseconds: 100), (timer) {
         if (progress.value < 100) {
            progress.value++;
         }
         // debugPrint(progress.value.toString());
     });
  },
)
最后编辑于
©著作权归作者所有,转载或内容合作请联系作者
  • 序言:七十年代末,一起剥皮案震惊了整个滨河市,随后出现的几起案子,更是在滨河造成了极大的恐慌,老刑警刘岩,带你破解...
    沈念sama阅读 212,718评论 6 492
  • 序言:滨河连续发生了三起死亡事件,死亡现场离奇诡异,居然都是意外死亡,警方通过查阅死者的电脑和手机,发现死者居然都...
    沈念sama阅读 90,683评论 3 385
  • 文/潘晓璐 我一进店门,熙熙楼的掌柜王于贵愁眉苦脸地迎上来,“玉大人,你说我怎么就摊上这事。” “怎么了?”我有些...
    开封第一讲书人阅读 158,207评论 0 348
  • 文/不坏的土叔 我叫张陵,是天一观的道长。 经常有香客问我,道长,这世上最难降的妖魔是什么? 我笑而不...
    开封第一讲书人阅读 56,755评论 1 284
  • 正文 为了忘掉前任,我火速办了婚礼,结果婚礼上,老公的妹妹穿的比我还像新娘。我一直安慰自己,他们只是感情好,可当我...
    茶点故事阅读 65,862评论 6 386
  • 文/花漫 我一把揭开白布。 她就那样静静地躺着,像睡着了一般。 火红的嫁衣衬着肌肤如雪。 梳的纹丝不乱的头发上,一...
    开封第一讲书人阅读 50,050评论 1 291
  • 那天,我揣着相机与录音,去河边找鬼。 笑死,一个胖子当着我的面吹牛,可吹牛的内容都是我干的。 我是一名探鬼主播,决...
    沈念sama阅读 39,136评论 3 410
  • 文/苍兰香墨 我猛地睁开眼,长吁一口气:“原来是场噩梦啊……” “哼!你这毒妇竟也来了?” 一声冷哼从身侧响起,我...
    开封第一讲书人阅读 37,882评论 0 268
  • 序言:老挝万荣一对情侣失踪,失踪者是张志新(化名)和其女友刘颖,没想到半个月后,有当地人在树林里发现了一具尸体,经...
    沈念sama阅读 44,330评论 1 303
  • 正文 独居荒郊野岭守林人离奇死亡,尸身上长有42处带血的脓包…… 初始之章·张勋 以下内容为张勋视角 年9月15日...
    茶点故事阅读 36,651评论 2 327
  • 正文 我和宋清朗相恋三年,在试婚纱的时候发现自己被绿了。 大学时的朋友给我发了我未婚夫和他白月光在一起吃饭的照片。...
    茶点故事阅读 38,789评论 1 341
  • 序言:一个原本活蹦乱跳的男人离奇死亡,死状恐怖,灵堂内的尸体忽然破棺而出,到底是诈尸还是另有隐情,我是刑警宁泽,带...
    沈念sama阅读 34,477评论 4 333
  • 正文 年R本政府宣布,位于F岛的核电站,受9级特大地震影响,放射性物质发生泄漏。R本人自食恶果不足惜,却给世界环境...
    茶点故事阅读 40,135评论 3 317
  • 文/蒙蒙 一、第九天 我趴在偏房一处隐蔽的房顶上张望。 院中可真热闹,春花似锦、人声如沸。这庄子的主人今日做“春日...
    开封第一讲书人阅读 30,864评论 0 21
  • 文/苍兰香墨 我抬头看了看天上的太阳。三九已至,却和暖如春,着一层夹袄步出监牢的瞬间,已是汗流浃背。 一阵脚步声响...
    开封第一讲书人阅读 32,099评论 1 267
  • 我被黑心中介骗来泰国打工, 没想到刚下飞机就差点儿被人妖公主榨干…… 1. 我叫王不留,地道东北人。 一个月前我还...
    沈念sama阅读 46,598评论 2 362
  • 正文 我出身青楼,却偏偏与公主长得像,于是被迫代替她去往敌国和亲。 传闻我的和亲对象是个残疾皇子,可洞房花烛夜当晚...
    茶点故事阅读 43,697评论 2 351

推荐阅读更多精彩内容