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

5
import 'dart:math' as math;
6

7 8
import 'package:flutter/foundation.dart';
import 'package:flutter/gestures.dart';
9 10
import 'package:flutter/rendering.dart';
import 'package:flutter/widgets.dart';
11

12
import 'constants.dart';
13
import 'debug.dart';
14
import 'theme.dart';
15
import 'theme_data.dart';
16
import 'toggleable.dart';
17

18
/// A material design checkbox.
19 20
///
/// The checkbox itself does not maintain any state. Instead, when the state of
21 22 23
/// the checkbox changes, the widget calls the [onChanged] callback. Most
/// widgets that use a checkbox will listen for the [onChanged] callback and
/// rebuild the checkbox with a new [value] to update the visual appearance of
24 25
/// the checkbox.
///
26 27 28 29
/// The checkbox can optionally display three values - true, false, and null -
/// if [tristate] is true. When [value] is null a dash is displayed. By default
/// [tristate] is false and the checkbox's [value] must be true or false.
///
30 31 32
/// Requires one of its ancestors to be a [Material] widget.
///
/// See also:
33
///
34 35 36
///  * [CheckboxListTile], which combines this widget with a [ListTile] so that
///    you can give the checkbox a label.
///  * [Switch], a widget with semantics similar to [Checkbox].
37 38
///  * [Radio], for selecting among a set of explicit values.
///  * [Slider], for selecting a value in a range.
39 40
///  * <https://material.io/design/components/selection-controls.html#checkboxes>
///  * <https://material.io/design/components/lists.html#types>
41
class Checkbox extends StatefulWidget {
42
  /// Creates a material design checkbox.
43
  ///
44 45 46 47 48 49
  /// The checkbox itself does not maintain any state. Instead, when the state of
  /// the checkbox changes, the widget calls the [onChanged] callback. Most
  /// widgets that use a checkbox will listen for the [onChanged] callback and
  /// rebuild the checkbox with a new [value] to update the visual appearance of
  /// the checkbox.
  ///
50 51
  /// The following arguments are required:
  ///
52
  /// * [value], which determines whether the checkbox is checked. The [value]
53
  ///   can only be null if [tristate] is true.
54 55
  /// * [onChanged], which is called when the value of the checkbox should
  ///   change. It can be set to null to disable the checkbox.
56
  ///
57
  /// The values of [tristate] and [autofocus] must not be null.
58
  const Checkbox({
59
    Key key,
60
    @required this.value,
61
    this.tristate = false,
62
    @required this.onChanged,
63
    this.activeColor,
64
    this.checkColor,
65 66
    this.focusColor,
    this.hoverColor,
67
    this.materialTapTargetSize,
68 69
    this.focusNode,
    this.autofocus = false,
70 71
  }) : assert(tristate != null),
       assert(tristate || value != null),
72
       assert(autofocus != null),
73
       super(key: key);
74

75
  /// Whether this checkbox is checked.
76 77
  ///
  /// This property must not be null.
78
  final bool value;
79

80
  /// Called when the value of the checkbox should change.
81 82 83 84 85
  ///
  /// The checkbox passes the new value to the callback but does not actually
  /// change state until the parent widget rebuilds the checkbox with the new
  /// value.
  ///
86 87 88 89 90 91
  /// If this callback is null, the checkbox will be displayed as disabled
  /// and will not respond to input gestures.
  ///
  /// When the checkbox is tapped, if [tristate] is false (the default) then
  /// the [onChanged] callback will be applied to `!value`. If [tristate] is
  /// true this callback cycle from false to true to null.
92
  ///
93
  /// The callback provided to [onChanged] should update the state of the parent
94 95 96 97
  /// [StatefulWidget] using the [State.setState] method, so that the parent
  /// gets rebuilt; for example:
  ///
  /// ```dart
98
  /// Checkbox(
99 100 101 102 103 104
  ///   value: _throwShotAway,
  ///   onChanged: (bool newValue) {
  ///     setState(() {
  ///       _throwShotAway = newValue;
  ///     });
  ///   },
105
  /// )
106
  /// ```
Hixie's avatar
Hixie committed
107
  final ValueChanged<bool> onChanged;
108

109 110
  /// The color to use when this checkbox is checked.
  ///
111
  /// Defaults to [ThemeData.toggleableActiveColor].
112 113
  final Color activeColor;

114
  /// The color to use for the check icon when this checkbox is checked.
115 116 117 118
  ///
  /// Defaults to Color(0xFFFFFFFF)
  final Color checkColor;

119 120 121 122
  /// If true the checkbox's [value] can be true, false, or null.
  ///
  /// Checkbox displays a dash when its value is null.
  ///
123 124 125 126
  /// When a tri-state checkbox ([tristate] is true) is tapped, its [onChanged]
  /// callback will be applied to true if the current value is false, to null if
  /// value is true, and to false if value is null (i.e. it cycles through false
  /// => true => null => false when tapped).
127 128 129 130
  ///
  /// If tristate is false (the default), [value] must not be null.
  final bool tristate;

131 132 133 134 135 136
  /// Configures the minimum size of the tap target.
  ///
  /// Defaults to [ThemeData.materialTapTargetSize].
  ///
  /// See also:
  ///
137
  ///  * [MaterialTapTargetSize], for a description of how this affects tap targets.
138 139
  final MaterialTapTargetSize materialTapTargetSize;

140 141 142 143 144 145 146 147 148 149 150 151
  /// The color for the checkbox's [Material] when it has the input focus.
  final Color focusColor;

  /// The color for the checkbox's [Material] when a pointer is hovering over it.
  final Color hoverColor;

  /// {@macro flutter.widgets.Focus.focusNode}
  final FocusNode focusNode;

  /// {@macro flutter.widgets.Focus.autofocus}
  final bool autofocus;

152 153 154
  /// The width of a checkbox widget.
  static const double width = 18.0;

155
  @override
156
  _CheckboxState createState() => _CheckboxState();
157 158 159
}

class _CheckboxState extends State<Checkbox> with TickerProviderStateMixin {
160 161 162 163 164 165 166 167 168 169 170
  bool get enabled => widget.onChanged != null;
  Map<LocalKey, ActionFactory> _actionMap;
  bool _showHighlight = false;

  @override
  void initState() {
    super.initState();
    _actionMap = <LocalKey, ActionFactory>{
      SelectAction.key: _createAction,
      if (!kIsWeb) ActivateAction.key: _createAction,
    };
171 172
    _updateHighlightMode(FocusManager.instance.highlightMode);
    FocusManager.instance.addHighlightModeListener(_handleFocusHighlightModeChange);
173 174 175 176 177 178 179 180 181 182 183 184 185 186 187 188 189 190 191 192 193 194 195 196 197 198 199 200
  }

  void _actionHandler(FocusNode node, Intent intent){
    if (widget.onChanged != null) {
      switch (widget.value) {
        case false:
          widget.onChanged(true);
          break;
        case true:
          widget.onChanged(widget.tristate ? null : false);
          break;
        default: // case null:
          widget.onChanged(false);
          break;
      }
    }
    final RenderObject renderObject = node.context.findRenderObject();
    renderObject.sendSemanticsEvent(const TapSemanticEvent());
  }

  Action _createAction() {
    return CallbackAction(
      SelectAction.key,
      onInvoke: _actionHandler,
    );
  }

  void _updateHighlightMode(FocusHighlightMode mode) {
201
    switch (FocusManager.instance.highlightMode) {
202 203 204 205 206 207 208 209 210 211 212 213 214 215 216 217 218 219 220 221
      case FocusHighlightMode.touch:
        _showHighlight = false;
        break;
      case FocusHighlightMode.traditional:
        _showHighlight = true;
        break;
    }
  }

  void _handleFocusHighlightModeChange(FocusHighlightMode mode) {
    if (!mounted) {
      return;
    }
    setState(() { _updateHighlightMode(mode); });
  }

  bool hovering = false;
  void _handleMouseEnter(PointerEnterEvent event) => setState(() { hovering = true; });
  void _handleMouseExit(PointerExitEvent event) => setState(() { hovering = false; });

222
  @override
223
  Widget build(BuildContext context) {
224
    assert(debugCheckHasMaterial(context));
225
    final ThemeData themeData = Theme.of(context);
226 227 228 229 230 231 232 233 234
    Size size;
    switch (widget.materialTapTargetSize ?? themeData.materialTapTargetSize) {
      case MaterialTapTargetSize.padded:
        size = const Size(2 * kRadialReactionRadius + 8.0, 2 * kRadialReactionRadius + 8.0);
        break;
      case MaterialTapTargetSize.shrinkWrap:
        size = const Size(2 * kRadialReactionRadius, 2 * kRadialReactionRadius);
        break;
    }
235
    final BoxConstraints additionalConstraints = BoxConstraints.tight(size);
236 237 238 239 240 241 242 243 244 245 246 247 248 249 250 251 252 253 254 255 256 257 258 259 260 261 262 263 264 265
    return MouseRegion(
      onEnter: enabled ? _handleMouseEnter : null,
      onExit: enabled ? _handleMouseExit : null,
      child: Actions(
        actions: _actionMap,
        child: Focus(
          focusNode: widget.focusNode,
          autofocus: widget.autofocus,
          canRequestFocus: enabled,
          debugLabel: '${describeIdentity(widget)}(${widget.value})',
          child: Builder(
            builder: (BuildContext context) {
              return _CheckboxRenderObjectWidget(
                value: widget.value,
                tristate: widget.tristate,
                activeColor: widget.activeColor ?? themeData.toggleableActiveColor,
                checkColor: widget.checkColor ?? const Color(0xFFFFFFFF),
                inactiveColor: enabled ? themeData.unselectedWidgetColor : themeData.disabledColor,
                focusColor: widget.focusColor ?? themeData.focusColor,
                hoverColor: widget.hoverColor ?? themeData.hoverColor,
                onChanged: widget.onChanged,
                additionalConstraints: additionalConstraints,
                vsync: this,
                hasFocus: enabled && _showHighlight && Focus.of(context).hasFocus,
                hovering: enabled && _showHighlight && hovering,
              );
            },
          ),
        ),
      ),
266
    );
267 268 269
  }
}

270
class _CheckboxRenderObjectWidget extends LeafRenderObjectWidget {
271
  const _CheckboxRenderObjectWidget({
272
    Key key,
273
    @required this.value,
274
    @required this.tristate,
275
    @required this.activeColor,
276
    @required this.checkColor,
277
    @required this.inactiveColor,
278 279
    @required this.focusColor,
    @required this.hoverColor,
280 281
    @required this.onChanged,
    @required this.vsync,
282
    @required this.additionalConstraints,
283 284
    @required this.hasFocus,
    @required this.hovering,
285 286
  }) : assert(tristate != null),
       assert(tristate || value != null),
287 288 289 290
       assert(activeColor != null),
       assert(inactiveColor != null),
       assert(vsync != null),
       super(key: key);
291 292

  final bool value;
293
  final bool tristate;
294 295
  final bool hasFocus;
  final bool hovering;
296
  final Color activeColor;
297
  final Color checkColor;
298
  final Color inactiveColor;
299 300
  final Color focusColor;
  final Color hoverColor;
301
  final ValueChanged<bool> onChanged;
302
  final TickerProvider vsync;
303
  final BoxConstraints additionalConstraints;
304

305
  @override
306
  _RenderCheckbox createRenderObject(BuildContext context) => _RenderCheckbox(
307
    value: value,
308
    tristate: tristate,
309
    activeColor: activeColor,
310
    checkColor: checkColor,
311
    inactiveColor: inactiveColor,
312 313
    focusColor: focusColor,
    hoverColor: hoverColor,
314 315
    onChanged: onChanged,
    vsync: vsync,
316
    additionalConstraints: additionalConstraints,
317 318
    hasFocus: hasFocus,
    hovering: hovering,
319
  );
320

321
  @override
322
  void updateRenderObject(BuildContext context, _RenderCheckbox renderObject) {
323 324
    renderObject
      ..value = value
325
      ..tristate = tristate
326
      ..activeColor = activeColor
327
      ..checkColor = checkColor
328
      ..inactiveColor = inactiveColor
329 330
      ..focusColor = focusColor
      ..hoverColor = hoverColor
331
      ..onChanged = onChanged
332
      ..additionalConstraints = additionalConstraints
333 334 335
      ..vsync = vsync
      ..hasFocus = hasFocus
      ..hovering = hovering;
336 337 338
  }
}

339
const double _kEdgeSize = Checkbox.width;
340
const Radius _kEdgeRadius = Radius.circular(1.0);
341 342
const double _kStrokeWidth = 2.0;

343
class _RenderCheckbox extends RenderToggleable {
344 345
  _RenderCheckbox({
    bool value,
346
    bool tristate,
347
    Color activeColor,
348
    this.checkColor,
349
    Color inactiveColor,
350 351
    Color focusColor,
    Color hoverColor,
352
    BoxConstraints additionalConstraints,
353
    ValueChanged<bool> onChanged,
354 355
    bool hasFocus,
    bool hovering,
356
    @required TickerProvider vsync,
357 358 359 360 361 362
  }) : _oldValue = value,
       super(
         value: value,
         tristate: tristate,
         activeColor: activeColor,
         inactiveColor: inactiveColor,
363 364
         focusColor: focusColor,
         hoverColor: hoverColor,
365 366 367
         onChanged: onChanged,
         additionalConstraints: additionalConstraints,
         vsync: vsync,
368 369
         hasFocus: hasFocus,
         hovering: hovering,
370
       );
371 372

  bool _oldValue;
373
  Color checkColor;
374

375
  @override
376 377 378 379 380 381
  set value(bool newValue) {
    if (newValue == value)
      return;
    _oldValue = value;
    super.value = newValue;
  }
382

383 384 385 386 387 388
  @override
  void describeSemanticsConfiguration(SemanticsConfiguration config) {
    super.describeSemanticsConfiguration(config);
    config.isChecked = value == true;
  }

389 390 391 392 393 394 395
  // The square outer bounds of the checkbox at t, with the specified origin.
  // At t == 0.0, the outer rect's size is _kEdgeSize (Checkbox.width)
  // At t == 0.5, .. is _kEdgeSize - _kStrokeWidth
  // At t == 1.0, .. is _kEdgeSize
  RRect _outerRectAt(Offset origin, double t) {
    final double inset = 1.0 - (t - 0.5).abs() * 2.0;
    final double size = _kEdgeSize - inset * _kStrokeWidth;
396 397
    final Rect rect = Rect.fromLTWH(origin.dx + inset, origin.dy + inset, size, size);
    return RRect.fromRectAndRadius(rect, _kEdgeRadius);
398
  }
399

400 401 402 403 404 405 406 407 408 409
  // The checkbox's border color if value == false, or its fill color when
  // value == true or null.
  Color _colorAt(double t) {
    // As t goes from 0.0 to 0.25, animate from the inactiveColor to activeColor.
    return onChanged == null
      ? inactiveColor
      : (t >= 0.25 ? activeColor : Color.lerp(inactiveColor, activeColor, t * 4.0));
  }

  // White stroke used to paint the check and dash.
410 411
  Paint _createStrokePaint() {
    return Paint()
412
      ..color = checkColor
413 414 415 416 417 418 419 420 421 422 423 424 425 426
      ..style = PaintingStyle.stroke
      ..strokeWidth = _kStrokeWidth;
  }

  void _drawBorder(Canvas canvas, RRect outer, double t, Paint paint) {
    assert(t >= 0.0 && t <= 0.5);
    final double size = outer.width;
    // As t goes from 0.0 to 1.0, gradually fill the outer RRect.
    final RRect inner = outer.deflate(math.min(size / 2.0, _kStrokeWidth + size * t));
    canvas.drawDRRect(outer, inner, paint);
  }

  void _drawCheck(Canvas canvas, Offset origin, double t, Paint paint) {
    assert(t >= 0.0 && t <= 1.0);
427 428
    // As t goes from 0.0 to 1.0, animate the two check mark strokes from the
    // short side to the long side.
429
    final Path path = Path();
430 431 432
    const Offset start = Offset(_kEdgeSize * 0.15, _kEdgeSize * 0.45);
    const Offset mid = Offset(_kEdgeSize * 0.4, _kEdgeSize * 0.7);
    const Offset end = Offset(_kEdgeSize * 0.85, _kEdgeSize * 0.25);
433 434 435 436 437 438 439 440 441 442 443 444
    if (t < 0.5) {
      final double strokeT = t * 2.0;
      final Offset drawMid = Offset.lerp(start, mid, strokeT);
      path.moveTo(origin.dx + start.dx, origin.dy + start.dy);
      path.lineTo(origin.dx + drawMid.dx, origin.dy + drawMid.dy);
    } else {
      final double strokeT = (t - 0.5) * 2.0;
      final Offset drawEnd = Offset.lerp(mid, end, strokeT);
      path.moveTo(origin.dx + start.dx, origin.dy + start.dy);
      path.lineTo(origin.dx + mid.dx, origin.dy + mid.dy);
      path.lineTo(origin.dx + drawEnd.dx, origin.dy + drawEnd.dy);
    }
445 446
    canvas.drawPath(path, paint);
  }
447

448 449 450 451
  void _drawDash(Canvas canvas, Offset origin, double t, Paint paint) {
    assert(t >= 0.0 && t <= 1.0);
    // As t goes from 0.0 to 1.0, animate the horizontal line from the
    // mid point outwards.
452 453 454
    const Offset start = Offset(_kEdgeSize * 0.2, _kEdgeSize * 0.5);
    const Offset mid = Offset(_kEdgeSize * 0.5, _kEdgeSize * 0.5);
    const Offset end = Offset(_kEdgeSize * 0.8, _kEdgeSize * 0.5);
455 456 457 458 459 460 461 462
    final Offset drawStart = Offset.lerp(start, mid, 1.0 - t);
    final Offset drawEnd = Offset.lerp(mid, end, t);
    canvas.drawLine(origin + drawStart, origin + drawEnd, paint);
  }

  @override
  void paint(PaintingContext context, Offset offset) {
    final Canvas canvas = context.canvas;
463
    paintRadialReaction(canvas, offset, size.center(Offset.zero));
464

465
    final Paint strokePaint = _createStrokePaint();
466 467 468 469 470
    final Offset origin = offset + (size / 2.0 - const Size.square(_kEdgeSize) / 2.0);
    final AnimationStatus status = position.status;
    final double tNormalized = status == AnimationStatus.forward || status == AnimationStatus.completed
      ? position.value
      : 1.0 - position.value;
471

472 473 474 475
    // Four cases: false to null, false to true, null to false, true to false
    if (_oldValue == false || value == false) {
      final double t = value == false ? 1.0 - tNormalized : tNormalized;
      final RRect outer = _outerRectAt(origin, t);
476
      final Paint paint = Paint()..color = _colorAt(t);
477

478 479 480 481
      if (t <= 0.5) {
        _drawBorder(canvas, outer, t, paint);
      } else {
        canvas.drawRRect(outer, paint);
482

483
        final double tShrink = (t - 0.5) * 2.0;
484
        if (_oldValue == null || value == null)
485
          _drawDash(canvas, origin, tShrink, strokePaint);
486
        else
487
          _drawCheck(canvas, origin, tShrink, strokePaint);
488 489 490
      }
    } else { // Two cases: null to true, true to null
      final RRect outer = _outerRectAt(origin, 1.0);
491
      final Paint paint = Paint() ..color = _colorAt(1.0);
492
      canvas.drawRRect(outer, paint);
493

494 495 496
      if (tNormalized <= 0.5) {
        final double tShrink = 1.0 - tNormalized * 2.0;
        if (_oldValue == true)
497
          _drawCheck(canvas, origin, tShrink, strokePaint);
498
        else
499
          _drawDash(canvas, origin, tShrink, strokePaint);
500 501 502
      } else {
        final double tExpand = (tNormalized - 0.5) * 2.0;
        if (value == true)
503
          _drawCheck(canvas, origin, tExpand, strokePaint);
504
        else
505
          _drawDash(canvas, origin, tExpand, strokePaint);
506
      }
507 508 509
    }
  }
}