scrollable.dart 30 KB
Newer Older
1 2 3 4
// Copyright 2015 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.

5
import 'dart:async';
6
import 'dart:math' as math;
7
import 'dart:ui' as ui show window;
8

9
import 'package:flutter/physics.dart';
10
import 'package:flutter/gestures.dart';
pq's avatar
pq committed
11
import 'package:meta/meta.dart';
12 13 14 15

import 'basic.dart';
import 'framework.dart';
import 'gesture_detector.dart';
16
import 'notification_listener.dart';
Adam Barth's avatar
Adam Barth committed
17
import 'page_storage.dart';
18
import 'scroll_behavior.dart';
19

20
/// The accuracy to which scrolling is computed.
Hans Muller's avatar
Hans Muller committed
21
final Tolerance kPixelScrollTolerance = new Tolerance(
Ian Hickson's avatar
Ian Hickson committed
22 23 24
  // TODO(ianh): Handle the case of the device pixel ratio changing.
  velocity: 1.0 / (0.050 * ui.window.devicePixelRatio), // logical pixels per second
  distance: 1.0 / ui.window.devicePixelRatio // logical pixels
Hans Muller's avatar
Hans Muller committed
25 26
);

27
typedef void ScrollListener(double scrollOffset);
28
typedef double SnapOffsetCallback(double scrollOffset, Size containerSize);
29

30 31 32 33 34 35 36
/// A base class for scrollable widgets.
///
/// Commonly used subclasses include [ScrollableList], [ScrollableGrid], and
/// [ScrollableViewport].
///
/// Widgets that subclass [Scrollable] typically use state objects that subclass
/// [ScrollableState].
37
abstract class Scrollable extends StatefulWidget {
38
  Scrollable({
39
    Key key,
40
    this.initialScrollOffset,
41
    this.scrollDirection: Axis.vertical,
42
    this.scrollAnchor: ViewportAnchor.start,
43
    this.onScrollStart,
44
    this.onScroll,
45
    this.onScrollEnd,
46
    this.snapOffsetCallback
47
  }) : super(key: key) {
48 49
    assert(scrollDirection == Axis.vertical || scrollDirection == Axis.horizontal);
    assert(scrollAnchor == ViewportAnchor.start || scrollAnchor == ViewportAnchor.end);
50
  }
51

52
  /// The scroll offset this widget should use when first created.
53
  final double initialScrollOffset;
54 55

  /// The axis along which this widget should scroll.
56
  final Axis scrollDirection;
57

58 59 60 61 62 63 64 65 66 67 68 69 70 71 72 73 74 75 76 77 78 79 80 81 82
  /// Whether to place first child at the start of the container or
  /// the last child at the end of the container, when the scrollable
  /// has not been scrolled and has no initial scroll offset.
  ///
  /// For example, if the [scrollDirection] is [Axis.vertical] and
  /// there are enough items to overflow the container, then
  /// [ViewportAnchor.start] means that the top of the first item
  /// should be aligned with the top of the scrollable with the last
  /// item below the bottom, and [ViewportAnchor.end] means the bottom
  /// of the last item should be aligned with the bottom of the
  /// scrollable, with the first item above the top.
  ///
  /// This also affects whether, when an item is added or removed, the
  /// displacement will be towards the first item or the last item.
  /// Continuing the earlier example, if a new item is inserted in the
  /// middle of the list, in the [ViewportAnchor.start] case the items
  /// after it (with greater indices, down to the item with the
  /// highest index) will be pushed down, while in the
  /// [ViewportAnchor.end] case the items before it (with lower
  /// indices, up to the item with the index 0) will be pushed up.
  ///
  /// Subclasses may ignore this value if, for instance, they do not
  /// have a concept of an anchor, or have more complicated behavior
  /// (e.g. they would by default put the middle item in the middle of
  /// the container).
83 84
  final ViewportAnchor scrollAnchor;

85
  /// Called whenever this widget starts to scroll.
86
  final ScrollListener onScrollStart;
87 88

  /// Called whenever this widget's scroll offset changes.
89
  final ScrollListener onScroll;
90 91

  /// Called whenever this widget stops scrolling.
92
  final ScrollListener onScrollEnd;
93

94 95 96 97 98 99 100 101 102 103 104 105 106
  /// Called to determine the offset to which scrolling should snap,
  /// when handling a fling.
  ///
  /// This callback, if set, will be called with the offset that the
  /// Scrollable would have scrolled to in the absence of this
  /// callback, and a Size describing the size of the Scrollable
  /// itself.
  ///
  /// The callback's return value is used as the new scroll offset to
  /// aim for.
  ///
  /// If the callback simply returns its first argument (the offset),
  /// then it is as if the callback was null.
107
  final SnapOffsetCallback snapOffsetCallback;
108

109
  /// The state from the closest instance of this class that encloses the given context.
110
  static ScrollableState of(BuildContext context) {
Ian Hickson's avatar
Ian Hickson committed
111
    return context.ancestorStateOfType(const TypeMatcher<ScrollableState>());
112 113 114
  }

  /// Scrolls the closest enclosing scrollable to make the given context visible.
115
  static Future<Null> ensureVisible(BuildContext context, { Duration duration, Curve curve: Curves.ease }) {
116 117 118 119 120
    assert(context.findRenderObject() is RenderBox);
    // TODO(abarth): This function doesn't handle nested scrollable widgets.

    ScrollableState scrollable = Scrollable.of(context);
    if (scrollable == null)
121
      return new Future<Null>.value();
122 123 124 125 126 127 128 129 130

    RenderBox targetBox = context.findRenderObject();
    assert(targetBox.attached);
    Size targetSize = targetBox.size;

    RenderBox scrollableBox = scrollable.context.findRenderObject();
    assert(scrollableBox.attached);
    Size scrollableSize = scrollableBox.size;

131 132 133 134 135
    double targetMin;
    double targetMax;
    double scrollableMin;
    double scrollableMax;

136
    switch (scrollable.config.scrollDirection) {
137
      case Axis.vertical:
138 139 140 141
        targetMin = targetBox.localToGlobal(Point.origin).y;
        targetMax = targetBox.localToGlobal(new Point(0.0, targetSize.height)).y;
        scrollableMin = scrollableBox.localToGlobal(Point.origin).y;
        scrollableMax = scrollableBox.localToGlobal(new Point(0.0, scrollableSize.height)).y;
142
        break;
143
      case Axis.horizontal:
144 145 146 147
        targetMin = targetBox.localToGlobal(Point.origin).x;
        targetMax = targetBox.localToGlobal(new Point(targetSize.width, 0.0)).x;
        scrollableMin = scrollableBox.localToGlobal(Point.origin).x;
        scrollableMax = scrollableBox.localToGlobal(new Point(scrollableSize.width, 0.0)).x;
148 149 150
        break;
    }

151 152 153 154 155 156 157 158 159 160 161 162 163 164
    double scrollOffsetDelta;
    if (targetMin < scrollableMin) {
      if (targetMax > scrollableMax) {
        // The target is to big to fit inside the scrollable. The best we can do
        // is to center the target.
        double targetCenter = (targetMin + targetMax) / 2.0;
        double scrollableCenter = (scrollableMin + scrollableMax) / 2.0;
        scrollOffsetDelta = targetCenter - scrollableCenter;
      } else {
        scrollOffsetDelta = targetMin - scrollableMin;
      }
    } else if (targetMax > scrollableMax) {
      scrollOffsetDelta = targetMax - scrollableMax;
    } else {
165
      return new Future<Null>.value();
166 167
    }

168 169 170 171 172 173 174
    ExtentScrollBehavior scrollBehavior = scrollable.scrollBehavior;
    double scrollOffset = (scrollable.scrollOffset + scrollOffsetDelta)
      .clamp(scrollBehavior.minScrollOffset, scrollBehavior.maxScrollOffset);

    if (scrollOffset != scrollable.scrollOffset)
      return scrollable.scrollTo(scrollOffset, duration: duration, curve: curve);

175
    return new Future<Null>.value();
176 177
  }

178
  @override
179
  ScrollableState createState();
180
}
181

182 183
/// Contains the state for common scrolling widgets that scroll only
/// along one axis.
184
///
185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200 201 202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220
/// Widgets that subclass [Scrollable] typically use state objects
/// that subclass [ScrollableState].
///
/// The main state of a ScrollableState is the "scroll offset", which
/// is the the logical description of the current scroll position and
/// is stored in [scrollOffset] as a double. The units of the scroll
/// offset are defined by the specific subclass. By default, the units
/// are logical pixels.
///
/// A "pixel offset" is a distance in logical pixels (or a velocity in
/// logical pixels per second). The pixel offset corresponding to the
/// current scroll position is typically used as the paint offset
/// argument to the underlying [Viewport] class (or equivalent); see
/// the [buildContent] method.
///
/// A "pixel delta" is an [Offset] that describes a two-dimensional
/// distance as reported by input events. If the scrolling convention
/// is axis-aligned (as in a vertical scrolling list or a horizontal
/// scrolling list), then the pixel delta will consist of a pixel
/// offset in the scroll axis, and a value in the other axis that is
/// either ignored (when converting to a scroll offset) or set to zero
/// (when converting a scroll offset to a pixel delta).
///
/// If the units of the scroll offset are not logical pixels, then a
/// mapping must be made from logical pixels (as used by incoming
/// input events) and the scroll offset (as stored internally). To
/// provide this mapping, override the [pixelOffsetToScrollOffset] and
/// [scrollOffsetToPixelOffset] methods.
///
/// If the scrollable is not providing axis-aligned scrolling, then,
/// to convert pixel deltas to scroll offsets and vice versa, override
/// the [pixelDeltaToScrollOffset] and [scrollOffsetToPixelOffset]
/// methods. By default, these assume an axis-aligned scroll behavior
/// along the [config.scrollDirection] axis and are implemented in
/// terms of the [pixelOffsetToScrollOffset] and
/// [scrollOffsetToPixelOffset] methods.
pq's avatar
pq committed
221
@optionalTypeArgs
222
abstract class ScrollableState<T extends Scrollable> extends State<T> {
223
  @override
224
  void initState() {
225
    super.initState();
226 227
    _controller = new AnimationController.unbounded()
      ..addListener(_handleAnimationChanged);
Adam Barth's avatar
Adam Barth committed
228
    _scrollOffset = PageStorage.of(context)?.readState(context) ?? config.initialScrollOffset ?? 0.0;
229 230
  }

231
  Simulation _simulation; // if we're flinging, then this is the animation with which we're doing it
232
  AnimationController _controller;
233

234
  @override
235
  void dispose() {
236
    _stop();
237 238 239
    super.dispose();
  }

240 241 242 243 244
  /// The current scroll offset.
  ///
  /// The scroll offset is applied to the child widget along the scroll
  /// direction before painting. A positive scroll offset indicates that
  /// more content in the preferred reading direction is visible.
245
  double get scrollOffset => _scrollOffset;
Ian Hickson's avatar
Ian Hickson committed
246
  double _scrollOffset;
247

Hans Muller's avatar
Hans Muller committed
248 249 250 251
  /// Convert a position or velocity measured in terms of pixels to a scrollOffset.
  /// Scrollable gesture handlers convert their incoming values with this method.
  /// Subclasses that define scrollOffset in units other than pixels must
  /// override this method.
252 253
  ///
  /// This function should be the inverse of [scrollOffsetToPixelOffset].
254 255 256 257 258 259 260 261 262 263
  double pixelOffsetToScrollOffset(double pixelOffset) {
    switch (config.scrollAnchor) {
      case ViewportAnchor.start:
        // We negate the delta here because a positive scroll offset moves the
        // the content up (or to the left) rather than down (or the right).
        return -pixelOffset;
      case ViewportAnchor.end:
        return pixelOffset;
    }
  }
Hans Muller's avatar
Hans Muller committed
264

265 266 267
  /// Convert a scrollOffset value to the number of pixels to which it corresponds.
  ///
  /// This function should be the inverse of [pixelOffsetToScrollOffset].
268 269 270 271 272 273 274 275 276 277 278
  double scrollOffsetToPixelOffset(double scrollOffset) {
    switch (config.scrollAnchor) {
      case ViewportAnchor.start:
        return -scrollOffset;
      case ViewportAnchor.end:
        return scrollOffset;
    }
  }

  /// Returns the scroll offset component of the given pixel delta, accounting
  /// for the scroll direction and scroll anchor.
279 280 281
  ///
  /// A pixel delta is an [Offset] in pixels. Typically this function
  /// is implemented in terms of [pixelOffsetToScrollOffset].
282 283 284 285 286 287 288 289 290 291 292
  double pixelDeltaToScrollOffset(Offset pixelDelta) {
    switch (config.scrollDirection) {
      case Axis.horizontal:
        return pixelOffsetToScrollOffset(pixelDelta.dx);
      case Axis.vertical:
        return pixelOffsetToScrollOffset(pixelDelta.dy);
    }
  }

  /// Returns a two-dimensional representation of the scroll offset, accounting
  /// for the scroll direction and scroll anchor.
293 294
  ///
  /// See the definition of [ScrollableState] for more details.
295 296 297 298 299 300 301
  Offset scrollOffsetToPixelDelta(double scrollOffset) {
    switch (config.scrollDirection) {
      case Axis.horizontal:
        return new Offset(scrollOffsetToPixelOffset(scrollOffset), 0.0);
      case Axis.vertical:
        return new Offset(0.0, scrollOffsetToPixelOffset(scrollOffset));
    }
Hans Muller's avatar
Hans Muller committed
302 303
  }

304 305 306 307 308
  /// The current scroll behavior of this widget.
  ///
  /// Scroll behaviors control where the boundaries of the scrollable are placed
  /// and how the scrolling physics should behave near those boundaries and
  /// after the user stops directly manipulating the scrollable.
309
  ScrollBehavior<double, double> get scrollBehavior {
310
    return _scrollBehavior ??= createScrollBehavior();
311
  }
312
  ScrollBehavior<double, double> _scrollBehavior;
313

314 315
  /// Subclasses should override this function to create the [ScrollBehavior]
  /// they desire.
316
  ScrollBehavior<double, double> createScrollBehavior();
317

318
  bool _scrollOffsetIsInBounds(double scrollOffset) {
319 320 321
    if (scrollBehavior is! ExtentScrollBehavior)
      return false;
    ExtentScrollBehavior behavior = scrollBehavior;
322
    return scrollOffset >= behavior.minScrollOffset && scrollOffset < behavior.maxScrollOffset;
323 324
  }

325 326 327 328
  void _handleAnimationChanged() {
    _setScrollOffset(_controller.value);
  }

329 330 331 332 333 334
  void _setScrollOffset(double newScrollOffset) {
    if (_scrollOffset == newScrollOffset)
      return;
    setState(() {
      _scrollOffset = newScrollOffset;
    });
Adam Barth's avatar
Adam Barth committed
335
    PageStorage.of(context)?.writeState(context, _scrollOffset);
336
    _startScroll();
337
    dispatchOnScroll();
338
    _endScroll();
339 340
  }

341 342 343 344
  /// Scroll this widget by the given scroll delta.
  ///
  /// If a non-null [duration] is provided, the widget will animate to the new
  /// scroll offset over the given duration with the given curve.
345
  Future<Null> scrollBy(double scrollDelta, { Duration duration, Curve curve: Curves.ease }) {
346 347 348 349
    double newScrollOffset = scrollBehavior.applyCurve(_scrollOffset, scrollDelta);
    return scrollTo(newScrollOffset, duration: duration, curve: curve);
  }

350 351 352 353
  /// Scroll this widget to the given scroll offset.
  ///
  /// If a non-null [duration] is provided, the widget will animate to the new
  /// scroll offset over the given duration with the given curve.
354 355 356 357
  ///
  /// This function does not accept a zero duration. To jump-scroll to
  /// the new offset, do not provide a duration, rather than providing
  /// a zero duration.
358
  Future<Null> scrollTo(double newScrollOffset, { Duration duration, Curve curve: Curves.ease }) {
359
    if (newScrollOffset == _scrollOffset)
360
      return new Future<Null>.value();
361

362
    if (duration == null) {
363
      _stop();
364
      _setScrollOffset(newScrollOffset);
365
      return new Future<Null>.value();
366 367
    }

368
    assert(duration > Duration.ZERO);
369
    return _animateTo(newScrollOffset, duration, curve);
370 371
  }

372
  Future<Null> _animateTo(double newScrollOffset, Duration duration, Curve curve) {
373
    _stop();
374
    _controller.value = scrollOffset;
375 376
    _startScroll();
    return _controller.animateTo(newScrollOffset, duration: duration, curve: curve).then(_endScroll);
377 378
  }

379 380 381 382 383 384 385 386 387
  /// Update any in-progress scrolling physics to account for new scroll behavior.
  ///
  /// The scrolling physics depends on the scroll behavior. When changing the
  /// scrolling behavior, call this function to update any in-progress scrolling
  /// physics to account for the new scroll behavior. This function preserves
  /// the current velocity when updating the physics.
  ///
  /// If there are no in-progress scrolling physics, this function scrolls to
  /// the given offset instead.
388
  void didUpdateScrollBehavior(double newScrollOffset) {
389
    assert(_controller.isAnimating || _simulation == null);
390 391 392 393 394 395 396 397 398 399 400
    if (_numberOfInProgressScrolls > 0) {
      if (_simulation != null) {
        double dx = _simulation.dx(_controller.lastElapsedDuration.inMicroseconds / Duration.MICROSECONDS_PER_SECOND);
        // TODO(abarth): We should be consistent about the units we use for velocity (i.e., per second).
        _startToEndAnimation(dx / Duration.MILLISECONDS_PER_SECOND);
      }
      return;
    }
    scrollTo(newScrollOffset);
  }

401 402 403 404 405
  /// Fling the scroll offset with the given velocity.
  ///
  /// Calling this function starts a physics-based animation of the scroll
  /// offset with the given value as the initial velocity. The physics
  /// simulation used is determined by the scroll behavior.
406
  Future<Null> fling(double scrollVelocity) {
407
    if (scrollVelocity != 0.0 || !_controller.isAnimating)
Hans Muller's avatar
Hans Muller committed
408
      return _startToEndAnimation(scrollVelocity);
409
    return new Future<Null>.value();
410 411
  }

412 413 414 415 416
  /// Animate the scroll offset to a value with a local minima of energy.
  ///
  /// Calling this function starts a physics-based animation of the scroll
  /// offset either to a snap point or to within the scrolling bounds. The
  /// physics simulation used is determined by the scroll behavior.
417
  Future<Null> settleScrollOffset() {
418
    return _startToEndAnimation(0.0);
419 420
  }

421
  Future<Null> _startToEndAnimation(double scrollVelocity) {
422
    _stop();
423 424
    _simulation = _createSnapSimulation(scrollVelocity) ?? _createFlingSimulation(scrollVelocity);
    if (_simulation == null)
425
      return new Future<Null>.value();
426
    _startScroll();
427
    return _controller.animateWith(_simulation).then(_endScroll);
428 429 430 431 432 433 434 435 436 437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457 458 459 460 461 462 463 464 465 466 467 468
  }

  /// Whether this scrollable should attempt to snap scroll offsets.
  bool get shouldSnapScrollOffset => config.snapOffsetCallback != null;

  /// Returns the snapped offset closest to the given scroll offset.
  double snapScrollOffset(double scrollOffset) {
    RenderBox box = context.findRenderObject();
    return config.snapOffsetCallback == null ? scrollOffset : config.snapOffsetCallback(scrollOffset, box.size);
  }

  Simulation _createSnapSimulation(double scrollVelocity) {
    if (!shouldSnapScrollOffset || scrollVelocity == 0.0 || !_scrollOffsetIsInBounds(scrollOffset))
      return null;

    Simulation simulation = _createFlingSimulation(scrollVelocity);
    if (simulation == null)
        return null;

    final double endScrollOffset = simulation.x(double.INFINITY);
    if (endScrollOffset.isNaN)
      return null;

    final double snappedScrollOffset = snapScrollOffset(endScrollOffset); // invokes the config.snapOffsetCallback callback
    if (!_scrollOffsetIsInBounds(snappedScrollOffset))
      return null;

    final double snapVelocity = scrollVelocity.abs() * (snappedScrollOffset - scrollOffset).sign;
    final double endVelocity = pixelOffsetToScrollOffset(kPixelScrollTolerance.velocity).abs() * (scrollVelocity < 0.0 ? -1.0 : 1.0);
    Simulation toSnapSimulation = scrollBehavior.createSnapScrollSimulation(
      scrollOffset, snappedScrollOffset, snapVelocity, endVelocity
    );
    if (toSnapSimulation == null)
      return null;

    final double scrollOffsetMin = math.min(scrollOffset, snappedScrollOffset);
    final double scrollOffsetMax = math.max(scrollOffset, snappedScrollOffset);
    return new ClampedSimulation(toSnapSimulation, xMin: scrollOffsetMin, xMax: scrollOffsetMax);
  }

  Simulation _createFlingSimulation(double scrollVelocity) {
469
    final Simulation simulation =  scrollBehavior.createScrollSimulation(scrollOffset, scrollVelocity);
470
    if (simulation != null) {
471
      final double endVelocity = pixelOffsetToScrollOffset(kPixelScrollTolerance.velocity).abs();
472 473 474 475 476 477
      final double endDistance = pixelOffsetToScrollOffset(kPixelScrollTolerance.distance).abs();
      simulation.tolerance = new Tolerance(velocity: endVelocity, distance: endDistance);
    }
    return simulation;
  }

478 479 480 481 482 483 484 485 486
  // When we start an scroll animation, we stop any previous scroll animation.
  // However, the code that would deliver the onScrollEnd callback is watching
  // for animations to end using a Future that resolves at the end of the
  // microtask. That causes animations to "overlap" between the time we start a
  // new animation and the end of the microtask. By the time the microtask is
  // over and we check whether to deliver an onScrollEnd callback, we will have
  // started the new animation (having skipped the onScrollStart) and therefore
  // we won't deliver the onScrollEnd until the second animation is finished.
  int _numberOfInProgressScrolls = 0;
487

488 489 490 491
  /// Calls the onScroll callback.
  ///
  /// Subclasses can override this function to hook the scroll callback.
  void dispatchOnScroll() {
492
    assert(_numberOfInProgressScrolls > 0);
493 494
    if (config.onScroll != null)
      config.onScroll(_scrollOffset);
495
    new ScrollNotification(this, ScrollNotificationKind.updated).dispatch(context);
496 497
  }

498
  void _handleDragDown(_) {
499 500 501 502 503
    _stop();
  }

  void _stop() {
    assert(_controller.isAnimating || _simulation == null);
504
    _controller.stop();
505
    _simulation = null;
506 507 508
  }

  void _handleDragStart(_) {
509
    _startScroll();
510 511
  }

512 513 514
  void _startScroll() {
    _numberOfInProgressScrolls += 1;
    if (_numberOfInProgressScrolls == 1)
515 516 517
      dispatchOnScrollStart();
  }

518 519 520
  /// Calls the onScrollStart callback.
  ///
  /// Subclasses can override this function to hook the scroll start callback.
521
  void dispatchOnScrollStart() {
522
    assert(_numberOfInProgressScrolls == 1);
523 524
    if (config.onScrollStart != null)
      config.onScrollStart(_scrollOffset);
525
    new ScrollNotification(this, ScrollNotificationKind.started).dispatch(context);
526 527
  }

528 529 530 531
  void _handleDragUpdate(double delta) {
    scrollBy(pixelOffsetToScrollOffset(delta));
  }

532
  Future<Null> _handleDragEnd(Velocity velocity) {
533
    double scrollVelocity = pixelDeltaToScrollOffset(velocity.pixelsPerSecond) / Duration.MILLISECONDS_PER_SECOND;
Hans Muller's avatar
Hans Muller committed
534
    return fling(scrollVelocity).then(_endScroll);
535 536
  }

Ian Hickson's avatar
Ian Hickson committed
537
  Null _endScroll([Null _]) {
538
    _numberOfInProgressScrolls -= 1;
539 540
    if (_numberOfInProgressScrolls == 0) {
      _simulation = null;
541
      dispatchOnScrollEnd();
542
    }
Ian Hickson's avatar
Ian Hickson committed
543
    return null;
544 545
  }

546 547 548
  /// Calls the dispatchOnScrollEnd callback.
  ///
  /// Subclasses can override this function to hook the scroll end callback.
549
  void dispatchOnScrollEnd() {
550
    assert(_numberOfInProgressScrolls == 0);
551 552
    if (config.onScrollEnd != null)
      config.onScrollEnd(_scrollOffset);
553 554
    if (mounted)
      new ScrollNotification(this, ScrollNotificationKind.ended).dispatch(context);
555 556
  }

Ian Hickson's avatar
Ian Hickson committed
557
  final GlobalKey<RawGestureDetectorState> _gestureDetectorKey = new GlobalKey<RawGestureDetectorState>();
558

559
  @override
560 561 562 563 564
  Widget build(BuildContext context) {
    return new RawGestureDetector(
      key: _gestureDetectorKey,
      gestures: buildGestureDetectors(),
      behavior: HitTestBehavior.opaque,
565
      child: buildContent(context)
566
    );
567 568
  }

569 570 571 572 573 574 575 576 577 578
  /// Fixes up the gesture detector to listen to the appropriate
  /// gestures based on the current information about the layout.
  ///
  /// This method should be called from the
  /// [onPaintOffsetUpdateNeeded] or [onExtentsChanged] handler given
  /// to the [Viewport] or equivalent used by the subclass's
  /// [buildContent] method. See the [buildContent] method's
  /// description for details.
  void updateGestureDetector() {
    _gestureDetectorKey.currentState.replaceGestureRecognizers(buildGestureDetectors());
Hans Muller's avatar
Hans Muller committed
579 580
  }

581 582 583 584 585 586 587 588 589 590 591 592 593
  /// Return the gesture detectors, in the form expected by
  /// [RawGestureDetector.gestures] and
  /// [RawGestureDetectorState.replaceGestureRecognizers], that are
  /// applicable to this [Scrollable] in its current state.
  ///
  /// This is called by [build] and [updateGestureDetector].
  Map<Type, GestureRecognizerFactory> buildGestureDetectors() {
    if (scrollBehavior.isScrollable) {
      switch (config.scrollDirection) {
        case Axis.vertical:
          return <Type, GestureRecognizerFactory>{
            VerticalDragGestureRecognizer: (VerticalDragGestureRecognizer recognizer) {
              return (recognizer ??= new VerticalDragGestureRecognizer())
594
                ..onDown = _handleDragDown
595 596 597 598 599 600 601 602 603
                ..onStart = _handleDragStart
                ..onUpdate = _handleDragUpdate
                ..onEnd = _handleDragEnd;
            }
          };
        case Axis.horizontal:
          return <Type, GestureRecognizerFactory>{
            HorizontalDragGestureRecognizer: (HorizontalDragGestureRecognizer recognizer) {
              return (recognizer ??= new HorizontalDragGestureRecognizer())
604
                ..onDown = _handleDragDown
605 606 607 608 609 610 611 612
                ..onStart = _handleDragStart
                ..onUpdate = _handleDragUpdate
                ..onEnd = _handleDragEnd;
            }
          };
      }
    }
    return const <Type, GestureRecognizerFactory>{};
613
  }
614 615 616 617 618 619 620 621 622

  /// Subclasses should override this function to build the interior of their
  /// scrollable widget. Scrollable wraps the returned widget in a
  /// [GestureDetector] to observe the user's interaction with this widget and
  /// to adjust the scroll offset accordingly.
  ///
  /// The widgets used by this method should be widgets that provide a
  /// layout-time callback that reports the sizes that are relevant to
  /// the scroll offset (typically the size of the scrollable
Adam Barth's avatar
Adam Barth committed
623 624 625 626
  /// container and the scrolled contents). [Viewport] provides an
  /// [onPaintOffsetUpdateNeeded] callback for this purpose; [GridViewport],
  /// [ListViewport], [LazyListViewport], and [LazyBlockViewport] provide an
  /// [onExtentsChanged] callback for this purpose.
627 628 629 630 631
  ///
  /// This callback should be used to update the scroll behavior, if
  /// necessary, and then to call [updateGestureDetector] to update
  /// the gesture detectors accordingly.
  Widget buildContent(BuildContext context);
632 633
}

634 635 636 637 638 639 640 641 642 643 644 645 646 647 648 649
/// Indicates if a [ScrollNotification] indicates the start, end or the
/// middle of a scroll.
enum ScrollNotificationKind {
  /// The [ScrollNotification] indicates that the scrollOffset has been changed
  /// and no existing scroll is underway.
  started,

  /// The [ScrollNotification] indicates that the scrollOffset has been changed.
  updated,

  /// The [ScrollNotification] indicates that the scrollOffset has stopped changing.
  /// This may be because the fling animation that follows a drag gesture has
  /// completed or simply because the scrollOffset was reset.
  ended
}

650
/// Indicates that a descendant scrollable has scrolled.
651
class ScrollNotification extends Notification {
652 653 654 655
  ScrollNotification(this.scrollable, this.kind);

  // Indicates if we're at the start, end or the middle of a scroll.
  final ScrollNotificationKind kind;
656 657

  /// The scrollable that scrolled.
658 659 660
  final ScrollableState scrollable;
}

661
/// A simple scrollable widget that has a single child. Use this widget if
662 663
/// you are not worried about offscreen widgets consuming resources.
class ScrollableViewport extends Scrollable {
664 665
  ScrollableViewport({
    Key key,
666
    double initialScrollOffset,
667
    Axis scrollDirection: Axis.vertical,
668
    ViewportAnchor scrollAnchor: ViewportAnchor.start,
669 670
    ScrollListener onScrollStart,
    ScrollListener onScroll,
671 672
    ScrollListener onScrollEnd,
    this.child
673 674 675
  }) : super(
    key: key,
    scrollDirection: scrollDirection,
676
    scrollAnchor: scrollAnchor,
677
    initialScrollOffset: initialScrollOffset,
678 679 680
    onScrollStart: onScrollStart,
    onScroll: onScroll,
    onScrollEnd: onScrollEnd
681
  );
682

683
  /// The widget below this widget in the tree.
684
  final Widget child;
685

686
  @override
687
  ScrollableState createState() => new _ScrollableViewportState();
688
}
689

690
class _ScrollableViewportState extends ScrollableState<ScrollableViewport> {
691
  @override
692
  OverscrollWhenScrollableBehavior createScrollBehavior() => new OverscrollWhenScrollableBehavior();
693 694

  @override
695
  OverscrollWhenScrollableBehavior get scrollBehavior => super.scrollBehavior;
696

697 698
  double _viewportSize = 0.0;
  double _childSize = 0.0;
699 700 701 702 703 704 705 706

  Offset _handlePaintOffsetUpdateNeeded(ViewportDimensions dimensions) {
    // We make various state changes here but don't have to do so in a
    // setState() callback because we are called during layout and all
    // we're updating is the new offset, which we are providing to the
    // render object via our return value.
    _viewportSize = config.scrollDirection == Axis.vertical ? dimensions.containerSize.height : dimensions.containerSize.width;
    _childSize = config.scrollDirection == Axis.vertical ? dimensions.contentSize.height : dimensions.contentSize.width;
707
    didUpdateScrollBehavior(scrollBehavior.updateExtents(
708 709
      contentExtent: _childSize,
      containerExtent: _viewportSize,
Hixie's avatar
Hixie committed
710 711
      scrollOffset: scrollOffset
    ));
712 713
    updateGestureDetector();
    return scrollOffsetToPixelDelta(scrollOffset);
714 715
  }

716
  @override
717
  Widget buildContent(BuildContext context) {
718 719
    return new Viewport(
      paintOffset: scrollOffsetToPixelDelta(scrollOffset),
720
      mainAxis: config.scrollDirection,
721
      anchor: config.scrollAnchor,
722 723
      onPaintOffsetUpdateNeeded: _handlePaintOffsetUpdateNeeded,
      child: config.child
724 725 726 727
    );
  }
}

728
/// A mashup of [ScrollableViewport] and [BlockBody]. Useful when you have a small,
729 730
/// fixed number of children that you wish to arrange in a block layout and that
/// might exceed the height of its container (and therefore need to scroll).
Adam Barth's avatar
Adam Barth committed
731 732 733 734
///
/// If you have a large number of children, consider using [LazyBlock] (if the
/// children have variable height) or [ScrollableList] (if the children all have
/// the same fixed height).
735
class Block extends StatelessWidget {
736
  Block({
737
    Key key,
738
    this.children: const <Widget>[],
Hixie's avatar
Hixie committed
739
    this.padding,
740
    this.initialScrollOffset,
741
    this.scrollDirection: Axis.vertical,
742
    this.scrollAnchor: ViewportAnchor.start,
743
    this.onScrollStart,
744
    this.onScroll,
745
    this.onScrollEnd,
746
    this.scrollableKey
747
  }) : super(key: key) {
748
    assert(children != null);
749 750
    assert(!children.any((Widget child) => child == null));
  }
751 752

  final List<Widget> children;
753 754

  /// The amount of space by which to inset the children inside the viewport.
755
  final EdgeInsets padding;
756

757
  /// The scroll offset this widget should use when first created.
758
  final double initialScrollOffset;
759

760
  final Axis scrollDirection;
761
  final ViewportAnchor scrollAnchor;
762 763 764 765 766

  /// Called whenever this widget starts to scroll.
  final ScrollListener onScrollStart;

  /// Called whenever this widget's scroll offset changes.
767
  final ScrollListener onScroll;
768 769 770 771 772

  /// Called whenever this widget stops scrolling.
  final ScrollListener onScrollEnd;

  /// The key to use for the underlying scrollable widget.
773
  final Key scrollableKey;
774

775
  @override
776
  Widget build(BuildContext context) {
777
    Widget contents = new BlockBody(children: children, mainAxis: scrollDirection);
Hixie's avatar
Hixie committed
778 779
    if (padding != null)
      contents = new Padding(padding: padding, child: contents);
780
    return new ScrollableViewport(
781
      key: scrollableKey,
782
      initialScrollOffset: initialScrollOffset,
783
      scrollDirection: scrollDirection,
784
      scrollAnchor: scrollAnchor,
785
      onScrollStart: onScrollStart,
786
      onScroll: onScroll,
787
      onScrollEnd: onScrollEnd,
Hixie's avatar
Hixie committed
788
      child: contents
789 790 791
    );
  }
}