nav_bar.dart 86.6 KB
Newer Older
Ian Hickson's avatar
Ian Hickson committed
1
// Copyright 2014 The Flutter Authors. All rights reserved.
2 3 4
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.

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

import 'package:flutter/foundation.dart';
9
import 'package:flutter/rendering.dart';
10
import 'package:flutter/services.dart';
11 12
import 'package:flutter/widgets.dart';

13
import 'button.dart';
14
import 'colors.dart';
15
import 'constants.dart';
16
import 'icons.dart';
17
import 'page_scaffold.dart';
18
import 'route.dart';
xster's avatar
xster committed
19
import 'theme.dart';
20

21
/// Standard iOS navigation bar height without the status bar.
22 23
///
/// This height is constant and independent of accessibility as it is in iOS.
24
const double _kNavBarPersistentHeight = kMinInteractiveDimensionCupertino;
25

26
/// Size increase from expanding the navigation bar into an iOS-11-style large title
27
/// form in a [CustomScrollView].
28
const double _kNavBarLargeTitleHeightExtension = 52.0;
29 30

/// Number of logical pixels scrolled down before the title text is transferred
31
/// from the normal navigation bar to a big title below the navigation bar.
32 33 34 35
const double _kNavBarShowLargeTitleThreshold = 10.0;

const double _kNavBarEdgePadding = 16.0;

36 37
const double _kNavBarBottomPadding = 8.0;

38 39
const double _kNavBarBackButtonTapWidth = 50.0;

40
/// Title text transfer fade.
41
const Duration _kNavBarTitleFadeDuration = Duration(milliseconds: 150);
42

43
const Color _kDefaultNavBarBorderColor = Color(0x4D000000);
44

45 46
const Border _kDefaultNavBarBorder = Border(
  bottom: BorderSide(
47
    color: _kDefaultNavBarBorderColor,
48
    width: 0.0, // 0.0 means one physical pixel
49 50 51
  ),
);

52 53
// There's a single tag for all instances of navigation bars because they can
// all transition between each other (per Navigator) via Hero transitions.
54
const _HeroTag _defaultHeroTag = _HeroTag(null);
55

56
@immutable
57
class _HeroTag {
58 59
  const _HeroTag(this.navigator);

60
  final NavigatorState? navigator;
61

62 63
  // Let the Hero tag be described in tree dumps.
  @override
64 65 66 67 68 69 70 71 72 73
  String toString() => 'Default Hero tag for Cupertino navigation bars with navigator $navigator';

  @override
  bool operator ==(Object other) {
    if (identical(this, other)) {
      return true;
    }
    if (other.runtimeType != runtimeType) {
      return false;
    }
74 75
    return other is _HeroTag
        && other.navigator == navigator;
76 77 78
  }

  @override
79
  int get hashCode => identityHashCode(navigator);
80 81
}

82 83 84 85 86 87 88 89 90
// An `AnimatedWidget` that imposes a fixed size on its child widget, and
// shifts the child widget in the parent stack, driven by its `offsetAnimation`
// property.
class _FixedSizeSlidingTransition extends AnimatedWidget {
  const _FixedSizeSlidingTransition({
    required this.isLTR,
    required this.offsetAnimation,
    required this.size,
    required this.child,
91
  }) : super(listenable: offsetAnimation);
92 93 94 95 96 97 98 99 100 101 102 103 104 105 106 107 108 109 110 111 112 113 114 115 116 117 118 119 120 121 122 123 124 125 126

  // Whether the writing direction used in the navigation bar transition is
  // left-to-right.
  final bool isLTR;

  // The fixed size to impose on `child`.
  final Size size;

  // The animated offset from the top-leading corner of the stack.
  //
  // When `isLTR` is true, the `Offset` is the position of the child widget in
  // the stack render box's regular coordinate space.
  //
  // When `isLTR` is false, the coordinate system is flipped around the
  // horizontal axis and the origin is set to the top right corner of the render
  // boxes. In other words, this parameter describes the offset from the top
  // right corner of the stack, to the top right corner of the child widget, and
  // the x-axis runs right to left.
  final Animation<Offset> offsetAnimation;

  final Widget child;

  @override
  Widget build(BuildContext context) {
    return Positioned(
      top: offsetAnimation.value.dy,
      left: isLTR ? offsetAnimation.value.dx : null,
      right: isLTR ? null : offsetAnimation.value.dx,
      width: size.width,
      height: size.height,
      child: child,
    );
  }
}

127 128 129 130 131 132
/// Returns `child` wrapped with background and a bottom border if background color
/// is opaque. Otherwise, also blur with [BackdropFilter].
///
/// When `updateSystemUiOverlay` is true, the nav bar will update the OS
/// status bar's color theme based on the background color of the nav bar.
Widget _wrapWithBackground({
133 134 135 136
  Border? border,
  required Color backgroundColor,
  Brightness? brightness,
  required Widget child,
137 138 139 140
  bool updateSystemUiOverlay = true,
}) {
  Widget result = child;
  if (updateSystemUiOverlay) {
141 142
    final bool isDark = backgroundColor.computeLuminance() < 0.179;
    final Brightness newBrightness = brightness ?? (isDark ? Brightness.dark : Brightness.light);
143
    final SystemUiOverlayStyle overlayStyle;
144 145 146 147 148 149 150 151
    switch (newBrightness) {
      case Brightness.dark:
        overlayStyle = SystemUiOverlayStyle.light;
        break;
      case Brightness.light:
        overlayStyle = SystemUiOverlayStyle.dark;
        break;
    }
152
    result = AnnotatedRegion<SystemUiOverlayStyle>(
153 154 155 156
      value: overlayStyle,
      child: result,
    );
  }
157 158
  final DecoratedBox childWithBackground = DecoratedBox(
    decoration: BoxDecoration(
159 160 161 162 163 164
      border: border,
      color: backgroundColor,
    ),
    child: result,
  );

165
  if (backgroundColor.alpha == 0xFF) {
166
    return childWithBackground;
167
  }
168

169 170 171
  return ClipRect(
    child: BackdropFilter(
      filter: ImageFilter.blur(sigmaX: 10.0, sigmaY: 10.0),
172 173 174 175 176 177 178
      child: childWithBackground,
    ),
  );
}

// Whether the current route supports nav bar hero transitions from or to.
bool _isTransitionable(BuildContext context) {
179
  final ModalRoute<dynamic>? route = ModalRoute.of(context);
180 181 182 183 184 185 186

  // Fullscreen dialogs never transitions their nav bar with other push-style
  // pages' nav bars or with other fullscreen dialog pages on the way in or on
  // the way out.
  return route is PageRoute && !route.fullscreenDialog;
}

187
/// An iOS-styled navigation bar.
188 189 190 191 192 193 194
///
/// The navigation bar is a toolbar that minimally consists of a widget, normally
/// a page title, in the [middle] of the toolbar.
///
/// It also supports a [leading] and [trailing] widget before and after the
/// [middle] widget while keeping the [middle] widget centered.
///
195 196 197 198
/// The [leading] widget will automatically be a back chevron icon button (or a
/// close button in case of a fullscreen dialog) to pop the current route if none
/// is provided and [automaticallyImplyLeading] is true (true by default).
///
199
/// The [middle] widget will automatically be a title text from the current
200 201
/// [CupertinoPageRoute] if none is provided and [automaticallyImplyMiddle] is
/// true (true by default).
202
///
203 204 205 206 207
/// It should be placed at top of the screen and automatically accounts for
/// the OS's status bar.
///
/// If the given [backgroundColor]'s opacity is not 1.0 (which is the case by
/// default), it will produce a blurring effect to the content behind it.
208
///
209
/// When [transitionBetweenRoutes] is true, this navigation bar will transition
210
/// on top of the routes instead of inside them if the route being transitioned
211 212 213 214 215
/// to also has a [CupertinoNavigationBar] or a [CupertinoSliverNavigationBar]
/// with [transitionBetweenRoutes] set to true. If [transitionBetweenRoutes] is
/// true, none of the [Widget] parameters can contain a key in its subtree since
/// that widget will exist in multiple places in the tree simultaneously.
///
216 217 218 219 220
/// By default, only one [CupertinoNavigationBar] or [CupertinoSliverNavigationBar]
/// should be present in each [PageRoute] to support the default transitions.
/// Use [transitionBetweenRoutes] or [heroTag] to customize the transition
/// behavior for multiple navigation bars per route.
///
221 222 223 224 225 226 227 228
/// When used in a [CupertinoPageScaffold], [CupertinoPageScaffold.navigationBar]
/// has its text scale factor set to 1.0 and does not respond to text scale factor
/// changes from the operating system, to match the native iOS behavior. To override
/// this behavior, wrap each of the `navigationBar`'s components inside a [MediaQuery]
/// with the desired [MediaQueryData.textScaleFactor] value. The text scale factor
/// value from the operating system can be retrieved in many ways, such as querying
/// [MediaQuery.textScaleFactorOf] against [CupertinoApp]'s [BuildContext].
///
229
/// {@tool dartpad}
230 231 232 233
/// This example shows a [CupertinoNavigationBar] placed in a [CupertinoPageScaffold].
/// Since [backgroundColor]'s opacity is not 1.0, there is a blur effect and
/// content slides underneath.
///
234
/// ** See code in examples/api/lib/cupertino/nav_bar/cupertino_navigation_bar.0.dart **
235 236
/// {@end-tool}
///
237 238
/// See also:
///
239 240 241 242
///  * [CupertinoPageScaffold], a page layout helper typically hosting the
///    [CupertinoNavigationBar].
///  * [CupertinoSliverNavigationBar] for a navigation bar to be placed in a
///    scrolling list and that supports iOS-11-style large titles.
243
///  * <https://developer.apple.com/design/human-interface-guidelines/ios/bars/navigation-bars/>
244
class CupertinoNavigationBar extends StatefulWidget implements ObstructingPreferredSizeWidget {
245
  /// Creates a navigation bar in the iOS style.
246
  const CupertinoNavigationBar({
247
    super.key,
248
    this.leading,
249
    this.automaticallyImplyLeading = true,
250 251
    this.automaticallyImplyMiddle = true,
    this.previousPageTitle,
252
    this.middle,
253
    this.trailing,
254
    this.border = _kDefaultNavBarBorder,
xster's avatar
xster committed
255
    this.backgroundColor,
256
    this.brightness,
257
    this.padding,
258 259
    this.transitionBetweenRoutes = true,
    this.heroTag = _defaultHeroTag,
260
  }) : assert(automaticallyImplyLeading != null),
261
       assert(automaticallyImplyMiddle != null),
262 263 264 265
       assert(transitionBetweenRoutes != null),
       assert(
         heroTag != null,
         'heroTag cannot be null. Use transitionBetweenRoutes = false to '
266
         'disable Hero transition on this navigation bar.',
267 268 269 270
       ),
       assert(
         !transitionBetweenRoutes || identical(heroTag, _defaultHeroTag),
         'Cannot specify a heroTag override if this navigation bar does not '
271
         'transition due to transitionBetweenRoutes = false.',
272
       );
273

274
  /// {@template flutter.cupertino.CupertinoNavigationBar.leading}
275
  /// Widget to place at the start of the navigation bar. Normally a back button
276
  /// for a normal page or a cancel button for full page dialogs.
277 278 279 280
  ///
  /// If null and [automaticallyImplyLeading] is true, an appropriate button
  /// will be automatically created.
  /// {@endtemplate}
281
  final Widget? leading;
282

283
  /// {@template flutter.cupertino.CupertinoNavigationBar.automaticallyImplyLeading}
284 285 286 287 288
  /// Controls whether we should try to imply the leading widget if null.
  ///
  /// If true and [leading] is null, automatically try to deduce what the [leading]
  /// widget should be. If [leading] widget is not null, this parameter has no effect.
  ///
289 290 291 292 293 294 295 296 297
  /// Specifically this navigation bar will:
  ///
  /// 1. Show a 'Close' button if the current route is a `fullscreenDialog`.
  /// 2. Show a back chevron with [previousPageTitle] if [previousPageTitle] is
  ///    not null.
  /// 3. Show a back chevron with the previous route's `title` if the current
  ///    route is a [CupertinoPageRoute] and the previous route is also a
  ///    [CupertinoPageRoute].
  ///
298
  /// This value cannot be null.
299
  /// {@endtemplate}
300 301
  final bool automaticallyImplyLeading;

302 303 304 305 306 307 308 309 310
  /// Controls whether we should try to imply the middle widget if null.
  ///
  /// If true and [middle] is null, automatically fill in a [Text] widget with
  /// the current route's `title` if the route is a [CupertinoPageRoute].
  /// If [middle] widget is not null, this parameter has no effect.
  ///
  /// This value cannot be null.
  final bool automaticallyImplyMiddle;

311
  /// {@template flutter.cupertino.CupertinoNavigationBar.previousPageTitle}
312 313 314 315 316 317 318 319 320 321
  /// Manually specify the previous route's title when automatically implying
  /// the leading back button.
  ///
  /// Overrides the text shown with the back chevron instead of automatically
  /// showing the previous [CupertinoPageRoute]'s `title` when
  /// [automaticallyImplyLeading] is true.
  ///
  /// Has no effect when [leading] is not null or if [automaticallyImplyLeading]
  /// is false.
  /// {@endtemplate}
322
  final String? previousPageTitle;
323

324
  /// Widget to place in the middle of the navigation bar. Normally a title or
325
  /// a segmented control.
326 327 328 329
  ///
  /// If null and [automaticallyImplyMiddle] is true, an appropriate [Text]
  /// title will be created if the current route is a [CupertinoPageRoute] and
  /// has a `title`.
330
  final Widget? middle;
331

332
  /// {@template flutter.cupertino.CupertinoNavigationBar.trailing}
333
  /// Widget to place at the end of the navigation bar. Normally additional actions
334
  /// taken on the page such as a search or edit function.
335
  /// {@endtemplate}
336
  final Widget? trailing;
337

338 339
  // TODO(xster): https://github.com/flutter/flutter/issues/10469 implement
  // support for double row navigation bars.
340

341
  /// {@template flutter.cupertino.CupertinoNavigationBar.backgroundColor}
342
  /// The background color of the navigation bar. If it contains transparency, the
343 344
  /// tab bar will automatically produce a blurring effect to the content
  /// behind it.
xster's avatar
xster committed
345 346
  ///
  /// Defaults to [CupertinoTheme]'s `barBackgroundColor` if null.
347
  /// {@endtemplate}
348
  final Color? backgroundColor;
349

350
  /// {@template flutter.cupertino.CupertinoNavigationBar.brightness}
351 352 353 354 355 356 357 358 359
  /// The brightness of the specified [backgroundColor].
  ///
  /// Setting this value changes the style of the system status bar. Typically
  /// used to increase the contrast ratio of the system status bar over
  /// [backgroundColor].
  ///
  /// If set to null, the value of the property will be inferred from the relative
  /// luminance of [backgroundColor].
  /// {@endtemplate}
360
  final Brightness? brightness;
361

362
  /// {@template flutter.cupertino.CupertinoNavigationBar.padding}
363 364 365 366 367 368 369 370 371 372 373
  /// Padding for the contents of the navigation bar.
  ///
  /// If null, the navigation bar will adopt the following defaults:
  ///
  ///  * Vertically, contents will be sized to the same height as the navigation
  ///    bar itself minus the status bar.
  ///  * Horizontally, padding will be 16 pixels according to iOS specifications
  ///    unless the leading widget is an automatically inserted back button, in
  ///    which case the padding will be 0.
  ///
  /// Vertical padding won't change the height of the nav bar.
374
  /// {@endtemplate}
375
  final EdgeInsetsDirectional? padding;
376

377
  /// {@template flutter.cupertino.CupertinoNavigationBar.border}
378 379 380
  /// The border of the navigation bar. By default renders a single pixel bottom border side.
  ///
  /// If a border is null, the navigation bar will not display a border.
381
  /// {@endtemplate}
382
  final Border? border;
383

384
  /// {@template flutter.cupertino.CupertinoNavigationBar.transitionBetweenRoutes}
385 386 387 388 389 390 391
  /// Whether to transition between navigation bars.
  ///
  /// When [transitionBetweenRoutes] is true, this navigation bar will transition
  /// on top of the routes instead of inside it if the route being transitioned
  /// to also has a [CupertinoNavigationBar] or a [CupertinoSliverNavigationBar]
  /// with [transitionBetweenRoutes] set to true.
  ///
xster's avatar
xster committed
392 393 394 395
  /// This transition will also occur on edge back swipe gestures like on iOS
  /// but only if the previous page below has `maintainState` set to true on the
  /// [PageRoute].
  ///
396 397 398 399 400 401 402
  /// When set to true, only one navigation bar can be present per route unless
  /// [heroTag] is also set.
  ///
  /// This value defaults to true and cannot be null.
  /// {@endtemplate}
  final bool transitionBetweenRoutes;

403
  /// {@template flutter.cupertino.CupertinoNavigationBar.heroTag}
404 405 406
  /// Tag for the navigation bar's Hero widget if [transitionBetweenRoutes] is true.
  ///
  /// Defaults to a common tag between all [CupertinoNavigationBar] and
407 408 409 410 411 412 413
  /// [CupertinoSliverNavigationBar] instances of the same [Navigator]. With the
  /// default tag, all navigation bars of the same navigator can transition
  /// between each other as long as there's only one navigation bar per route.
  ///
  /// This [heroTag] can be overridden to manually handle having multiple
  /// navigation bars per route or to transition between multiple
  /// [Navigator]s.
414 415 416 417 418 419
  ///
  /// Cannot be null. To disable Hero transitions for this navigation bar,
  /// set [transitionBetweenRoutes] to false.
  /// {@endtemplate}
  final Object heroTag;

420
  /// True if the navigation bar's background color has no transparency.
421
  @override
422
  bool shouldFullyObstruct(BuildContext context) {
423
    final Color backgroundColor = CupertinoDynamicColor.maybeResolve(this.backgroundColor, context)
424 425 426
                               ?? CupertinoTheme.of(context).barBackgroundColor;
    return backgroundColor.alpha == 0xFF;
  }
427

428
  @override
429
  Size get preferredSize {
430
    return const Size.fromHeight(_kNavBarPersistentHeight);
431
  }
432

433
  @override
434
  State<CupertinoNavigationBar> createState() => _CupertinoNavigationBarState();
435 436 437 438 439 440
}

// A state class exists for the nav bar so that the keys of its sub-components
// don't change when rebuilding the nav bar, causing the sub-components to
// lose their own states.
class _CupertinoNavigationBarState extends State<CupertinoNavigationBar> {
441
  late _NavigationBarStaticComponentsKeys keys;
442 443 444 445

  @override
  void initState() {
    super.initState();
446
    keys = _NavigationBarStaticComponentsKeys();
447 448
  }

449 450
  @override
  Widget build(BuildContext context) {
xster's avatar
xster committed
451
    final Color backgroundColor =
452
      CupertinoDynamicColor.maybeResolve(widget.backgroundColor, context) ?? CupertinoTheme.of(context).barBackgroundColor;
xster's avatar
xster committed
453

454
    final _NavigationBarStaticComponents components = _NavigationBarStaticComponents(
455 456 457 458 459 460 461 462 463 464 465
      keys: keys,
      route: ModalRoute.of(context),
      userLeading: widget.leading,
      automaticallyImplyLeading: widget.automaticallyImplyLeading,
      automaticallyImplyTitle: widget.automaticallyImplyMiddle,
      previousPageTitle: widget.previousPageTitle,
      userMiddle: widget.middle,
      userTrailing: widget.trailing,
      padding: widget.padding,
      userLargeTitle: null,
      large: false,
466 467
    );

468 469
    final Widget navBar = _wrapWithBackground(
      border: widget.border,
xster's avatar
xster committed
470
      backgroundColor: backgroundColor,
471
      brightness: widget.brightness,
xster's avatar
xster committed
472 473 474 475 476 477
      child: DefaultTextStyle(
        style: CupertinoTheme.of(context).textTheme.textStyle,
        child: _PersistentNavigationBar(
          components: components,
          padding: widget.padding,
        ),
478 479 480 481
      ),
    );

    if (!widget.transitionBetweenRoutes || !_isTransitionable(context)) {
xster's avatar
xster committed
482
      // Lint ignore to maintain backward compatibility.
483
      return navBar;
484 485
    }

486 487 488 489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509
    return Builder(
      // Get the context that might have a possibly changed CupertinoTheme.
      builder: (BuildContext context) {
        return Hero(
          tag: widget.heroTag == _defaultHeroTag
              ? _HeroTag(Navigator.of(context))
              : widget.heroTag,
          createRectTween: _linearTranslateWithLargestRectSizeTween,
          placeholderBuilder: _navBarHeroLaunchPadBuilder,
          flightShuttleBuilder: _navBarHeroFlightShuttleBuilder,
          transitionOnUserGestures: true,
          child: _TransitionableNavigationBar(
            componentsKeys: keys,
            backgroundColor: backgroundColor,
            backButtonTextStyle: CupertinoTheme.of(context).textTheme.navActionTextStyle,
            titleTextStyle: CupertinoTheme.of(context).textTheme.navTitleTextStyle,
            largeTitleTextStyle: null,
            border: widget.border,
            hasUserMiddle: widget.middle != null,
            largeExpanded: false,
            child: navBar,
          ),
        );
      },
510
    );
511 512
  }
}
513

514
/// An iOS-styled navigation bar with iOS-11-style large titles using slivers.
515 516 517 518
///
/// The [CupertinoSliverNavigationBar] must be placed in a sliver group such
/// as the [CustomScrollView].
///
519 520
/// This navigation bar consists of two sections, a pinned static section on top
/// and a sliding section containing iOS-11-style large title below it.
521 522
///
/// It should be placed at top of the screen and automatically accounts for
523
/// the iOS status bar.
524
///
525 526
/// Minimally, a [largeTitle] widget will appear in the middle of the app bar
/// when the sliver is collapsed and transfer to the area below in larger font
527 528
/// when the sliver is expanded.
///
529 530
/// For advanced uses, an optional [middle] widget can be supplied to show a
/// different widget in the middle of the navigation bar when the sliver is collapsed.
531
///
532 533 534 535 536 537 538
/// Like [CupertinoNavigationBar], it also supports a [leading] and [trailing]
/// widget on the static section on top that remains while scrolling.
///
/// The [leading] widget will automatically be a back chevron icon button (or a
/// close button in case of a fullscreen dialog) to pop the current route if none
/// is provided and [automaticallyImplyLeading] is true (true by default).
///
539
/// The [largeTitle] widget will automatically be a title text from the current
540 541
/// [CupertinoPageRoute] if none is provided and [automaticallyImplyTitle] is
/// true (true by default).
542
///
543
/// When [transitionBetweenRoutes] is true, this navigation bar will transition
544
/// on top of the routes instead of inside them if the route being transitioned
545 546 547 548 549 550
/// to also has a [CupertinoNavigationBar] or a [CupertinoSliverNavigationBar]
/// with [transitionBetweenRoutes] set to true. If [transitionBetweenRoutes] is
/// true, none of the [Widget] parameters can contain any [GlobalKey]s in their
/// subtrees since those widgets will exist in multiple places in the tree
/// simultaneously.
///
551 552 553 554 555
/// By default, only one [CupertinoNavigationBar] or [CupertinoSliverNavigationBar]
/// should be present in each [PageRoute] to support the default transitions.
/// Use [transitionBetweenRoutes] or [heroTag] to customize the transition
/// behavior for multiple navigation bars per route.
///
556
/// [CupertinoSliverNavigationBar] has its text scale factor set to 1.0 by default
557 558
/// and does not respond to text scale factor changes from the operating system,
/// to match the native iOS behavior. To override this behavior, wrap each of the
559
/// [CupertinoSliverNavigationBar]'s components inside a [MediaQuery] with the
560 561 562 563
/// desired [MediaQueryData.textScaleFactor] value. The text scale factor value
/// from the operating system can be retrieved in many ways, such as querying
/// [MediaQuery.textScaleFactorOf] against [CupertinoApp]'s [BuildContext].
///
564 565 566
/// The [stretch] parameter determines whether the nav bar should stretch to
/// fill the over-scroll area. The nav bar can still expand and contract as the
/// user scrolls, but it will also stretch when the user over-scrolls if the
567
/// [stretch] value is `true`. Defaults to `false`.
568
///
569 570 571 572 573 574
/// {@tool dartpad}
/// This example shows [CupertinoSliverNavigationBar] in action inside a [CustomScrollView].
///
/// ** See code in examples/api/lib/cupertino/nav_bar/cupertino_sliver_nav_bar.0.dart **
/// {@end-tool}
///
575 576
/// See also:
///
577 578
///  * [CupertinoNavigationBar], an iOS navigation bar for use on non-scrolling
///    pages.
579
///  * [CustomScrollView], a ScrollView that creates custom scroll effects using slivers.
580
///  * <https://developer.apple.com/design/human-interface-guidelines/ios/bars/navigation-bars/>
581
class CupertinoSliverNavigationBar extends StatefulWidget {
582 583 584
  /// Creates a navigation bar for scrolling lists.
  ///
  /// The [largeTitle] argument is required and must not be null.
585
  const CupertinoSliverNavigationBar({
586
    super.key,
587
    this.largeTitle,
588
    this.leading,
589
    this.automaticallyImplyLeading = true,
590
    this.automaticallyImplyTitle = true,
591
    this.alwaysShowMiddle = true,
592
    this.previousPageTitle,
593 594
    this.middle,
    this.trailing,
595
    this.border = _kDefaultNavBarBorder,
xster's avatar
xster committed
596
    this.backgroundColor,
597
    this.brightness,
598
    this.padding,
599 600
    this.transitionBetweenRoutes = true,
    this.heroTag = _defaultHeroTag,
601
    this.stretch = false,
602 603
  }) : assert(automaticallyImplyLeading != null),
       assert(automaticallyImplyTitle != null),
604 605 606 607
       assert(
         automaticallyImplyTitle == true || largeTitle != null,
         'No largeTitle has been provided but automaticallyImplyTitle is also '
         'false. Either provide a largeTitle or set automaticallyImplyTitle to '
608
         'true.',
609
       );
610 611 612 613

  /// The navigation bar's title.
  ///
  /// This text will appear in the top static navigation bar when collapsed and
614 615 616 617 618 619 620 621 622 623 624
  /// below the navigation bar, in a larger font, when expanded.
  ///
  /// A suitable [DefaultTextStyle] is provided around this widget as it is
  /// moved around, to change its font size.
  ///
  /// If [middle] is null, then the [largeTitle] widget will be inserted into
  /// the tree in two places when transitioning from the collapsed state to the
  /// expanded state. It is therefore imperative that this subtree not contain
  /// any [GlobalKey]s, and that it not rely on maintaining state (for example,
  /// animations will not survive the transition from one location to the other,
  /// and may in fact be visible in two places at once during the transition).
625 626 627 628
  ///
  /// If null and [automaticallyImplyTitle] is true, an appropriate [Text]
  /// title will be created if the current route is a [CupertinoPageRoute] and
  /// has a `title`.
629 630 631
  ///
  /// This parameter must either be non-null or the route must have a title
  /// ([CupertinoPageRoute.title]) and [automaticallyImplyTitle] must be true.
632
  final Widget? largeTitle;
633

634
  /// {@macro flutter.cupertino.CupertinoNavigationBar.leading}
635 636
  ///
  /// This widget is visible in both collapsed and expanded states.
637
  final Widget? leading;
638

639
  /// {@macro flutter.cupertino.CupertinoNavigationBar.automaticallyImplyLeading}
640 641 642
  final bool automaticallyImplyLeading;

  /// Controls whether we should try to imply the [largeTitle] widget if null.
643
  ///
644 645 646
  /// If true and [largeTitle] is null, automatically fill in a [Text] widget
  /// with the current route's `title` if the route is a [CupertinoPageRoute].
  /// If [largeTitle] widget is not null, this parameter has no effect.
647 648
  ///
  /// This value cannot be null.
649 650
  final bool automaticallyImplyTitle;

651 652 653 654 655 656 657 658 659 660 661
  /// Controls whether [middle] widget should always be visible (even in
  /// expanded state).
  ///
  /// If true (default) and [middle] is not null, [middle] widget is always
  /// visible. If false, [middle] widget is visible only in collapsed state if
  /// it is provided.
  ///
  /// This should be set to false if you only want to show [largeTitle] in
  /// expanded state and [middle] in collapsed state.
  final bool alwaysShowMiddle;

662
  /// {@macro flutter.cupertino.CupertinoNavigationBar.previousPageTitle}
663
  final String? previousPageTitle;
664

665 666
  /// A widget to place in the middle of the static navigation bar instead of
  /// the [largeTitle].
667
  ///
668 669
  /// This widget is visible in both collapsed and expanded states if
  /// [alwaysShowMiddle] is true, otherwise just in collapsed state. The text
670 671
  /// supplied in [largeTitle] will no longer appear in collapsed state if a
  /// [middle] widget is provided.
672
  final Widget? middle;
673

674
  /// {@macro flutter.cupertino.CupertinoNavigationBar.trailing}
675 676
  ///
  /// This widget is visible in both collapsed and expanded states.
677
  final Widget? trailing;
678

679
  /// {@macro flutter.cupertino.CupertinoNavigationBar.backgroundColor}
680
  final Color? backgroundColor;
681

682
  /// {@macro flutter.cupertino.CupertinoNavigationBar.brightness}
683
  final Brightness? brightness;
684

685
  /// {@macro flutter.cupertino.CupertinoNavigationBar.padding}
686
  final EdgeInsetsDirectional? padding;
687

688
  /// {@macro flutter.cupertino.CupertinoNavigationBar.border}
689
  final Border? border;
690

691
  /// {@macro flutter.cupertino.CupertinoNavigationBar.transitionBetweenRoutes}
692 693
  final bool transitionBetweenRoutes;

694
  /// {@macro flutter.cupertino.CupertinoNavigationBar.heroTag}
695 696
  final Object heroTag;

697
  /// True if the navigation bar's background color has no transparency.
698
  bool get opaque => backgroundColor?.alpha == 0xFF;
699

700 701 702 703
  /// Whether the nav bar should stretch to fill the over-scroll area.
  ///
  /// The nav bar can still expand and contract as the user scrolls, but it will
  /// also stretch when the user over-scrolls if the [stretch] value is `true`.
704 705 706 707 708 709
  ///
  /// When set to `true`, the nav bar will prevent subsequent slivers from
  /// accessing overscrolls. This may be undesirable for using overscroll-based
  /// widgets like the [CupertinoSliverRefreshControl].
  ///
  /// Defaults to `false`.
710 711
  final bool stretch;

712
  @override
713
  State<CupertinoSliverNavigationBar> createState() => _CupertinoSliverNavigationBarState();
714 715 716 717 718 719
}

// A state class exists for the nav bar so that the keys of its sub-components
// don't change when rebuilding the nav bar, causing the sub-components to
// lose their own states.
class _CupertinoSliverNavigationBarState extends State<CupertinoSliverNavigationBar> {
720
  late _NavigationBarStaticComponentsKeys keys;
721 722 723 724

  @override
  void initState() {
    super.initState();
725
    keys = _NavigationBarStaticComponentsKeys();
726 727
  }

728 729
  @override
  Widget build(BuildContext context) {
730
    final _NavigationBarStaticComponents components = _NavigationBarStaticComponents(
731 732 733 734 735 736 737 738 739 740 741
      keys: keys,
      route: ModalRoute.of(context),
      userLeading: widget.leading,
      automaticallyImplyLeading: widget.automaticallyImplyLeading,
      automaticallyImplyTitle: widget.automaticallyImplyTitle,
      previousPageTitle: widget.previousPageTitle,
      userMiddle: widget.middle,
      userTrailing: widget.trailing,
      userLargeTitle: widget.largeTitle,
      padding: widget.padding,
      large: true,
742 743
    );

744 745 746 747 748 749 750 751 752 753 754 755 756 757 758
    return MediaQuery(
      data: MediaQuery.of(context).copyWith(textScaleFactor: 1),
      child: SliverPersistentHeader(
        pinned: true, // iOS navigation bars are always pinned.
        delegate: _LargeTitleNavigationBarSliverDelegate(
          keys: keys,
          components: components,
          userMiddle: widget.middle,
          backgroundColor: CupertinoDynamicColor.maybeResolve(widget.backgroundColor, context) ?? CupertinoTheme.of(context).barBackgroundColor,
          brightness: widget.brightness,
          border: widget.border,
          padding: widget.padding,
          actionsForegroundColor: CupertinoTheme.of(context).primaryColor,
          transitionBetweenRoutes: widget.transitionBetweenRoutes,
          heroTag: widget.heroTag,
759
          persistentHeight: _kNavBarPersistentHeight + MediaQuery.paddingOf(context).top,
760
          alwaysShowMiddle: widget.alwaysShowMiddle && widget.middle != null,
761
          stretchConfiguration: widget.stretch ? OverScrollHeaderStretchConfiguration() : null,
xster's avatar
xster committed
762
        ),
763 764
      ),
    );
765 766 767
  }
}

768
class _LargeTitleNavigationBarSliverDelegate
769
    extends SliverPersistentHeaderDelegate with DiagnosticableTreeMixin {
770
  _LargeTitleNavigationBarSliverDelegate({
771 772 773 774 775 776 777 778 779 780 781 782
    required this.keys,
    required this.components,
    required this.userMiddle,
    required this.backgroundColor,
    required this.brightness,
    required this.border,
    required this.padding,
    required this.actionsForegroundColor,
    required this.transitionBetweenRoutes,
    required this.heroTag,
    required this.persistentHeight,
    required this.alwaysShowMiddle,
783
    required this.stretchConfiguration,
784 785 786 787 788 789
  }) : assert(persistentHeight != null),
       assert(alwaysShowMiddle != null),
       assert(transitionBetweenRoutes != null);

  final _NavigationBarStaticComponentsKeys keys;
  final _NavigationBarStaticComponents components;
790
  final Widget? userMiddle;
791
  final Color backgroundColor;
792 793 794
  final Brightness? brightness;
  final Border? border;
  final EdgeInsetsDirectional? padding;
795
  final Color actionsForegroundColor;
796 797 798 799
  final bool transitionBetweenRoutes;
  final Object heroTag;
  final double persistentHeight;
  final bool alwaysShowMiddle;
800 801 802 803 804 805 806

  @override
  double get minExtent => persistentHeight;

  @override
  double get maxExtent => persistentHeight + _kNavBarLargeTitleHeightExtension;

807 808 809
  @override
  OverScrollHeaderStretchConfiguration? stretchConfiguration;

810 811 812 813
  @override
  Widget build(BuildContext context, double shrinkOffset, bool overlapsContent) {
    final bool showLargeTitle = shrinkOffset < maxExtent - minExtent - _kNavBarShowLargeTitleThreshold;

814
    final _PersistentNavigationBar persistentNavigationBar =
815
        _PersistentNavigationBar(
816
      components: components,
817
      padding: padding,
818 819 820
      // If a user specified middle exists, always show it. Otherwise, show
      // title when sliver is collapsed.
      middleVisible: alwaysShowMiddle ? null : !showLargeTitle,
821 822
    );

823
    final Widget navBar = _wrapWithBackground(
824
      border: border,
825
      backgroundColor: CupertinoDynamicColor.resolve(backgroundColor, context),
826
      brightness: brightness,
xster's avatar
xster committed
827 828 829 830 831 832 833 834 835 836 837
      child: DefaultTextStyle(
        style: CupertinoTheme.of(context).textTheme.textStyle,
        child: Stack(
          fit: StackFit.expand,
          children: <Widget>[
            Positioned(
              top: persistentHeight,
              left: 0.0,
              right: 0.0,
              bottom: 0.0,
              child: ClipRect(
838 839 840 841 842 843 844 845 846 847 848 849 850 851 852 853 854 855 856 857 858
                child: Padding(
                  padding: const EdgeInsetsDirectional.only(
                    start: _kNavBarEdgePadding,
                    bottom: _kNavBarBottomPadding
                  ),
                  child: SafeArea(
                    top: false,
                    bottom: false,
                    child: AnimatedOpacity(
                      opacity: showLargeTitle ? 1.0 : 0.0,
                      duration: _kNavBarTitleFadeDuration,
                      child: Semantics(
                        header: true,
                        child: DefaultTextStyle(
                          style: CupertinoTheme.of(context)
                              .textTheme
                              .navLargeTitleTextStyle,
                          maxLines: 1,
                          overflow: TextOverflow.ellipsis,
                          child: _LargeTitle(
                            child: components.largeTitle,
xster's avatar
xster committed
859
                          ),
860 861 862 863 864 865 866
                        ),
                      ),
                    ),
                  ),
                ),
              ),
            ),
xster's avatar
xster committed
867 868 869 870 871 872 873 874
            Positioned(
              left: 0.0,
              right: 0.0,
              top: 0.0,
              child: persistentNavigationBar,
            ),
          ],
        ),
875 876
      ),
    );
877 878 879 880 881

    if (!transitionBetweenRoutes || !_isTransitionable(context)) {
      return navBar;
    }

882
    return Hero(
883 884 885
      tag: heroTag == _defaultHeroTag
          ? _HeroTag(Navigator.of(context))
          : heroTag,
886 887 888
      createRectTween: _linearTranslateWithLargestRectSizeTween,
      flightShuttleBuilder: _navBarHeroFlightShuttleBuilder,
      placeholderBuilder: _navBarHeroLaunchPadBuilder,
xster's avatar
xster committed
889
      transitionOnUserGestures: true,
890 891 892
      // This is all the way down here instead of being at the top level of
      // CupertinoSliverNavigationBar like CupertinoNavigationBar because it
      // needs to wrap the top level RenderBox rather than a RenderSliver.
893
      child: _TransitionableNavigationBar(
894
        componentsKeys: keys,
895
        backgroundColor: CupertinoDynamicColor.resolve(backgroundColor, context),
xster's avatar
xster committed
896 897 898
        backButtonTextStyle: CupertinoTheme.of(context).textTheme.navActionTextStyle,
        titleTextStyle: CupertinoTheme.of(context).textTheme.navTitleTextStyle,
        largeTitleTextStyle: CupertinoTheme.of(context).textTheme.navLargeTitleTextStyle,
899 900 901 902 903 904
        border: border,
        hasUserMiddle: userMiddle != null,
        largeExpanded: showLargeTitle,
        child: navBar,
      ),
    );
905 906 907
  }

  @override
908
  bool shouldRebuild(_LargeTitleNavigationBarSliverDelegate oldDelegate) {
909
    return components != oldDelegate.components
910
        || userMiddle != oldDelegate.userMiddle
911
        || backgroundColor != oldDelegate.backgroundColor
912 913 914 915 916 917 918
        || border != oldDelegate.border
        || padding != oldDelegate.padding
        || actionsForegroundColor != oldDelegate.actionsForegroundColor
        || transitionBetweenRoutes != oldDelegate.transitionBetweenRoutes
        || persistentHeight != oldDelegate.persistentHeight
        || alwaysShowMiddle != oldDelegate.alwaysShowMiddle
        || heroTag != oldDelegate.heroTag;
919 920 921
  }
}

922 923 924 925 926 927 928 929 930 931 932 933 934 935 936 937 938 939 940 941 942 943 944 945 946 947 948 949 950 951 952 953 954 955 956 957 958 959 960 961 962 963 964 965 966 967 968 969 970 971 972 973 974 975 976 977 978 979 980 981 982 983 984 985 986 987 988 989 990 991 992 993 994 995 996 997 998 999 1000 1001 1002 1003 1004 1005 1006 1007 1008 1009 1010 1011 1012 1013 1014 1015 1016 1017 1018 1019 1020 1021 1022 1023 1024 1025 1026 1027 1028 1029 1030 1031 1032 1033 1034 1035 1036 1037 1038
/// The large title of the navigation bar.
///
/// Magnifies on over-scroll when [CupertinoSliverNavigationBar.stretch]
/// parameter is true.
class _LargeTitle extends SingleChildRenderObjectWidget {
  const _LargeTitle({ super.child });

  @override
  _RenderLargeTitle createRenderObject(BuildContext context) {
    return _RenderLargeTitle(alignment: AlignmentDirectional.bottomStart.resolve(Directionality.of(context)));
  }

  @override
  void updateRenderObject(BuildContext context, _RenderLargeTitle renderObject) {
    renderObject.alignment = AlignmentDirectional.bottomStart.resolve(Directionality.of(context));
  }
}

class _RenderLargeTitle extends RenderShiftedBox {
  _RenderLargeTitle({
    required Alignment alignment,
  })  : _alignment = alignment,
        super(null);

  Alignment get alignment => _alignment;
  Alignment _alignment;
  set alignment(Alignment value) {
    if (_alignment == value) {
      return;
    }
    _alignment = value;

    markNeedsLayout();
  }

  double _scale = 1.0;

  @override
  void performLayout() {
    final RenderBox? child = this.child;
    Size childSize = Size.zero;

    size = constraints.biggest;

    if (child == null) {
      return;
    }

    final BoxConstraints childConstriants = constraints.widthConstraints().loosen();
    child.layout(childConstriants, parentUsesSize: true);

    final double maxScale = child.size.width != 0.0
      ? clampDouble(constraints.maxWidth / child.size.width, 1.0, 1.1)
      : 1.1;
    _scale = clampDouble(
      1.0 + (constraints.maxHeight - (_kNavBarLargeTitleHeightExtension - _kNavBarBottomPadding)) / (_kNavBarLargeTitleHeightExtension - _kNavBarBottomPadding) * 0.03,
      1.0,
      maxScale,
    );

    childSize = child.size * _scale;
    final BoxParentData childParentData = child.parentData! as BoxParentData;
    childParentData.offset = alignment.alongOffset(size - childSize as Offset);
  }

  @override
  void applyPaintTransform(RenderBox child, Matrix4 transform) {
    assert(child == this.child);

    super.applyPaintTransform(child, transform);

    transform.scale(_scale, _scale);
  }

  @override
  void paint(PaintingContext context, Offset offset) {
    final RenderBox? child = this.child;

    if (child == null) {
      layer = null;
    } else {
      final BoxParentData childParentData = child.parentData! as BoxParentData;

      layer = context.pushTransform(
        needsCompositing,
        offset + childParentData.offset,
        Matrix4.diagonal3Values(_scale, _scale, 1.0),
        (PaintingContext context, Offset offset) => context.paintChild(child, offset),
        oldLayer: layer as TransformLayer?,
      );
    }
  }

  @override
  bool hitTestChildren(BoxHitTestResult result, {required Offset position}) {
    final RenderBox? child = this.child;

    if (child == null) {
      return false;
    }

    final Offset childOffset = (child.parentData! as BoxParentData).offset;

    final Matrix4 transform = Matrix4.identity()
      ..scale(1.0/_scale, 1.0/_scale, 1.0)
      ..translate(-childOffset.dx, -childOffset.dy);

    return result.addWithRawTransform(
      transform: transform,
      position: position,
      hitTest: (BoxHitTestResult result, Offset transformed) {
        return child.hitTest(result, position: transformed);
      }
    );
  }
}

1039
/// The top part of the navigation bar that's never scrolled away.
1040
///
1041
/// Consists of the entire navigation bar without background and border when used
1042 1043
/// without large titles. With large titles, it's the top static half that
/// doesn't scroll.
1044 1045
class _PersistentNavigationBar extends StatelessWidget {
  const _PersistentNavigationBar({
1046
    required this.components,
1047
    this.padding,
1048
    this.middleVisible,
1049
  });
1050

1051
  final _NavigationBarStaticComponents components;
1052

1053
  final EdgeInsetsDirectional? padding;
1054 1055
  /// Whether the middle widget has a visible animated opacity. A null value
  /// means the middle opacity will not be animated.
1056
  final bool? middleVisible;
1057

1058 1059
  @override
  Widget build(BuildContext context) {
1060
    Widget? middle = components.middle;
1061

1062
    if (middle != null) {
1063
      middle = DefaultTextStyle(
xster's avatar
xster committed
1064
        style: CupertinoTheme.of(context).textTheme.navTitleTextStyle,
1065
        child: Semantics(header: true, child: middle),
1066 1067 1068 1069 1070
      );
      // When the middle's visibility can change on the fly like with large title
      // slivers, wrap with animated opacity.
      middle = middleVisible == null
        ? middle
1071
        : AnimatedOpacity(
1072
          opacity: middleVisible! ? 1.0 : 0.0,
1073 1074
          duration: _kNavBarTitleFadeDuration,
          child: middle,
1075
        );
1076
    }
1077

1078 1079 1080
    Widget? leading = components.leading;
    final Widget? backChevron = components.backChevron;
    final Widget? backLabel = components.backLabel;
1081

1082
    if (leading == null && backChevron != null && backLabel != null) {
1083
      leading = CupertinoNavigationBarBackButton._assemble(
1084 1085
        backChevron,
        backLabel,
1086
      );
1087
    }
1088

1089
    Widget paddedToolbar = NavigationToolbar(
1090 1091 1092
      leading: leading,
      middle: middle,
      trailing: components.trailing,
1093
      middleSpacing: 6.0,
1094 1095 1096
    );

    if (padding != null) {
1097
      paddedToolbar = Padding(
1098
        padding: EdgeInsets.only(
1099 1100
          top: padding!.top,
          bottom: padding!.bottom,
1101 1102 1103 1104 1105
        ),
        child: paddedToolbar,
      );
    }

1106
    return SizedBox(
1107
      height: _kNavBarPersistentHeight + MediaQuery.paddingOf(context).top,
1108
      child: SafeArea(
1109 1110
        bottom: false,
        child: paddedToolbar,
1111 1112
      ),
    );
1113 1114
  }
}
1115

1116 1117 1118 1119 1120 1121 1122 1123 1124
// A collection of keys always used when building static routes' nav bars's
// components with _NavigationBarStaticComponents and read in
// _NavigationBarTransition in Hero flights in order to reference the components'
// RenderBoxes for their positions.
//
// These keys should never re-appear inside the Hero flights.
@immutable
class _NavigationBarStaticComponentsKeys {
  _NavigationBarStaticComponentsKeys()
1125 1126 1127 1128 1129 1130 1131
    : navBarBoxKey = GlobalKey(debugLabel: 'Navigation bar render box'),
      leadingKey = GlobalKey(debugLabel: 'Leading'),
      backChevronKey = GlobalKey(debugLabel: 'Back chevron'),
      backLabelKey = GlobalKey(debugLabel: 'Back label'),
      middleKey = GlobalKey(debugLabel: 'Middle'),
      trailingKey = GlobalKey(debugLabel: 'Trailing'),
      largeTitleKey = GlobalKey(debugLabel: 'Large title');
1132 1133 1134 1135 1136 1137 1138 1139 1140 1141 1142 1143 1144 1145 1146 1147 1148

  final GlobalKey navBarBoxKey;
  final GlobalKey leadingKey;
  final GlobalKey backChevronKey;
  final GlobalKey backLabelKey;
  final GlobalKey middleKey;
  final GlobalKey trailingKey;
  final GlobalKey largeTitleKey;
}

// Based on various user Widgets and other parameters, construct KeyedSubtree
// components that are used in common by the CupertinoNavigationBar and
// CupertinoSliverNavigationBar. The KeyedSubtrees are inserted into static
// routes and the KeyedSubtrees' child are reused in the Hero flights.
@immutable
class _NavigationBarStaticComponents {
  _NavigationBarStaticComponents({
1149 1150 1151 1152 1153 1154 1155 1156 1157 1158 1159
    required _NavigationBarStaticComponentsKeys keys,
    required ModalRoute<dynamic>? route,
    required Widget? userLeading,
    required bool automaticallyImplyLeading,
    required bool automaticallyImplyTitle,
    required String? previousPageTitle,
    required Widget? userMiddle,
    required Widget? userTrailing,
    required Widget? userLargeTitle,
    required EdgeInsetsDirectional? padding,
    required bool large,
1160 1161 1162 1163 1164 1165 1166 1167 1168 1169 1170 1171 1172 1173 1174 1175 1176 1177 1178 1179 1180 1181 1182 1183 1184 1185 1186 1187 1188 1189 1190 1191 1192 1193 1194 1195 1196 1197 1198 1199 1200
  }) : leading = createLeading(
         leadingKey: keys.leadingKey,
         userLeading: userLeading,
         route: route,
         automaticallyImplyLeading: automaticallyImplyLeading,
         padding: padding,
       ),
       backChevron = createBackChevron(
         backChevronKey: keys.backChevronKey,
         userLeading: userLeading,
         route: route,
         automaticallyImplyLeading: automaticallyImplyLeading,
       ),
       backLabel = createBackLabel(
         backLabelKey: keys.backLabelKey,
         userLeading: userLeading,
         route: route,
         previousPageTitle: previousPageTitle,
         automaticallyImplyLeading: automaticallyImplyLeading,
       ),
       middle = createMiddle(
         middleKey: keys.middleKey,
         userMiddle: userMiddle,
         userLargeTitle: userLargeTitle,
         route: route,
         automaticallyImplyTitle: automaticallyImplyTitle,
         large: large,
       ),
       trailing = createTrailing(
         trailingKey: keys.trailingKey,
         userTrailing: userTrailing,
         padding: padding,
       ),
       largeTitle = createLargeTitle(
         largeTitleKey: keys.largeTitleKey,
         userLargeTitle: userLargeTitle,
         route: route,
         automaticImplyTitle: automaticallyImplyTitle,
         large: large,
       );

1201 1202 1203
  static Widget? _derivedTitle({
    required bool automaticallyImplyTitle,
    ModalRoute<dynamic>? currentRoute,
1204 1205 1206
  }) {
    // Auto use the CupertinoPageRoute's title if middle not provided.
    if (automaticallyImplyTitle &&
1207
        currentRoute is CupertinoRouteTransitionMixin &&
1208
        currentRoute.title != null) {
1209
      return Text(currentRoute.title!);
1210 1211 1212 1213 1214
    }

    return null;
  }

1215 1216 1217 1218 1219 1220 1221
  final KeyedSubtree? leading;
  static KeyedSubtree? createLeading({
    required GlobalKey leadingKey,
    required Widget? userLeading,
    required ModalRoute<dynamic>? route,
    required bool automaticallyImplyLeading,
    required EdgeInsetsDirectional? padding,
1222
  }) {
1223
    Widget? leadingContent;
1224 1225 1226 1227 1228 1229 1230 1231 1232

    if (userLeading != null) {
      leadingContent = userLeading;
    } else if (
      automaticallyImplyLeading &&
      route is PageRoute &&
      route.canPop &&
      route.fullscreenDialog
    ) {
1233
      leadingContent = CupertinoButton(
1234
        padding: EdgeInsets.zero,
1235
        onPressed: () { route.navigator!.maybePop(); },
1236
        child: const Text('Close'),
1237 1238 1239 1240 1241 1242 1243
      );
    }

    if (leadingContent == null) {
      return null;
    }

1244
    return KeyedSubtree(
1245
      key: leadingKey,
1246 1247
      child: Padding(
        padding: EdgeInsetsDirectional.only(
1248 1249
          start: padding?.start ?? _kNavBarEdgePadding,
        ),
xster's avatar
xster committed
1250 1251 1252
        child: IconTheme.merge(
          data: const IconThemeData(
            size: 32.0,
1253
          ),
xster's avatar
xster committed
1254
          child: leadingContent,
1255 1256 1257 1258 1259
        ),
      ),
    );
  }

1260 1261 1262 1263 1264 1265
  final KeyedSubtree? backChevron;
  static KeyedSubtree? createBackChevron({
    required GlobalKey backChevronKey,
    required Widget? userLeading,
    required ModalRoute<dynamic>? route,
    required bool automaticallyImplyLeading,
1266 1267 1268 1269 1270 1271 1272 1273 1274 1275 1276
  }) {
    if (
      userLeading != null ||
      !automaticallyImplyLeading ||
      route == null ||
      !route.canPop ||
      (route is PageRoute && route.fullscreenDialog)
    ) {
      return null;
    }

1277
    return KeyedSubtree(key: backChevronKey, child: const _BackChevron());
1278 1279 1280 1281
  }

  /// This widget is not decorated with a font since the font style could
  /// animate during transitions.
1282 1283 1284 1285 1286 1287 1288
  final KeyedSubtree? backLabel;
  static KeyedSubtree? createBackLabel({
    required GlobalKey backLabelKey,
    required Widget? userLeading,
    required ModalRoute<dynamic>? route,
    required bool automaticallyImplyLeading,
    required String? previousPageTitle,
1289 1290 1291 1292 1293 1294 1295 1296 1297 1298 1299
  }) {
    if (
      userLeading != null ||
      !automaticallyImplyLeading ||
      route == null ||
      !route.canPop ||
      (route is PageRoute && route.fullscreenDialog)
    ) {
      return null;
    }

1300
    return KeyedSubtree(
1301
      key: backLabelKey,
1302
      child: _BackLabel(
1303 1304 1305 1306 1307 1308 1309 1310
        specifiedPreviousTitle: previousPageTitle,
        route: route,
      ),
    );
  }

  /// This widget is not decorated with a font since the font style could
  /// animate during transitions.
1311 1312 1313 1314 1315 1316 1317 1318
  final KeyedSubtree? middle;
  static KeyedSubtree? createMiddle({
    required GlobalKey middleKey,
    required Widget? userMiddle,
    required Widget? userLargeTitle,
    required bool large,
    required bool automaticallyImplyTitle,
    required ModalRoute<dynamic>? route,
1319
  }) {
1320
    Widget? middleContent = userMiddle;
1321 1322 1323 1324 1325 1326 1327 1328 1329 1330 1331 1332 1333 1334

    if (large) {
      middleContent ??= userLargeTitle;
    }

    middleContent ??= _derivedTitle(
      automaticallyImplyTitle: automaticallyImplyTitle,
      currentRoute: route,
    );

    if (middleContent == null) {
      return null;
    }

1335
    return KeyedSubtree(
1336 1337 1338 1339 1340
      key: middleKey,
      child: middleContent,
    );
  }

1341 1342 1343 1344 1345
  final KeyedSubtree? trailing;
  static KeyedSubtree? createTrailing({
    required GlobalKey trailingKey,
    required Widget? userTrailing,
    required EdgeInsetsDirectional? padding,
1346 1347 1348 1349 1350
  }) {
    if (userTrailing == null) {
      return null;
    }

1351
    return KeyedSubtree(
1352
      key: trailingKey,
1353 1354
      child: Padding(
        padding: EdgeInsetsDirectional.only(
1355 1356
          end: padding?.end ?? _kNavBarEdgePadding,
        ),
xster's avatar
xster committed
1357 1358 1359
        child: IconTheme.merge(
          data: const IconThemeData(
            size: 32.0,
1360
          ),
xster's avatar
xster committed
1361
          child: userTrailing,
1362 1363 1364 1365 1366 1367 1368
        ),
      ),
    );
  }

  /// This widget is not decorated with a font since the font style could
  /// animate during transitions.
1369 1370 1371 1372 1373 1374 1375
  final KeyedSubtree? largeTitle;
  static KeyedSubtree? createLargeTitle({
    required GlobalKey largeTitleKey,
    required Widget? userLargeTitle,
    required bool large,
    required bool automaticImplyTitle,
    required ModalRoute<dynamic>? route,
1376 1377 1378 1379 1380
  }) {
    if (!large) {
      return null;
    }

1381
    final Widget? largeTitleContent = userLargeTitle ?? _derivedTitle(
1382 1383 1384 1385 1386 1387 1388 1389 1390
      automaticallyImplyTitle: automaticImplyTitle,
      currentRoute: route,
    );

    assert(
      largeTitleContent != null,
      'largeTitle was not provided and there was no title from the route.',
    );

1391
    return KeyedSubtree(
1392
      key: largeTitleKey,
1393
      child: largeTitleContent!,
1394 1395 1396 1397
    );
  }
}

1398 1399 1400 1401 1402 1403
/// A nav bar back button typically used in [CupertinoNavigationBar].
///
/// This is automatically inserted into [CupertinoNavigationBar] and
/// [CupertinoSliverNavigationBar]'s `leading` slot when
/// `automaticallyImplyLeading` is true.
///
1404 1405 1406 1407
/// When manually inserted, the [CupertinoNavigationBarBackButton] should only
/// be used in routes that can be popped unless a custom [onPressed] is
/// provided.
///
1408 1409 1410 1411 1412 1413 1414 1415 1416
/// Shows a back chevron and the previous route's title when available from
/// the previous [CupertinoPageRoute.title]. If [previousPageTitle] is specified,
/// it will be shown instead.
class CupertinoNavigationBarBackButton extends StatelessWidget {
  /// Construct a [CupertinoNavigationBarBackButton] that can be used to pop
  /// the current route.
  ///
  /// The [color] parameter must not be null.
  const CupertinoNavigationBarBackButton({
1417
    super.key,
xster's avatar
xster committed
1418
    this.color,
1419
    this.previousPageTitle,
1420
    this.onPressed,
1421
  }) : _backChevron = null,
1422
       _backLabel = null;
1423 1424 1425 1426 1427 1428 1429

  // Allow the back chevron and label to be separately created (and keyed)
  // because they animate separately during page transitions.
  const CupertinoNavigationBarBackButton._assemble(
    this._backChevron,
    this._backLabel,
  ) : previousPageTitle = null,
1430 1431
      color = null,
      onPressed = null;
1432 1433

  /// The [Color] of the back button.
1434
  ///
xster's avatar
xster committed
1435 1436 1437
  /// Can be used to override the color of the back button chevron and label.
  ///
  /// Defaults to [CupertinoTheme]'s `primaryColor` if null.
1438
  final Color? color;
1439

1440 1441 1442
  /// An override for showing the previous route's title. If null, it will be
  /// automatically derived from [CupertinoPageRoute.title] if the current and
  /// previous routes are both [CupertinoPageRoute]s.
1443
  final String? previousPageTitle;
1444

1445 1446 1447 1448
  /// An override callback to perform instead of the default behavior which is
  /// to pop the [Navigator].
  ///
  /// It can, for instance, be used to pop the platform's navigation stack
1449 1450
  /// via [SystemNavigator] instead of Flutter's [Navigator] in add-to-app
  /// situations.
1451 1452
  ///
  /// Defaults to null.
1453
  final VoidCallback? onPressed;
1454

1455
  final Widget? _backChevron;
1456

1457
  final Widget? _backLabel;
1458

1459 1460
  @override
  Widget build(BuildContext context) {
1461
    final ModalRoute<dynamic>? currentRoute = ModalRoute.of(context);
1462 1463
    if (onPressed == null) {
      assert(
1464
        currentRoute?.canPop ?? false,
1465 1466 1467
        'CupertinoNavigationBarBackButton should only be used in routes that can be popped',
      );
    }
1468

xster's avatar
xster committed
1469 1470
    TextStyle actionTextStyle = CupertinoTheme.of(context).textTheme.navActionTextStyle;
    if (color != null) {
1471
      actionTextStyle = actionTextStyle.copyWith(color: CupertinoDynamicColor.maybeResolve(color, context));
xster's avatar
xster committed
1472 1473
    }

1474
    return CupertinoButton(
1475
      padding: EdgeInsets.zero,
1476
      child: Semantics(
1477 1478 1479 1480
        container: true,
        excludeSemantics: true,
        label: 'Back',
        button: true,
xster's avatar
xster committed
1481 1482 1483 1484
        child: DefaultTextStyle(
          style: actionTextStyle,
          child: ConstrainedBox(
            constraints: const BoxConstraints(minWidth: _kNavBarBackButtonTapWidth),
1485
            child: Row(
1486 1487 1488 1489 1490
              mainAxisSize: MainAxisSize.min,
              children: <Widget>[
                const Padding(padding: EdgeInsetsDirectional.only(start: 8.0)),
                _backChevron ?? const _BackChevron(),
                const Padding(padding: EdgeInsetsDirectional.only(start: 6.0)),
1491 1492
                Flexible(
                  child: _backLabel ?? _BackLabel(
1493 1494 1495
                    specifiedPreviousTitle: previousPageTitle,
                    route: currentRoute,
                  ),
1496
                ),
1497 1498
              ],
            ),
1499 1500 1501
          ),
        ),
      ),
1502 1503
      onPressed: () {
        if (onPressed != null) {
1504
          onPressed!();
1505 1506 1507 1508
        } else {
          Navigator.maybePop(context);
        }
      },
1509 1510 1511
    );
  }
}
1512

1513

1514
class _BackChevron extends StatelessWidget {
1515
  const _BackChevron();
1516 1517

  @override
1518
  Widget build(BuildContext context) {
1519
    final TextDirection textDirection = Directionality.of(context);
1520
    final TextStyle textStyle = DefaultTextStyle.of(context).style;
1521 1522 1523

    // Replicate the Icon logic here to get a tightly sized icon and add
    // custom non-square padding.
1524 1525 1526 1527 1528 1529 1530 1531 1532 1533 1534 1535
    Widget iconWidget = Padding(
      padding: const EdgeInsetsDirectional.only(start: 6, end: 2),
      child: Text.rich(
        TextSpan(
          text: String.fromCharCode(CupertinoIcons.back.codePoint),
          style: TextStyle(
            inherit: false,
            color: textStyle.color,
            fontSize: 30.0,
            fontFamily: CupertinoIcons.back.fontFamily,
            package: CupertinoIcons.back.fontPackage,
          ),
1536 1537 1538 1539 1540
        ),
      ),
    );
    switch (textDirection) {
      case TextDirection.rtl:
1541 1542
        iconWidget = Transform(
          transform: Matrix4.identity()..scale(-1.0, 1.0, 1.0),
1543 1544 1545 1546 1547 1548 1549 1550
          alignment: Alignment.center,
          transformHitTests: false,
          child: iconWidget,
        );
        break;
      case TextDirection.ltr:
        break;
    }
1551

1552 1553 1554
    return iconWidget;
  }
}
1555

1556 1557 1558 1559
/// A widget that shows next to the back chevron when `automaticallyImplyLeading`
/// is true.
class _BackLabel extends StatelessWidget {
  const _BackLabel({
1560 1561
    required this.specifiedPreviousTitle,
    required this.route,
1562
  });
1563

1564 1565
  final String? specifiedPreviousTitle;
  final ModalRoute<dynamic>? route;
1566 1567 1568

  // `child` is never passed in into ValueListenableBuilder so it's always
  // null here and unused.
1569
  Widget _buildPreviousTitleWidget(BuildContext context, String? previousTitle, Widget? child) {
1570 1571 1572
    if (previousTitle == null) {
      return const SizedBox(height: 0.0, width: 0.0);
    }
1573

1574
    Text textWidget = Text(
1575 1576 1577 1578 1579 1580 1581
      previousTitle,
      maxLines: 1,
      overflow: TextOverflow.ellipsis,
    );

    if (previousTitle.length > 12) {
      textWidget = const Text('Back');
1582
    }
1583

1584
    return Align(
1585 1586 1587 1588
      alignment: AlignmentDirectional.centerStart,
      widthFactor: 1.0,
      child: textWidget,
    );
1589 1590 1591
  }

  @override
1592 1593 1594
  Widget build(BuildContext context) {
    if (specifiedPreviousTitle != null) {
      return _buildPreviousTitleWidget(context, specifiedPreviousTitle, null);
1595
    } else if (route is CupertinoRouteTransitionMixin<dynamic> && !route!.isFirst) {
1596
      final CupertinoRouteTransitionMixin<dynamic> cupertinoRoute = route! as CupertinoRouteTransitionMixin<dynamic>;
1597 1598 1599
      // There is no timing issue because the previousTitle Listenable changes
      // happen during route modifications before the ValueListenableBuilder
      // is built.
1600
      return ValueListenableBuilder<String?>(
1601 1602 1603 1604 1605 1606
        valueListenable: cupertinoRoute.previousTitle,
        builder: _buildPreviousTitleWidget,
      );
    } else {
      return const SizedBox(height: 0.0, width: 0.0);
    }
1607 1608
  }
}
1609 1610 1611 1612 1613 1614 1615 1616 1617 1618 1619

/// This should always be the first child of Hero widgets.
///
/// This class helps each Hero transition obtain the start or end navigation
/// bar's box size and the inner components of the navigation bar that will
/// move around.
///
/// It should be wrapped around the biggest [RenderBox] of the static
/// navigation bar in each route.
class _TransitionableNavigationBar extends StatelessWidget {
  _TransitionableNavigationBar({
1620 1621 1622 1623 1624 1625 1626 1627 1628
    required this.componentsKeys,
    required this.backgroundColor,
    required this.backButtonTextStyle,
    required this.titleTextStyle,
    required this.largeTitleTextStyle,
    required this.border,
    required this.hasUserMiddle,
    required this.largeExpanded,
    required this.child,
1629 1630
  }) : assert(componentsKeys != null),
       assert(largeExpanded != null),
xster's avatar
xster committed
1631
       assert(!largeExpanded || largeTitleTextStyle != null),
1632 1633 1634
       super(key: componentsKeys.navBarBoxKey);

  final _NavigationBarStaticComponentsKeys componentsKeys;
1635
  final Color? backgroundColor;
xster's avatar
xster committed
1636 1637
  final TextStyle backButtonTextStyle;
  final TextStyle titleTextStyle;
1638 1639
  final TextStyle? largeTitleTextStyle;
  final Border? border;
1640 1641 1642 1643 1644
  final bool hasUserMiddle;
  final bool largeExpanded;
  final Widget child;

  RenderBox get renderBox {
1645
    final RenderBox box = componentsKeys.navBarBoxKey.currentContext!.findRenderObject()! as RenderBox;
1646 1647 1648 1649 1650 1651 1652 1653 1654 1655 1656 1657
    assert(
      box.attached,
      '_TransitionableNavigationBar.renderBox should be called when building '
      'hero flight shuttles when the from and the to nav bar boxes are already '
      'laid out and painted.',
    );
    return box;
  }

  @override
  Widget build(BuildContext context) {
    assert(() {
1658
      bool inHero = false;
1659 1660 1661 1662 1663 1664 1665 1666 1667 1668 1669 1670 1671 1672 1673 1674
      context.visitAncestorElements((Element ancestor) {
        if (ancestor is ComponentElement) {
          assert(
            ancestor.widget.runtimeType != _NavigationBarTransition,
            '_TransitionableNavigationBar should never re-appear inside '
            '_NavigationBarTransition. Keyed _TransitionableNavigationBar should '
            'only serve as anchor points in routes rather than appearing inside '
            'Hero flights themselves.',
          );
          if (ancestor.widget.runtimeType == Hero) {
            inHero = true;
          }
        }
        return true;
      });
      assert(
1675
        inHero,
1676 1677 1678 1679 1680 1681 1682 1683 1684 1685 1686 1687 1688 1689 1690 1691 1692 1693 1694 1695 1696 1697 1698 1699 1700 1701
        '_TransitionableNavigationBar should only be added as the immediate '
        'child of Hero widgets.',
      );
      return true;
    }());
    return child;
  }
}

/// This class represents the widget that will be in the Hero flight instead of
/// the 2 static navigation bars by taking inner components from both.
///
/// The `topNavBar` parameter is the nav bar that was on top regardless of
/// push/pop direction.
///
/// Similarly, the `bottomNavBar` parameter is the nav bar that was at the
/// bottom regardless of the push/pop direction.
///
/// If [MediaQuery.padding] is still present in this widget's [BuildContext],
/// that padding will become part of the transitional navigation bar as well.
///
/// [MediaQuery.padding] should be consistent between the from/to routes and
/// the Hero overlay. Inconsistent [MediaQuery.padding] will produce undetermined
/// results.
class _NavigationBarTransition extends StatelessWidget {
  _NavigationBarTransition({
1702 1703 1704
    required this.animation,
    required this.topNavBar,
    required this.bottomNavBar,
1705
  }) : heightTween = Tween<double>(
1706 1707 1708
         begin: bottomNavBar.renderBox.size.height,
         end: topNavBar.renderBox.size.height,
       ),
1709
       backgroundTween = ColorTween(
1710 1711 1712
         begin: bottomNavBar.backgroundColor,
         end: topNavBar.backgroundColor,
       ),
1713
       borderTween = BorderTween(
1714 1715 1716 1717 1718
         begin: bottomNavBar.border,
         end: topNavBar.border,
       );

  final Animation<double> animation;
1719 1720
  final _TransitionableNavigationBar topNavBar;
  final _TransitionableNavigationBar bottomNavBar;
1721 1722 1723 1724 1725 1726 1727

  final Tween<double> heightTween;
  final ColorTween backgroundTween;
  final BorderTween borderTween;

  @override
  Widget build(BuildContext context) {
1728 1729 1730 1731
    final _NavigationBarComponentsTransition componentsTransition = _NavigationBarComponentsTransition(
      animation: animation,
      bottomNavBar: bottomNavBar,
      topNavBar: topNavBar,
1732
      directionality: Directionality.of(context),
1733 1734
    );

1735 1736 1737 1738 1739
    final List<Widget> children = <Widget>[
      // Draw an empty navigation bar box with changing shape behind all the
      // moving components without any components inside it itself.
      AnimatedBuilder(
        animation: animation,
1740
        builder: (BuildContext context, Widget? child) {
1741 1742 1743
          return _wrapWithBackground(
            // Don't update the system status bar color mid-flight.
            updateSystemUiOverlay: false,
1744
            backgroundColor: backgroundTween.evaluate(animation)!,
1745
            border: borderTween.evaluate(animation),
1746
            child: SizedBox(
1747 1748 1749 1750 1751 1752 1753
              height: heightTween.evaluate(animation),
              width: double.infinity,
            ),
          );
        },
      ),
      // Draw all the components on top of the empty bar box.
1754 1755 1756 1757 1758 1759
      if (componentsTransition.bottomBackChevron != null) componentsTransition.bottomBackChevron!,
      if (componentsTransition.bottomBackLabel != null) componentsTransition.bottomBackLabel!,
      if (componentsTransition.bottomLeading != null) componentsTransition.bottomLeading!,
      if (componentsTransition.bottomMiddle != null) componentsTransition.bottomMiddle!,
      if (componentsTransition.bottomLargeTitle != null) componentsTransition.bottomLargeTitle!,
      if (componentsTransition.bottomTrailing != null) componentsTransition.bottomTrailing!,
1760
      // Draw top components on top of the bottom components.
1761 1762 1763 1764 1765 1766
      if (componentsTransition.topLeading != null) componentsTransition.topLeading!,
      if (componentsTransition.topBackChevron != null) componentsTransition.topBackChevron!,
      if (componentsTransition.topBackLabel != null) componentsTransition.topBackLabel!,
      if (componentsTransition.topMiddle != null) componentsTransition.topMiddle!,
      if (componentsTransition.topLargeTitle != null) componentsTransition.topLargeTitle!,
      if (componentsTransition.topTrailing != null) componentsTransition.topTrailing!,
1767 1768 1769 1770 1771 1772 1773
    ];


    // The actual outer box is big enough to contain both the bottom and top
    // navigation bars. It's not a direct Rect lerp because some components
    // can actually be outside the linearly lerp'ed Rect in the middle of
    // the animation, such as the topLargeTitle.
1774
    return SizedBox(
1775
      height: math.max(heightTween.begin!, heightTween.end!) + MediaQuery.paddingOf(context).top,
1776
      width: double.infinity,
1777
      child: Stack(
1778 1779 1780 1781 1782 1783 1784 1785 1786 1787 1788 1789 1790 1791 1792 1793 1794 1795 1796 1797 1798 1799 1800 1801 1802 1803 1804 1805 1806 1807
        children: children,
      ),
    );
  }
}

/// This class helps create widgets that are in transition based on static
/// components from the bottom and top navigation bars.
///
/// It animates these transitional components both in terms of position and
/// their appearance.
///
/// Instead of running the transitional components through their normal static
/// navigation bar layout logic, this creates transitional widgets that are based
/// on these widgets' existing render objects' layout and position.
///
/// This is possible because this widget is only used during Hero transitions
/// where both the from and to routes are already built and laid out.
///
/// The components' existing layout constraints and positions are then
/// replicated using [Positioned] or [PositionedTransition] wrappers.
///
/// This class should never return [KeyedSubtree]s created by
/// _NavigationBarStaticComponents directly. Since widgets from
/// _NavigationBarStaticComponents are still present in the widget tree during the
/// hero transitions, it would cause global key duplications. Instead, return
/// only the [KeyedSubtree]s' child.
@immutable
class _NavigationBarComponentsTransition {
  _NavigationBarComponentsTransition({
1808 1809 1810 1811
    required this.animation,
    required _TransitionableNavigationBar bottomNavBar,
    required _TransitionableNavigationBar topNavBar,
    required TextDirection directionality,
1812 1813 1814 1815
  }) : bottomComponents = bottomNavBar.componentsKeys,
       topComponents = topNavBar.componentsKeys,
       bottomNavBarBox = bottomNavBar.renderBox,
       topNavBarBox = topNavBar.renderBox,
xster's avatar
xster committed
1816 1817 1818 1819 1820 1821
       bottomBackButtonTextStyle = bottomNavBar.backButtonTextStyle,
       topBackButtonTextStyle = topNavBar.backButtonTextStyle,
       bottomTitleTextStyle = bottomNavBar.titleTextStyle,
       topTitleTextStyle = topNavBar.titleTextStyle,
       bottomLargeTitleTextStyle = bottomNavBar.largeTitleTextStyle,
       topLargeTitleTextStyle = topNavBar.largeTitleTextStyle,
1822 1823 1824 1825 1826 1827
       bottomHasUserMiddle = bottomNavBar.hasUserMiddle,
       topHasUserMiddle = topNavBar.hasUserMiddle,
       bottomLargeExpanded = bottomNavBar.largeExpanded,
       topLargeExpanded = topNavBar.largeExpanded,
       transitionBox =
           // paintBounds are based on offset zero so it's ok to expand the Rects.
1828 1829
           bottomNavBar.renderBox.paintBounds.expandToInclude(topNavBar.renderBox.paintBounds),
       forwardDirection = directionality == TextDirection.ltr ? 1.0 : -1.0;
1830

1831
  static final Animatable<double> fadeOut = Tween<double>(
1832 1833 1834
    begin: 1.0,
    end: 0.0,
  );
1835
  static final Animatable<double> fadeIn = Tween<double>(
1836 1837 1838 1839 1840 1841 1842 1843 1844 1845 1846 1847 1848 1849
    begin: 0.0,
    end: 1.0,
  );

  final Animation<double> animation;
  final _NavigationBarStaticComponentsKeys bottomComponents;
  final _NavigationBarStaticComponentsKeys topComponents;

  // These render boxes that are the ancestors of all the bottom and top
  // components are used to determine the components' relative positions inside
  // their respective navigation bars.
  final RenderBox bottomNavBarBox;
  final RenderBox topNavBarBox;

xster's avatar
xster committed
1850 1851 1852 1853
  final TextStyle bottomBackButtonTextStyle;
  final TextStyle topBackButtonTextStyle;
  final TextStyle bottomTitleTextStyle;
  final TextStyle topTitleTextStyle;
1854 1855
  final TextStyle? bottomLargeTitleTextStyle;
  final TextStyle? topLargeTitleTextStyle;
xster's avatar
xster committed
1856

1857 1858 1859 1860 1861 1862 1863 1864 1865
  final bool bottomHasUserMiddle;
  final bool topHasUserMiddle;
  final bool bottomLargeExpanded;
  final bool topLargeExpanded;

  // This is the outer box in which all the components will be fitted. The
  // sizing component of RelativeRects will be based on this rect's size.
  final Rect transitionBox;

1866 1867 1868
  // x-axis unity number representing the direction of growth for text.
  final double forwardDirection;

1869 1870 1871 1872
  // Take a widget it its original ancestor navigation bar render box and
  // translate it into a RelativeBox in the transition navigation bar box.
  RelativeRect positionInTransitionBox(
    GlobalKey key, {
1873
    required RenderBox from,
1874
  }) {
1875
    final RenderBox componentBox = key.currentContext!.findRenderObject()! as RenderBox;
1876 1877
    assert(componentBox.attached);

1878
    return RelativeRect.fromRect(
1879 1880 1881 1882 1883
      componentBox.localToGlobal(Offset.zero, ancestor: from) & componentBox.size,
      transitionBox,
    );
  }

1884 1885 1886
  // Create an animated widget that moves the given child widget between its
  // original position in its ancestor navigation bar to another widget's
  // position in that widget's navigation bar.
1887
  //
1888 1889
  // Anchor their positions based on the vertical middle of their respective
  // render boxes' leading edge.
1890
  //
1891 1892 1893 1894 1895 1896 1897
  // This method assumes there's no other transforms other than translations
  // when converting a rect from the original navigation bar's coordinate space
  // to the other navigation bar's coordinate space, to avoid performing
  // floating point operations on the size of the child widget, so that the
  // incoming constraints used for sizing the child widget will be exactly the
  // same.
  _FixedSizeSlidingTransition slideFromLeadingEdge({
1898 1899 1900 1901
    required GlobalKey fromKey,
    required RenderBox fromNavBarBox,
    required GlobalKey toKey,
    required RenderBox toNavBarBox,
1902
    required Widget child,
1903
  }) {
1904 1905
    final RenderBox fromBox = fromKey.currentContext!.findRenderObject()! as RenderBox;
    final RenderBox toBox = toKey.currentContext!.findRenderObject()! as RenderBox;
1906

1907
    final bool isLTR = forwardDirection > 0;
1908

1909 1910 1911 1912 1913 1914 1915 1916 1917 1918 1919 1920 1921 1922 1923 1924 1925 1926 1927 1928 1929 1930 1931 1932 1933 1934 1935 1936 1937 1938 1939
    // The animation moves the fromBox so its anchor (left-center or right-center
    // depending on the writing direction) aligns with toBox's anchor.
    final Offset fromAnchorLocal = Offset(
      isLTR ? 0 : fromBox.size.width,
      fromBox.size.height / 2,
    );
    final Offset toAnchorLocal = Offset(
      isLTR ? 0 : toBox.size.width,
      toBox.size.height / 2,
    );
    final Offset fromAnchorInFromBox = fromBox.localToGlobal(fromAnchorLocal, ancestor: fromNavBarBox);
    final Offset toAnchorInToBox = toBox.localToGlobal(toAnchorLocal, ancestor: toNavBarBox);

    // We can't get ahold of the render box of the stack (i.e., `transitionBox`)
    // we place components on yet, but we know the stack needs to be top-leading
    // aligned with both fromNavBarBox and toNavBarBox to make the transition
    // look smooth. Also use the top-leading point as the origin for ease of
    // calculation.

    // The offset to move fromAnchor to toAnchor, in transitionBox's top-leading
    // coordinates.
    final Offset translation = isLTR
      ? toAnchorInToBox - fromAnchorInFromBox
      : Offset(toNavBarBox.size.width - toAnchorInToBox.dx, toAnchorInToBox.dy)
      - Offset(fromNavBarBox.size.width - fromAnchorInFromBox.dx, fromAnchorInFromBox.dy);

    final RelativeRect fromBoxMargin = positionInTransitionBox(fromKey, from: fromNavBarBox);
    final Offset fromOriginInTransitionBox = Offset(
      isLTR ? fromBoxMargin.left : fromBoxMargin.right,
      fromBoxMargin.top,
    );
1940

1941 1942 1943 1944 1945 1946 1947 1948 1949 1950 1951
    final Tween<Offset> anchorMovementInTransitionBox = Tween<Offset>(
      begin: fromOriginInTransitionBox,
      end: fromOriginInTransitionBox + translation,
    );

    return _FixedSizeSlidingTransition(
      isLTR: isLTR,
      offsetAnimation: animation.drive(anchorMovementInTransitionBox),
      size: fromBox.size,
      child: child,
    );
1952 1953 1954
  }

  Animation<double> fadeInFrom(double t, { Curve curve = Curves.easeIn }) {
1955 1956 1957
    return animation.drive(fadeIn.chain(
      CurveTween(curve: Interval(t, 1.0, curve: curve)),
    ));
1958 1959 1960
  }

  Animation<double> fadeOutBy(double t, { Curve curve = Curves.easeOut }) {
1961 1962 1963
    return animation.drive(fadeOut.chain(
      CurveTween(curve: Interval(0.0, t, curve: curve)),
    ));
1964 1965
  }

1966 1967
  Widget? get bottomLeading {
    final KeyedSubtree? bottomLeading = bottomComponents.leadingKey.currentWidget as KeyedSubtree?;
1968 1969 1970 1971 1972

    if (bottomLeading == null) {
      return null;
    }

1973
    return Positioned.fromRelativeRect(
1974
      rect: positionInTransitionBox(bottomComponents.leadingKey, from: bottomNavBarBox),
1975
      child: FadeTransition(
1976 1977 1978 1979 1980 1981
        opacity: fadeOutBy(0.4),
        child: bottomLeading.child,
      ),
    );
  }

1982 1983
  Widget? get bottomBackChevron {
    final KeyedSubtree? bottomBackChevron = bottomComponents.backChevronKey.currentWidget as KeyedSubtree?;
1984 1985 1986 1987 1988

    if (bottomBackChevron == null) {
      return null;
    }

1989
    return Positioned.fromRelativeRect(
1990
      rect: positionInTransitionBox(bottomComponents.backChevronKey, from: bottomNavBarBox),
1991
      child: FadeTransition(
1992
        opacity: fadeOutBy(0.6),
1993
        child: DefaultTextStyle(
xster's avatar
xster committed
1994
          style: bottomBackButtonTextStyle,
1995 1996 1997 1998 1999 2000
          child: bottomBackChevron.child,
        ),
      ),
    );
  }

2001 2002
  Widget? get bottomBackLabel {
    final KeyedSubtree? bottomBackLabel = bottomComponents.backLabelKey.currentWidget as KeyedSubtree?;
2003 2004 2005 2006 2007 2008 2009

    if (bottomBackLabel == null) {
      return null;
    }

    final RelativeRect from = positionInTransitionBox(bottomComponents.backLabelKey, from: bottomNavBarBox);

2010
    // Transition away by sliding horizontally to the leading edge off of the screen.
2011
    final RelativeRectTween positionTween = RelativeRectTween(
2012
      begin: from,
2013 2014 2015 2016 2017 2018
      end: from.shift(
        Offset(
          forwardDirection * (-bottomNavBarBox.size.width / 2.0),
          0.0,
        ),
      ),
2019 2020
    );

2021
    return PositionedTransition(
2022
      rect: animation.drive(positionTween),
2023
      child: FadeTransition(
2024
        opacity: fadeOutBy(0.2),
2025
        child: DefaultTextStyle(
xster's avatar
xster committed
2026
          style: bottomBackButtonTextStyle,
2027 2028 2029 2030 2031 2032
          child: bottomBackLabel.child,
        ),
      ),
    );
  }

2033 2034 2035 2036
  Widget? get bottomMiddle {
    final KeyedSubtree? bottomMiddle = bottomComponents.middleKey.currentWidget as KeyedSubtree?;
    final KeyedSubtree? topBackLabel = topComponents.backLabelKey.currentWidget as KeyedSubtree?;
    final KeyedSubtree? topLeading = topComponents.leadingKey.currentWidget as KeyedSubtree?;
2037 2038 2039 2040 2041 2042 2043 2044

    // The middle component is non-null when the nav bar is a large title
    // nav bar but would be invisible when expanded, therefore don't show it here.
    if (!bottomHasUserMiddle && bottomLargeExpanded) {
      return null;
    }

    if (bottomMiddle != null && topBackLabel != null) {
2045
      // Move from current position to the top page's back label position.
2046 2047 2048 2049 2050
      return slideFromLeadingEdge(
        fromKey: bottomComponents.middleKey,
        fromNavBarBox: bottomNavBarBox,
        toKey: topComponents.backLabelKey,
        toNavBarBox: topNavBarBox,
2051
        child: FadeTransition(
2052 2053
          // A custom middle widget like a segmented control fades away faster.
          opacity: fadeOutBy(bottomHasUserMiddle ? 0.4 : 0.7),
2054
          child: Align(
2055 2056 2057
            // As the text shrinks, make sure it's still anchored to the leading
            // edge of a constantly sized outer box.
            alignment: AlignmentDirectional.centerStart,
2058
            child: DefaultTextStyleTransition(
2059
              style: animation.drive(TextStyleTween(
xster's avatar
xster committed
2060 2061
                begin: bottomTitleTextStyle,
                end: topBackButtonTextStyle,
2062
              )),
2063 2064 2065 2066 2067 2068 2069
              child: bottomMiddle.child,
            ),
          ),
        ),
      );
    }

2070 2071 2072
    // When the top page has a leading widget override (one of the few ways to
    // not have a top back label), don't move the bottom middle widget and just
    // fade.
2073
    if (bottomMiddle != null && topLeading != null) {
2074
      return Positioned.fromRelativeRect(
2075
        rect: positionInTransitionBox(bottomComponents.middleKey, from: bottomNavBarBox),
2076
        child: FadeTransition(
2077 2078
          opacity: fadeOutBy(bottomHasUserMiddle ? 0.4 : 0.7),
          // Keep the font when transitioning into a non-back label leading.
2079
          child: DefaultTextStyle(
xster's avatar
xster committed
2080
            style: bottomTitleTextStyle,
2081 2082 2083 2084 2085 2086 2087 2088 2089
            child: bottomMiddle.child,
          ),
        ),
      );
    }

    return null;
  }

2090 2091 2092 2093
  Widget? get bottomLargeTitle {
    final KeyedSubtree? bottomLargeTitle = bottomComponents.largeTitleKey.currentWidget as KeyedSubtree?;
    final KeyedSubtree? topBackLabel = topComponents.backLabelKey.currentWidget as KeyedSubtree?;
    final KeyedSubtree? topLeading = topComponents.leadingKey.currentWidget as KeyedSubtree?;
2094 2095 2096 2097 2098 2099

    if (bottomLargeTitle == null || !bottomLargeExpanded) {
      return null;
    }

    if (bottomLargeTitle != null && topBackLabel != null) {
2100
      // Move from current position to the top page's back label position.
2101 2102 2103 2104 2105
      return slideFromLeadingEdge(
        fromKey: bottomComponents.largeTitleKey,
        fromNavBarBox: bottomNavBarBox,
        toKey: topComponents.backLabelKey,
        toNavBarBox: topNavBarBox,
2106
        child: FadeTransition(
2107
          opacity: fadeOutBy(0.6),
2108
          child: Align(
2109 2110 2111
            // As the text shrinks, make sure it's still anchored to the leading
            // edge of a constantly sized outer box.
            alignment: AlignmentDirectional.centerStart,
2112
            child: DefaultTextStyleTransition(
2113
              style: animation.drive(TextStyleTween(
xster's avatar
xster committed
2114 2115
                begin: bottomLargeTitleTextStyle,
                end: topBackButtonTextStyle,
2116
              )),
2117 2118 2119 2120 2121 2122 2123 2124 2125 2126
              maxLines: 1,
              overflow: TextOverflow.ellipsis,
              child: bottomLargeTitle.child,
            ),
          ),
        ),
      );
    }

    if (bottomLargeTitle != null && topLeading != null) {
2127 2128
      // Unlike bottom middle, the bottom large title moves when it can't
      // transition to the top back label position.
2129 2130
      final RelativeRect from = positionInTransitionBox(bottomComponents.largeTitleKey, from: bottomNavBarBox);

2131
      final RelativeRectTween positionTween = RelativeRectTween(
2132
        begin: from,
2133 2134 2135 2136 2137 2138
        end: from.shift(
          Offset(
            forwardDirection * bottomNavBarBox.size.width / 4.0,
            0.0,
          ),
        ),
2139 2140
      );

2141 2142
      // Just shift slightly towards the trailing edge instead of moving to the
      // back label position.
2143
      return PositionedTransition(
2144
        rect: animation.drive(positionTween),
2145
        child: FadeTransition(
2146 2147
          opacity: fadeOutBy(0.4),
          // Keep the font when transitioning into a non-back-label leading.
2148
          child: DefaultTextStyle(
2149
            style: bottomLargeTitleTextStyle!,
2150 2151 2152 2153 2154 2155 2156 2157 2158
            child: bottomLargeTitle.child,
          ),
        ),
      );
    }

    return null;
  }

2159 2160
  Widget? get bottomTrailing {
    final KeyedSubtree? bottomTrailing = bottomComponents.trailingKey.currentWidget as KeyedSubtree?;
2161 2162 2163 2164 2165

    if (bottomTrailing == null) {
      return null;
    }

2166
    return Positioned.fromRelativeRect(
2167
      rect: positionInTransitionBox(bottomComponents.trailingKey, from: bottomNavBarBox),
2168
      child: FadeTransition(
2169 2170 2171 2172 2173 2174
        opacity: fadeOutBy(0.6),
        child: bottomTrailing.child,
      ),
    );
  }

2175 2176
  Widget? get topLeading {
    final KeyedSubtree? topLeading = topComponents.leadingKey.currentWidget as KeyedSubtree?;
2177 2178 2179 2180 2181

    if (topLeading == null) {
      return null;
    }

2182
    return Positioned.fromRelativeRect(
2183
      rect: positionInTransitionBox(topComponents.leadingKey, from: topNavBarBox),
2184
      child: FadeTransition(
2185 2186 2187 2188 2189 2190
        opacity: fadeInFrom(0.6),
        child: topLeading.child,
      ),
    );
  }

2191 2192 2193
  Widget? get topBackChevron {
    final KeyedSubtree? topBackChevron = topComponents.backChevronKey.currentWidget as KeyedSubtree?;
    final KeyedSubtree? bottomBackChevron = bottomComponents.backChevronKey.currentWidget as KeyedSubtree?;
2194 2195 2196 2197 2198 2199 2200 2201 2202 2203 2204

    if (topBackChevron == null) {
      return null;
    }

    final RelativeRect to = positionInTransitionBox(topComponents.backChevronKey, from: topNavBarBox);
    RelativeRect from = to;

    // If it's the first page with a back chevron, shift in slightly from the
    // right.
    if (bottomBackChevron == null) {
2205
      final RenderBox topBackChevronBox = topComponents.backChevronKey.currentContext!.findRenderObject()! as RenderBox;
2206 2207 2208 2209 2210 2211
      from = to.shift(
        Offset(
          forwardDirection * topBackChevronBox.size.width * 2.0,
          0.0,
        ),
      );
2212 2213
    }

2214
    final RelativeRectTween positionTween = RelativeRectTween(
2215 2216 2217 2218
      begin: from,
      end: to,
    );

2219
    return PositionedTransition(
2220
      rect: animation.drive(positionTween),
2221
      child: FadeTransition(
2222
        opacity: fadeInFrom(bottomBackChevron == null ? 0.7 : 0.4),
2223
        child: DefaultTextStyle(
xster's avatar
xster committed
2224
          style: topBackButtonTextStyle,
2225 2226 2227 2228 2229 2230
          child: topBackChevron.child,
        ),
      ),
    );
  }

2231 2232 2233 2234
  Widget? get topBackLabel {
    final KeyedSubtree? bottomMiddle = bottomComponents.middleKey.currentWidget as KeyedSubtree?;
    final KeyedSubtree? bottomLargeTitle = bottomComponents.largeTitleKey.currentWidget as KeyedSubtree?;
    final KeyedSubtree? topBackLabel = topComponents.backLabelKey.currentWidget as KeyedSubtree?;
2235 2236 2237 2238 2239

    if (topBackLabel == null) {
      return null;
    }

2240
    final RenderAnimatedOpacity? topBackLabelOpacity =
2241
        topComponents.backLabelKey.currentContext?.findAncestorRenderObjectOfType<RenderAnimatedOpacity>();
2242

2243
    Animation<double>? midClickOpacity;
2244
    if (topBackLabelOpacity != null && topBackLabelOpacity.opacity.value < 1.0) {
2245
      midClickOpacity = animation.drive(Tween<double>(
2246 2247
        begin: 0.0,
        end: topBackLabelOpacity.opacity.value,
2248
      ));
2249 2250 2251 2252 2253 2254 2255 2256 2257
    }

    // Pick up from an incoming transition from the large title. This is
    // duplicated here from the bottomLargeTitle transition widget because the
    // content text might be different. For instance, if the bottomLargeTitle
    // text is too long, the topBackLabel will say 'Back' instead of the original
    // text.
    if (bottomLargeTitle != null &&
        topBackLabel != null &&
2258
        bottomLargeExpanded) {
2259 2260 2261 2262 2263
      return slideFromLeadingEdge(
        fromKey: bottomComponents.largeTitleKey,
        fromNavBarBox: bottomNavBarBox,
        toKey: topComponents.backLabelKey,
        toNavBarBox: topNavBarBox,
2264
        child: FadeTransition(
2265
          opacity: midClickOpacity ?? fadeInFrom(0.4),
2266
          child: DefaultTextStyleTransition(
2267
            style: animation.drive(TextStyleTween(
xster's avatar
xster committed
2268 2269
              begin: bottomLargeTitleTextStyle,
              end: topBackButtonTextStyle,
2270
            )),
2271 2272 2273 2274 2275 2276 2277 2278 2279 2280 2281
            maxLines: 1,
            overflow: TextOverflow.ellipsis,
            child: topBackLabel.child,
          ),
        ),
      );
    }

    // The topBackLabel always comes from the large title first if available
    // and expanded instead of middle.
    if (bottomMiddle != null && topBackLabel != null) {
2282 2283 2284 2285 2286
      return slideFromLeadingEdge(
        fromKey: bottomComponents.middleKey,
        fromNavBarBox: bottomNavBarBox,
        toKey: topComponents.backLabelKey,
        toNavBarBox: topNavBarBox,
2287
        child: FadeTransition(
2288
          opacity: midClickOpacity ?? fadeInFrom(0.3),
2289
          child: DefaultTextStyleTransition(
2290
            style: animation.drive(TextStyleTween(
xster's avatar
xster committed
2291 2292
              begin: bottomTitleTextStyle,
              end: topBackButtonTextStyle,
2293
            )),
2294 2295 2296 2297 2298 2299 2300 2301 2302
            child: topBackLabel.child,
          ),
        ),
      );
    }

    return null;
  }

2303 2304
  Widget? get topMiddle {
    final KeyedSubtree? topMiddle = topComponents.middleKey.currentWidget as KeyedSubtree?;
2305 2306 2307 2308 2309 2310 2311 2312 2313 2314 2315 2316

    if (topMiddle == null) {
      return null;
    }

    // The middle component is non-null when the nav bar is a large title
    // nav bar but would be invisible when expanded, therefore don't show it here.
    if (!topHasUserMiddle && topLargeExpanded) {
      return null;
    }

    final RelativeRect to = positionInTransitionBox(topComponents.middleKey, from: topNavBarBox);
2317 2318 2319 2320 2321 2322 2323 2324 2325 2326
    final RenderBox toBox = topComponents.middleKey.currentContext!.findRenderObject()! as RenderBox;

    final bool isLTR = forwardDirection > 0;

    // Anchor is the top-leading point of toBox, in transition box's top-leading
    // coordinate space.
    final Offset toAnchorInTransitionBox = Offset(
      isLTR ? to.left : to.right,
      to.top,
    );
2327 2328

    // Shift in from the trailing edge of the screen.
2329 2330 2331 2332 2333 2334
    final Tween<Offset> anchorMovementInTransitionBox = Tween<Offset>(
      begin: Offset(
        // the "width / 2" here makes the middle widget's horizontal center on
        // the trailing edge of the top nav bar.
        topNavBarBox.size.width - toBox.size.width / 2,
        to.top,
2335
      ),
2336
      end: toAnchorInTransitionBox,
2337 2338
    );

2339 2340 2341 2342
    return _FixedSizeSlidingTransition(
      isLTR: isLTR,
      offsetAnimation: animation.drive(anchorMovementInTransitionBox),
      size: toBox.size,
2343
      child: FadeTransition(
2344
        opacity: fadeInFrom(0.25),
2345
        child: DefaultTextStyle(
xster's avatar
xster committed
2346
          style: topTitleTextStyle,
2347 2348 2349 2350 2351 2352
          child: topMiddle.child,
        ),
      ),
    );
  }

2353 2354
  Widget? get topTrailing {
    final KeyedSubtree? topTrailing = topComponents.trailingKey.currentWidget as KeyedSubtree?;
2355 2356 2357 2358 2359

    if (topTrailing == null) {
      return null;
    }

2360
    return Positioned.fromRelativeRect(
2361
      rect: positionInTransitionBox(topComponents.trailingKey, from: topNavBarBox),
2362
      child: FadeTransition(
2363 2364 2365 2366 2367 2368
        opacity: fadeInFrom(0.4),
        child: topTrailing.child,
      ),
    );
  }

2369 2370
  Widget? get topLargeTitle {
    final KeyedSubtree? topLargeTitle = topComponents.largeTitleKey.currentWidget as KeyedSubtree?;
2371 2372 2373 2374 2375 2376 2377 2378

    if (topLargeTitle == null || !topLargeExpanded) {
      return null;
    }

    final RelativeRect to = positionInTransitionBox(topComponents.largeTitleKey, from: topNavBarBox);

    // Shift in from the trailing edge of the screen.
2379
    final RelativeRectTween positionTween = RelativeRectTween(
2380 2381 2382 2383 2384 2385
      begin: to.shift(
        Offset(
          forwardDirection * topNavBarBox.size.width,
          0.0,
        ),
      ),
2386 2387 2388
      end: to,
    );

2389
    return PositionedTransition(
2390
      rect: animation.drive(positionTween),
2391
      child: FadeTransition(
2392
        opacity: fadeInFrom(0.3),
2393
        child: DefaultTextStyle(
2394
          style: topLargeTitleTextStyle!,
2395 2396 2397 2398 2399 2400 2401 2402 2403 2404 2405
          maxLines: 1,
          overflow: TextOverflow.ellipsis,
          child: topLargeTitle.child,
        ),
      ),
    );
  }
}

/// Navigation bars' hero rect tween that will move between the static bars
/// but keep a constant size that's the bigger of both navigation bars.
2406
RectTween _linearTranslateWithLargestRectSizeTween(Rect? begin, Rect? end) {
2407
  final Size largestSize = Size(
2408
    math.max(begin!.size.width, end!.size.width),
2409 2410
    math.max(begin.size.height, end.size.height),
  );
2411
  return RectTween(
2412 2413 2414
    begin: begin.topLeft & largestSize,
    end: end.topLeft & largestSize,
  );
2415
}
2416

2417
Widget _navBarHeroLaunchPadBuilder(
2418
  BuildContext context,
2419
  Size heroSize,
2420 2421 2422 2423 2424 2425 2426 2427 2428 2429 2430 2431 2432 2433
  Widget child,
) {
  assert(child is _TransitionableNavigationBar);
  // Tree reshaping is fine here because the Heroes' child is always a
  // _TransitionableNavigationBar which has a GlobalKey.

  // Keeping the Hero subtree here is needed (instead of just swapping out the
  // anchor nav bars for fixed size boxes during flights) because the nav bar
  // and their specific component children may serve as anchor points again if
  // another mid-transition flight diversion is triggered.

  // This is ok performance-wise because static nav bars are generally cheap to
  // build and layout but expensive to GPU render (due to clips and blurs) which
  // we're skipping here.
2434
  return Visibility(
2435 2436 2437 2438 2439 2440
    maintainSize: true,
    maintainAnimation: true,
    maintainState: true,
    visible: false,
    child: child,
  );
2441
}
2442 2443

/// Navigation bars' hero flight shuttle builder.
2444
Widget _navBarHeroFlightShuttleBuilder(
2445 2446 2447 2448 2449 2450 2451 2452 2453 2454 2455 2456 2457
  BuildContext flightContext,
  Animation<double> animation,
  HeroFlightDirection flightDirection,
  BuildContext fromHeroContext,
  BuildContext toHeroContext,
) {
  assert(animation != null);
  assert(flightDirection != null);
  assert(fromHeroContext != null);
  assert(toHeroContext != null);
  assert(fromHeroContext.widget is Hero);
  assert(toHeroContext.widget is Hero);

2458 2459
  final Hero fromHeroWidget = fromHeroContext.widget as Hero;
  final Hero toHeroWidget = toHeroContext.widget as Hero;
2460 2461 2462 2463

  assert(fromHeroWidget.child is _TransitionableNavigationBar);
  assert(toHeroWidget.child is _TransitionableNavigationBar);

2464 2465
  final _TransitionableNavigationBar fromNavBar = fromHeroWidget.child as _TransitionableNavigationBar;
  final _TransitionableNavigationBar toNavBar = toHeroWidget.child as _TransitionableNavigationBar;
2466 2467 2468 2469 2470

  assert(fromNavBar.componentsKeys != null);
  assert(toNavBar.componentsKeys != null);

  assert(
2471
    fromNavBar.componentsKeys.navBarBoxKey.currentContext!.owner != null,
2472 2473 2474
    'The from nav bar to Hero must have been mounted in the previous frame',
  );
  assert(
2475
    toNavBar.componentsKeys.navBarBoxKey.currentContext!.owner != null,
2476 2477 2478 2479 2480
    'The to nav bar to Hero must have been mounted in the previous frame',
  );

  switch (flightDirection) {
    case HeroFlightDirection.push:
2481
      return _NavigationBarTransition(
2482 2483 2484 2485 2486
        animation: animation,
        bottomNavBar: fromNavBar,
        topNavBar: toNavBar,
      );
    case HeroFlightDirection.pop:
2487
      return _NavigationBarTransition(
2488 2489 2490 2491 2492
        animation: animation,
        bottomNavBar: toNavBar,
        topNavBar: fromNavBar,
      );
  }
2493
}