Flutter中NestedScrollView使用滚动时闪屏问题

发现问题:使用NestedScrollView时在苹果机上上滑操作时偶尔会出现闪屏问题,经过多次测试,发现是先下拉列表紧接着上滑操作才会出现该问题

问题探究:在安卓机上是没有这种问题出现的,这是因为在没有设置列表滚动的physics属性时,系统默认安卓使用ClampingScrollPhysics: 防止滚动超出边界,夹住。IOS使用BouncingScrollPhysics:允许滚动超出边界,但之后内容会反弹回来。正是因为反弹还没结束我们走了上滑操作所以才会出现闪屏的问题,该问题在github上链接地址为https://github.com/flutter/flutter/issues/43086

解决方案:

1、我们可以设置列表的physic属性为ClampingScrollPhysics,这样做的缺点是苹果机失去滚动弹性延展,不利于用户体验

2、自定义一个滚动physics,下拉的时候夹住,上滑的时候使用弹性延展,下拉刷新时可以在外层套一个PullToRefreshNotification,这样用户体验会好很多,自定义physice代码如下:


import 'package:flutter/material.dart';

class CustomBouncingScroll extends BouncingScrollPhysics {

  /// Creates scroll physics that bounce back from the edge.

  const CustomBouncingScroll({ScrollPhysics parent}) : super(parent: parent);

  @override

  CustomBouncingScroll applyTo(ScrollPhysics ancestor) {

    return CustomBouncingScroll(parent: buildParent(ancestor));

  }

// 重构弹性范围,只有当上滑的时候才有弹性,下拉去除

  @override

  double applyBoundaryConditions(ScrollMetrics position, double value) {

    if (value < position.pixels &&

        position.pixels <= position.minScrollExtent) // underscroll

      return value - position.pixels;

    if (value < position.minScrollExtent &&

        position.minScrollExtent < position.pixels) // hit top edge

      return value - position.minScrollExtent;

    return 0.0;

  }

}

你可能感兴趣的:(Flutter中NestedScrollView使用滚动时闪屏问题)