async.dart 21.7 KB
Newer Older
1 2 3 4 5 6 7 8 9 10
// Copyright 2017 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.

/// Widgets that handle interaction with asynchronous computations.
///
/// Asynchronous computations are represented by [Future]s and [Stream]s.

import 'dart:async' show Future, Stream, StreamSubscription;

11
import 'framework.dart';
12

13 14 15
// Examples can assume:
// dynamic _lot;

16 17 18 19 20 21 22 23 24 25 26 27 28 29 30 31 32 33 34 35
/// Base class for widgets that build themselves based on interaction with
/// a specified [Stream].
///
/// A [StreamBuilderBase] is stateful and maintains a summary of the interaction
/// so far. The type of the summary and how it is updated with each interaction
/// is defined by sub-classes.
///
/// Examples of summaries include:
///
/// * the running average of a stream of integers;
/// * the current direction and speed based on a stream of geolocation data;
/// * a graph displaying data points from a stream.
///
/// In general, the summary is the result of a fold computation over the data
/// items and errors received from the stream along with pseudo-events
/// representing termination or change of stream. The initial summary is
/// specified by sub-classes by overriding [initial]. The summary updates on
/// receipt of stream data and errors are specified by overriding [afterData] and
/// [afterError], respectively. If needed, the summary may be updated on stream
/// termination by overriding [afterDone]. Finally, the summary may be updated
36
/// on change of stream by overriding [afterDisconnected] and [afterConnected].
37 38
///
/// [T] is the type of stream events.
39
///
40 41 42 43 44 45 46 47
/// [S] is the type of interaction summary.
///
/// See also:
///
///  * [StreamBuilder], which is specialized to the case where only the most
///  recent interaction is needed for widget building.
abstract class StreamBuilderBase<T, S> extends StatefulWidget {
  /// Creates a [StreamBuilderBase] connected to the specified [stream].
48
  const StreamBuilderBase({ Key key, this.stream }) : super(key: key);
49 50

  /// The asynchronous computation to which this builder is currently connected,
51
  /// possibly null. When changed, the current summary is updated using
52 53
  /// [afterDisconnected], if the previous stream was not null, followed by
  /// [afterConnected], if the new stream is not null.
54 55 56 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 83 84 85 86 87 88 89 90 91 92 93 94 95 96 97 98 99 100 101 102 103 104 105 106
  final Stream<T> stream;

  /// Returns the initial summary of stream interaction, typically representing
  /// the fact that no interaction has happened at all.
  ///
  /// Sub-classes must override this method to provide the initial value for
  /// the fold computation.
  S initial();

  /// Returns an updated version of the [current] summary reflecting that we
  /// are now connected to a stream.
  ///
  /// The default implementation returns [current] as is.
  S afterConnected(S current) => current;

  /// Returns an updated version of the [current] summary following a data event.
  ///
  /// Sub-classes must override this method to specify how the current summary
  /// is combined with the new data item in the fold computation.
  S afterData(S current, T data);

  /// Returns an updated version of the [current] summary following an error.
  ///
  /// The default implementation returns [current] as is.
  S afterError(S current, Object error) => current;

  /// Returns an updated version of the [current] summary following stream
  /// termination.
  ///
  /// The default implementation returns [current] as is.
  S afterDone(S current) => current;

  /// Returns an updated version of the [current] summary reflecting that we
  /// are no longer connected to a stream.
  ///
  /// The default implementation returns [current] as is.
  S afterDisconnected(S current) => current;

  /// Returns a Widget based on the [currentSummary].
  Widget build(BuildContext context, S currentSummary);

  @override
  State<StreamBuilderBase<T, S>> createState() => new _StreamBuilderBaseState<T, S>();
}

/// State for [StreamBuilderBase].
class _StreamBuilderBaseState<T, S> extends State<StreamBuilderBase<T, S>> {
  StreamSubscription<T> _subscription;
  S _summary;

  @override
  void initState() {
    super.initState();
107
    _summary = widget.initial();
108 109 110 111
    _subscribe();
  }

  @override
112
  void didUpdateWidget(StreamBuilderBase<T, S> oldWidget) {
113
    super.didUpdateWidget(oldWidget);
114
    if (oldWidget.stream != widget.stream) {
115 116
      if (_subscription != null) {
        _unsubscribe();
117
        _summary = widget.afterDisconnected(_summary);
118 119 120 121 122 123
      }
      _subscribe();
    }
  }

  @override
124
  Widget build(BuildContext context) => widget.build(context, _summary);
125 126 127 128 129 130 131 132

  @override
  void dispose() {
    _unsubscribe();
    super.dispose();
  }

  void _subscribe() {
133 134
    if (widget.stream != null) {
      _subscription = widget.stream.listen((T data) {
135
        setState(() {
136
          _summary = widget.afterData(_summary, data);
137 138 139
        });
      }, onError: (Object error) {
        setState(() {
140
          _summary = widget.afterError(_summary, error);
141 142 143
        });
      }, onDone: () {
        setState(() {
144
          _summary = widget.afterDone(_summary);
145 146
        });
      });
147
      _summary = widget.afterConnected(_summary);
148 149 150 151 152 153 154 155 156 157 158 159 160 161 162 163 164 165 166
    }
  }

  void _unsubscribe() {
    if (_subscription != null) {
      _subscription.cancel();
      _subscription = null;
    }
  }
}

/// The state of connection to an asynchronous computation.
///
/// See also:
///
/// * [AsyncSnapshot], which augments a connection state with information
/// received from the asynchronous computation.
enum ConnectionState {
  /// Not currently connected to any asynchronous computation.
167 168
  ///
  /// For example, a [FutureBuilder] whose [FutureBuilder.future] is null.
169 170 171 172 173 174
  none,

  /// Connected to an asynchronous computation and awaiting interaction.
  waiting,

  /// Connected to an active asynchronous computation.
175 176 177
  ///
  /// For example, a [Stream] that has returned at least one value, but is not
  /// yet done.
178 179 180 181 182 183 184 185 186 187 188 189
  active,

  /// Connected to a terminated asynchronous computation.
  done,
}

/// Immutable representation of the most recent interaction with an asynchronous
/// computation.
///
/// See also:
///
/// * [StreamBuilder], which builds itself based on a snapshot from interacting
190
///   with a [Stream].
191
/// * [FutureBuilder], which builds itself based on a snapshot from interacting
192 193
///   with a [Future].
@immutable
194 195 196
class AsyncSnapshot<T> {
  /// Creates an [AsyncSnapshot] with the specified [connectionState],
  /// and optionally either [data] or [error] (but not both).
197 198 199
  const AsyncSnapshot._(this.connectionState, this.data, this.error)
      : assert(connectionState != null),
        assert(!(data != null && error != null));
200

201
  /// Creates an [AsyncSnapshot] in [ConnectionState.none] with null data and error.
202
  const AsyncSnapshot.nothing() : this._(ConnectionState.none, null, null);
203 204

  /// Creates an [AsyncSnapshot] in the specified [state] and with the specified [data].
205
  const AsyncSnapshot.withData(ConnectionState state, T data) : this._(state, data, null);
206 207

  /// Creates an [AsyncSnapshot] in the specified [state] and with the specified [error].
208
  const AsyncSnapshot.withError(ConnectionState state, Object error) : this._(state, null, error);
209 210 211 212

  /// Current state of connection to the asynchronous computation.
  final ConnectionState connectionState;

213 214 215 216 217 218 219 220 221
  /// The latest data received by the asynchronous computation.
  ///
  /// If this is non-null, [hasData] will be true.
  ///
  /// If [error] is not null, this will be null. See [hasError].
  ///
  /// If the asynchronous computation has never returned a value, this may be
  /// set to an initial data value specified by the relevant widget. See
  /// [FutureBuilder.initialData] and [StreamBuilder.initialData].
222 223
  final T data;

224 225 226 227 228 229 230 231 232 233 234 235
  /// Returns latest data received, failing if there is no data.
  ///
  /// Throws [error], if [hasError]. Throws [StateError], if neither [hasData]
  /// nor [hasError].
  T get requireData {
    if (hasData)
      return data;
    if (hasError)
      throw error;
    throw new StateError('Snapshot has neither data nor error');
  }

236 237 238 239 240
  /// The latest error object received by the asynchronous computation.
  ///
  /// If this is non-null, [hasError] will be true.
  ///
  /// If [data] is not null, this will be null.
241 242 243
  final Object error;

  /// Returns a snapshot like this one, but in the specified [state].
244 245 246
  ///
  /// The [data] and [error] fields persist unmodified, even if the new state is
  /// [ConnectionState.none].
247 248
  AsyncSnapshot<T> inState(ConnectionState state) => new AsyncSnapshot<T>._(state, data, error);

249 250 251 252 253 254
  /// Returns whether this snapshot contains a non-null [data] value.
  ///
  /// This can be false even when the asynchronous computation has completed
  /// successfully, if the computation did not return a non-null value. For
  /// example, a [Future<void>] will complete with the null value even if it
  /// completes successfully.
255 256
  bool get hasData => data != null;

257 258 259 260
  /// Returns whether this snapshot contains a non-null [error] value.
  ///
  /// This is always true if the asynchronous computation's last result was
  /// failure.
261 262 263
  bool get hasError => error != null;

  @override
264
  String toString() => '$runtimeType($connectionState, $data, $error)';
265 266 267 268 269 270 271 272 273 274 275 276 277 278 279 280 281 282 283 284 285 286 287 288 289 290

  @override
  bool operator ==(dynamic other) {
    if (identical(this, other))
      return true;
    if (other is! AsyncSnapshot<T>)
      return false;
    final AsyncSnapshot<T> typedOther = other;
    return connectionState == typedOther.connectionState
        && data == typedOther.data
        && error == typedOther.error;
  }

  @override
  int get hashCode => hashValues(connectionState, data, error);
}

/// Signature for strategies that build widgets based on asynchronous
/// interaction.
///
/// See also:
///
/// * [StreamBuilder], which delegates to an [AsyncWidgetBuilder] to build
/// itself based on a snapshot from interacting with a [Stream].
/// * [FutureBuilder], which delegates to an [AsyncWidgetBuilder] to build
/// itself based on a snapshot from interacting with a [Future].
291
typedef Widget AsyncWidgetBuilder<T>(BuildContext context, AsyncSnapshot<T> snapshot);
292 293 294 295 296

/// Widget that builds itself based on the latest snapshot of interaction with
/// a [Stream].
///
/// Widget rebuilding is scheduled by each interaction, using [State.setState],
297
/// but is otherwise decoupled from the timing of the stream. The [builder]
298 299 300 301 302
/// is called at the discretion of the Flutter pipeline, and will thus receive a
/// timing-dependent sub-sequence of the snapshots that represent the
/// interaction with the stream.
///
/// As an example, when interacting with a stream producing the integers
303
/// 0 through 9, the [builder] may be called with any ordered sub-sequence
304 305 306
/// of the following snapshots that includes the last one (the one with
/// ConnectionState.done):
///
307 308 309
/// * `new AsyncSnapshot<int>.withData(ConnectionState.waiting, null)`
/// * `new AsyncSnapshot<int>.withData(ConnectionState.active, 0)`
/// * `new AsyncSnapshot<int>.withData(ConnectionState.active, 1)`
310
/// * ...
311 312
/// * `new AsyncSnapshot<int>.withData(ConnectionState.active, 9)`
/// * `new AsyncSnapshot<int>.withData(ConnectionState.done, 9)`
313
///
314 315 316
/// The actual sequence of invocations of the [builder] depends on the relative
/// timing of events produced by the stream and the build rate of the Flutter
/// pipeline.
317 318
///
/// Changing the [StreamBuilder] configuration to another stream during event
319
/// generation introduces snapshot pairs of the form:
320
///
321 322
/// * `new AsyncSnapshot<int>.withData(ConnectionState.none, 5)`
/// * `new AsyncSnapshot<int>.withData(ConnectionState.waiting, 5)`
323
///
324 325
/// The latter will be produced only when the new stream is non-null, and the
/// former only when the old stream is non-null.
326
///
327
/// The stream may produce errors, resulting in snapshots of the form:
328
///
329
/// * `new AsyncSnapshot<int>.withError(ConnectionState.active, 'some error')`
330 331 332 333
///
/// The data and error fields of snapshots produced are only changed when the
/// state is `ConnectionState.active`.
///
334 335 336 337 338
/// The initial snapshot data can be controlled by specifying [initialData].
/// You would use this facility to ensure that if the [builder] is invoked
/// before the first event arrives on the stream, the snapshot carries data of
/// your choice rather than the default null value.
///
339 340 341 342
/// See also:
///
/// * [StreamBuilderBase], which supports widget building based on a computation
/// that spans all interactions made with the stream.
343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362
///
/// ## Sample code
///
/// This sample shows a [StreamBuilder] configuring a text label to show the
/// latest bid received for a lot in an auction. Assume the `_lot` field is
/// set by a selector elsewhere in the UI.
///
/// ```dart
/// new StreamBuilder<int>(
///   stream: _lot?.bids, // a Stream<int> or null
///   builder: (BuildContext context, AsyncSnapshot<int> snapshot) {
///     if (snapshot.hasError)
///       return new Text('Error: ${snapshot.error}');
///     switch (snapshot.connectionState) {
///       case ConnectionState.none: return new Text('Select lot');
///       case ConnectionState.waiting: return new Text('Awaiting bids...');
///       case ConnectionState.active: return new Text('\$${snapshot.data}');
///       case ConnectionState.done: return new Text('\$${snapshot.data} (closed)');
///     }
///   },
363
/// )
364
/// ```
365 366 367
class StreamBuilder<T> extends StreamBuilderBase<T, AsyncSnapshot<T>> {
  /// Creates a new [StreamBuilder] that builds itself based on the latest
  /// snapshot of interaction with the specified [stream] and whose build
368 369
  /// strategy is given by [builder]. The [initialData] is used to create the
  /// initial snapshot. It is null by default.
370
  const StreamBuilder({
371
    Key key,
372
    this.initialData,
373 374
    Stream<T> stream,
    @required this.builder
375 376 377
  })
      : assert(builder != null),
        super(key: key, stream: stream);
378

379
  /// The build strategy currently used by this builder. Cannot be null.
380 381
  final AsyncWidgetBuilder<T> builder;

382 383 384
  /// The data that will be used to create the initial snapshot. Null by default.
  final T initialData;

385
  @override
386
  AsyncSnapshot<T> initial() => new AsyncSnapshot<T>.withData(ConnectionState.none, initialData);
387 388 389 390 391 392 393 394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415

  @override
  AsyncSnapshot<T> afterConnected(AsyncSnapshot<T> current) => current.inState(ConnectionState.waiting);

  @override
  AsyncSnapshot<T> afterData(AsyncSnapshot<T> current, T data) {
    return new AsyncSnapshot<T>.withData(ConnectionState.active, data);
  }

  @override
  AsyncSnapshot<T> afterError(AsyncSnapshot<T> current, Object error) {
    return new AsyncSnapshot<T>.withError(ConnectionState.active, error);
  }

  @override
  AsyncSnapshot<T> afterDone(AsyncSnapshot<T> current) => current.inState(ConnectionState.done);

  @override
  AsyncSnapshot<T> afterDisconnected(AsyncSnapshot<T> current) => current.inState(ConnectionState.none);

  @override
  Widget build(BuildContext context, AsyncSnapshot<T> currentSummary) => builder(context, currentSummary);
}

/// Widget that builds itself based on the latest snapshot of interaction with
/// a [Future].
///
/// Widget rebuilding is scheduled by the completion of the future, using
/// [State.setState], but is otherwise decoupled from the timing of the future.
416
/// The [builder] callback is called at the discretion of the Flutter pipeline, and
417 418 419
/// will thus receive a timing-dependent sub-sequence of the snapshots that
/// represent the interaction with the future.
///
420 421 422
/// For a future that completes successfully with data, assuming [initialData]
/// is null, the [builder] will be called with either both or only the latter of
/// the following snapshots:
423
///
424 425
/// * `new AsyncSnapshot<String>.withData(ConnectionState.waiting, null)`
/// * `new AsyncSnapshot<String>.withData(ConnectionState.done, 'some data')`
426
///
427 428
/// If that same future instead completed with an error, the [builder] would be
/// called with either both or only the latter of:
429
///
430 431
/// * `new AsyncSnapshot<String>.withData(ConnectionState.waiting, null)`
/// * `new AsyncSnapshot<String>.withError(ConnectionState.done, 'some error')`
432
///
433 434 435 436 437
/// The initial snapshot data can be controlled by specifying [initialData]. You
/// would use this facility to ensure that if the [builder] is invoked before
/// the future completes, the snapshot carries data of your choice rather than
/// the default null value.
///
438 439 440 441 442 443
/// The data and error fields of the snapshot change only as the connection
/// state field transitions from `waiting` to `done`, and they will be retained
/// when changing the [FutureBuilder] configuration to another future. If the
/// old future has already completed successfully with data as above, changing
/// configuration to a new future results in snapshot pairs of the form:
///
444 445
/// * `new AsyncSnapshot<String>.withData(ConnectionState.none, 'data of first future')`
/// * `new AsyncSnapshot<String>.withData(ConnectionState.waiting, 'data of second future')`
446 447
///
/// In general, the latter will be produced only when the new future is
448
/// non-null, and the former only when the old future is non-null.
449 450 451 452
///
/// A [FutureBuilder] behaves identically to a [StreamBuilder] configured with
/// `future?.asStream()`, except that snapshots with `ConnectionState.active`
/// may appear for the latter, depending on how the stream is implemented.
453 454 455
///
/// ## Sample code
///
456 457 458
/// This sample shows a [FutureBuilder] configuring a text label to show the
/// state of an asynchronous calculation returning a string. Assume the
/// `_calculation` field is set by pressing a button elsewhere in the UI.
459 460
///
/// ```dart
461 462 463
/// new FutureBuilder<String>(
///   future: _calculation, // a Future<String> or null
///   builder: (BuildContext context, AsyncSnapshot<String> snapshot) {
464 465 466 467 468 469 470 471 472
///     switch (snapshot.connectionState) {
///       case ConnectionState.none: return new Text('Press button to start');
///       case ConnectionState.waiting: return new Text('Awaiting result...');
///       default:
///         if (snapshot.hasError)
///           return new Text('Error: ${snapshot.error}');
///         else
///           return new Text('Result: ${snapshot.data}');
///     }
473
///   },
474
/// )
475
/// ```
476
class FutureBuilder<T> extends StatefulWidget {
477 478 479 480
  /// Creates a widget that builds itself based on the latest snapshot of
  /// interaction with a [Future].
  ///
  /// The [builder] must not be null.
481
  const FutureBuilder({
482 483
    Key key,
    this.future,
484
    this.initialData,
485
    @required this.builder
486 487
  }) : assert(builder != null),
       super(key: key);
488 489

  /// The asynchronous computation to which this builder is currently connected,
490
  /// possibly null.
491 492 493
  ///
  /// If no future has yet completed, including in the case where [future] is
  /// null, the data provided to the [builder] will be set to [initialData].
494 495
  final Future<T> future;

496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511 512 513 514 515
  /// The build strategy currently used by this builder.
  ///
  /// The builder is provided with an [AsyncSnapshot] object whose
  /// [AsyncSnapshot.connectionState] property will be one of the following
  /// values:
  ///
  ///  * [ConnectionState.none]: [future] is null. The [AsyncSnapshot.data] will
  ///    be set to [initialData], unless a future has previously completed, in
  ///    which case the previous result persists.
  ///
  ///  * [ConnectionState.waiting]: [future] is not null, but has not yet
  ///    completed. The [AsyncSnapshot.data] will be set to [initialData],
  ///    unless a future has previously completed, in which case the previous
  ///    result persists.
  ///
  ///  * [ConnectionState.done]: [future] is not null, and has completed. If the
  ///    future completed successfully, the [AsyncSnapshot.data] will be set to
  ///    the value to which the future completed. If it completed with an error,
  ///    [AsyncSnapshot.hasError] will be true and [AsyncSnapshot.error] will be
  ///    set to the error object.
516 517
  final AsyncWidgetBuilder<T> builder;

518 519 520 521 522 523 524
  /// The data that will be used to create the snapshots provided until a
  /// non-null [future] has completed.
  ///
  /// If the future completes with an error, the data in the [AsyncSnapshot]
  /// provided to the [builder] will become null, regardless of [initialData].
  /// (The error itself will be available in [AsyncSnapshot.error], and
  /// [AsyncSnapshot.hasError] will be true.)
525 526
  final T initialData;

527 528 529 530 531 532 533 534 535 536
  @override
  State<FutureBuilder<T>> createState() => new _FutureBuilderState<T>();
}

/// State for [FutureBuilder].
class _FutureBuilderState<T> extends State<FutureBuilder<T>> {
  /// An object that identifies the currently active callbacks. Used to avoid
  /// calling setState from stale callbacks, e.g. after disposal of this state,
  /// or after widget reconfiguration to a new Future.
  Object _activeCallbackIdentity;
537
  AsyncSnapshot<T> _snapshot;
538 539 540 541

  @override
  void initState() {
    super.initState();
542
    _snapshot = new AsyncSnapshot<T>.withData(ConnectionState.none, widget.initialData);
543 544 545 546
    _subscribe();
  }

  @override
547
  void didUpdateWidget(FutureBuilder<T> oldWidget) {
548
    super.didUpdateWidget(oldWidget);
549
    if (oldWidget.future != widget.future) {
550 551 552 553 554 555 556 557 558
      if (_activeCallbackIdentity != null) {
        _unsubscribe();
        _snapshot = _snapshot.inState(ConnectionState.none);
      }
      _subscribe();
    }
  }

  @override
559
  Widget build(BuildContext context) => widget.builder(context, _snapshot);
560 561 562 563 564 565 566 567

  @override
  void dispose() {
    _unsubscribe();
    super.dispose();
  }

  void _subscribe() {
568
    if (widget.future != null) {
569 570
      final Object callbackIdentity = new Object();
      _activeCallbackIdentity = callbackIdentity;
571
      widget.future.then<void>((T data) {
572 573 574 575 576 577 578 579 580 581 582 583 584 585 586 587 588 589 590 591
        if (_activeCallbackIdentity == callbackIdentity) {
          setState(() {
            _snapshot = new AsyncSnapshot<T>.withData(ConnectionState.done, data);
          });
        }
      }, onError: (Object error) {
        if (_activeCallbackIdentity == callbackIdentity) {
          setState(() {
            _snapshot = new AsyncSnapshot<T>.withError(ConnectionState.done, error);
          });
        }
      });
      _snapshot = _snapshot.inState(ConnectionState.waiting);
    }
  }

  void _unsubscribe() {
    _activeCallbackIdentity = null;
  }
}