bench_text_layout.dart 14.8 KB
Newer Older
1 2 3 4
// Copyright 2014 The Flutter 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 6 7
import 'dart:html' as html;
import 'dart:js_util' as js_util;
import 'dart:math';
8
import 'dart:ui' as ui;
9

10
import 'package:flutter/material.dart';
11

12 13
import 'recorder.dart';

14 15 16 17
const String chars = '1234567890'
    'abcdefghijklmnopqrstuvwxyz'
    'ABCDEFGHIJKLMNOPQRSTUVWXYZ'
    '!@#%^&()[]{}<>,./?;:"`~-_=+|';
18

19 20 21 22 23 24 25 26 27 28 29 30 31
String _randomize(String text) {
  return text.replaceAllMapped(
    '*',
    // Passing a seed so the results are reproducible.
    (_) => chars[Random(0).nextInt(chars.length)],
  );
}

class ParagraphGenerator {
  int _counter = 0;

  /// Randomizes the given [text] and creates a paragraph with a unique
  /// font-size so that the engine doesn't reuse a cached ruler.
32
  ui.Paragraph generate(
33
    String text, {
34
    int? maxLines,
35 36
    bool hasEllipsis = false,
  }) {
37
    final ui.ParagraphBuilder builder = ui.ParagraphBuilder(ui.ParagraphStyle(
38 39 40 41 42
      fontFamily: 'sans-serif',
      maxLines: maxLines,
      ellipsis: hasEllipsis ? '...' : null,
    ))
      // Start from a font-size of 8.0 and go up by 0.01 each time.
43
      ..pushStyle(ui.TextStyle(fontSize: 8.0 + _counter * 0.01))
44 45 46 47 48 49
      ..addText(_randomize(text));
    _counter++;
    return builder.build();
  }
}

50 51 52 53 54 55 56 57 58 59 60 61
/// Which mode to run [BenchBuildColorsGrid] in.
enum _TestMode {
  /// Uses the HTML rendering backend with the canvas 2D text layout.
  useCanvasTextLayout,

  /// Uses the HTML rendering backend with the DOM text layout.
  useDomTextLayout,

  /// Uses CanvasKit for everything.
  useCanvasKit,
}

62
/// Sends a platform message to the web engine to enable/disable the usage of
63
/// the canvas-based text measurement implementation.
64 65
void _setTestMode(_TestMode? mode) {
  bool? useCanvasText; // null means do not force DOM or canvas, works for CanvasKit
66 67 68 69 70 71 72 73 74 75
  switch (mode) {
    case _TestMode.useDomTextLayout:
      useCanvasText = false;
      break;
    case _TestMode.useCanvasTextLayout:
      useCanvasText = true;
      break;
    default:
      // Keep as null.
  }
76 77 78 79 80
  js_util.callMethod(
    html.window,
    '_flutter_internal_update_experiment',
    <dynamic>['useCanvasText', useCanvasText],
  );
81 82
}

83
/// Repeatedly lays out a paragraph.
84 85
///
/// Creates a different paragraph each time in order to avoid hitting the cache.
86
class BenchTextLayout extends RawRecorder {
87 88 89 90 91 92 93 94
  BenchTextLayout.dom()
      : _mode = _TestMode.useDomTextLayout, super(name: domBenchmarkName);

  BenchTextLayout.canvas()
      : _mode = _TestMode.useCanvasTextLayout, super(name: canvasBenchmarkName);

  BenchTextLayout.canvasKit()
      : _mode = _TestMode.useCanvasKit, super(name: canvasKitBenchmarkName);
95 96 97

  static const String domBenchmarkName = 'text_dom_layout';
  static const String canvasBenchmarkName = 'text_canvas_layout';
98
  static const String canvasKitBenchmarkName = 'text_canvaskit_layout';
99

100 101 102
  final ParagraphGenerator generator = ParagraphGenerator();

  /// Whether to use the new canvas-based text measurement implementation.
103
  final _TestMode _mode;
104 105 106 107 108 109

  static const String singleLineText = '*** ** ****';
  static const String multiLineText = '*** ****** **** *** ******** * *** '
      '******* **** ********** *** ******* '
      '**** ***** *** ******** *** ********* '
      '** * *** ******* ***********';
110 111 112

  @override
  void body(Profile profile) {
113
    _setTestMode(_mode);
114 115 116 117 118 119 120 121 122 123 124 125 126 127 128 129 130 131 132 133 134 135 136 137 138 139 140 141 142 143 144 145 146

    recordParagraphOperations(
      profile: profile,
      paragraph: generator.generate(singleLineText),
      text: singleLineText,
      keyPrefix: 'single_line',
      maxWidth: 800.0,
    );

    recordParagraphOperations(
      profile: profile,
      paragraph: generator.generate(multiLineText),
      text: multiLineText,
      keyPrefix: 'multi_line',
      maxWidth: 200.0,
    );

    recordParagraphOperations(
      profile: profile,
      paragraph: generator.generate(multiLineText, maxLines: 2),
      text: multiLineText,
      keyPrefix: 'max_lines',
      maxWidth: 200.0,
    );

    recordParagraphOperations(
      profile: profile,
      paragraph: generator.generate(multiLineText, hasEllipsis: true),
      text: multiLineText,
      keyPrefix: 'ellipsis',
      maxWidth: 200.0,
    );

147
    _setTestMode(null);
148 149 150
  }

  void recordParagraphOperations({
151 152 153 154 155
    required Profile profile,
    required ui.Paragraph paragraph,
    required String text,
    required String keyPrefix,
    required double maxWidth,
156 157
  }) {
    profile.record('$keyPrefix.layout', () {
158
      paragraph.layout(ui.ParagraphConstraints(width: maxWidth));
159
    }, reported: true);
160 161 162 163 164 165
    profile.record('$keyPrefix.getBoxesForRange', () {
      for (int start = 0; start < text.length; start += 3) {
        for (int end = start + 1; end < text.length; end *= 2) {
          paragraph.getBoxesForRange(start, end);
        }
      }
166
    }, reported: true);
167 168 169 170 171 172
    profile.record('$keyPrefix.getPositionForOffset', () {
      for (double dx = 0.0; dx < paragraph.width; dx += 10.0) {
        for (double dy = 0.0; dy < paragraph.height; dy += 10.0) {
          paragraph.getPositionForOffset(Offset(dx, dy));
        }
      }
173
    }, reported: true);
174 175 176
  }
}

177
/// Repeatedly lays out the same paragraph.
178 179 180 181
///
/// Uses the same paragraph content to make sure we hit the cache. It doesn't
/// use the same paragraph instance because the layout method will shortcircuit
/// in that case.
182
class BenchTextCachedLayout extends RawRecorder {
183 184 185 186 187 188 189 190
  BenchTextCachedLayout.dom()
      : _mode = _TestMode.useDomTextLayout, super(name: domBenchmarkName);

  BenchTextCachedLayout.canvas()
      : _mode = _TestMode.useCanvasTextLayout, super(name: canvasBenchmarkName);

  BenchTextCachedLayout.canvasKit()
      : _mode = _TestMode.useCanvasKit, super(name: canvasKitBenchmarkName);
191 192 193

  static const String domBenchmarkName = 'text_dom_cached_layout';
  static const String canvasBenchmarkName = 'text_canvas_cached_layout';
194
  static const String canvasKitBenchmarkName = 'text_canvas_kit_cached_layout';
195

196
  /// Whether to use the new canvas-based text measurement implementation.
197
  final _TestMode _mode;
198

199 200 201 202
  @override
  void body(Profile profile) {
    _setTestMode(_mode);
    final ui.ParagraphBuilder builder = ui.ParagraphBuilder(ui.ParagraphStyle(fontFamily: 'sans-serif'))
203
        ..pushStyle(ui.TextStyle(fontSize: 12.0))
204 205 206 207
        ..addText(
          'Lorem ipsum dolor sit amet, consectetur adipiscing elit, '
          'sed do eiusmod tempor incididunt ut labore et dolore magna aliqua.',
        );
208
    final ui.Paragraph paragraph = builder.build();
209
    profile.record('layout', () {
210
      paragraph.layout(const ui.ParagraphConstraints(width: double.infinity));
211
    }, reported: true);
212
    _setTestMode(null);
213 214 215 216 217 218 219 220 221 222
  }
}

/// Global counter incremented every time the benchmark is asked to
/// [createWidget].
///
/// The purpose of this counter is to make sure the rendered paragraphs on each
/// build are unique.
int _counter = 0;

223
/// Measures how expensive it is to construct a realistic text-heavy piece of UI.
224
///
225 226
/// The benchmark constructs a tabbed view, where each tab displays a list of
/// colors. Each color's description is made of several [Text] nodes.
227
class BenchBuildColorsGrid extends WidgetBuildRecorder {
228
  BenchBuildColorsGrid.canvas()
229
      : _mode = _TestMode.useCanvasTextLayout, super(name: canvasBenchmarkName);
230
  BenchBuildColorsGrid.dom()
231
      : _mode = _TestMode.useDomTextLayout, super(name: domBenchmarkName);
232
  BenchBuildColorsGrid.canvasKit()
233
      : _mode = _TestMode.useCanvasKit, super(name: canvasKitBenchmarkName);
234

235 236 237 238 239 240 241 242 243 244
  /// Disables tracing for this benchmark.
  ///
  /// When tracing is enabled, DOM layout takes longer to complete. This has a
  /// significant effect on the benchmark since we do a lot of text layout
  /// operations that trigger synchronous DOM layout.
  ///
  /// Tracing has a negative effect only in [_TestMode.useDomTextLayout] mode.
  @override
  bool get isTracingEnabled => false;

245 246
  static const String domBenchmarkName = 'text_dom_color_grid';
  static const String canvasBenchmarkName = 'text_canvas_color_grid';
247
  static const String canvasKitBenchmarkName = 'text_canvas_kit_color_grid';
248 249

  /// Whether to use the new canvas-based text measurement implementation.
250
  final _TestMode _mode;
251 252 253 254

  num _textLayoutMicros = 0;

  @override
255
  Future<void> setUpAll() async {
256
    _setTestMode(_mode);
257
    registerEngineBenchmarkValueListener('text_layout', (num value) {
258
      _textLayoutMicros += value;
259
    });
260 261 262
  }

  @override
263
  Future<void> tearDownAll() async {
264
    _setTestMode(null);
265
    stopListeningToEngineBenchmarkValues('text_layout');
266 267 268 269 270 271 272 273 274 275 276 277
  }

  @override
  void frameWillDraw() {
    super.frameWillDraw();
    _textLayoutMicros = 0;
  }

  @override
  void frameDidDraw() {
    // We need to do this before calling [super.frameDidDraw] because the latter
    // updates the value of [showWidget] in preparation for the next frame.
278
    // TODO(yjbanov): https://github.com/flutter/flutter/issues/53877
279
    if (showWidget && _mode != _TestMode.useCanvasKit) {
280
      profile!.addDataPoint(
281 282
        'text_layout',
        Duration(microseconds: _textLayoutMicros.toInt()),
283
        reported: true,
284 285 286 287 288 289 290 291
      );
    }
    super.frameDidDraw();
  }

  @override
  Widget createWidget() {
    _counter++;
292
    return const MaterialApp(home: ColorsDemo());
293 294 295 296 297 298 299 300 301
  }
}

// The code below was copied from `colors_demo.dart` in the `flutter_gallery`
// example.

const double kColorItemHeight = 48.0;

class Palette {
302
  Palette({required this.name, required this.primary, this.accent, this.threshold = 900});
303 304 305

  final String name;
  final MaterialColor primary;
306
  final MaterialAccentColor? accent;
307 308 309 310 311 312 313 314 315 316 317 318 319 320 321 322 323 324 325 326 327 328 329 330 331 332 333 334 335 336 337 338 339 340 341 342 343 344 345 346 347 348 349 350 351 352 353 354 355 356 357 358 359 360 361 362 363 364 365 366 367 368 369 370 371 372 373 374 375 376 377 378 379 380 381 382 383 384 385 386 387 388 389 390
  final int
      threshold; // titles for indices > threshold are white, otherwise black
}

final List<Palette> allPalettes = <Palette>[
  Palette(
      name: 'RED',
      primary: Colors.red,
      accent: Colors.redAccent,
      threshold: 300),
  Palette(
      name: 'PINK',
      primary: Colors.pink,
      accent: Colors.pinkAccent,
      threshold: 200),
  Palette(
      name: 'PURPLE',
      primary: Colors.purple,
      accent: Colors.purpleAccent,
      threshold: 200),
  Palette(
      name: 'DEEP PURPLE',
      primary: Colors.deepPurple,
      accent: Colors.deepPurpleAccent,
      threshold: 200),
  Palette(
      name: 'INDIGO',
      primary: Colors.indigo,
      accent: Colors.indigoAccent,
      threshold: 200),
  Palette(
      name: 'BLUE',
      primary: Colors.blue,
      accent: Colors.blueAccent,
      threshold: 400),
  Palette(
      name: 'LIGHT BLUE',
      primary: Colors.lightBlue,
      accent: Colors.lightBlueAccent,
      threshold: 500),
  Palette(
      name: 'CYAN',
      primary: Colors.cyan,
      accent: Colors.cyanAccent,
      threshold: 600),
  Palette(
      name: 'TEAL',
      primary: Colors.teal,
      accent: Colors.tealAccent,
      threshold: 400),
  Palette(
      name: 'GREEN',
      primary: Colors.green,
      accent: Colors.greenAccent,
      threshold: 500),
  Palette(
      name: 'LIGHT GREEN',
      primary: Colors.lightGreen,
      accent: Colors.lightGreenAccent,
      threshold: 600),
  Palette(
      name: 'LIME',
      primary: Colors.lime,
      accent: Colors.limeAccent,
      threshold: 800),
  Palette(name: 'YELLOW', primary: Colors.yellow, accent: Colors.yellowAccent),
  Palette(name: 'AMBER', primary: Colors.amber, accent: Colors.amberAccent),
  Palette(
      name: 'ORANGE',
      primary: Colors.orange,
      accent: Colors.orangeAccent,
      threshold: 700),
  Palette(
      name: 'DEEP ORANGE',
      primary: Colors.deepOrange,
      accent: Colors.deepOrangeAccent,
      threshold: 400),
  Palette(name: 'BROWN', primary: Colors.brown, threshold: 200),
  Palette(name: 'GREY', primary: Colors.grey, threshold: 500),
  Palette(name: 'BLUE GREY', primary: Colors.blueGrey, threshold: 500),
];

class ColorItem extends StatelessWidget {
  const ColorItem({
391 392 393
    Key? key,
    required this.index,
    required this.color,
394 395 396 397 398 399 400 401 402 403 404 405 406 407 408 409 410 411 412 413 414 415 416 417 418 419 420 421 422 423 424 425 426 427 428 429 430 431 432
    this.prefix = '',
  })  : assert(index != null),
        assert(color != null),
        assert(prefix != null),
        super(key: key);

  final int index;
  final Color color;
  final String prefix;

  String colorString() =>
      "$_counter:#${color.value.toRadixString(16).padLeft(8, '0').toUpperCase()}";

  @override
  Widget build(BuildContext context) {
    return Semantics(
      container: true,
      child: Container(
        height: kColorItemHeight,
        padding: const EdgeInsets.symmetric(horizontal: 16.0),
        color: color,
        child: SafeArea(
          top: false,
          bottom: false,
          child: Row(
            mainAxisAlignment: MainAxisAlignment.spaceBetween,
            crossAxisAlignment: CrossAxisAlignment.center,
            children: <Widget>[
              Text('$_counter:$prefix$index'),
              Text(colorString()),
            ],
          ),
        ),
      ),
    );
  }
}

class PaletteTabView extends StatelessWidget {
433 434 435 436
  const PaletteTabView({
    Key? key,
    required this.colors,
  }) : super(key: key);
437 438 439 440 441 442 443 444 445 446 447 448 449 450 451 452 453 454 455 456 457

  final Palette colors;

  static const List<int> primaryKeys = <int>[
    50,
    100,
    200,
    300,
    400,
    500,
    600,
    700,
    800,
    900
  ];
  static const List<int> accentKeys = <int>[100, 200, 400, 700];

  @override
  Widget build(BuildContext context) {
    final TextTheme textTheme = Theme.of(context).textTheme;
    final TextStyle whiteTextStyle =
458
        textTheme.bodyText2!.copyWith(color: Colors.white);
459
    final TextStyle blackTextStyle =
460
        textTheme.bodyText2!.copyWith(color: Colors.black);
461 462 463 464 465 466 467
    return Scrollbar(
      child: ListView(
        itemExtent: kColorItemHeight,
        children: <Widget>[
          ...primaryKeys.map<Widget>((int index) {
            return DefaultTextStyle(
              style: index > colors.threshold ? whiteTextStyle : blackTextStyle,
468
              child: ColorItem(index: index, color: colors.primary[index]!),
469 470 471 472 473 474 475 476
            );
          }),
          if (colors.accent != null)
            ...accentKeys.map<Widget>((int index) {
              return DefaultTextStyle(
                style:
                    index > colors.threshold ? whiteTextStyle : blackTextStyle,
                child: ColorItem(
477
                    index: index, color: colors.accent![index]!, prefix: 'A'),
478 479 480 481 482 483 484 485 486
              );
            }),
        ],
      ),
    );
  }
}

class ColorsDemo extends StatelessWidget {
487
  const ColorsDemo({Key? key}) : super(key: key);
488

489 490 491 492 493 494 495 496 497 498 499 500 501 502 503 504 505 506 507 508 509 510 511
  @override
  Widget build(BuildContext context) {
    return DefaultTabController(
      length: allPalettes.length,
      child: Scaffold(
        appBar: AppBar(
          elevation: 0.0,
          title: const Text('Colors'),
          bottom: TabBar(
            isScrollable: true,
            tabs: allPalettes
                .map<Widget>(
                    (Palette swatch) => Tab(text: '$_counter:${swatch.name}'))
                .toList(),
          ),
        ),
        body: TabBarView(
          children: allPalettes.map<Widget>((Palette colors) {
            return PaletteTabView(colors: colors);
          }).toList(),
        ),
      ),
    );
512 513
  }
}