text
stringlengths 6
13.6M
| id
stringlengths 13
176
| metadata
dict | __index_level_0__
int64 0
1.69k
|
---|---|---|---|
package com.example.simplistic_editor
import io.flutter.embedding.android.FlutterActivity
class MainActivity: FlutterActivity() {
}
| samples/simplistic_editor/android/app/src/main/kotlin/com/example/simplistic_editor/MainActivity.kt/0 | {
"file_path": "samples/simplistic_editor/android/app/src/main/kotlin/com/example/simplistic_editor/MainActivity.kt",
"repo_id": "samples",
"token_count": 40
} | 1,212 |
# testing_app
A Sample app that shows different types of testing in Flutter.
This particular sample uses the [Provider][] package but any other state management approach
would do.
[provider]: https://pub.dev/packages/provider
## Goals for this sample
Show how to perform:
- Widget Testing,
- Integration Testing,
- Performance Testing, and
- State Management Testing using the [Provider][] package.
## How to run tests
- Navigate to the project's root folder using command line and follow the instructions below.
### To run tests using only the Flutter SDK:
The Flutter SDK can run unit tests and widget tests in a virtual machine, without the need of a physical device or emulator.
- To run all the test files in the `test/` directory in one go, run `flutter test`.
- To run a particular test file, run `flutter test test/<file_path>`
### To run tests on a physical device/emulator:
- Widget Tests:
- Run `flutter run test/<file_path>`
- Integration Tests:
- Run `flutter test integration_test` to run all the integration tests with a single command.
- Alternatively, you can run `flutter drive --driver=integration_test/driver.dart --target=integration_test/app_test.dart` to run them separately. You can also provide custom driver files with this command.
- Performance Tests:
- Run `flutter drive --driver=integration_test/perf_driver.dart --target=integration_test/perf_test.dart --profile --trace-startup`
- Using a physical device and running performance tests in profile mode is recommended.
- The `--trace-startup` option is used to avoid flushing older timeline events when the timeline gets long.
- State Management Tests:
- For testing state using Flutter Integration Tests
- Run `flutter drive --driver=integration_test/driver.dart --target=integration_test/state_mgmt_test.dart`
### To generate test coverage report:
- Install the `lcov` tool:
- For MacOS, run `brew install lcov`
- For Linux, run `sudo apt install lcov`
- Run tests with coverage:
- `flutter test --coverage`
- Convert `lcov.info` into readable html:
- Run `genhtml coverage/lcov.info -o coverage/index`
- Open `coverage/index/index.html` in your preferred browser.
### CI/CD
- Refer [.github](../.github) and the [tool](../tool) directory to see how to test Flutter projects using GitHub Actions.
Note that tools like GitHub Actions can't run tests on a physical device, which is required to run integration tests. Instead, you can use [Firebase Test Lab](https://firebase.google.com/docs/test-lab), [Codemagic](https://docs.codemagic.io/testing/aws/) or any platform of your choice to do that.
## Questions/issues
If you have a general question about testing in Flutter, the best places to go are:
- [Flutter documentation](https://flutter.dev/)
- [StackOverflow](https://stackoverflow.com/questions/tagged/flutter)
If you run into an issue with the sample itself, please
[file an issue](https://github.com/flutter/samples/issues).
| samples/testing_app/README.md/0 | {
"file_path": "samples/testing_app/README.md",
"repo_id": "samples",
"token_count": 834
} | 1,213 |
#import "GeneratedPluginRegistrant.h"
| samples/testing_app/ios/Runner/Runner-Bridging-Header.h/0 | {
"file_path": "samples/testing_app/ios/Runner/Runner-Bridging-Header.h",
"repo_id": "samples",
"token_count": 13
} | 1,214 |
// Copyright 2018 The Flutter team. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
import 'package:flutter/cupertino.dart';
import 'package:go_router/go_router.dart';
import 'package:provider/provider.dart';
import 'package:veggieseasons/data/app_state.dart';
import 'package:veggieseasons/data/preferences.dart';
import 'package:veggieseasons/data/veggie.dart';
import 'package:veggieseasons/styles.dart';
import 'package:veggieseasons/widgets/close_button.dart';
import 'package:veggieseasons/widgets/trivia.dart';
class ServingInfoChart extends StatelessWidget {
const ServingInfoChart(this.veggie, this.prefs, {super.key});
final Veggie veggie;
final Preferences prefs;
// Creates a [Text] widget to display a veggie's "percentage of your daily
// value of this vitamin" data adjusted for the user's preferred calorie
// target.
Widget _buildVitaminText(int standardPercentage, Future<int> targetCalories) {
return FutureBuilder<int>(
future: targetCalories,
builder: (context, snapshot) {
final target = snapshot.data ?? 2000;
final percent = standardPercentage * 2000 ~/ target;
return Text(
'$percent% DV',
style: CupertinoTheme.of(context).textTheme.textStyle,
textAlign: TextAlign.end,
);
},
);
}
@override
Widget build(BuildContext context) {
final themeData = CupertinoTheme.of(context);
return Column(
children: [
const SizedBox(height: 16),
Align(
alignment: Alignment.centerLeft,
child: Padding(
padding: const EdgeInsets.only(
left: 9,
bottom: 4,
),
child: Text(
'Serving info',
style: CupertinoTheme.of(context).textTheme.textStyle,
),
),
),
Container(
decoration: BoxDecoration(
border: Border.all(color: Styles.servingInfoBorderColor),
),
padding: const EdgeInsets.all(8),
child: Column(
children: [
Table(
children: [
TableRow(
children: [
TableCell(
child: Text(
'Serving size:',
style: Styles.detailsServingLabelText(themeData),
),
),
TableCell(
child: Text(
veggie.servingSize,
textAlign: TextAlign.end,
style: CupertinoTheme.of(context).textTheme.textStyle,
),
),
],
),
TableRow(
children: [
TableCell(
child: Text(
'Calories:',
style: Styles.detailsServingLabelText(themeData),
),
),
TableCell(
child: Text(
'${veggie.caloriesPerServing} kCal',
style: CupertinoTheme.of(context).textTheme.textStyle,
textAlign: TextAlign.end,
),
),
],
),
TableRow(
children: [
TableCell(
child: Text(
'Vitamin A:',
style: Styles.detailsServingLabelText(themeData),
),
),
TableCell(
child: _buildVitaminText(
veggie.vitaminAPercentage,
prefs.desiredCalories,
),
),
],
),
TableRow(
children: [
TableCell(
child: Text(
'Vitamin C:',
style: Styles.detailsServingLabelText(themeData),
),
),
TableCell(
child: _buildVitaminText(
veggie.vitaminCPercentage,
prefs.desiredCalories,
),
),
],
),
],
),
Padding(
padding: const EdgeInsets.only(top: 16),
child: FutureBuilder(
future: prefs.desiredCalories,
builder: (context, snapshot) {
return Text(
'Percent daily values based on a diet of '
'${snapshot.data ?? '2,000'} calories.',
style: Styles.detailsServingNoteText(themeData),
);
},
),
),
],
),
)
],
);
}
}
class InfoView extends StatelessWidget {
final int? id;
const InfoView(this.id, {super.key});
@override
Widget build(BuildContext context) {
final appState = Provider.of<AppState>(context);
final prefs = Provider.of<Preferences>(context);
final veggie = appState.getVeggie(id);
final themeData = CupertinoTheme.of(context);
return Padding(
padding: const EdgeInsets.all(24),
child: Column(
crossAxisAlignment: CrossAxisAlignment.stretch,
children: [
Row(
mainAxisSize: MainAxisSize.max,
children: [
FutureBuilder<Set<VeggieCategory>>(
future: prefs.preferredCategories,
builder: (context, snapshot) {
return Text(
veggie.categoryName!.toUpperCase(),
style: (snapshot.hasData &&
snapshot.data!.contains(veggie.category))
? Styles.detailsPreferredCategoryText(themeData)
: themeData.textTheme.textStyle,
);
},
),
const Spacer(),
for (Season season in veggie.seasons) ...[
const SizedBox(width: 12),
Padding(
padding: Styles.seasonIconPadding[season]!,
child: Icon(
Styles.seasonIconData[season],
semanticLabel: seasonNames[season],
color: Styles.seasonColors[season],
),
),
],
],
),
const SizedBox(height: 8),
Text(
veggie.name,
style: Styles.detailsTitleText(themeData),
),
const SizedBox(height: 8),
Text(
veggie.shortDescription,
style: CupertinoTheme.of(context).textTheme.textStyle,
),
ServingInfoChart(veggie, prefs),
const SizedBox(height: 24),
Row(
mainAxisSize: MainAxisSize.min,
children: [
CupertinoSwitch(
value: veggie.isFavorite,
onChanged: (value) {
appState.setFavorite(id, value);
},
),
const SizedBox(width: 8),
Text(
'Save to Garden',
style: CupertinoTheme.of(context).textTheme.textStyle,
),
],
),
],
),
);
}
}
class DetailsScreen extends StatefulWidget {
final int? id;
final String? restorationId;
const DetailsScreen({this.id, this.restorationId, super.key});
@override
State<DetailsScreen> createState() => _DetailsScreenState();
}
class _DetailsScreenState extends State<DetailsScreen> with RestorationMixin {
final RestorableInt _selectedViewIndex = RestorableInt(0);
@override
String? get restorationId => widget.restorationId;
@override
void restoreState(RestorationBucket? oldBucket, bool initialRestore) {
registerForRestoration(_selectedViewIndex, 'tab');
}
@override
void dispose() {
_selectedViewIndex.dispose();
super.dispose();
}
Widget _buildHeader(BuildContext context, AppState model) {
final veggie = model.getVeggie(widget.id);
return SizedBox(
height: 150,
child: Stack(
children: [
Positioned(
right: 0,
left: 0,
child: Image.asset(
veggie.imageAssetPath,
fit: BoxFit.cover,
semanticLabel: 'A background image of ${veggie.name}',
),
),
Positioned(
top: 16,
left: 16,
child: SafeArea(
child: CloseButton(() {
context.pop();
}),
),
),
],
),
);
}
@override
Widget build(BuildContext context) {
final appState = Provider.of<AppState>(context);
return UnmanagedRestorationScope(
bucket: bucket,
child: CupertinoPageScaffold(
child: Column(
crossAxisAlignment: CrossAxisAlignment.stretch,
mainAxisSize: MainAxisSize.min,
children: [
Expanded(
child: ListView(
restorationId: 'list',
children: [
_buildHeader(context, appState),
const SizedBox(height: 20),
CupertinoSegmentedControl<int>(
children: const {
0: Text(
'Facts & Info',
),
1: Text(
'Trivia',
)
},
groupValue: _selectedViewIndex.value,
onValueChanged: (value) {
setState(() => _selectedViewIndex.value = value);
},
),
_selectedViewIndex.value == 0
? InfoView(widget.id)
: TriviaView(id: widget.id, restorationId: 'trivia'),
],
),
),
],
),
),
);
}
}
| samples/veggieseasons/lib/screens/details.dart/0 | {
"file_path": "samples/veggieseasons/lib/screens/details.dart",
"repo_id": "samples",
"token_count": 5931
} | 1,215 |
<!DOCTYPE html>
<html>
<head>
<meta charset="UTF-8">
<meta content="IE=Edge" http-equiv="X-UA-Compatible">
<meta name="description" content="A new Flutter project.">
<!-- iOS meta tags & icons -->
<meta name="apple-mobile-web-app-capable" content="yes">
<meta name="apple-mobile-web-status-bar-style" content="black">
<meta name="apple-mobile-web-app-title" content="veggieseasons">
<link rel="apple-touch-icon" href="/icons/Icon-192.png">
<title>veggieseasons</title>
<link rel="manifest" href="/manifest.json">
</head>
<body>
<script src="main.dart.js" type="application/javascript"></script>
</body>
</html>
| samples/veggieseasons/web/index.html/0 | {
"file_path": "samples/veggieseasons/web/index.html",
"repo_id": "samples",
"token_count": 229
} | 1,216 |
<!DOCTYPE html>
<html>
<head>
<base href="$FLUTTER_BASE_HREF">
<meta charset="UTF-8">
<meta content="IE=Edge" http-equiv="X-UA-Compatible">
<meta name="description" content="web_startup_analyzer example">
<meta name="apple-mobile-web-app-capable" content="yes">
<meta name="apple-mobile-web-app-status-bar-style" content="black">
<meta name="apple-mobile-web-app-title" content="example">
<link rel="apple-touch-icon" href="icons/Icon-192.png">
<link rel="icon" type="image/png" href="favicon.png"/>
<title>web_perf_metrics example</title>
<link rel="manifest" href="manifest.json">
<script>
const serviceWorkerVersion = null;
</script>
<script src="flutter.js" defer></script>
</head>
<body>
<script type="text/javascript" src="assets/packages/web_startup_analyzer/lib/web_startup_analyzer.js"></script>
<script>
var flutterWebStartupAnalyzer = new FlutterWebStartupAnalyzer();
var analyzer = flutterWebStartupAnalyzer;
window.addEventListener('load', function(ev) {
analyzer.markStart("loadEntrypoint");
_flutter.loader.loadEntrypoint({
serviceWorker: {
serviceWorkerVersion: serviceWorkerVersion,
},
onEntrypointLoaded: function(engineInitializer) {
analyzer.markFinished("loadEntrypoint");
analyzer.markStart("initializeEngine");
engineInitializer.initializeEngine().then(function(appRunner) {
analyzer.markFinished("initializeEngine");
analyzer.markStart("appRunnerRunApp");
appRunner.runApp();
});
}
});
});
</script>
</body>
</html>
| samples/web/_packages/web_startup_analyzer/example/web/index.html/0 | {
"file_path": "samples/web/_packages/web_startup_analyzer/example/web/index.html",
"repo_id": "samples",
"token_count": 600
} | 1,217 |
name: tool
publish_to: none
environment:
sdk: ^3.2.0
dependencies:
markdown: ^7.0.0
path: ^1.8.0
dev_dependencies:
lints: ^3.0.0
| samples/web/_tool/pubspec.yaml/0 | {
"file_path": "samples/web/_tool/pubspec.yaml",
"repo_id": "samples",
"token_count": 70
} | 1,218 |
// Copyright 2020 The Flutter team. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file
import 'dart:html';
class Carousel {
final bool withArrowKeyControl;
final Element container = querySelector('.slider-container')!;
final List<Element> slides = querySelectorAll('.slider-single');
late int currentSlideIndex;
late final int lastSlideIndex;
late Element prevSlide, currentSlide, nextSlide;
late num x0;
bool touched = false;
Carousel.init({this.withArrowKeyControl = false}) {
lastSlideIndex = slides.length - 1;
currentSlideIndex = -1;
// Remove container empty space when no images are available
if (lastSlideIndex == -1) {
container.classes.clear();
return;
}
// Skip carousel decoration when only one image is available
if (lastSlideIndex == 0) {
currentSlide = slides[currentSlideIndex + 1];
currentSlide.classes.add('active');
return;
}
_hideSlides();
_initBullets();
_initArrows();
_initGestureListener();
if (withArrowKeyControl) {
_initArrowKeyControl();
}
// Move to the first slide after init
// This is responsible for creating a smooth animation
Future<void>.delayed(const Duration(milliseconds: 500))
.then((value) => _slideRight());
}
void _hideSlides() {
for (final s in slides) {
s.classes.add('next-hidden');
}
}
void _initBullets() {
final bulletContainer = DivElement();
bulletContainer.classes.add('bullet-container');
for (var i = 0; i < slides.length; i++) {
final bullet = DivElement();
bullet.classes.add('bullet');
bullet.id = 'bullet-index-$i';
bullet.onClick.listen((e) => _goToIndexSlide(i));
bulletContainer.append(bullet);
}
container.append(bulletContainer);
}
void _initArrows() {
final prevArrow = AnchorElement();
final iPrev = DivElement();
iPrev.classes.addAll(['fa', 'fa-chevron-left', 'fa-lg']);
prevArrow.classes.add('slider-left');
prevArrow.append(iPrev);
prevArrow.onClick.listen((e) => _slideLeft());
final nextArrow = AnchorElement();
final iNext = DivElement();
iNext.classes.addAll(['fa', 'fa-chevron-right', 'fa-lg']);
nextArrow.classes.add('slider-right');
nextArrow.append(iNext);
nextArrow.onClick.listen((e) => _slideRight());
container.append(prevArrow);
container.append(nextArrow);
}
void _touchStartListener(TouchEvent e) {
x0 = e.changedTouches!.first.client.x;
touched = true;
}
void _touchEndListener(TouchEvent e) {
if (touched) {
int dx = (e.changedTouches!.first.client.x - x0) as int;
// dx==0 case is ignored
if (dx > 0 && currentSlideIndex > 0) {
_slideLeft();
} else if (dx < 0 && currentSlideIndex < lastSlideIndex) {
_slideRight();
}
touched = false;
}
}
void _initGestureListener() {
container.onTouchStart.listen(_touchStartListener);
container.onTouchEnd.listen(_touchEndListener);
}
void _updateBullets() {
final bullets =
querySelector('.bullet-container')!.querySelectorAll('.bullet');
for (var i = 0; i < bullets.length; i++) {
bullets[i].classes.remove('active');
if (i == currentSlideIndex) {
bullets[i].classes.add('active');
}
}
_checkRepeat();
}
void _checkRepeat() {
var prevArrow = querySelector('.slider-left') as AnchorElement;
var nextArrow = querySelector('.slider-right') as AnchorElement;
if (currentSlideIndex == slides.length - 1) {
slides[0].classes.add('hidden');
slides[slides.length - 1].classes.remove('hidden');
prevArrow.classes.remove('hidden');
nextArrow.classes.add('hidden');
} else if (currentSlideIndex == 0) {
slides[slides.length - 1].classes.add('hidden');
slides[0].classes.remove('hidden');
prevArrow.classes.add('hidden');
nextArrow.classes.remove('hidden');
} else {
slides[slides.length - 1].classes.remove('hidden');
slides[0].classes.remove('hidden');
prevArrow.classes.remove('hidden');
nextArrow.classes.remove('hidden');
}
}
void _slideRight() {
if (currentSlideIndex < lastSlideIndex) {
currentSlideIndex++;
} else {
currentSlideIndex = 0;
}
if (currentSlideIndex > 0) {
prevSlide = slides[currentSlideIndex - 1];
} else {
prevSlide = slides[lastSlideIndex];
}
currentSlide = slides[currentSlideIndex];
if (currentSlideIndex < lastSlideIndex) {
nextSlide = slides[currentSlideIndex + 1];
} else {
nextSlide = slides[0];
}
for (final e in slides) {
_removeSlideClasses([e]);
if (e.classes.contains('prev-hidden')) e.classes.add('next-hidden');
if (e.classes.contains('prev')) e.classes.add('prev-hidden');
}
_removeSlideClasses([prevSlide, currentSlide, nextSlide]);
prevSlide.classes.add('prev');
currentSlide.classes.add('active');
nextSlide.classes.add('next');
_updateBullets();
}
void _slideLeft() {
if (currentSlideIndex > 0) {
currentSlideIndex--;
} else {
currentSlideIndex = lastSlideIndex;
}
if (currentSlideIndex < lastSlideIndex) {
nextSlide = slides[currentSlideIndex + 1];
} else {
nextSlide = slides[0];
}
currentSlide = slides[currentSlideIndex];
if (currentSlideIndex > 0) {
prevSlide = slides[currentSlideIndex - 1];
} else {
prevSlide = slides[lastSlideIndex];
}
for (final e in slides) {
_removeSlideClasses([e]);
if (e.classes.contains('next')) e.classes.add('next-hidden');
if (e.classes.contains('next-hidden')) e.classes.add('prev-hidden');
}
_removeSlideClasses([prevSlide, currentSlide, nextSlide]);
prevSlide.classes.add('prev');
currentSlide.classes.add('active');
nextSlide.classes.add('next');
_updateBullets();
}
void _goToIndexSlide(int index) {
final sliding =
(currentSlideIndex < index) ? () => _slideRight() : () => _slideLeft();
while (currentSlideIndex != index) {
sliding();
}
}
void _removeSlideClasses(List<Element> slides) {
for (final s in slides) {
s.classes
.removeAll(['prev-hidden', 'prev', 'active', 'next', 'next-hidden']);
}
}
void _initArrowKeyControl() {
Element.keyUpEvent.forTarget(document.body).listen((e) {
if (e.keyCode == KeyCode.LEFT && currentSlideIndex > 0) {
_slideLeft();
}
if (e.keyCode == KeyCode.RIGHT && currentSlideIndex < lastSlideIndex) {
_slideRight();
}
});
}
}
| samples/web/samples_index/lib/src/carousel.dart/0 | {
"file_path": "samples/web/samples_index/lib/src/carousel.dart",
"repo_id": "samples",
"token_count": 2661
} | 1,219 |
.dockerignore
.gitignore
AUTHORS
CONTRIBUTING.md
LICENSE
node_modules/
README.md
| website/.dockerignore/0 | {
"file_path": "website/.dockerignore",
"repo_id": "website",
"token_count": 34
} | 1,220 |
// Copyright 2017 The Chromium Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that
// can be found in the LICENSE file.
// A simple radial transition. The destination route is basic,
// with no Card, Column, or Text.
import 'dart:math' as math;
import 'package:flutter/material.dart';
import 'package:flutter/scheduler.dart' show timeDilation;
class Photo extends StatelessWidget {
const Photo({super.key, required this.photo, this.color, this.onTap});
final String photo;
final Color? color;
final VoidCallback? onTap;
@override
Widget build(BuildContext context) {
return Material(
// Slightly opaque color appears where the image has transparency.
// Makes it possible to see the radial transformation's boundary.
color: Theme.of(context).primaryColor.withOpacity(0.25),
child: InkWell(
onTap: onTap,
child: Image.asset(
photo,
fit: BoxFit.contain,
),
),
);
}
}
class RadialExpansion extends StatelessWidget {
const RadialExpansion({
super.key,
required this.maxRadius,
this.child,
}) : clipRectExtent = 2.0 * (maxRadius / math.sqrt2);
final double maxRadius;
final double clipRectExtent;
final Widget? child;
@override
Widget build(BuildContext context) {
// The ClipOval matches the RadialExpansion widget's bounds,
// which change per the Hero's bounds as the Hero flies to
// the new route, while the ClipRect's bounds are always fixed.
return ClipOval(
child: Center(
child: SizedBox(
width: clipRectExtent,
height: clipRectExtent,
child: ClipRect(
child: child,
),
),
),
);
}
}
class RadialExpansionDemo extends StatelessWidget {
const RadialExpansionDemo({super.key});
static double kMinRadius = 32;
static double kMaxRadius = 128;
static Interval opacityCurve =
const Interval(0.0, 0.75, curve: Curves.fastOutSlowIn);
static RectTween _createRectTween(Rect? begin, Rect? end) {
return MaterialRectCenterArcTween(begin: begin, end: end);
}
static Widget _buildPage(
BuildContext context, String imageName, String description) {
return Container(
color: Theme.of(context).canvasColor,
alignment: FractionalOffset.center,
child: SizedBox(
width: kMaxRadius * 2.0,
height: kMaxRadius * 2.0,
child: Hero(
createRectTween: _createRectTween,
tag: imageName,
child: RadialExpansion(
maxRadius: kMaxRadius,
child: Photo(
photo: imageName,
onTap: () {
Navigator.of(context).pop();
},
),
),
),
),
);
}
Widget _buildHero(
BuildContext context, String imageName, String description) {
return SizedBox(
width: kMinRadius * 2,
height: kMinRadius * 2,
child: Hero(
createRectTween: _createRectTween,
tag: imageName,
child: RadialExpansion(
maxRadius: kMaxRadius,
child: Photo(
photo: imageName,
onTap: () {
Navigator.of(context).push(
PageRouteBuilder<void>(
pageBuilder: (context, animation, secondaryAnimation) {
return AnimatedBuilder(
animation: animation,
builder: (context, child) {
return Opacity(
opacity: opacityCurve.transform(animation.value),
child: _buildPage(context, imageName, description),
);
},
);
},
),
);
},
),
),
),
);
}
@override
Widget build(BuildContext context) {
timeDilation = 20.0; // 1.0 is normal animation speed.
return Scaffold(
appBar: AppBar(
title: const Text('Basic Radial Hero Animation Demo'),
),
body: Container(
padding: const EdgeInsets.all(32),
alignment: FractionalOffset.bottomLeft,
child: Row(
mainAxisAlignment: MainAxisAlignment.spaceBetween,
children: [
_buildHero(context, 'images/chair-alpha.png', 'Chair'),
_buildHero(context, 'images/binoculars-alpha.png', 'Binoculars'),
_buildHero(context, 'images/beachball-alpha.png', 'Beach ball'),
],
),
),
);
}
}
void main() {
runApp(
const MaterialApp(
home: RadialExpansionDemo(),
),
);
}
| website/examples/_animation/basic_radial_hero_animation/lib/main.dart/0 | {
"file_path": "website/examples/_animation/basic_radial_hero_animation/lib/main.dart",
"repo_id": "website",
"token_count": 2103
} | 1,221 |
// ignore_for_file: unused_local_variable
// #docregion Starter
import 'package:flutter/material.dart';
void main() {
runApp(
const MaterialApp(
home: Page1(),
),
);
}
class Page1 extends StatelessWidget {
const Page1({super.key});
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(),
body: Center(
child: ElevatedButton(
onPressed: () {
Navigator.of(context).push(_createRoute());
},
child: const Text('Go!'),
),
),
);
}
}
Route _createRoute() {
return PageRouteBuilder(
pageBuilder: (context, animation, secondaryAnimation) => const Page2(),
transitionsBuilder: (context, animation, secondaryAnimation, child) {
return child;
},
);
}
class Page2 extends StatelessWidget {
const Page2({super.key});
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(),
body: const Center(
child: Text('Page 2'),
),
);
}
}
// #enddocregion Starter
Route step1() {
return PageRouteBuilder(
pageBuilder: (context, animation, secondaryAnimation) => const Page2(),
// #docregion step1
transitionsBuilder: (context, animation, secondaryAnimation, child) {
const begin = Offset(0.0, 1.0);
const end = Offset.zero;
final tween = Tween(begin: begin, end: end);
final offsetAnimation = animation.drive(tween);
return child;
},
// #enddocregion step1
);
}
Route step2() {
return PageRouteBuilder(
pageBuilder: (context, animation, secondaryAnimation) => const Page2(),
// #docregion step2
transitionsBuilder: (context, animation, secondaryAnimation, child) {
const begin = Offset(0.0, 1.0);
const end = Offset.zero;
final tween = Tween(begin: begin, end: end);
final offsetAnimation = animation.drive(tween);
return SlideTransition(
position: offsetAnimation,
child: child,
);
},
// #enddocregion step2
);
}
// #docregion step3
var curve = Curves.ease;
var curveTween = CurveTween(curve: curve);
// #enddocregion step3
Route step4() {
return PageRouteBuilder(
pageBuilder: (context, animation, secondaryAnimation) => const Page2(),
// #docregion step4
transitionsBuilder: (context, animation, secondaryAnimation, child) {
const begin = Offset(0.0, 1.0);
const end = Offset.zero;
const curve = Curves.ease;
final tween = Tween(begin: begin, end: end);
final curvedAnimation = CurvedAnimation(
parent: animation,
curve: curve,
);
return SlideTransition(
position: tween.animate(curvedAnimation),
child: child,
);
},
// #enddocregion step4
);
}
| website/examples/cookbook/animation/page_route_animation/lib/starter.dart/0 | {
"file_path": "website/examples/cookbook/animation/page_route_animation/lib/starter.dart",
"repo_id": "website",
"token_count": 1077
} | 1,222 |
# Theme Cookbook recipe
## Objective
This recipe explains and demonstrates the following:
- How to set and apply color and font values to an entire Flutter app.
- How to override the overall theme's color and font values for
one or more components in a Flutter app.
## Source Code
https://docs.flutter.dev/cookbook/design/themes
| website/examples/cookbook/design/themes/README.md/0 | {
"file_path": "website/examples/cookbook/design/themes/README.md",
"repo_id": "website",
"token_count": 88
} | 1,223 |
import 'package:flutter/material.dart';
// #docregion FilterSelector
@immutable
class FilterSelector extends StatefulWidget {
const FilterSelector({
super.key,
});
@override
State<FilterSelector> createState() => _FilterSelectorState();
}
class _FilterSelectorState extends State<FilterSelector> {
@override
Widget build(BuildContext context) {
return const SizedBox();
}
}
// #enddocregion FilterSelector
@immutable
class ExampleInstagramFilterSelection extends StatefulWidget {
const ExampleInstagramFilterSelection({super.key});
@override
State<ExampleInstagramFilterSelection> createState() =>
_ExampleInstagramFilterSelectionState();
}
class _ExampleInstagramFilterSelectionState
extends State<ExampleInstagramFilterSelection> {
final _filterColor = ValueNotifier<Color>(Colors.white);
@override
Widget build(BuildContext context) {
return Material(
color: Colors.black,
// #docregion Stack
child: Stack(
children: [
Positioned.fill(
child: _buildPhotoWithFilter(),
),
const Positioned(
left: 0.0,
right: 0.0,
bottom: 0.0,
child: FilterSelector(),
),
],
),
// #enddocregion Stack
);
}
Widget _buildPhotoWithFilter() {
return ValueListenableBuilder(
valueListenable: _filterColor,
builder: (context, color, child) {
return Image.network(
'https://docs.flutter.dev/cookbook/img-files'
'/effects/instagram-buttons/millennial-dude.jpg',
color: color.withOpacity(0.5),
colorBlendMode: BlendMode.color,
fit: BoxFit.cover,
);
},
);
}
}
| website/examples/cookbook/effects/photo_filter_carousel/lib/excerpt1.dart/0 | {
"file_path": "website/examples/cookbook/effects/photo_filter_carousel/lib/excerpt1.dart",
"repo_id": "website",
"token_count": 697
} | 1,224 |
import 'package:flutter/material.dart';
void main() => runApp(const MyApp());
class MyApp extends StatelessWidget {
const MyApp({super.key});
@override
Widget build(BuildContext context) {
const appTitle = 'Form Styling Demo';
return MaterialApp(
title: appTitle,
home: Scaffold(
appBar: AppBar(
title: const Text(appTitle),
),
body: const MyCustomForm(),
),
);
}
}
class MyCustomForm extends StatelessWidget {
const MyCustomForm({super.key});
@override
Widget build(BuildContext context) {
return Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: <Widget>[
const Padding(
padding: EdgeInsets.symmetric(horizontal: 8, vertical: 16),
// #docregion TextField
child: TextField(
decoration: InputDecoration(
border: OutlineInputBorder(),
hintText: 'Enter a search term',
),
),
// #enddocregion TextField
),
Padding(
padding: const EdgeInsets.symmetric(horizontal: 8, vertical: 16),
// #docregion TextFormField
child: TextFormField(
decoration: const InputDecoration(
border: UnderlineInputBorder(),
labelText: 'Enter your username',
),
),
// #enddocregion TextFormField
),
],
);
}
}
| website/examples/cookbook/forms/text_input/lib/main.dart/0 | {
"file_path": "website/examples/cookbook/forms/text_input/lib/main.dart",
"repo_id": "website",
"token_count": 644
} | 1,225 |
// ignore_for_file: directives_ordering, prefer_const_constructors
import 'package:flutter/material.dart';
import 'package:provider/provider.dart';
// #docregion imports
import 'package:cloud_firestore/cloud_firestore.dart';
import 'package:firebase_core/firebase_core.dart';
import 'firebase_options.dart';
// #enddocregion imports
void main() async {
// #docregion initializeApp
WidgetsFlutterBinding.ensureInitialized();
await Firebase.initializeApp(
options: DefaultFirebaseOptions.currentPlatform,
);
// #enddocregion initializeApp
// #docregion runApp
runApp(
Provider.value(
value: FirebaseFirestore.instance,
child: MyApp(),
),
);
// #enddocregion runApp
}
class MyApp extends StatelessWidget {
const MyApp({super.key});
@override
Widget build(BuildContext context) {
return const Placeholder();
}
}
| website/examples/cookbook/games/firestore_multiplayer/lib/main.dart/0 | {
"file_path": "website/examples/cookbook/games/firestore_multiplayer/lib/main.dart",
"repo_id": "website",
"token_count": 288
} | 1,226 |
import 'package:cached_network_image/cached_network_image.dart';
import 'package:flutter/material.dart';
void main() {
runApp(const MyApp());
}
class MyApp extends StatelessWidget {
const MyApp({super.key});
@override
Widget build(BuildContext context) {
const title = 'Cached Images';
return MaterialApp(
title: title,
home: Scaffold(
appBar: AppBar(
title: const Text(title),
),
body: Center(
// #docregion CachedNetworkImage
child: CachedNetworkImage(
placeholder: (context, url) => const CircularProgressIndicator(),
imageUrl: 'https://picsum.photos/250?image=9',
),
// #enddocregion CachedNetworkImage
),
),
);
}
}
| website/examples/cookbook/images/cached_images/lib/main.dart/0 | {
"file_path": "website/examples/cookbook/images/cached_images/lib/main.dart",
"repo_id": "website",
"token_count": 330
} | 1,227 |
import 'package:flutter/material.dart';
class MyApp extends StatelessWidget {
const MyApp({super.key});
@override
Widget build(BuildContext context) {
// #docregion CustomScrollView
return Scaffold(
// No appBar property provided, only the body.
body: CustomScrollView(
// Add the app bar and list of items as slivers in the next steps.
slivers: <Widget>[]),
);
// #enddocregion CustomScrollView
}
}
| website/examples/cookbook/lists/floating_app_bar/lib/starter.dart/0 | {
"file_path": "website/examples/cookbook/lists/floating_app_bar/lib/starter.dart",
"repo_id": "website",
"token_count": 165
} | 1,228 |
import 'package:flutter/material.dart';
void main() => runApp(const SpacedItemsList());
class SpacedItemsList extends StatelessWidget {
const SpacedItemsList({super.key});
@override
Widget build(BuildContext context) {
const items = 4;
return MaterialApp(
title: 'Flutter Demo',
debugShowCheckedModeBanner: false,
theme: ThemeData(
colorScheme: ColorScheme.fromSeed(seedColor: Colors.deepPurple),
cardTheme: CardTheme(color: Colors.blue.shade50),
useMaterial3: true,
),
home: Scaffold(
body: LayoutBuilder(builder: (context, constraints) {
return SingleChildScrollView(
child: ConstrainedBox(
constraints: BoxConstraints(minHeight: constraints.maxHeight),
child: Column(
mainAxisAlignment: MainAxisAlignment.spaceBetween,
crossAxisAlignment: CrossAxisAlignment.stretch,
children: List.generate(
items, (index) => ItemWidget(text: 'Item $index')),
),
),
);
}),
),
);
}
}
class ItemWidget extends StatelessWidget {
const ItemWidget({
super.key,
required this.text,
});
final String text;
@override
Widget build(BuildContext context) {
return Card(
child: SizedBox(
height: 100,
child: Center(child: Text(text)),
),
);
}
}
| website/examples/cookbook/lists/spaced_items/lib/main.dart/0 | {
"file_path": "website/examples/cookbook/lists/spaced_items/lib/main.dart",
"repo_id": "website",
"token_count": 626
} | 1,229 |
import 'package:flutter_test/flutter_test.dart';
import 'package:shared_preferences/shared_preferences.dart';
void main() {
setUpAll(() {
// #docregion setup
SharedPreferences.setMockInitialValues(<String, Object>{
'counter': 2,
});
// #enddocregion setup
});
test('sanity check readmeSnippets', () async {
final SharedPreferences prefs = await SharedPreferences.getInstance();
expect(prefs.getInt('counter'), equals(2));
});
}
| website/examples/cookbook/persistence/key_value/test/prefs_test.dart/0 | {
"file_path": "website/examples/cookbook/persistence/key_value/test/prefs_test.dart",
"repo_id": "website",
"token_count": 168
} | 1,230 |
import 'dart:async';
import 'dart:io';
import 'package:camera/camera.dart';
import 'package:flutter/material.dart';
Future<void> main() async {
// #docregion init
// Ensure that plugin services are initialized so that `availableCameras()`
// can be called before `runApp()`
WidgetsFlutterBinding.ensureInitialized();
// Obtain a list of the available cameras on the device.
final cameras = await availableCameras();
// Get a specific camera from the list of available cameras.
final firstCamera = cameras.first;
// #enddocregion init
runApp(
MaterialApp(
theme: ThemeData.dark(),
home: TakePictureScreen(
// Pass the appropriate camera to the TakePictureScreen widget.
camera: firstCamera,
),
),
);
}
// A screen that allows users to take a picture using a given camera.
class TakePictureScreen extends StatefulWidget {
const TakePictureScreen({
super.key,
required this.camera,
});
final CameraDescription camera;
@override
TakePictureScreenState createState() => TakePictureScreenState();
}
class TakePictureScreenState extends State<TakePictureScreen> {
late CameraController _controller;
late Future<void> _initializeControllerFuture;
@override
void initState() {
super.initState();
// To display the current output from the Camera,
// create a CameraController.
_controller = CameraController(
// Get a specific camera from the list of available cameras.
widget.camera,
// Define the resolution to use.
ResolutionPreset.medium,
);
// Next, initialize the controller. This returns a Future.
_initializeControllerFuture = _controller.initialize();
}
@override
void dispose() {
// Dispose of the controller when the widget is disposed.
_controller.dispose();
super.dispose();
}
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(title: const Text('Take a picture')),
// #docregion FutureBuilder
// You must wait until the controller is initialized before displaying the
// camera preview. Use a FutureBuilder to display a loading spinner until the
// controller has finished initializing.
body: FutureBuilder<void>(
future: _initializeControllerFuture,
builder: (context, snapshot) {
if (snapshot.connectionState == ConnectionState.done) {
// If the Future is complete, display the preview.
return CameraPreview(_controller);
} else {
// Otherwise, display a loading indicator.
return const Center(child: CircularProgressIndicator());
}
},
),
// #enddocregion FutureBuilder
floatingActionButton: FloatingActionButton(
// Provide an onPressed callback.
onPressed: () async {
// Take the Picture in a try / catch block. If anything goes wrong,
// catch the error.
try {
// Ensure that the camera is initialized.
await _initializeControllerFuture;
// Attempt to take a picture and get the file `image`
// where it was saved.
final image = await _controller.takePicture();
if (!context.mounted) return;
// If the picture was taken, display it on a new screen.
await Navigator.of(context).push(
MaterialPageRoute(
builder: (context) => DisplayPictureScreen(
// Pass the automatically generated path to
// the DisplayPictureScreen widget.
imagePath: image.path,
),
),
);
} catch (e) {
// If an error occurs, log the error to the console.
print(e);
}
},
child: const Icon(Icons.camera_alt),
),
);
}
}
// A widget that displays the picture taken by the user.
class DisplayPictureScreen extends StatelessWidget {
final String imagePath;
const DisplayPictureScreen({super.key, required this.imagePath});
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(title: const Text('Display the Picture')),
// The image is stored as a file on the device. Use the `Image.file`
// constructor with the given path to display the image.
body: Image.file(File(imagePath)),
);
}
}
| website/examples/cookbook/plugins/picture_using_camera/lib/main.dart/0 | {
"file_path": "website/examples/cookbook/plugins/picture_using_camera/lib/main.dart",
"repo_id": "website",
"token_count": 1596
} | 1,231 |
import 'package:flutter_test/flutter_test.dart';
void main() {
Foo foo = Foo();
// #docregion Expect
expect(foo.runtimeType.toString(), equals('Foo'));
// #enddocregion Expect
}
class Foo {
Foo();
}
| website/examples/deployment/obfuscate/lib/main.dart/0 | {
"file_path": "website/examples/deployment/obfuscate/lib/main.dart",
"repo_id": "website",
"token_count": 77
} | 1,232 |
import 'dart:convert';
import 'user.dart';
const jsonString = '''
{
"name": "John Smith",
"email": "[email protected]"
}
''';
void exampleJson() {
// #docregion fromJson
final userMap = jsonDecode(jsonString) as Map<String, dynamic>;
final user = User.fromJson(userMap);
// #enddocregion fromJson
print('Howdy, ${user.name}!');
print('We sent the verification link to ${user.email}.');
// #docregion jsonEncode
// ignore: unused_local_variable
String json = jsonEncode(user);
// #enddocregion jsonEncode
}
| website/examples/development/data-and-backend/json/lib/serializable/main.dart/0 | {
"file_path": "website/examples/development/data-and-backend/json/lib/serializable/main.dart",
"repo_id": "website",
"token_count": 189
} | 1,233 |
// ignore_for_file: import_of_legacy_library_into_null_safe
import 'package:battery/battery.dart';
// #docregion Test
import 'package:flutter_test/flutter_test.dart';
import 'package:integration_test/integration_test.dart';
void main() {
IntegrationTestWidgetsFlutterBinding.ensureInitialized();
testWidgets('Can get battery level', (tester) async {
final Battery battery = Battery();
final int batteryLevel = await battery.batteryLevel;
expect(batteryLevel, isNotNull);
});
}
// #enddocregion Test
| website/examples/development/plugin_api_migration/lib/test.dart/0 | {
"file_path": "website/examples/development/plugin_api_migration/lib/test.dart",
"repo_id": "website",
"token_count": 171
} | 1,234 |
import 'package:flutter/material.dart';
class MyWidget extends StatelessWidget {
const MyWidget({super.key});
@override
Widget build(BuildContext context) {
// #docregion InputHint
return const Center(
child: TextField(
decoration: InputDecoration(hintText: 'This is a hint'),
),
);
// #enddocregion InputHint
}
}
| website/examples/get-started/flutter-for/android_devs/lib/form.dart/0 | {
"file_path": "website/examples/get-started/flutter-for/android_devs/lib/form.dart",
"repo_id": "website",
"token_count": 132
} | 1,235 |
import 'package:flutter/cupertino.dart';
import 'package:flutter/material.dart';
void main() {
runApp(
const App(),
);
}
// #docregion Routes
// Defines the route name as a constant
// so that it's reusable.
const detailsPageRouteName = '/details';
class App extends StatelessWidget {
const App({
super.key,
});
@override
Widget build(BuildContext context) {
return CupertinoApp(
home: const HomePage(),
// The [routes] property defines the available named routes
// and the widgets to build when navigating to those routes.
routes: {
detailsPageRouteName: (context) => const DetailsPage(),
},
);
}
}
// #enddocregion Routes
// Create a class that holds each person's data.
@immutable
class Person {
final String name;
final int age;
const Person({
required this.name,
required this.age,
});
}
// Next, create a list of 100 Persons.
final mockPersons = Iterable.generate(
100,
(index) => Person(
name: 'Person #${index + 1}',
age: 10 + index,
),
);
// This stateless widget displays the list of persons
// that we get from the [mockPersons] list and allows the user
// to tap each person to see their details.
class HomePage extends StatelessWidget {
const HomePage({super.key});
@override
Widget build(BuildContext context) {
return CupertinoPageScaffold(
navigationBar: const CupertinoNavigationBar(
middle: Text(
'Pick a person',
),
),
child: Material(
child:
// #docregion ListView
ListView.builder(
itemCount: mockPersons.length,
itemBuilder: (context, index) {
final person = mockPersons.elementAt(index);
final age = '${person.age} years old';
return ListTile(
title: Text(person.name),
subtitle: Text(age),
trailing: const Icon(
Icons.arrow_forward_ios,
),
onTap: () {
// When a [ListTile] that represents a person is
// tapped, push the detailsPageRouteName route
// to the Navigator and pass the person's instance
// to the route.
Navigator.of(context).pushNamed(
detailsPageRouteName,
arguments: person,
);
},
);
},
),
// #enddocregion ListView
),
);
}
}
// #docregion DetailsPage
class DetailsPage extends StatelessWidget {
const DetailsPage({super.key});
@override
Widget build(BuildContext context) {
// Read the person instance from the arguments.
final Person person = ModalRoute.of(
context,
)?.settings.arguments as Person;
// Extract the age.
final age = '${person.age} years old';
return Scaffold(
// Display name and age.
body: Column(children: [Text(person.name), Text(age)]),
);
}
}
// #enddocregion DetailsPage
| website/examples/get-started/flutter-for/ios_devs/lib/navigation.dart/0 | {
"file_path": "website/examples/get-started/flutter-for/ios_devs/lib/navigation.dart",
"repo_id": "website",
"token_count": 1246
} | 1,236 |
import 'package:flutter/material.dart';
void main() {
runApp(const SampleApp());
}
class SampleApp extends StatelessWidget {
const SampleApp({super.key});
// This widget is the root of your application.
@override
Widget build(BuildContext context) {
return const MaterialApp(
title: 'Sample App',
home: SampleAppPage(),
);
}
}
class SampleAppPage extends StatefulWidget {
const SampleAppPage({super.key});
@override
State<SampleAppPage> createState() => _SampleAppPageState();
}
class _SampleAppPageState extends State<SampleAppPage> {
String? _errorText;
bool isEmail(String em) {
String emailRegexp =
r'^(([^<>()[\]\\.,;:\s@\"]+(\.[^<>()[\]\\.,;:\s@\"]+)*)|'
r'(\".+\"))@((\[[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}\])|'
r'(([a-zA-Z\-0-9]+\.)+[a-zA-Z]{2,}))$';
RegExp regExp = RegExp(emailRegexp);
return regExp.hasMatch(em);
}
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: const Text('Sample App'),
),
body: Center(
child: TextField(
onSubmitted: (text) {
setState(() {
if (!isEmail(text)) {
_errorText = 'Error: This is not an email';
} else {
_errorText = null;
}
});
},
decoration: InputDecoration(
hintText: 'This is a hint',
errorText: _errorText,
),
),
),
);
}
}
| website/examples/get-started/flutter-for/ios_devs/lib/validation_errors.dart/0 | {
"file_path": "website/examples/get-started/flutter-for/ios_devs/lib/validation_errors.dart",
"repo_id": "website",
"token_count": 736
} | 1,237 |
// Flutter
import 'package:flutter/material.dart';
void main() => runApp(const MyApp());
class MyApp extends StatelessWidget {
const MyApp({super.key});
@override
Widget build(BuildContext context) {
return MaterialApp(
title: 'Welcome to Flutter',
home: Scaffold(
appBar: AppBar(
title: const Text('Welcome to Flutter'),
),
body: const Center(
child: Text('Hello world'),
),
),
);
}
}
| website/examples/get-started/flutter-for/react_native_devs/lib/widget_tree.dart/0 | {
"file_path": "website/examples/get-started/flutter-for/react_native_devs/lib/widget_tree.dart",
"repo_id": "website",
"token_count": 199
} | 1,238 |
import 'package:flutter/material.dart';
class ImageAssetExample extends StatelessWidget {
const ImageAssetExample({super.key});
// #docregion ImageAsset
@override
Widget build(BuildContext context) {
return Image.asset('images/my_icon.png');
}
// #enddocregion ImageAsset
}
class AssetImageExample extends StatelessWidget {
const AssetImageExample({super.key});
// #docregion AssetImage
@override
Widget build(BuildContext context) {
return const Image(
image: AssetImage('images/my_image.png'),
);
}
// #enddocregion AssetImage
}
| website/examples/get-started/flutter-for/xamarin_devs/lib/images.dart/0 | {
"file_path": "website/examples/get-started/flutter-for/xamarin_devs/lib/images.dart",
"repo_id": "website",
"token_count": 183
} | 1,239 |
import 'dart:convert';
import 'package:flutter/material.dart';
void main() {
runApp(const PlantsApp());
}
class Plant {
Plant(this.name, this.species);
final String name;
final String species;
}
class PlantsApp extends StatelessWidget {
const PlantsApp({super.key});
// This widget is the root of your application.
@override
Widget build(BuildContext context) {
return MaterialApp(
title: 'Plants by common name',
theme: ThemeData(
colorScheme: ColorScheme.fromSeed(seedColor: Colors.lightGreen),
),
home: const HomePage(title: 'Plants by common name'),
);
}
}
class HomePage extends StatefulWidget {
const HomePage({super.key, required this.title});
final String title;
@override
State<HomePage> createState() => _HomePageState();
}
class _HomePageState extends State<HomePage> {
final List<Plant> _listOfPlants = [];
Plant? _selectedPlant;
@override
void initState() {
super.initState();
_loadPlants();
}
void _loadPlants() {
DefaultAssetBundle.of(context)
.loadString('assets/plants.json')
.then((data) {
setState(() {
final jsonResult = jsonDecode(data);
final birdsJson = jsonResult['plants'] as List<dynamic>;
for (final birdJson in birdsJson) {
final name = birdJson['name'] as String;
final species = birdJson['species'] as String;
final plant = Plant(name, species);
_listOfPlants.add(plant);
}
});
});
}
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: Text(widget.title),
),
body: Row(
children: [
ListOfPlantsWidget(
plants: _listOfPlants,
selectedPlant: _selectedPlant,
onSelectPlant: (plant) {
setState(() {
_selectedPlant = plant;
});
},
),
Expanded(
child: Container(
decoration: const BoxDecoration(
border: Border(
left: BorderSide(
color: Colors.grey,
),
),
),
child: DetailPlant(plant: _selectedPlant),
),
),
],
),
);
}
}
class ListOfPlantsWidget extends StatefulWidget {
const ListOfPlantsWidget({
super.key,
required this.plants,
required this.onSelectPlant,
this.selectedPlant,
});
final List<Plant> plants;
final Plant? selectedPlant;
final Function(Plant selected) onSelectPlant;
@override
State<ListOfPlantsWidget> createState() => _ListOfPlantsWidgetState();
}
class _ListOfPlantsWidgetState extends State<ListOfPlantsWidget> {
@override
Widget build(BuildContext context) {
return SizedBox(
width: 300,
child: ListView.builder(
key: const Key('listOfPlants'),
itemCount: widget.plants.length,
itemBuilder: (context, index) {
var plant = widget.plants[index];
return ListTile(
key: Key(plant.name),
title: Text(plant.name),
tileColor: widget.selectedPlant?.name == plant.name
? Colors.black12
: Colors.white,
onTap: () {
widget.onSelectPlant(plant);
},
);
},
),
);
}
}
class DetailPlant extends StatelessWidget {
const DetailPlant({
super.key,
this.plant,
});
final Plant? plant;
@override
Widget build(BuildContext context) {
if (plant == null) {
return const Center(
child: Text('Please select a plant from the list.'),
);
}
const textStyleLabel = TextStyle(
fontWeight: FontWeight.bold,
fontSize: 20,
);
const textStyleText = TextStyle(
fontSize: 20,
);
return Padding(
padding: const EdgeInsets.all(32),
child: Column(
children: [
Row(
children: [
const Text(
'Name:',
style: textStyleLabel,
),
const SizedBox(width: 16),
Text(
plant!.name,
style: textStyleText,
),
],
),
const SizedBox(height: 8),
Row(
children: [
const Text(
'Species:',
style: textStyleLabel,
),
const SizedBox(width: 16),
Text(
plant!.species,
style: textStyleText,
),
],
),
],
),
);
}
}
| website/examples/integration_test_migration/lib/main.dart/0 | {
"file_path": "website/examples/integration_test_migration/lib/main.dart",
"repo_id": "website",
"token_count": 2267
} | 1,240 |
name: gen_l10n_example
publish_to: none
description: >-
Example of an internationalized Flutter app that uses `flutter gen-l10n`.
environment:
sdk: ^3.3.0
# #docregion FlutterLocalizations
dependencies:
flutter:
sdk: flutter
flutter_localizations:
sdk: flutter
intl: any
# #enddocregion FlutterLocalizations
dev_dependencies:
example_utils:
path: ../../example_utils
# #docregion Generate
# The following section is specific to Flutter.
flutter:
generate: true # Add this line
# #enddocregion Generate
uses-material-design: true
| website/examples/internationalization/gen_l10n_example/pubspec.yaml/0 | {
"file_path": "website/examples/internationalization/gen_l10n_example/pubspec.yaml",
"repo_id": "website",
"token_count": 193
} | 1,241 |
name: constraints
description: example for ui/layout/constraints
version: 1.0.0
environment:
sdk: ^3.3.0
dependencies:
flutter:
sdk: flutter
dev_dependencies:
example_utils:
path: ../../example_utils
flutter:
uses-material-design: true
| website/examples/layout/constraints/pubspec.yaml/0 | {
"file_path": "website/examples/layout/constraints/pubspec.yaml",
"repo_id": "website",
"token_count": 98
} | 1,242 |
import 'package:flutter/material.dart';
import 'package:flutter/rendering.dart' show debugPaintSizeEnabled;
void main() {
debugPaintSizeEnabled = false; // Set to true for visual layout
runApp(const MyApp());
}
class MyApp extends StatelessWidget {
const MyApp({super.key});
static const showGrid = true; // Set to false to show ListView
@override
Widget build(BuildContext context) {
return MaterialApp(
title: 'Flutter layout demo',
home: Scaffold(
appBar: AppBar(
title: const Text('Flutter layout demo'),
),
body: Center(child: showGrid ? _buildGrid() : _buildList()),
),
);
}
// #docregion grid
Widget _buildGrid() => GridView.extent(
maxCrossAxisExtent: 150,
padding: const EdgeInsets.all(4),
mainAxisSpacing: 4,
crossAxisSpacing: 4,
children: _buildGridTileList(30));
// The images are saved with names pic0.jpg, pic1.jpg...pic29.jpg.
// The List.generate() constructor allows an easy way to create
// a list when objects have a predictable naming pattern.
List<Container> _buildGridTileList(int count) => List.generate(
count, (i) => Container(child: Image.asset('images/pic$i.jpg')));
// #enddocregion grid
// #docregion list
Widget _buildList() {
return ListView(
children: [
_tile('CineArts at the Empire', '85 W Portal Ave', Icons.theaters),
_tile('The Castro Theater', '429 Castro St', Icons.theaters),
_tile('Alamo Drafthouse Cinema', '2550 Mission St', Icons.theaters),
_tile('Roxie Theater', '3117 16th St', Icons.theaters),
_tile('United Artists Stonestown Twin', '501 Buckingham Way',
Icons.theaters),
_tile('AMC Metreon 16', '135 4th St #3000', Icons.theaters),
const Divider(),
_tile('K\'s Kitchen', '757 Monterey Blvd', Icons.restaurant),
_tile('Emmy\'s Restaurant', '1923 Ocean Ave', Icons.restaurant),
_tile('Chaiya Thai Restaurant', '272 Claremont Blvd', Icons.restaurant),
_tile('La Ciccia', '291 30th St', Icons.restaurant),
],
);
}
ListTile _tile(String title, String subtitle, IconData icon) {
return ListTile(
title: Text(title,
style: const TextStyle(
fontWeight: FontWeight.w500,
fontSize: 20,
)),
subtitle: Text(subtitle),
leading: Icon(
icon,
color: Colors.blue[500],
),
);
}
// #enddocregion list
}
| website/examples/layout/grid_and_list/lib/main.dart/0 | {
"file_path": "website/examples/layout/grid_and_list/lib/main.dart",
"repo_id": "website",
"token_count": 994
} | 1,243 |
import 'package:flutter/material.dart';
void main() => runApp(const MyApp());
class MyApp extends StatelessWidget {
const MyApp({super.key});
@override
Widget build(BuildContext context) {
const String appTitle = 'Flutter layout demo';
return MaterialApp(
title: appTitle,
home: Scaffold(
appBar: AppBar(
title: const Text(appTitle),
),
// #docregion addWidget
body: const SingleChildScrollView(
child: Column(
children: [
TitleSection(
name: 'Oeschinen Lake Campground',
location: 'Kandersteg, Switzerland',
),
ButtonSection(),
],
),
),
// #enddocregion addWidget
),
);
}
}
class TitleSection extends StatelessWidget {
const TitleSection({
super.key,
required this.name,
required this.location,
});
final String name;
final String location;
@override
Widget build(BuildContext context) {
return Padding(
padding: const EdgeInsets.all(32),
child: Row(
children: [
Expanded(
/*1*/
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
/*2*/
Padding(
padding: const EdgeInsets.only(bottom: 8),
child: Text(
name,
style: const TextStyle(
fontWeight: FontWeight.bold,
),
),
),
Text(
location,
style: TextStyle(
color: Colors.grey[500],
),
),
],
),
),
/*3*/
Icon(
Icons.star,
color: Colors.red[500],
),
const Text('41'),
],
),
);
}
}
// #docregion ButtonStart
// #docregion ButtonSection
// #docregion ButtonWithText
class ButtonSection extends StatelessWidget {
const ButtonSection({super.key});
// #enddocregion ButtonWithText
@override
Widget build(BuildContext context) {
final Color color = Theme.of(context).primaryColor;
// #enddocregion ButtonStart
return SizedBox(
child: Row(
mainAxisAlignment: MainAxisAlignment.spaceEvenly,
children: [
ButtonWithText(
color: color,
icon: Icons.call,
label: 'CALL',
),
ButtonWithText(
color: color,
icon: Icons.near_me,
label: 'ROUTE',
),
ButtonWithText(
color: color,
icon: Icons.share,
label: 'SHARE',
),
],
),
);
// #docregion ButtonStart
}
// #docregion ButtonWithText
}
// #enddocregion ButtonStart
class ButtonWithText extends StatelessWidget {
const ButtonWithText({
super.key,
required this.color,
required this.icon,
required this.label,
});
final Color color;
final IconData icon;
final String label;
@override
Widget build(BuildContext context) {
return Column(
// #enddocregion ButtonSection
mainAxisSize: MainAxisSize.min,
mainAxisAlignment: MainAxisAlignment.center,
children: [
Icon(icon, color: color),
Padding(
padding: const EdgeInsets.only(top: 8),
child: Text(
label,
style: TextStyle(
fontSize: 12,
fontWeight: FontWeight.w400,
color: color,
),
),
),
],
// #docregion ButtonSection
);
}
// #enddocregion ButtonWithText
}
// #enddocregion ButtonSection
| website/examples/layout/lakes/step3/lib/main.dart/0 | {
"file_path": "website/examples/layout/lakes/step3/lib/main.dart",
"repo_id": "website",
"token_count": 1900
} | 1,244 |
// box.dart
import 'package:flutter/material.dart';
/// A simple blue 30x30 box.
class DeferredBox extends StatelessWidget {
const DeferredBox({super.key});
@override
Widget build(BuildContext context) {
return Container(
height: 30,
width: 30,
color: Colors.blue,
);
}
}
| website/examples/perf/deferred_components/lib/box.dart/0 | {
"file_path": "website/examples/perf/deferred_components/lib/box.dart",
"repo_id": "website",
"token_count": 116
} | 1,245 |
import 'package:flutter/material.dart';
import 'package:provider/provider.dart';
import 'provider.dart';
class AnotherMonstrousWidget extends SomeExpensiveWidget {
const AnotherMonstrousWidget({
super.child,
super.key,
});
}
class ChildUsingDescendant extends StatelessWidget {
const ChildUsingDescendant({super.key});
@override
Widget build(BuildContext context) {
// #docregion child
return Consumer<CartModel>(
builder: (context, cart, child) => Stack(
children: [
// Use SomeExpensiveWidget here, without rebuilding every time.
if (child != null) child,
Text('Total price: ${cart.totalPrice}'),
],
),
// Build the expensive widget here.
child: const SomeExpensiveWidget(),
);
// #enddocregion child
}
}
class DescendantInLeafNode_Good extends StatelessWidget {
const DescendantInLeafNode_Good({super.key});
@override
Widget build(BuildContext context) {
// #docregion leafDescendant
// DO THIS
return HumongousWidget(
// ...
child: AnotherMonstrousWidget(
// ...
child: Consumer<CartModel>(
builder: (context, cart, child) {
return Text('Total price: ${cart.totalPrice}');
},
),
),
);
// #enddocregion leafDescendant
}
}
class DescendantNotInLeafNode_Bad extends StatelessWidget {
const DescendantNotInLeafNode_Bad({super.key});
@override
Widget build(BuildContext context) {
// #docregion nonLeafDescendant
// DON'T DO THIS
return Consumer<CartModel>(
builder: (context, cart, child) {
return HumongousWidget(
// ...
child: AnotherMonstrousWidget(
// ...
child: Text('Total price: ${cart.totalPrice}'),
),
);
},
);
// #enddocregion nonLeafDescendant
}
}
class HumongousWidget extends SomeExpensiveWidget {
const HumongousWidget({
super.child,
super.key,
});
}
class MyHomepage extends StatelessWidget {
const MyHomepage({super.key});
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(),
body: const Column(
children: [
ChildUsingDescendant(),
DescendantNotInLeafNode_Bad(),
DescendantInLeafNode_Good(),
NonRebuilding_Good(),
],
),
);
}
}
class NonRebuilding_Good extends StatelessWidget {
const NonRebuilding_Good({super.key});
@override
Widget build(BuildContext context) {
return TextButton(
onPressed: () => _onPressed(context),
child: const Text('Add'),
);
}
void _onPressed(BuildContext context) {
// #docregion nonRebuilding
Provider.of<CartModel>(context, listen: false).removeAll();
// #enddocregion nonRebuilding
}
}
class SomeExpensiveWidget extends StatelessWidget {
const SomeExpensiveWidget({this.child, super.key});
final Widget? child;
@override
Widget build(BuildContext context) {
// Imagine this is a huge build method. You don't want to rebuild it
// every time that total price changes.
return Container(
color: Colors.yellow,
child: child,
);
}
}
| website/examples/state_mgmt/simple/lib/src/performance.dart/0 | {
"file_path": "website/examples/state_mgmt/simple/lib/src/performance.dart",
"repo_id": "website",
"token_count": 1240
} | 1,246 |
class MyBackend {
void sendError(Object error, StackTrace stack) {}
}
| website/examples/testing/errors/lib/backend.dart/0 | {
"file_path": "website/examples/testing/errors/lib/backend.dart",
"repo_id": "website",
"token_count": 23
} | 1,247 |
import 'package:flutter/cupertino.dart';
import 'package:flutter/material.dart';
enum ScreenType { handset, tablet, desktop, watch }
// #docregion FormFactor
class FormFactor {
static double desktop = 900;
static double tablet = 600;
static double handset = 300;
}
// #enddocregion FormFactor
// #docregion getFormFactor
ScreenType getFormFactor(BuildContext context) {
// Use .shortestSide to detect device type regardless of orientation
double deviceWidth = MediaQuery.of(context).size.shortestSide;
if (deviceWidth > FormFactor.desktop) return ScreenType.desktop;
if (deviceWidth > FormFactor.tablet) return ScreenType.tablet;
if (deviceWidth > FormFactor.handset) return ScreenType.handset;
return ScreenType.watch;
}
// #enddocregion getFormFactor
// #docregion ScreenSize
enum ScreenSize { small, normal, large, extraLarge }
ScreenSize getSize(BuildContext context) {
double deviceWidth = MediaQuery.of(context).size.shortestSide;
if (deviceWidth > 900) return ScreenSize.extraLarge;
if (deviceWidth > 600) return ScreenSize.large;
if (deviceWidth > 300) return ScreenSize.normal;
return ScreenSize.small;
}
// #enddocregion ScreenSize
class WidgetWithBreakPoints extends StatelessWidget {
const WidgetWithBreakPoints({super.key});
List<Widget> _getHandsetChildren() {
return ([
const Text('Handset Child 1'),
const Text('Handset Child 2'),
const Text('Handset Child 3'),
]);
}
List<Widget> _getNormalChildren() {
return ([
const Text('Normal Child 1'),
const Text('Normal Child 2'),
const Text('Normal Child 3'),
]);
}
Widget widgetSwap(BuildContext context) {
bool isHandset = MediaQuery.of(context).size.width < 600;
// #docregion WidgetSwap
Widget foo = Row(
children: [
...isHandset ? _getHandsetChildren() : _getNormalChildren(),
],
);
// #enddocregion WidgetSwap
return foo;
}
@override
Widget build(BuildContext context) {
// #docregion MediaQuery
bool isHandset = MediaQuery.of(context).size.width < 600;
return Flex(
direction: isHandset ? Axis.vertical : Axis.horizontal,
children: const [Text('Foo'), Text('Bar'), Text('Baz')],
);
// #enddocregion MediaQuery
}
}
| website/examples/ui/layout/adaptive_app_demos/lib/global/device_size.dart/0 | {
"file_path": "website/examples/ui/layout/adaptive_app_demos/lib/global/device_size.dart",
"repo_id": "website",
"token_count": 758
} | 1,248 |
name: visual_debugging_example
publish_to: none
description: Examples of visual debugging.
environment:
sdk: ^3.3.0
dependencies:
flutter:
sdk: flutter
dev_dependencies:
example_utils:
path: ../example_utils
flutter_test:
sdk: flutter
| website/examples/visual_debugging/pubspec.yaml/0 | {
"file_path": "website/examples/visual_debugging/pubspec.yaml",
"repo_id": "website",
"token_count": 98
} | 1,249 |
{% comment %}
For headings use h3 elements.
{% endcomment -%}
<div class="site-banner site-banner--default" role="alert">
Flutter and Dart's latest releases are helping to
define the future of app development.
<a href="https://medium.com/flutter/starting-2024-strong-with-flutter-and-dart-cae9845264fe">Read the blog</a> to learn more.
</div>
| website/src/_includes/banner.html/0 | {
"file_path": "website/src/_includes/banner.html",
"repo_id": "website",
"token_count": 118
} | 1,250 |
1. Click the **Attach debugger to Android process** button.
()
{{site.alert.tip}}
If this button doesn't appear in the **Projects** menu bar, verify that
you opened Flutter _application_ project but _not a Flutter plugin_.
{{site.alert.end}}
1. The **process** dialog displays one entry for each connected device.
Select **show all processes** to display available processes for each
device.
1. Choose the process to which you want to attach.
For this guide, select the `com.example.my_app` process
using the **Emulator Pixel_5_API_33**.
{% comment %}
@atsansone - 2023-07-24
These screenshots were commented out for two reasons known for most docs:
1. The docs should stand on their own.
2. These screenshots would be painful to maintain.
If reader feedback urges their return, these will be uncommented.

<div class="figure-caption">
Flutter app in Android device displaying two buttons.
</div>
{% endcomment %}
1. Locate the tab for **Android Debugger** in the **Debug** pane.
1. In the **Project** pane, expand
**my_app_android** <span aria-label="and then">></span>
**android** <span aria-label="and then">></span>
**app** <span aria-label="and then">></span>
**src** <span aria-label="and then">></span>
**main** <span aria-label="and then">></span>
**java** <span aria-label="and then">></span>
**io.flutter plugins**.
1. Double click **GeneratedProjectRegistrant** to open the
Java code in the **Edit** pane.
{% comment %}
{:width="100%"}
<div class="figure-caption">
The Android Project view highlighting the `GeneratedPluginRegistrant.java` file.
</div>
{% endcomment %}
At the end of this procedure, both the Dart and Android debuggers interact
with the same process.
Use either, or both, to set breakpoints, examine stack, resume execution
and the like. In other words, debug!
{% comment %}
{:width="100%"}
<div class="figure-caption">
The Dart debug pane with two breakpoints set in `lib/main.dart`.
</div>
{% endcomment %}
{% comment %}

<div class="figure-caption">
The Android debug pane with one breakpoint set in GeneratedPluginRegistrant.java.
</div>
{% endcomment %} | website/src/_includes/docs/debug/debug-android-attach-process.md/0 | {
"file_path": "website/src/_includes/docs/debug/debug-android-attach-process.md",
"repo_id": "website",
"token_count": 935
} | 1,251 |
## Configure iOS development
{% assign prompt1='$' %}
{% assign devos = include.devos %}
{% assign target = include.target %}
{% assign attempt = include.attempt %}
### Configure Xcode
{% if attempt=="first" %}
To develop Flutter apps for {{target}}, install Xcode to compile to native bytecode.
1. To configure the command-line tools to use the installed version of Xcode,
run the following commands.
```terminal
{{prompt1}} sudo sh -c 'xcode-select -s /Applications/Xcode.app/Contents/Developer && xcodebuild -runFirstLaunch'
```
To use the latest version of Xcode, use this path.
If you need to use a different version, specify that path instead.
1. Sign the Xcode license agreement.
```terminal
{{prompt1}} sudo xcodebuild -license
```
{% else %}
This section presumes you have installed and configured Xcode when you
installed Flutter for
{%- case target %}
{%- when 'iOS' %}
[macOS desktop][macos-install]
{%- when 'desktop' %}
[iOS][ios-install]
{%- endcase %}
development.
[macos-install]: /get-started/install/macos/desktop/#configure-ios-development
[ios-install]: /get-started/install/macos/mobile-ios/#configure-ios-development
{% endif %}
Try to keep to the current version of Xcode.
{% if target=='iOS' %}
### Configure your target iOS device
With Xcode, you can run Flutter apps on an iOS device or on the simulator.
{% comment %} Nav tabs {% endcomment -%}
<ul class="nav nav-tabs" id="ios-devices-vp" role="tablist">
<li class="nav-item">
<a class="nav-link active" id="virtual-tab" href="#virtual" role="tab" aria-controls="virtual" aria-selected="true">Virtual Device</a>
</li>
<li class="nav-item">
<a class="nav-link" id="physical-tab" href="#physical" role="tab" aria-controls="physical" aria-selected="false">Physical Device</a>
</li>
</ul>
{% comment %} Tab panes {% endcomment -%}
<div class="tab-content">
<div class="tab-pane active" id="virtual" role="tabpanel" aria-labelledby="virtual-tab" markdown="1">
{% include docs/install/devices/ios-simulator.md %}
</div>
<div class="tab-pane" id="physical" role="tabpanel" aria-labelledby="physical-tab" markdown="1">
{% include docs/install/devices/ios-physical.md %}
</div>
</div>
{% comment %} End: Tab panes. {% endcomment -%}
{% endif %}
{% if attempt=="first" %}
### Install CocoaPods
If your apps depend on [Flutter plugins][] with native {{target}} code,
install [CocoaPods][cocoapods].
This program bundles various dependencies across Flutter and {{target}} code.
To install and set up CocoaPods, run the following commands:
1. Install `cocoapods` following the
[CocoaPods install guide][cocoapods].
```terminal
$ sudo gem install cocoapods
```
1. Launch your preferred text editor.
1. Open the Zsh environmental variable file `~/.zshenv` in your text editor.
1. Copy the following line and paste it at the end of your `~/.zshenv` file.
```conf
export PATH=$HOME/.gem/bin:$PATH
```
1. Save your `~/.zshenv` file.
1. To apply this change, restart all open terminal sessions.
[Flutter plugins]: /packages-and-plugins/developing-packages#types
{% endif %}
[cocoapods]: https://guides.cocoapods.org/using/getting-started.html#installation
| website/src/_includes/docs/install/compiler/xcode.md/0 | {
"file_path": "website/src/_includes/docs/install/compiler/xcode.md",
"repo_id": "website",
"token_count": 1116
} | 1,252 |
{% assign os = include.os %}
{% assign target = include.target %}
To develop Flutter on {{os}}:
{% if os == "ChromeOS" %}
1. Enable [Linux][] on your Chromebook.
{% endif %}
1. Verify that you have the following tools installed:
`bash`, `file`, `mkdir`, `rm`, `which`
```terminal
$ which bash file mkdir rm which
/bin/bash
/usr/bin/file
/bin/mkdir
/bin/rm
which: shell built-in command
```
1. Install the following packages:
[`curl`][curl], [`git`][git], [`unzip`][unzip], [`xz-utils`][xz], [`zip`][zip], `libglu1-mesa`
```terminal
$ sudo apt-get update -y && sudo apt-get upgrade -y;
$ sudo apt-get install -y curl git unzip xz-utils zip libglu1-mesa
```
{% case target %}
{% when 'desktop' -%}
{% include docs/install/reqs/linux/install-desktop-tools.md devos=os %}
{% when 'Android' -%}
1. To develop {{target}} apps:
{:type="a"}
1. Install the following prequisite packages for Android Studio:
`libc6:i386`, `libncurses5:i386`, `libstdc++6:i386`, `lib32z1`, `libbz2-1.0:i386`
```terminal
$ sudo apt-get install \
libc6:i386 libncurses5:i386 \
libstdc++6:i386 lib32z1 \
libbz2-1.0:i386
```
1. Install [Android Studio][] {{site.appmin.android_studio}} to debug and compile
Java or Kotlin code for Android.
Flutter requires the full version of Android Studio.
{% when 'Web' -%}
1. Install [Google Chrome][] to debug JavaScript code for web apps.
{% include docs/install/accordions/install-chrome-from-cli.md %}
{% endcase -%}
[Linux]: https://support.google.com/chromebook/answer/9145439
[curl]: https://curl.se/
[git]: https://git-scm.com/
[unzip]: https://linux.die.net/man/1/unzip
[xz]: https://xz.tukaani.org/xz-utils/
[zip]: https://linux.die.net/man/1/zip
[Android Studio]: https://developer.android.com/studio/install#linux
[Google Chrome]: https://www.google.com/chrome/dr/download/
| website/src/_includes/docs/install/reqs/linux/software.md/0 | {
"file_path": "website/src/_includes/docs/install/reqs/linux/software.md",
"repo_id": "website",
"token_count": 789
} | 1,253 |
<div class="tab-pane" id="androidstudio" role="tabpanel" aria-labelledby="androidstudio-tab" markdown="1">
### Create your sample Flutter app {#create-app}
1. Launch the IDE.
1. Click **New Flutter Project** at the top of the
**Welcome to Android Studio** dialog.
1. Under **Generators**, click **Flutter**.
1. Verify the **Flutter SDK path** value against the Flutter SDK location
on your development machine.
1. Click **Next**.
1. Enter `test_drive` into the **Project name** field.
This follows best practices for naming Flutter projects.
1. Set the directory in the **Project location** field to
`C:\dev\test_drive` on Microsoft Windows or
`~/development/test_drive` on other platforms.
If you didn't create that directory before, Android Studio displays
a warning that the **Directory Does Not Exist**. Click **Create**.
1. From **Project type** dropdown, select **Application**.
1. Change the **Organization** to `com.example.flutter.testdrive`.
Android Studio asks for a company domain name.
Android uses the company domain name and project name together as its
package name when you release the app. iOS uses its Bundle ID.
Use `com.example.flutter.testdrive` to prevent future conflicts.
1. Ignore the remaining form fields. You don't need to change them for
this test drive. Click **Create**.
1. Wait for Android Studio to create the project.
1. Open the `lib` directory, then the `main.dart`.
To learn what each code block does, check out the comments in that Dart file.
The previous commands create a Flutter project directory
called `test_drive` that contains a simple demo app that
uses [Material Components][].
### Run your sample Flutter app
1. Locate the main Android Studio toolbar at the top of the
Android Studio edit window.
![Main IntelliJ toolbar][]{:.mw-100}
1. In the **target selector**, select an Android device for running the app.
You created your Android target device in the **Install** section.
1. To run your app, make one of the following choices:
{:type="a"}
1. Click the run icon in the toolbar.
1. Go to **Run** <span aria-label="and then">></span> **Run**.
1. Press <kbd>Ctrl</kbd> + <kbd>R</kbd>.
{% capture save_changes -%}
: invoke **Save All**, or click **Hot Reload**
{% include docs/install/test-drive/hot-reload-icon.md %}.
{% endcapture %}
{% capture ide_profile -%}
to invoke the menu item **Run > Profile** in the IDE, or
{% endcapture %}
{% include docs/install/test-drive/try-hot-reload.md save_changes=save_changes ide="Android Studio" %}
[Main IntelliJ toolbar]: /assets/images/docs/tools/android-studio/main-toolbar.png
[Material Components]: {{site.material}}/components
</div>
| website/src/_includes/docs/install/test-drive/androidstudio.md/0 | {
"file_path": "website/src/_includes/docs/install/test-drive/androidstudio.md",
"repo_id": "website",
"token_count": 825
} | 1,254 |
{% if entries -%}
### Topics
{% for topic in entries -%}
{% if topic.permalink == nil -%}
{% if topic contains 'header' %}
#### {{topic.header}}
{% else -%}
- {{topic.title}}
{% endif -%}
{% else -%}
- [{{topic.title}}]({{topic.permalink}})
{% endif -%}
{% endfor %}
{% endif -%}
| website/src/_includes/mini-toc.md/0 | {
"file_path": "website/src/_includes/mini-toc.md",
"repo_id": "website",
"token_count": 122
} | 1,255 |
module Jekyll
##
# Used with permission. Based on code posted at
# biosphere.cc/software-engineering/jekyll-breadcrumbs-navigation-plugin/.
#
# Patch Jekyll's Page class
class Page
##
# We add a custom method to the page variable, that returns an ordered list of its
# parent pages ready for iteration.
def ancestors
# STDERR.puts "---------"
a = []
url = self.url
# STDERR.puts "Page is #{url.inspect}"
if url.split(".")[-1] == "html" # ignore .css, .js, ...
while url != "/index.html"
pt = url.split("/")
if pt.length <= 2 then
url = "/index.html"
else
if pt[-1] != "index.html" then
# go to directory index
pt[-1] = "index.html"
url = pt.join("/")
else
# one level up
url = pt[0..-3].join("/") + "/index.html"
end
# skip homepage
if url != "/index.html" then
potential_page = get_page_from_url(url)
# skip missing index.html pages
if defined? potential_page.name then
a << potential_page
end
end
end
end
if a != nil then
return a.reverse
else
return nil
end
end
end
##
# Make ancestors available in liquid
alias orig_to_liquid to_liquid
def to_liquid
h = orig_to_liquid
h['ancestors'] = self.ancestors
return h
end
private
##
# Gets Page object that has given url. Very efficient O(n) solution.
def get_page_from_url(url)
site.pages.each do |page|
if page.url == url then
return page
end
end
end
end
end
module Drops
class BreadcrumbItem < Liquid::Drop
extend Forwardable
def_delegator :@page, :data
def_delegator :@page, :url
def initialize(page, payload)
@payload = payload
@page = page
end
def title
@page.data["breadcrumb"] || @page.data["short-title"] || @page.data["title"]
end
def subset
@page.data["subset"]
end
end
end
Jekyll::Hooks.register :pages, :pre_render do |page, payload|
drop = Drops::BreadcrumbItem
if page.url == "/"
then payload["breadcrumbs"] = [
drop.new(page, payload)
]
else
payload["breadcrumbs"] = []
pth = page.url.split("/")
0.upto(pth.size - 1) do |int|
joined_path = pth[0..int].join("/")
item = page.site.pages.find { |page_| joined_path == "" && page_.url == "/" || page_.url.chomp("/") == joined_path }
payload["breadcrumbs"] << drop.new(item, payload) if item
end
end
end
Jekyll::Hooks.register :documents, :pre_render do |documents, payload|
drop = Drops::BreadcrumbItem
if documents.url == "/"
then payload["breadcrumbs"] = [
drop.new(documents, payload)
]
else
payload["breadcrumbs"] = []
pth = documents.url.split("/")
0.upto(pth.size - 1) do |int|
joined_path = pth[0..int].join("/")
item = documents.site.documents.find { |documents| joined_path == "" && documents.url == "/" || documents.url.chomp("/") == joined_path }
payload["breadcrumbs"] << drop.new(item, payload) if item
end
end
end
| website/src/_plugins/breadcrumb.rb/0 | {
"file_path": "website/src/_plugins/breadcrumb.rb",
"repo_id": "website",
"token_count": 1500
} | 1,256 |
// Material Design Colors
//
// Colors based off the material design palette
// https://material.google.com/style/color.html#color-color-palette
$amber-50: #FFF8E1;
$amber-100: #FFECB3;
$amber-200: #FFE082;
$amber-300: #FFD54F;
$amber-400: #FFCA28;
$amber-500: #FFC107;
$amber-600: #FFB300;
$amber-700: #FFA000;
$amber-800: #FF8F00;
$amber-900: #FF6F00;
$amber-A100: #FFE57F;
$amber-A200: #FFD740;
$amber-A400: #FFC400;
$amber-A700: #FFAB00;
$blue-50: #E3F2FD;
$blue-100: #BBDEFB;
$blue-200: #90CAF9;
$blue-300: #64B5F6;
$blue-400: #42A5F5;
$blue-500: #2196F3;
$blue-600: #1E88E5;
$blue-700: #1976D2;
$blue-800: #1565C0;
$blue-900: #0D47A1;
$blue-A100: #82B1FF;
$blue-A200: #448AFF;
$blue-A400: #2979FF;
$blue-A700: #2962FF;
$blue-grey-50: #ECEFF1;
$blue-grey-100: #CFD8DC;
$blue-grey-200: #B0BEC5;
$blue-grey-300: #90A4AE;
$blue-grey-400: #78909C;
$blue-grey-500: #607D8B;
$blue-grey-600: #546E7A;
$blue-grey-700: #455A64;
$blue-grey-800: #37474F;
$blue-grey-900: #263238;
$cyan-50: #E0F7FA;
$cyan-100: #B2EBF2;
$cyan-200: #80DEEA;
$cyan-300: #4DD0E1;
$cyan-400: #26C6DA;
$cyan-500: #00BCD4;
$cyan-600: #00ACC1;
$cyan-700: #0097A7;
$cyan-800: #00838F;
$cyan-900: #006064;
$cyan-A100: #84FFFF;
$cyan-A200: #18FFFF;
$cyan-A400: #00E5FF;
$cyan-A700: #00B8D4;
$grey-400: #BDBDBD;
$grey-500: #9E9E9E;
$grey-900: #212121;
$green-50: #E8F5E9;
$green-100: #C8E6C9;
$green-200: #A5D6A7;
$green-300: #81C784;
$green-400: #66BB6A;
$green-500: #4CAF50;
$green-600: #43A047;
$green-700: #388E3C;
$green-800: #2E7D32;
$green-900: #1B5E20;
$green-A100: #B9F6CA;
$green-A200: #69F0AE;
$green-A400: #00E676;
$green-A700: #00C853;
$light-green-50: #F1F8E9;
$light-green-100: #DCEDC8;
$light-green-200: #C5E1A5;
$light-green-300: #AED581;
$light-green-400: #9CCC65;
$light-green-500: #8BC34A;
$light-green-600: #7CB342;
$light-green-700: #689F38;
$light-green-800: #558B2F;
$light-green-900: #33691E;
$light-green-A100: #CCFF90;
$light-green-A200: #B2FF59;
$light-green-A400: #76FF03;
$light-green-A700: #64DD17;
$pink-50: #FCE4EC;
$pink-100: #F8BBD0;
$pink-200: #F48FB1;
$pink-300: #F06292;
$pink-400: #EC407A;
$pink-500: #E91E63;
$pink-600: #D81B60;
$pink-700: #C2185B;
$pink-800: #AD1457;
$pink-900: #880E4F;
$pink-A100: #FF80AB;
$pink-A200: #FF4081;
$pink-A400: #F50057;
$pink-A700: #C51162;
$purple-50: #F3E5F5;
$purple-100: #E1BEE7;
$purple-200: #CE93D8;
$purple-300: #BA68C8;
$purple-400: #AB47BC;
$purple-500: #9C27B0;
$purple-600: #8E24AA;
$purple-700: #7B1FA2;
$purple-800: #6A1B9A;
$purple-900: #4A148C;
$purple-A100: #EA80FC;
$purple-A200: #E040FB;
$purple-A400: #D500F9;
$purple-A700: #AA00FF;
$red-50: #FFEBEE;
$red-100: #FFCDD2;
$red-200: #EF9A9A;
$red-300: #E57373;
$red-400: #EF5350;
$red-500: #F44336;
$red-600: #E53935;
$red-700: #D32F2F;
$red-800: #C62828;
$red-900: #B71C1C;
$red-A100: #FF8A80;
$red-A200: #FF5252;
$red-A400: #FF1744;
$red-A700: #D50000;
$teal-50: #E0F2F1;
$teal-100: #B2DFDB;
$teal-200: #80CBC4;
$teal-300: #4DB6AC;
$teal-400: #26A69A;
$teal-500: #009688;
$teal-600: #00897B;
$teal-700: #00796B;
$teal-800: #00695C;
$teal-900: #004D40;
$teal-A100: #A7FFEB;
$teal-A200: #64FFDA;
$teal-A400: #1DE9B6;
$teal-A700: #00BFA5;
| website/src/_sass/base/_material-colors.scss/0 | {
"file_path": "website/src/_sass/base/_material-colors.scss",
"repo_id": "website",
"token_count": 1834
} | 1,257 |
@use '../base/variables' as *;
@use '../vendor/bootstrap';
.site-toc {
ul {
padding-left: 0;
margin-left: 0;
list-style: none;
flex-direction: column;
}
&__title {
font-family: $site-font-family-alt;
font-size: 18px;
margin-bottom: bootstrap.bs-spacer(2);
}
}
#site-toc--side {
padding: $site-content-top-padding 20px bootstrap.bs-spacer(2) 28px;
display: none;
position: fixed;
bottom: 0;
right: 0;
width: 246px;
overflow-x: hidden;
overflow-y: auto;
overflow-wrap: break-word;
z-index: 5;
@include bootstrap.media-breakpoint-up(xl) {
display: block;
}
.toc-entry {
padding-bottom: bootstrap.bs-spacer(2);
font-size: bootstrap.$font-size-sm;
.nav {
padding-top: 0.5rem;
padding-left: 1rem;
display: block;
}
}
.nav-link {
color: $site-color-body-light;
font-size: bootstrap.$font-size-sm;;
line-height: normal;
padding: 1px 0;
&:hover {
color: $site-color-primary;
}
&.active {
color: $site-color-primary;
&:hover {
color: $flutter-color-dark-blue;
}
}
}
body.hide_toc & {
display: none;
}
}
#site-toc--inline {
background: #f5f5f7;
padding: 1rem 1.5rem;
margin-bottom: 1rem;
@include bootstrap.media-breakpoint-up(xl) {
display: none;
}
.toc-entry ul {
padding-left: 1rem;
}
> .section-nav {
margin-bottom: 0.25rem;
}
&.toc-collapsible {
.site-toc--inline__toggle {
float: right;
}
.toc-toggle-down, .toc-toggle-more-items {
display: none;
}
.toc-toggle-more-items {
float: unset;
}
.toc-toggle-up, .toc-toggle-down, .toc-toggle-more-items {
user-select: none;
cursor: pointer;
}
&.toc-collapsed {
.section-nav {
max-height: 72px;
overflow: hidden;
}
.toc-toggle-up {
display: none;
}
.toc-toggle-down, .toc-toggle-more-items {
display: inline-block;
}
}
}
}
| website/src/_sass/components/_toc.scss/0 | {
"file_path": "website/src/_sass/components/_toc.scss",
"repo_id": "website",
"token_count": 950
} | 1,258 |
---
layout: toc
title: Add Flutter to iOS
description: Content covering adding Flutter to existing iOS apps.
---
| website/src/add-to-app/ios/index.md/0 | {
"file_path": "website/src/add-to-app/ios/index.md",
"repo_id": "website",
"token_count": 30
} | 1,259 |
<svg xmlns="http://www.w3.org/2000/svg">
<symbol id="twitter" viewBox="0 0 1200 1227" fill="currentColor">
<path d="M714.163 519.284L1160.89 0H1055.03L667.137 450.887L357.328 0H0L468.492 681.821L0 1226.37H105.866L515.491 750.218L842.672 1226.37H1200L714.137 519.284H714.163ZM569.165 687.828L521.697 619.934L144.011 79.6944H306.615L611.412 515.685L658.88 583.579L1055.08 1150.3H892.476L569.165 687.854V687.828Z"/>
</symbol>
</svg>
| website/src/assets/images/social/twitter.svg/0 | {
"file_path": "website/src/assets/images/social/twitter.svg",
"repo_id": "website",
"token_count": 234
} | 1,260 |
---
title: Animate the properties of a container
description: How to animate properties of a container using implicit animations.
js:
- defer: true
url: https://old-dartpad-3ce3f.web.app/inject_embed.dart.js
---
<?code-excerpt path-base="cookbook/animation/animated_container/"?>
The [`Container`][] class provides a convenient way
to create a widget with specific properties:
width, height, background color, padding, borders, and more.
Simple animations often involve changing these properties over time.
For example,
you might want to animate the background color from grey to green to
indicate that an item has been selected by the user.
To animate these properties,
Flutter provides the [`AnimatedContainer`][] widget.
Like the `Container` widget, `AnimatedContainer` allows you to define
the width, height, background colors, and more. However, when the
`AnimatedContainer` is rebuilt with new properties, it automatically
animates between the old and new values. In Flutter, these types of
animations are known as "implicit animations."
This recipe describes how to use an `AnimatedContainer` to animate the size,
background color, and border radius when the user taps a button
using the following steps:
1. Create a StatefulWidget with default properties.
2. Build an `AnimatedContainer` using the properties.
3. Start the animation by rebuilding with new properties.
## 1. Create a StatefulWidget with default properties
To start, create [`StatefulWidget`][] and [`State`][] classes.
Use the custom State class to define the properties that change over
time. In this example, that includes the width, height, color, and border
radius. You can also define the default value of each property.
These properties belong to a custom `State` class so they
can be updated when the user taps a button.
<?code-excerpt "lib/starter.dart (Starter)" remove="return Container();"?>
```dart
class AnimatedContainerApp extends StatefulWidget {
const AnimatedContainerApp({super.key});
@override
State<AnimatedContainerApp> createState() => _AnimatedContainerAppState();
}
class _AnimatedContainerAppState extends State<AnimatedContainerApp> {
// Define the various properties with default values. Update these properties
// when the user taps a FloatingActionButton.
double _width = 50;
double _height = 50;
Color _color = Colors.green;
BorderRadiusGeometry _borderRadius = BorderRadius.circular(8);
@override
Widget build(BuildContext context) {
// Fill this out in the next steps.
}
}
```
## 2. Build an `AnimatedContainer` using the properties
Next, build the `AnimatedContainer` using the properties defined in the
previous step. Furthermore, provide a `duration` that defines how long
the animation should run.
<?code-excerpt "lib/main.dart (AnimatedContainer)" replace="/^child: //g;/,$//g"?>
```dart
AnimatedContainer(
// Use the properties stored in the State class.
width: _width,
height: _height,
decoration: BoxDecoration(
color: _color,
borderRadius: _borderRadius,
),
// Define how long the animation should take.
duration: const Duration(seconds: 1),
// Provide an optional curve to make the animation feel smoother.
curve: Curves.fastOutSlowIn,
)
```
## 3. Start the animation by rebuilding with new properties
Finally, start the animation by rebuilding the
`AnimatedContainer` with the new properties.
How to trigger a rebuild?
Use the [`setState()`][] method.
Add a button to the app. When the user taps the button, update
the properties with a new width, height, background color and border radius
inside a call to `setState()`.
A real app typically transitions between fixed values (for example,
from a grey to a green background). For this app,
generate new values each time the user taps the button.
<?code-excerpt "lib/main.dart (FAB)" replace="/^floatingActionButton: //g;/,$//g"?>
```dart
FloatingActionButton(
// When the user taps the button
onPressed: () {
// Use setState to rebuild the widget with new values.
setState(() {
// Create a random number generator.
final random = Random();
// Generate a random width and height.
_width = random.nextInt(300).toDouble();
_height = random.nextInt(300).toDouble();
// Generate a random color.
_color = Color.fromRGBO(
random.nextInt(256),
random.nextInt(256),
random.nextInt(256),
1,
);
// Generate a random border radius.
_borderRadius =
BorderRadius.circular(random.nextInt(100).toDouble());
});
},
child: const Icon(Icons.play_arrow),
)
```
## Interactive example
<?code-excerpt "lib/main.dart"?>
```run-dartpad:theme-light:mode-flutter:run-true:width-100%:height-600px:split-60:ga_id-interactive_example
import 'dart:math';
import 'package:flutter/material.dart';
void main() => runApp(const AnimatedContainerApp());
class AnimatedContainerApp extends StatefulWidget {
const AnimatedContainerApp({super.key});
@override
State<AnimatedContainerApp> createState() => _AnimatedContainerAppState();
}
class _AnimatedContainerAppState extends State<AnimatedContainerApp> {
// Define the various properties with default values. Update these properties
// when the user taps a FloatingActionButton.
double _width = 50;
double _height = 50;
Color _color = Colors.green;
BorderRadiusGeometry _borderRadius = BorderRadius.circular(8);
@override
Widget build(BuildContext context) {
return MaterialApp(
home: Scaffold(
appBar: AppBar(
title: const Text('AnimatedContainer Demo'),
),
body: Center(
child: AnimatedContainer(
// Use the properties stored in the State class.
width: _width,
height: _height,
decoration: BoxDecoration(
color: _color,
borderRadius: _borderRadius,
),
// Define how long the animation should take.
duration: const Duration(seconds: 1),
// Provide an optional curve to make the animation feel smoother.
curve: Curves.fastOutSlowIn,
),
),
floatingActionButton: FloatingActionButton(
// When the user taps the button
onPressed: () {
// Use setState to rebuild the widget with new values.
setState(() {
// Create a random number generator.
final random = Random();
// Generate a random width and height.
_width = random.nextInt(300).toDouble();
_height = random.nextInt(300).toDouble();
// Generate a random color.
_color = Color.fromRGBO(
random.nextInt(256),
random.nextInt(256),
random.nextInt(256),
1,
);
// Generate a random border radius.
_borderRadius =
BorderRadius.circular(random.nextInt(100).toDouble());
});
},
child: const Icon(Icons.play_arrow),
),
),
);
}
}
```
<noscript>
<img src="/assets/images/docs/cookbook/animated-container.gif" alt="AnimatedContainer demo showing a box growing and shrinking in size while changing color and border radius" class="site-mobile-screenshot" />
</noscript>
[`AnimatedContainer`]: {{site.api}}/flutter/widgets/AnimatedContainer-class.html
[`Container`]: {{site.api}}/flutter/widgets/Container-class.html
[`setState()`]: {{site.api}}/flutter/widgets/State/setState.html
[`State`]: {{site.api}}/flutter/widgets/State-class.html
[`StatefulWidget`]: {{site.api}}/flutter/widgets/StatefulWidget-class.html
| website/src/cookbook/animation/animated-container.md/0 | {
"file_path": "website/src/cookbook/animation/animated-container.md",
"repo_id": "website",
"token_count": 2623
} | 1,261 |
---
title: Create gradient chat bubbles
description: How to implement gradient chat bubbles.
js:
- defer: true
url: https://old-dartpad-3ce3f.web.app/inject_embed.dart.js
---
<?code-excerpt path-base="cookbook/effects/gradient_bubbles"?>
Traditional chat apps display messages in chat bubbles
with solid color backgrounds. Modern chat apps display
chat bubbles with gradients that are based
on the bubbles' position on the screen.
In this recipe, you'll modernize the chat UI by implementing
gradient backgrounds for the chat bubbles.
The following animation shows the app's behavior:
{:.site-mobile-screenshot}
## Understand the challenge
The traditional chat bubble solution probably uses a
`DecoratedBox` or a similar widget to paint a rounded
rectangle behind each chat message. That approach is
great for a solid color or even for a gradient that
repeats in every chat bubble. However, modern,
full-screen, gradient bubble backgrounds require
a different approach. The full-screen gradient,
combined with bubbles scrolling up and down the screen,
requires an approach that allows you to make painting
decisions based on layout information.
Each bubble's gradient requires knowledge of the
bubble's location on the screen. This means that
the painting behavior requires access to layout information.
Such painting behavior isn't possible with typical widgets
because widgets like `Container` and `DecoratedBox`
make decisions about background colors before layout occurs,
not after. In this case, because you require custom painting
behavior, but you don't require custom layout behavior
or custom hit test behavior, a [`CustomPainter`][] is
a great choice to get the job done.
{{site.alert.note}}
In cases where you need control over the child layout,
but you don't need control over the painting or hit testing,
consider using a [`Flow`][] widget.
In cases where you need control over the layout,
painting, _and_ hit testing,
consider defining a custom [`RenderBox`][].
{{site.alert.end}}
## Replace original background widget
Replace the widget responsible for drawing the
background with a new stateless widget called
`BubbleBackground`. Include a `colors` property to
represent the full-screen gradient that should be
applied to the bubble.
<?code-excerpt "lib/bubble_background.dart (BubbleBackground)" replace="/return //g"?>
```dart
BubbleBackground(
// The colors of the gradient, which are different
// depending on which user sent this message.
colors: message.isMine
? const [Color(0xFF6C7689), Color(0xFF3A364B)]
: const [Color(0xFF19B7FF), Color(0xFF491CCB)],
// The content within the bubble.
child: DefaultTextStyle.merge(
style: const TextStyle(
fontSize: 18.0,
color: Colors.white,
),
child: Padding(
padding: const EdgeInsets.all(12),
child: Text(message.text),
),
),
);
```
## Create a custom painter
Next, introduce an implementation for `BubbleBackground`
as a stateless widget. For now, define the `build()`
method to return a `CustomPaint` with a `CustomPainter`
called `BubblePainter`. `BubblePainter` is used to paint
the bubble gradients.
<?code-excerpt "lib/bubble_painter_empty.dart (BubblePainterEmpty)"?>
```dart
@immutable
class BubbleBackground extends StatelessWidget {
const BubbleBackground({
super.key,
required this.colors,
this.child,
});
final List<Color> colors;
final Widget? child;
@override
Widget build(BuildContext context) {
return CustomPaint(
painter: BubblePainter(
colors: colors,
),
child: child,
);
}
}
class BubblePainter extends CustomPainter {
BubblePainter({
required List<Color> colors,
}) : _colors = colors;
final List<Color> _colors;
@override
void paint(Canvas canvas, Size size) {
// TODO:
}
@override
bool shouldRepaint(BubblePainter oldDelegate) {
// TODO:
return false;
}
}
```
## Provide access to scrolling information
The `CustomPainter` requires the information necessary
to determine where its bubble is within the `ListView`'s bounds,
also known as the `Viewport`. Determining the location requires
a reference to the ancestor `ScrollableState`
and a reference to the `BubbleBackground`'s
`BuildContext`. Provide each of those to the `CustomPainter`.
<?code-excerpt "lib/bubble_painter.dart (ScrollableContext)" replace="/painter: //g"?>
```dart
BubblePainter(
colors: colors,
bubbleContext: context,
scrollable: ScrollableState(),
),
```
<!-- this code excerpt adds an extra closing bracket
at the end because the excerpt cuts off the paint method that's required for Custom Painter. -->
<?code-excerpt "lib/bubble_painter.dart (BPWithoutPaint)" replace="/}\n/}\n}\n/g;"?>
```dart
class BubblePainter extends CustomPainter {
BubblePainter({
required ScrollableState scrollable,
required BuildContext bubbleContext,
required List<Color> colors,
}) : _scrollable = scrollable,
_bubbleContext = bubbleContext,
_colors = colors;
final ScrollableState _scrollable;
final BuildContext _bubbleContext;
final List<Color> _colors;
@override
bool shouldRepaint(BubblePainter oldDelegate) {
return oldDelegate._scrollable != _scrollable ||
oldDelegate._bubbleContext != _bubbleContext ||
oldDelegate._colors != _colors;
}
}
```
## Paint a full-screen bubble gradient
The `CustomPainter` now has the desired gradient colors,
a reference to the containing `ScrollableState`,
and a reference to this bubble's `BuildContext`.
This is all the information that the `CustomPainter` needs to
paint the full-screen bubble gradients.
Implement the `paint()` method to calculate the position
of the bubble, configure a shader with the given colors,
and then use a matrix translation to offset the shader
based on the bubble's position within the `Scrollable`.
<?code-excerpt "lib/bubble_background.dart (BubblePainter)"?>
```dart
class BubblePainter extends CustomPainter {
BubblePainter({
required ScrollableState scrollable,
required BuildContext bubbleContext,
required List<Color> colors,
}) : _scrollable = scrollable,
_bubbleContext = bubbleContext,
_colors = colors;
final ScrollableState _scrollable;
final BuildContext _bubbleContext;
final List<Color> _colors;
@override
bool shouldRepaint(BubblePainter oldDelegate) {
return oldDelegate._scrollable != _scrollable ||
oldDelegate._bubbleContext != _bubbleContext ||
oldDelegate._colors != _colors;
}
@override
void paint(Canvas canvas, Size size) {
final scrollableBox = _scrollable.context.findRenderObject() as RenderBox;
final scrollableRect = Offset.zero & scrollableBox.size;
final bubbleBox = _bubbleContext.findRenderObject() as RenderBox;
final origin =
bubbleBox.localToGlobal(Offset.zero, ancestor: scrollableBox);
final paint = Paint()
..shader = ui.Gradient.linear(
scrollableRect.topCenter,
scrollableRect.bottomCenter,
_colors,
[0.0, 1.0],
TileMode.clamp,
Matrix4.translationValues(-origin.dx, -origin.dy, 0.0).storage,
);
canvas.drawRect(Offset.zero & size, paint);
}
}
```
Congratulations! You now have a modern, chat bubble UI.
{{site.alert.note}}
Each bubble's gradient changes as the user
scrolls because the `BubbleBackground` widget
invokes `Scrollable.of(context)`. This method
sets up an implicit dependency on the ancestor
`ScrollableState`, which causes the `BubbleBackground`
widget to rebuild every time the user scrolls
up or down. See the [`InheritedWidget`][] documentation
for more information about these types of dependencies.
{{site.alert.end}}
## Interactive example
Run the app:
* Scroll up and down to observe the gradient effect.
* Chat bubbles located at the bottom of the screen
have a darker gradient color than the ones at the top.
<!-- start dartpad -->
<?code-excerpt "lib/main.dart"?>
```run-dartpad:theme-light:mode-flutter:run-true:width-100%:height-600px:split-60:ga_id-interactive_example
import 'dart:math';
import 'dart:ui' as ui;
import 'package:flutter/material.dart';
void main() {
runApp(const App(home: ExampleGradientBubbles()));
}
@immutable
class App extends StatelessWidget {
const App({super.key, this.home});
final Widget? home;
@override
Widget build(BuildContext context) {
return MaterialApp(
debugShowCheckedModeBanner: false,
title: 'Flutter Chat',
theme: ThemeData.dark(useMaterial3: true),
home: home,
);
}
}
@immutable
class ExampleGradientBubbles extends StatefulWidget {
const ExampleGradientBubbles({super.key});
@override
State<ExampleGradientBubbles> createState() => _ExampleGradientBubblesState();
}
class _ExampleGradientBubblesState extends State<ExampleGradientBubbles> {
late final List<Message> data;
@override
void initState() {
super.initState();
data = MessageGenerator.generate(60, 1337);
}
@override
Widget build(BuildContext context) {
return Theme(
data: ThemeData(
brightness: Brightness.dark,
primaryColor: const Color(0xFF4F4F4F),
),
child: Scaffold(
appBar: AppBar(
title: const Text('Flutter Chat'),
),
body: ListView.builder(
padding: const EdgeInsets.symmetric(vertical: 16.0),
reverse: true,
itemCount: data.length,
itemBuilder: (context, index) {
final message = data[index];
return MessageBubble(
message: message,
child: Text(message.text),
);
},
),
),
);
}
}
@immutable
class MessageBubble extends StatelessWidget {
const MessageBubble({
super.key,
required this.message,
required this.child,
});
final Message message;
final Widget child;
@override
Widget build(BuildContext context) {
final messageAlignment =
message.isMine ? Alignment.topLeft : Alignment.topRight;
return FractionallySizedBox(
alignment: messageAlignment,
widthFactor: 0.8,
child: Align(
alignment: messageAlignment,
child: Padding(
padding: const EdgeInsets.symmetric(vertical: 6.0, horizontal: 20.0),
child: ClipRRect(
borderRadius: const BorderRadius.all(Radius.circular(16.0)),
child: BubbleBackground(
colors: [
if (message.isMine) ...const [
Color(0xFF6C7689),
Color(0xFF3A364B),
] else ...const [
Color(0xFF19B7FF),
Color(0xFF491CCB),
],
],
child: DefaultTextStyle.merge(
style: const TextStyle(
fontSize: 18.0,
color: Colors.white,
),
child: Padding(
padding: const EdgeInsets.all(12.0),
child: child,
),
),
),
),
),
),
);
}
}
@immutable
class BubbleBackground extends StatelessWidget {
const BubbleBackground({
super.key,
required this.colors,
this.child,
});
final List<Color> colors;
final Widget? child;
@override
Widget build(BuildContext context) {
return CustomPaint(
painter: BubblePainter(
scrollable: Scrollable.of(context),
bubbleContext: context,
colors: colors,
),
child: child,
);
}
}
class BubblePainter extends CustomPainter {
BubblePainter({
required ScrollableState scrollable,
required BuildContext bubbleContext,
required List<Color> colors,
}) : _scrollable = scrollable,
_bubbleContext = bubbleContext,
_colors = colors,
super(repaint: scrollable.position);
final ScrollableState _scrollable;
final BuildContext _bubbleContext;
final List<Color> _colors;
@override
void paint(Canvas canvas, Size size) {
final scrollableBox = _scrollable.context.findRenderObject() as RenderBox;
final scrollableRect = Offset.zero & scrollableBox.size;
final bubbleBox = _bubbleContext.findRenderObject() as RenderBox;
final origin =
bubbleBox.localToGlobal(Offset.zero, ancestor: scrollableBox);
final paint = Paint()
..shader = ui.Gradient.linear(
scrollableRect.topCenter,
scrollableRect.bottomCenter,
_colors,
[0.0, 1.0],
TileMode.clamp,
Matrix4.translationValues(-origin.dx, -origin.dy, 0.0).storage,
);
canvas.drawRect(Offset.zero & size, paint);
}
@override
bool shouldRepaint(BubblePainter oldDelegate) {
return oldDelegate._scrollable != _scrollable ||
oldDelegate._bubbleContext != _bubbleContext ||
oldDelegate._colors != _colors;
}
}
enum MessageOwner { myself, other }
@immutable
class Message {
const Message({
required this.owner,
required this.text,
});
final MessageOwner owner;
final String text;
bool get isMine => owner == MessageOwner.myself;
}
class MessageGenerator {
static List<Message> generate(int count, [int? seed]) {
final random = Random(seed);
return List.unmodifiable(List<Message>.generate(count, (index) {
return Message(
owner: random.nextBool() ? MessageOwner.myself : MessageOwner.other,
text: _exampleData[random.nextInt(_exampleData.length)],
);
}));
}
static final _exampleData = [
'Lorem ipsum dolor sit amet, consectetur adipiscing elit.',
'In tempus mauris at velit egestas, sed blandit felis ultrices.',
'Ut molestie mauris et ligula finibus iaculis.',
'Sed a tempor ligula.',
'Test',
'Phasellus ullamcorper, mi ut imperdiet consequat, nibh augue condimentum nunc, vitae molestie massa augue nec erat.',
'Donec scelerisque, erat vel placerat facilisis, eros turpis egestas nulla, a sodales elit nibh et enim.',
'Mauris quis dignissim neque. In a odio leo. Aliquam egestas egestas tempor. Etiam at tortor metus.',
'Quisque lacinia imperdiet faucibus.',
'Proin egestas arcu non nisl laoreet, vitae iaculis enim volutpat. In vehicula convallis magna.',
'Phasellus at diam a sapien laoreet gravida.',
'Fusce maximus fermentum sem a scelerisque.',
'Nam convallis sapien augue, malesuada aliquam dui bibendum nec.',
'Quisque dictum tincidunt ex non lobortis.',
'In hac habitasse platea dictumst.',
'Ut pharetra ligula libero, sit amet imperdiet lorem luctus sit amet.',
'Sed ex lorem, lacinia et varius vitae, sagittis eget libero.',
'Vestibulum scelerisque velit sed augue ultricies, ut vestibulum lorem luctus.',
'Pellentesque et risus pretium, egestas ipsum at, facilisis lectus.',
'Praesent id eleifend lacus.',
'Fusce convallis eu tortor sit amet mattis.',
'Vivamus lacinia magna ut urna feugiat tincidunt.',
'Sed in diam ut dolor imperdiet vehicula non ac turpis.',
'Praesent at est hendrerit, laoreet tortor sed, varius mi.',
'Nunc in odio leo.',
'Praesent placerat semper libero, ut aliquet dolor.',
'Vestibulum elementum leo metus, vitae auctor lorem tincidunt ut.',
];
}
```
## Recap
The fundamental challenge when painting based on the
scroll position, or the screen position in general,
is that the painting behavior must occur after the
layout phase is complete. `CustomPaint` is a unique
widget that allows you to execute custom painting
behaviors after the layout phase is complete.
If you execute the painting behaviors after the layout phase,
then you can base your painting decisions on the layout
information, such as the position of the `CustomPaint`
widget within a `Scrollable` or within the screen.
[cloning the example code]: {{site.github}}/flutter/codelabs
[`CustomPainter`]: {{site.api}}/flutter/rendering/CustomPainter-class.html
[`Flow`]: {{site.api}}/flutter/widgets/Flow-class.html
[`InheritedWidget`]: {{site.api}}/flutter/widgets/InheritedWidget-class.html
[Issue 44152]: {{site.repo.flutter}}/issues/44152
[`RenderBox`]: {{site.api}}/flutter/rendering/RenderBox-class.html
| website/src/cookbook/effects/gradient-bubbles.md/0 | {
"file_path": "website/src/cookbook/effects/gradient-bubbles.md",
"repo_id": "website",
"token_count": 5851
} | 1,262 |
---
title: Games
description: A catalog of recipes to help you build games with Flutter.
---
{% include docs/cookbook-group-index.md -%}
- [Add ads to your mobile Flutter app or game](/cookbook/plugins/google-mobile-ads)
| website/src/cookbook/games/index.md/0 | {
"file_path": "website/src/cookbook/games/index.md",
"repo_id": "website",
"token_count": 68
} | 1,263 |
---
title: Work with long lists
description: Use ListView.builder to implement a long or infinite list.
js:
- defer: true
url: https://old-dartpad-3ce3f.web.app/inject_embed.dart.js
---
<?code-excerpt path-base="cookbook/lists/long_lists/"?>
The standard [`ListView`][] constructor works well
for small lists. To work with lists that contain
a large number of items, it's best to use the
[`ListView.builder`][] constructor.
In contrast to the default `ListView` constructor, which requires
creating all items at once, the `ListView.builder()` constructor
creates items as they're scrolled onto the screen.
## 1. Create a data source
First, you need a data source. For example, your data source
might be a list of messages, search results, or products in a store.
Most of the time, this data comes from the internet or a database.
For this example, generate a list of 10,000 Strings using the
[`List.generate`][] constructor.
<?code-excerpt "lib/main.dart (Items)" replace="/^items: //g"?>
```dart
List<String>.generate(10000, (i) => 'Item $i'),
```
## 2. Convert the data source into widgets
To display the list of strings, render each String as a widget
using `ListView.builder()`.
In this example, display each String on its own line.
<?code-excerpt "lib/main.dart (ListView)" replace="/^body: //g;/,$//g"?>
```dart
ListView.builder(
itemCount: items.length,
prototypeItem: ListTile(
title: Text(items.first),
),
itemBuilder: (context, index) {
return ListTile(
title: Text(items[index]),
);
},
)
```
## Interactive example
<?code-excerpt "lib/main.dart"?>
```run-dartpad:theme-light:mode-flutter:run-true:width-100%:height-600px:split-60:ga_id-interactive_example
import 'package:flutter/material.dart';
void main() {
runApp(
MyApp(
items: List<String>.generate(10000, (i) => 'Item $i'),
),
);
}
class MyApp extends StatelessWidget {
final List<String> items;
const MyApp({super.key, required this.items});
@override
Widget build(BuildContext context) {
const title = 'Long List';
return MaterialApp(
title: title,
home: Scaffold(
appBar: AppBar(
title: const Text(title),
),
body: ListView.builder(
itemCount: items.length,
prototypeItem: ListTile(
title: Text(items.first),
),
itemBuilder: (context, index) {
return ListTile(
title: Text(items[index]),
);
},
),
),
);
}
}
```
## Children's extent
To specify each item's extent, you can use either `itemExtent` or `prototypeItem`.
Specifying either is more efficient than letting the children determine their own extent
because the scrolling machinery can make use of the foreknowledge of the children's
extent to save work, for example when the scroll position changes drastically.
<noscript>
<img src="/assets/images/docs/cookbook/long-lists.gif" alt="Long Lists Demo" class="site-mobile-screenshot" />
</noscript>
[`List.generate`]: {{site.api}}/flutter/dart-core/List/List.generate.html
[`ListView`]: {{site.api}}/flutter/widgets/ListView-class.html
[`ListView.builder`]: {{site.api}}/flutter/widgets/ListView/ListView.builder.html
| website/src/cookbook/lists/long-lists.md/0 | {
"file_path": "website/src/cookbook/lists/long-lists.md",
"repo_id": "website",
"token_count": 1156
} | 1,264 |
---
title: Delete data on the internet
description: How to use the http package to delete data on the internet.
---
<?code-excerpt path-base="cookbook/networking/delete_data/"?>
This recipe covers how to delete data over
the internet using the `http` package.
This recipe uses the following steps:
1. Add the `http` package.
2. Delete data on the server.
3. Update the screen.
## 1. Add the `http` package
To add the `http` package as a dependency,
run `flutter pub add`:
```terminal
$ flutter pub add http
```
Import the `http` package.
<?code-excerpt "lib/main.dart (Http)"?>
```dart
import 'package:http/http.dart' as http;
```
## 2. Delete data on the server
This recipe covers how to delete an album from the
[JSONPlaceholder][] using the `http.delete()` method.
Note that this requires the `id` of the album that
you want to delete. For this example,
use something you already know, for example `id = 1`.
<?code-excerpt "lib/main_step1.dart (deleteAlbum)"?>
```dart
Future<http.Response> deleteAlbum(String id) async {
final http.Response response = await http.delete(
Uri.parse('https://jsonplaceholder.typicode.com/albums/$id'),
headers: <String, String>{
'Content-Type': 'application/json; charset=UTF-8',
},
);
return response;
}
```
The `http.delete()` method returns a `Future` that contains a `Response`.
* [`Future`][] is a core Dart class for working with
async operations. A Future object represents a potential
value or error that will be available at some time in the future.
* The `http.Response` class contains the data received from a successful
http call.
* The `deleteAlbum()` method takes an `id` argument that
is needed to identify the data to be deleted from the server.
## 3. Update the screen
In order to check whether the data has been deleted or not,
first fetch the data from the [JSONPlaceholder][]
using the `http.get()` method, and display it in the screen.
(See the [Fetch Data][] recipe for a complete example.)
You should now have a **Delete Data** button that,
when pressed, calls the `deleteAlbum()` method.
<?code-excerpt "lib/main.dart (Column)" replace="/return //g"?>
```dart
Column(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[
Text(snapshot.data?.title ?? 'Deleted'),
ElevatedButton(
child: const Text('Delete Data'),
onPressed: () {
setState(() {
_futureAlbum =
deleteAlbum(snapshot.data!.id.toString());
});
},
),
],
);
```
Now, when you click on the ***Delete Data*** button,
the `deleteAlbum()` method is called and the id
you are passing is the id of the data that you retrieved
from the internet. This means you are going to delete
the same data that you fetched from the internet.
### Returning a response from the deleteAlbum() method
Once the delete request has been made,
you can return a response from the `deleteAlbum()`
method to notify our screen that the data has been deleted.
<?code-excerpt "lib/main.dart (deleteAlbum)"?>
```dart
Future<Album> deleteAlbum(String id) async {
final http.Response response = await http.delete(
Uri.parse('https://jsonplaceholder.typicode.com/albums/$id'),
headers: <String, String>{
'Content-Type': 'application/json; charset=UTF-8',
},
);
if (response.statusCode == 200) {
// If the server did return a 200 OK response,
// then parse the JSON. After deleting,
// you'll get an empty JSON `{}` response.
// Don't return `null`, otherwise `snapshot.hasData`
// will always return false on `FutureBuilder`.
return Album.fromJson(jsonDecode(response.body) as Map<String, dynamic>);
} else {
// If the server did not return a "200 OK response",
// then throw an exception.
throw Exception('Failed to delete album.');
}
}
```
`FutureBuilder()` now rebuilds when it receives a response.
Since the response won't have any data in its body
if the request was successful,
the `Album.fromJson()` method creates an instance of the
`Album` object with a default value (`null` in our case).
This behavior can be altered in any way you wish.
That's all!
Now you've got a function that deletes the data from the internet.
## Complete example
<?code-excerpt "lib/main.dart"?>
```dart
import 'dart:async';
import 'dart:convert';
import 'package:flutter/material.dart';
import 'package:http/http.dart' as http;
Future<Album> fetchAlbum() async {
final response = await http.get(
Uri.parse('https://jsonplaceholder.typicode.com/albums/1'),
);
if (response.statusCode == 200) {
// If the server did return a 200 OK response, then parse the JSON.
return Album.fromJson(jsonDecode(response.body) as Map<String, dynamic>);
} else {
// If the server did not return a 200 OK response, then throw an exception.
throw Exception('Failed to load album');
}
}
Future<Album> deleteAlbum(String id) async {
final http.Response response = await http.delete(
Uri.parse('https://jsonplaceholder.typicode.com/albums/$id'),
headers: <String, String>{
'Content-Type': 'application/json; charset=UTF-8',
},
);
if (response.statusCode == 200) {
// If the server did return a 200 OK response,
// then parse the JSON. After deleting,
// you'll get an empty JSON `{}` response.
// Don't return `null`, otherwise `snapshot.hasData`
// will always return false on `FutureBuilder`.
return Album.fromJson(jsonDecode(response.body) as Map<String, dynamic>);
} else {
// If the server did not return a "200 OK response",
// then throw an exception.
throw Exception('Failed to delete album.');
}
}
class Album {
final int id;
final String title;
const Album({required this.id, required this.title});
factory Album.fromJson(Map<String, dynamic> json) {
return switch (json) {
{
'id': int id,
'title': String title,
} =>
Album(
id: id,
title: title,
),
_ => throw const FormatException('Failed to load album.'),
};
}
}
void main() {
runApp(const MyApp());
}
class MyApp extends StatefulWidget {
const MyApp({super.key});
@override
State<MyApp> createState() {
return _MyAppState();
}
}
class _MyAppState extends State<MyApp> {
late Future<Album> _futureAlbum;
@override
void initState() {
super.initState();
_futureAlbum = fetchAlbum();
}
@override
Widget build(BuildContext context) {
return MaterialApp(
title: 'Delete Data Example',
theme: ThemeData(
colorScheme: ColorScheme.fromSeed(seedColor: Colors.deepPurple),
),
home: Scaffold(
appBar: AppBar(
title: const Text('Delete Data Example'),
),
body: Center(
child: FutureBuilder<Album>(
future: _futureAlbum,
builder: (context, snapshot) {
// If the connection is done,
// check for response data or an error.
if (snapshot.connectionState == ConnectionState.done) {
if (snapshot.hasData) {
return Column(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[
Text(snapshot.data?.title ?? 'Deleted'),
ElevatedButton(
child: const Text('Delete Data'),
onPressed: () {
setState(() {
_futureAlbum =
deleteAlbum(snapshot.data!.id.toString());
});
},
),
],
);
} else if (snapshot.hasError) {
return Text('${snapshot.error}');
}
}
// By default, show a loading spinner.
return const CircularProgressIndicator();
},
),
),
),
);
}
}
```
[Fetch Data]: /cookbook/networking/fetch-data
[ConnectionState]: {{site.api}}/flutter/widgets/ConnectionState-class.html
[`didChangeDependencies()`]: {{site.api}}/flutter/widgets/State/didChangeDependencies.html
[`Future`]: {{site.api}}/flutter/dart-async/Future-class.html
[`FutureBuilder`]: {{site.api}}/flutter/widgets/FutureBuilder-class.html
[JSONPlaceholder]: https://jsonplaceholder.typicode.com/
[`http`]: {{site.pub-pkg}}/http
[`http.delete()`]: {{site.pub-api}}/http/latest/http/delete.html
[`http` package]: {{site.pub-pkg}}/http/install
[`InheritedWidget`]: {{site.api}}/flutter/widgets/InheritedWidget-class.html
[Introduction to unit testing]: /cookbook/testing/unit/introduction
[`initState()`]: {{site.api}}/flutter/widgets/State/initState.html
[Mock dependencies using Mockito]: /cookbook/testing/unit/mocking
[JSON and serialization]: /data-and-backend/serialization/json
[`State`]: {{site.api}}/flutter/widgets/State-class.html
| website/src/cookbook/networking/delete-data.md/0 | {
"file_path": "website/src/cookbook/networking/delete-data.md",
"repo_id": "website",
"token_count": 3396
} | 1,265 |
---
title: An introduction to integration testing
description: Learn about integration testing in Flutter.
short-title: Introduction
---
<?code-excerpt path-base="cookbook/testing/integration/introduction/"?>
Unit tests and widget tests are handy for testing individual classes,
functions, or widgets. However, they generally don't test how
individual pieces work together as a whole, or capture the performance
of an application running on a real device. These tasks are performed
with *integration tests*.
Integration tests are written using the [integration_test][] package, provided
by the SDK.
In this recipe, learn how to test a counter app. It demonstrates
how to set up integration tests, how to verify specific text is displayed
by the app, how to tap specific widgets, and how to run integration tests.
This recipe uses the following steps:
1. Create an app to test.
2. Add the `integration_test` dependency.
3. Create the test files.
4. Write the integration test.
5. Run the integration test.
### 1. Create an app to test
First, create an app for testing. In this example,
test the counter app produced by the `flutter create`
command. This app allows a user to tap on a button
to increase a counter.
<?code-excerpt "lib/main.dart"?>
```dart
import 'package:flutter/material.dart';
void main() => runApp(const MyApp());
class MyApp extends StatelessWidget {
const MyApp({super.key});
@override
Widget build(BuildContext context) {
return const MaterialApp(
title: 'Counter App',
home: MyHomePage(title: 'Counter App Home Page'),
);
}
}
class MyHomePage extends StatefulWidget {
const MyHomePage({super.key, required this.title});
final String title;
@override
State<MyHomePage> createState() => _MyHomePageState();
}
class _MyHomePageState extends State<MyHomePage> {
int _counter = 0;
void _incrementCounter() {
setState(() {
_counter++;
});
}
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: Text(widget.title),
),
body: Center(
child: Column(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[
const Text(
'You have pushed the button this many times:',
),
Text(
'$_counter',
style: Theme.of(context).textTheme.headlineMedium,
),
],
),
),
floatingActionButton: FloatingActionButton(
// Provide a Key to this button. This allows finding this
// specific button inside the test suite, and tapping it.
key: const Key('increment'),
onPressed: _incrementCounter,
tooltip: 'Increment',
child: const Icon(Icons.add),
),
);
}
}
```
### 2. Add the `integration_test` dependency
Next, use the `integration_test` and `flutter_test` packages
to write integration tests. Add these dependencies to the `dev_dependencies`
section of the app's `pubspec.yaml` file.
```terminal
$ flutter pub add 'dev:flutter_test:{"sdk":"flutter"}' 'dev:integration_test:{"sdk":"flutter"}'
"flutter_test" is already in "dev_dependencies". Will try to update the constraint.
Resolving dependencies...
collection 1.17.2 (1.18.0 available)
+ file 6.1.4 (7.0.0 available)
+ flutter_driver 0.0.0 from sdk flutter
+ fuchsia_remote_debug_protocol 0.0.0 from sdk flutter
+ integration_test 0.0.0 from sdk flutter
material_color_utilities 0.5.0 (0.8.0 available)
meta 1.9.1 (1.10.0 available)
+ platform 3.1.0 (3.1.2 available)
+ process 4.2.4 (5.0.0 available)
stack_trace 1.11.0 (1.11.1 available)
stream_channel 2.1.1 (2.1.2 available)
+ sync_http 0.3.1
test_api 0.6.0 (0.6.1 available)
+ vm_service 11.7.1 (11.10.0 available)
+ webdriver 3.0.2
Changed 9 dependencies!
```
### 3. Create the test files
Create a new directory, `integration_test`, with an empty `app_test.dart` file:
```
counter_app/
lib/
main.dart
integration_test/
app_test.dart
```
### 4. Write the integration test
Now you can write tests. This involves three steps:
1. Initialize `IntegrationTestWidgetsFlutterBinding`, a singleton service that
executes tests on a physical device.
2. Interact and tests widgets using the `WidgetTester` class.
3. Test the important scenarios.
<?code-excerpt "integration_test/app_test.dart (IntegrationTest)"?>
```dart
import 'package:flutter/material.dart';
import 'package:flutter_test/flutter_test.dart';
import 'package:integration_test/integration_test.dart';
import 'package:introduction/main.dart';
void main() {
IntegrationTestWidgetsFlutterBinding.ensureInitialized();
group('end-to-end test', () {
testWidgets('tap on the floating action button, verify counter',
(tester) async {
// Load app widget.
await tester.pumpWidget(const MyApp());
// Verify the counter starts at 0.
expect(find.text('0'), findsOneWidget);
// Finds the floating action button to tap on.
final fab = find.byKey(const Key('increment'));
// Emulate a tap on the floating action button.
await tester.tap(fab);
// Trigger a frame.
await tester.pumpAndSettle();
// Verify the counter increments by 1.
expect(find.text('1'), findsOneWidget);
});
});
}
```
### 5. Run the integration test
The process of running the integration tests varies depending on the platform
you are testing against. You can test against a mobile platform or the web.
#### 5a. Mobile
To test on a real iOS / Android device, first connect the device and run the
following command from the root of the project:
```terminal
$ flutter test integration_test/app_test.dart
```
Or, you can specify the directory to run all integration tests:
```terminal
$ flutter test integration_test
```
This command runs the app and integration tests on the target device. For more
information, see the [Integration testing][] page.
---
#### 5b. Web
{% comment %}
TODO(ryjohn): Add back after other WebDriver versions are supported:
https://github.com/flutter/flutter/issues/90158
To test for web,
determine which browser you want to test against
and download the corresponding web driver:
* Chrome: [Download ChromeDriver][]
* Firefox: [Download GeckoDriver][]
* Safari: Safari can only be tested on a Mac;
the SafariDriver is already installed on Mac machines.
* Edge [Download EdgeDriver][]
{% endcomment -%}
To get started testing in a web browser, [Download ChromeDriver][].
Next, create a new directory named `test_driver` containing a new file
named `integration_test.dart`:
<?code-excerpt "test_driver/integration_test.dart"?>
```dart
import 'package:integration_test/integration_test_driver.dart';
Future<void> main() => integrationDriver();
```
Launch `chromedriver` as follows:
```terminal
$ chromedriver --port=4444
```
From the root of the project, run the following command:
```terminal
$ flutter drive \
--driver=test_driver/integration_test.dart \
--target=integration_test/app_test.dart \
-d chrome
```
For a headless testing experience, you can also run `flutter drive`
with `web-server` as the target device identifier as follows:
```terminal
flutter drive \
--driver=test_driver/integration_test.dart \
--target=integration_test/app_test.dart \
-d web-server
```
[Download ChromeDriver]: https://googlechromelabs.github.io/chrome-for-testing/
[Download EdgeDriver]: https://developer.microsoft.com/en-us/microsoft-edge/tools/webdriver/
[Download GeckoDriver]: {{site.github}}/mozilla/geckodriver/releases
[flutter_driver]: {{site.api}}/flutter/flutter_driver/flutter_driver-library.html
[integration_test]: {{site.repo.flutter}}/tree/main/packages/integration_test
[Integration testing]: /testing/integration-tests
[`SerializableFinders`]: {{site.api}}/flutter/flutter_driver/CommonFinders-class.html
[`ValueKey`]: {{site.api}}/flutter/foundation/ValueKey-class.html
| website/src/cookbook/testing/integration/introduction.md/0 | {
"file_path": "website/src/cookbook/testing/integration/introduction.md",
"repo_id": "website",
"token_count": 2691
} | 1,266 |
---
layout: toc
title: Serialization
description: Content covering serialization in Flutter apps.
---
| website/src/data-and-backend/serialization/index.md/0 | {
"file_path": "website/src/data-and-backend/serialization/index.md",
"repo_id": "website",
"token_count": 26
} | 1,267 |
---
title: Build and release a web app
description: How to prepare for and release a web app.
short-title: Web
---
During a typical development cycle,
you test an app using `flutter run -d chrome`
(for example) at the command line.
This builds a _debug_ version of your app.
This page helps you prepare a _release_ version
of your app and covers the following topics:
* [Building the app for release](#building-the-app-for-release)
* [Deploying to the web](#deploying-to-the-web)
* [Deploying to Firebase Hosting](#deploying-to-firebase-hosting)
* [Handling images on the web](#handling-images-on-the-web)
* [Choosing a web renderer](#choosing-a-web-renderer)
* [Minification](#minification)
## Building the app for release
Build the app for deployment using the
`flutter build web` command.
You can also choose which renderer to use
by using the `--web-renderer` option (See [Web renderers][]).
This generates the app, including the assets,
and places the files into the `/build/web`
directory of the project.
The release build of a simple app has the
following structure:
```none
/build/web
assets
AssetManifest.json
FontManifest.json
NOTICES
fonts
MaterialIcons-Regular.ttf
<other font files>
<image files>
packages
cupertino_icons
assets
CupertinoIcons.ttf
shaders
ink_sparkle.frag
canvaskit
canvaskit.js
canvaskit.wasm
profiling
canvaskit.js
canvaskit.wasm
favicon.png
flutter.js
flutter_service_worker.js
index.html
main.dart.js
manifest.json
version.json
```
{{site.alert.note}}
The `canvaskit` directory and its contents are only present when the
CanvasKit renderer is selected—not when the HTML renderer is selected.
{{site.alert.end}}
Launch a web server (for example,
`python -m http.server 8000`,
or by using the [dhttpd][] package),
and open the /build/web directory. Navigate to
`localhost:8000` in your browser
(given the python SimpleHTTPServer example)
to view the release version of your app.
## Deploying to the web
When you are ready to deploy your app,
upload the release bundle
to Firebase, the cloud, or a similar service.
Here are a few possibilities, but there are
many others:
* [Firebase Hosting][]
* [GitHub Pages][]
* [Google Cloud Hosting][]
## Deploying to Firebase Hosting
You can use the Firebase CLI to build and release your Flutter app with Firebase
Hosting.
### Before you begin
To get started, [install or update][install-firebase-cli] the Firebase CLI:
```
npm install -g firebase-tools
```
### Initialize Firebase
1. Enable the web frameworks preview to the [Firebase framework-aware CLI][]:
```
firebase experiments:enable webframeworks
```
2. In an empty directory or an existing Flutter project, run the initialization
command:
```
firebase init hosting
```
3. Answer `yes` when asked if you want to use a web framework.
4. If you're in an empty directory,
you'll be asked to choose your web framework. Choose `Flutter Web`.
5. Choose your hosting source directory; this could be an existing flutter app.
6. Select a region to host your files.
7. Choose whether to set up automatic builds and deploys with GitHub.
8. Deploy the app to Firebase Hosting:
```terminal
firebase deploy
```
Running this command automatically runs `flutter build web --release`,
so you don't have to build your app in a separate step.
To learn more, visit the official [Firebase Hosting][] documentation for
Flutter on the web.
## Handling images on the web
The web supports the standard `Image` widget to display images.
By design, web browsers run untrusted code without harming the host computer.
This limits what you can do with images compared to mobile and desktop platforms.
For more information, see [Displaying images on the web][].
## Choosing a web renderer
By default, the `flutter build` and `flutter run` commands
use the `auto` choice for the web renderer. This means that
your app runs with the HTML renderer on mobile browsers and
CanvasKit on desktop browsers. We recommend this combination
to optimize for the characteristics of each platform.
For more information, see [Web renderers][].
## Minification
Minification is handled for you when you
create a release build.
| Type of web app build | Code minified? | Tree shaking performed? |
|-----------------------|----------------|-------------------------|
| debug | No | No |
| profile | No | Yes |
| release | Yes | Yes |
## Embedding a Flutter app into an HTML page
### `hostElement`
_Added in Flutter 3.10_<br>
You can embed a Flutter web app into
any HTML element of your web page, with `flutter.js` and the `hostElement`
engine initialization parameter.
To tell Flutter web in which element to render, use the `hostElement` parameter of the `initializeEngine`
function:
```html
<html>
<head>
<!-- ... -->
<script src="flutter.js" defer></script>
</head>
<body>
<!-- Ensure your flutter target is present on the page... -->
<div id="flutter_host">Loading...</div>
<script>
window.addEventListener("load", function (ev) {
_flutter.loader.loadEntrypoint({
onEntrypointLoaded: async function(engineInitializer) {
let appRunner = await engineInitializer.initializeEngine({
// Pass a reference to "div#flutter_host" into the Flutter engine.
hostElement: document.querySelector("#flutter_host")
});
await appRunner.runApp();
}
});
});
</script>
</body>
</html>
```
To learn more, check out [Customizing web app initialization][customizing-web-init].
### Iframe
You can embed a Flutter web app,
as you would embed other content,
in an [`iframe`][] tag of an HTML file.
In the following example, replace "URL"
with the location of your HTML page:
```html
<iframe src="URL"></iframe>
```
## PWA Support
As of release 1.20, the Flutter template for web apps includes support
for the core features needed for an installable, offline-capable PWA app.
Flutter-based PWAs can be installed in the same way as any other web-based
PWA; the settings signaling that your Flutter app is a PWA are provided by
`manifest.json`, which is produced by `flutter create` in the `web` directory.
PWA support remains a work in progress,
so please [give us feedback][] if you see something that doesn't look right.
[dhttpd]: {{site.pub}}/packages/dhttpd
[Displaying images on the web]: /platform-integration/web/web-images
[Firebase Hosting]: {{site.firebase}}/docs/hosting/frameworks/flutter
[Firebase framework-aware CLI]: {{site.firebase}}/docs/hosting/frameworks/frameworks-overview
[install-firebase-cli]: {{site.firebase}}/docs/cli#install_the_firebase_cli
[GitHub Pages]: https://pages.github.com/
[give us feedback]: {{site.repo.flutter}}/issues/new?title=%5Bweb%5D:+%3Cdescribe+issue+here%3E&labels=%E2%98%B8+platform-web&body=Describe+your+issue+and+include+the+command+you%27re+running,+flutter_web%20version,+browser+version
[Google Cloud Hosting]: https://cloud.google.com/solutions/web-hosting
[`iframe`]: https://html.com/tags/iframe/
[Web renderers]: /platform-integration/web/renderers
[customizing-web-init]: /platform-integration/web/initialization
| website/src/deployment/web.md/0 | {
"file_path": "website/src/deployment/web.md",
"repo_id": "website",
"token_count": 2457
} | 1,268 |
---
title: Flutter fundamentals
description: Learn the basic building blocks of Flutter.
prev:
title: Learn more
permalink: /get-started/learn-more
next:
title: Layouts
permalink: /get-started/fwe/layout
---
On this page, there are a few videos,
articles, and a short tutorial that introduce many
of the foundational concepts used by
Flutter developers on a daily basis.
## Welcome to Flutter
The following tutorial is a gentle introduction
in building UIs with Flutter.
It starts with a 'hello world' app,
and walks you through building a simple
shopping list application.
If you're exploring Flutter for the first time, it's
the perfect place to begin.
<i class="material-symbols" aria-hidden="true">flutter_dash</i>
Tutorial: [Building user interfaces with Flutter][]
## Dart
Flutter applications are built in [Dart][],
a language that will look familiar
to anyone who's written Java, Javascript,
or any other C-like language. The first
resource listed here is a tutorial about writing Dart code.
{{site.alert.note}}
Installing Flutter also installs Dart,
so you don't need to install Dart separately.
{{site.alert.end}}
<i class="material-symbols" aria-hidden="true">flutter_dash</i>
Tutorial: [Get started with Dart: Write command-line apps][]
If you're interested in why Flutter chose Dart,
you can read about it in the resource linked below.
The other link has more resources for learning Dart.
* [Why did Flutter choose to use Dart?][]
* [Bootstrap into Dart][]
## Anatomy of a widget
In regard to Flutter, you'll often hear
"everything is a widget". This isn't
exactly true, but it is safe to say that
"_almost_ everything is a widget".
Widgets are the UI building blocks that
are combined to create a fully
functional application.
In the first tutorial,
[Building user interfaces with Flutter][],
you saw some built-in widgets,
and created some custom widgets.
The following videos expand
on what you learned by explaining in detail
the two types of widgets that you use the
most in Flutter: stateless widgets and stateful widgets.
* [Flutter widgets 101 episode 1: Stateless widgets][]
* [Flutter widgets 101 episode 2: Stateful widgets][]
## Important widgets to know
The Flutter SDK includes many built-in widgets,
from the smallest pieces of UI, like `Text`,
to layout widgets, and widgets that style
your application. The following widgets are
the most important to be aware of as you move onto the
next lesson in the learning pathway.
* [`Container`][]
* [`Text`][]
* [`Scaffold`][]
* [`AppBar`][]
* [`Row`][] and [`Column`][]
* [`ElevatedButton`][]
* [`Image`][]
* [`Icon`][]
## Next: Layouts
This page is an introduction to foundational
Flutter concepts, like widgets,
and helps you become familiar with reading
Flutter and Dart code. It's okay if you don't
feel clear on every topic you encountered, as every page after
this is a deep-dive on specific topics.
In the next section, you'll start building more
interesting UIs by creating more complex layouts in Flutter.
[Building user interfaces with Flutter]:{{site.url}}/ui
[Bootstrap into Dart]: {{site.url}}/resources/bootstrap-into-dart
[Dart]: {{site.dart-site}}
[Flutter widgets 101 episode 1: Stateless widgets]: {{site.youtube-site}}/watch?v=wE7khGHVkYY
[Flutter widgets 101 episode 2: Stateful widgets]: {{site.youtube-site}}/watch?v=AqCMFXEmf3w
[Get started with Dart: Write command-line apps]: {{site.dart-site}}/tutorials/server/cmdline
[Why did Flutter choose to use Dart?]: {{site.url}}/resources/faq#why-did-flutter-choose-to-use-dart
[`AppBar`]: {{site.api}}/flutter/material/AppBar-class.html
[`Column`]: {{site.api}}/flutter/widgets/Column-class.html
[`Container`]: {{site.api}}/flutter/widgets/Container-class.html
[`ElevatedButton`]: {{site.api}}/flutter/material/ElevatedButton-class.html
[`Icon`]: {{site.api}}/flutter/widgets/Icon-class.html
[`Image`]: {{site.api}}/flutter/widgets/Image-class.html
[`Row`]: {{site.api}}/flutter/widgets/Row-class.html
[`Scaffold`]: {{site.api}}/flutter/material/Scaffold-class.html
[`Text`]: {{site.api}}/flutter/widgets/Text-class.html
## Feedback
As this section of the website is evolving,
we [welcome your feedback][]!
[welcome your feedback]: {{site.url}}/get-started/fwe
| website/src/get-started/fwe/fundamentals.md/0 | {
"file_path": "website/src/get-started/fwe/fundamentals.md",
"repo_id": "website",
"token_count": 1287
} | 1,269 |
## iOS setup
### Install Xcode
To develop Flutter apps for iOS, you need a Mac with Xcode installed.
1. Install the latest stable version of Xcode
(using [web download][] or the [Mac App Store][]).
1. To configure the Xcode command-line tools to use the
installed version, run the following commands.
```terminal
sudo xcode-select -s /Applications/Xcode.app/Contents/Developer
sudo xcodebuild -runFirstLaunch
```
To use the latest version of Xcode, use this path.
If you need to use a different version, specify that path instead.
1. Sign the Xcode license agreement.
To sign the SLA, either:
{: type="a"}
1. Open Xcode and confirm.
1. Open the Terminal and run:
```terminal
sudo xcodebuild -license
```
Versions older than the latest stable version might still work,
but are not recommended for Flutter development.
With Xcode, you can run Flutter apps on an iOS device or on the simulator.
### Set up the iOS simulator
To prepare to run and test your Flutter app on the iOS simulator,
follow this procedure.
1. If using Xcode 15 or greater, download and install the iOS Simulator
by running the following command:
```terminal
xcodebuild -downloadPlatform iOS
```
If you want to use a different method of downloading and installing the
iOS Simulator, check out
[Apple's documentation on installing Simulators][] for more options.
1. To start the Simulator, run the following command:
```terminal
open -a Simulator
```
1. Set your Simulator to use a 64-bit device (iPhone 6 or later).
- From Xcode, choose a simulator device type. Go to
**Product** <span aria-label="and then">></span>
**Destination** <span aria-label="and then">></span>
Choose your target device.
- From the Simulator app, go to
**File** <span aria-label="and then">></span>
**Open Simulator** <span aria-label="and then">></span>
Choose your target iOS device
- To check the device version in the Simulator,
open the **Settings** app <span aria-label="and then">></span>
**General** <span aria-label="and then">></span>
**About**.
1. The simulated high-screen density iOS devices might overflow your screen.
If that appears true on your Mac, change the presented size in the
Simulator app
- To display the Simulator at a small size, go to
**Window** <span aria-label="and then">></span>
**Physical Size** or<br>press <kbd>Cmd</kbd> + <kbd>1</kbd>.
- To display the Simulator at a moderate size, go to
**Window** <span aria-label="and then">></span>
**Point Accurate** or<br>press <kbd>Cmd</kbd> + <kbd>2</kbd>.
- To display the Simulator at an HD representation, go to
**Window** <span aria-label="and then">></span>
**Pixel Accurate** or<br>press <kbd>Cmd</kbd> + <kbd>3</kbd>.
_The Simulator defaults to this size._
- The Simulator defaults to **Fit Screen**.
If you need to return to that size, go to
**Window** <span aria-label="and then">></span>
**Fit Screen** or press <kbd>Cmd</kbd> + <kbd>4</kbd>.
### Deploy to physical iOS devices
To deploy your Flutter app to a physical iPhone or iPad,
you need to do the following:
- Create an [Apple Developer][] account.
- Set up physical device deployment in Xcode.
- Create a development provisioning profile to self-sign certificates.
- Install the third-party CocoaPods dependency manager
if your app uses Flutter plugins.
#### Create your Apple ID and Apple Developer account
To test deploying to a physical iOS device, you need an Apple ID.
To distribute your app to the App Store,
you must enroll in the Apple Developer Program.
If you only need to test deploying your app,
complete the first step and move on to the next section.
1. If you don't have an [Apple ID][], create one.
1. If you haven't enrolled in the [Apple Developer][] program, enroll now.
To learn more about membership types,
check out [Choosing a Membership][].
[Apple ID]: https://support.apple.com/en-us/HT204316
#### Attach your physical iOS device to your Mac {#attach}
Configure your physical iOS device to connect to Xcode.
1. Attach your iOS device to the USB port on your Mac.
1. On first connecting your iOS device to your Mac,
your iOS device displays the **Trust this computer?** dialog.
1. Click **Trust**.
![Trust Mac][]{:.mw-100}
1. When prompted, unlock your iOS device.
#### Enable Developer Mode on iOS 16 or later
Starting with iOS 16, Apple requires you to enable **[Developer Mode][]**
to protect against malicious software.
Enable Developer Mode before deploying to a device running iOS 16 or later.
1. Tap on **Settings** <span aria-label="and then">></span>
**Privacy & Security** <span aria-label="and then">></span>
**Developer Mode**.
1. Tap to toggle **Developer Mode** to **On**.
1. Tap **Restart**.
1. After the iOS device restarts, unlock your iOS device.
1. When the **Turn on Developer Mode?** dialog appears, tap **Turn On**.
The dialog explains that Developer Mode requires reducing the security
of the iOS device.
1. Unlock your iOS device.
#### Enable developer code signing certificates
To deploy to a physical iOS device, you need to establish trust with your
Mac and the iOS device.
This requires you to load signed developer certificates to your iOS device.
To sign an app in Xcode,
you need to create a development provisioning profile.
Follow the Xcode signing flow to provision your project.
1. Open Xcode.
1. Sign in to Xcode with your Apple ID.
{: type="a"}
1. Go to **Xcode** <span aria-label="and then">></span>
**Settings...*
1. Click **Accounts**.
1. Click **+**.
1. Select **Apple ID** and click **Continue**.
1. When prompted, enter your **Apple ID** and **Password**.
1. Close the **Settings** dialog.
Development and testing supports any Apple ID.
1. Go to **File** <span aria-label="and then">></span> **Open...**
You can also press <kbd>Cmd</kbd> + <kbd>O</kbd>.
1. Navigate to your Flutter project directory.
1. Open the default Xcode workspace in your project: `ios/Runner.xcworkspace`.
1. Select the physical iOS device you intend to deploy to in the device
drop-down menu to the right of the run button.
It should appear under the **iOS devices** heading.
1. In the left navigation panel under **Targets**, select **Runner**.
1. In the **Runner** settings pane, click **Signing & Capabilities**.
1. Select **All** at the top.
1. Select **Automatically manage signing**.
1. Select a team from the **Team** dropdown menu.
Teams are created in the **App Store Connect** section of your
[Apple Developer Account][] page.
If you have not created a team, you can choose a _personal team_.
The **Team** dropdown displays that option as **Your Name (Personal Team)**.
![Xcode account add][]{:.mw-100}
After you select a team, Xcode performs the following tasks:
{: type="a"}
1. Creates and downloads a Development Certificate
1. Registers your device with your account,
1. Creates and downloads a provisioning profile if needed
If automatic signing fails in Xcode, verify that the project's
**General** <span aria-label="and then">></span>
**Identity** <span aria-label="and then">></span>
**Bundle Identifier** value is unique.
![Check the app's Bundle ID][]{:.mw-100}
#### Enable trust of your Mac and iOS device {#trust}
When you attach your physical iOS device for the first time,
enable trust for both your Mac and the Development Certificate
on the iOS device.
##### Agree to trust your Mac
You should enabled trust of your Mac on your iOS device when
you [attached the device to your Mac](#attach).
##### Enable developer certificate for your iOS devices
Enabling certificates varies in different versions of iOS.
{% comment %} Nav tabs {% endcomment
-%}
<ul class="nav nav-tabs" id="ios-versions" role="tablist">
<li class="nav-item">
<a class="nav-link" id="ios14-tab" href="#ios14" role="tab" aria-controls="ios14" aria-selected="true">iOS 14</a>
</li>
<li class="nav-item">
<a class="nav-link" id="ios15-tab" href="#ios15" role="tab" aria-controls="ios15" aria-selected="false">iOS 15</a>
</li>
<li class="nav-item">
<a class="nav-link active" id="ios16-tab" href="#ios16" role="tab" aria-controls="ios16" aria-selected="false">iOS 16 or later</a>
</li>
</ul>
{% comment %} Tab panes {% endcomment
-%}
<div class="tab-content">
<div class="tab-pane" id="ios14" role="tabpanel" aria-labelledby="ios14-tab" markdown="1">
1. Open the **Settings** app on the iOS device.
1. Tap on **General** <span aria-label="and then">></span>
**Profiles & Device Management**.
1. Tap to toggle your Certificate to **Enable**
</div>
<div class="tab-pane" id="ios15" role="tabpanel" aria-labelledby="ios15-tab" markdown="1">
1. Open the **Settings** app on the iOS device.
1. Tap on **General** <span aria-label="and then">></span>
**VPN & Device Management**.
1. Tap to toggle your Certificate to **Enable**.
</div>
<div class="tab-pane active" id="ios16" role="tabpanel" aria-labelledby="ios16-tab" markdown="1">
1. Open the **Settings** app on the iOS device.
1. Tap on **General** <span aria-label="and then">></span>
**VPN & Device Management**.
1. Under the **Developer App** heading, you should find your certificate.
1. Tap your Certificate.
1. Tap **Trust "\<certificate\>"**.
1. When the dialog displays, tap **Trust**.
</div>
</div>{% comment %} End: Tab panes. {% endcomment
-%}
If prompted, enter your Mac password into the
**codesign wants to access key...** dialog and tap **Always Allow**.
#### Optional deployment procedures
You can skip these procedures. They enable additional debugging features.
##### Set up wireless debugging on your iOS device
Follow this procedure to debug your device using a Wi-Fi connection.
To use wireless debugging:
- Connect your iOS device to the same network as your macOS device.
- Set a passcode for your iOS device.
After you connect your iOS device to your Mac:
1. Open **Xcode**.
1. Go to **Window** <span aria-label="and then">></span>
**Devices and Simulators**.
You can also press <kbd>Shift</kbd> + <kbd>Cmd</kbd> + <kbd>2</kbd>.
1. Select your iOS device.
1. Select **Connect via Network**.
1. Once the network icon appears next to the device name,
unplug your iOS device from your Mac.
If you don't see your device listed when using `flutter run`,
extend the timeout. The timeout defaults to 10 seconds.
To extend the timeout, change the value to an integer greater than 10.
```terminal
flutter run --device-timeout 60
```
###### Learn more about wireless debugging
- To learn more, check out
[Apple's documentation on pairing a wireless device with Xcode][].
- To troubleshoot, check out [Apple's Developer Forums][].
- To learn how to configure wireless debugging with `flutter attach`,
check out [Debugging your add-to-app module][].
##### Install CocoaPods
Follow this procedure if your apps depend on [Flutter plugins][]
with native iOS code.
To [Install and set up CocoaPods][], run the following commands:
```terminal
sudo gem install cocoapods
```
{{site.alert.note}}
The default version of Ruby requires `sudo` to install the CocoaPods gem.
If you are using a Ruby Version manager, you might need to run without `sudo`.
Additionally, if you are installing on an [Apple Silicon Mac][],
run the command:
```terminal
sudo gem uninstall ffi && sudo gem install ffi -- --enable-libffi-alloc
```
{{site.alert.end}}
[Check the app's Bundle ID]: /assets/images/docs/setup/xcode-unique-bundle-id.png
[Choosing a Membership]: {{site.apple-dev}}/support/compare-memberships
[Mac App Store]: https://itunes.apple.com/us/app/xcode/id497799835
[Flutter plugins]: /packages-and-plugins/developing-packages#types
[Install and set up CocoaPods]: https://guides.cocoapods.org/using/getting-started.html#installation
[Trust Mac]: /assets/images/docs/setup/trust-computer.png
[web download]: {{site.apple-dev}}/xcode/
[Xcode account add]: /assets/images/docs/setup/xcode-account.png
[Apple Silicon Mac]: https://support.apple.com/en-us/HT211814
[Developer Mode]: {{site.apple-dev}}/documentation/xcode/enabling-developer-mode-on-a-device
[Apple's Developer Forums]: {{site.apple-dev}}/forums/
[Debugging your add-to-app module]: /add-to-app/debugging/#wireless-debugging
[Apple's documentation on pairing a wireless device with Xcode]: https://help.apple.com/xcode/mac/9.0/index.html?localePath=en.lproj#/devbc48d1bad
[Apple Developer]: {{site.apple-dev}}/programs/
[Apple Developer Account]: {{site.apple-dev}}/account
[Apple's documentation on installing Simulators]: {{site.apple-dev}}/documentation/xcode/installing-additional-simulator-runtimes
| website/src/get-started/install/_deprecated/_ios-setup.md/0 | {
"file_path": "website/src/get-started/install/_deprecated/_ios-setup.md",
"repo_id": "website",
"token_count": 4057
} | 1,270 |
---
title: Choose your first type of app
description: Configure your system to develop Flutter on macOS.
short-title: macOS
target-list: [Desktop, iOS, Android, Web]
js: [{url: '/assets/js/temp/macos-install-redirector.js'}]
---
{% assign os = 'macos'
-%}
{% assign recommend = 'iOS' %}
{% capture rec-target -%}
[{{recommend | strip}}]({{site.url}}/get-started/install/{{os | downcase}}/mobile-{{recommend | downcase}})
{%- endcapture %}
<div class="card-deck mb-8">
{% for target in page.target-list %}
{% case target %}
{% when "iOS", "Android" %}
{% assign targetlink = target | downcase | prepend: 'mobile-' %}
{% else %}
{% assign targetlink = target | downcase %}
{% endcase %}
<a class="card card-app-type card-macos"
id="install-{{os | downcase}}"
href="{{site.url}}/get-started/install/{{os | downcase}}/{{targetlink}}">
<div class="card-body">
<header class="card-title text-center m-0">
<span class="d-block h1">
{% assign icon = target | downcase -%}
{% case icon %}
{% when 'desktop' -%}
<span class="material-symbols">laptop_mac</span>
{% when 'ios' -%}
<span class="material-symbols">phone_iphone</span>
{% when 'android' -%}
<span class="material-symbols">phone_android</span>
{% when 'web' -%}
<span class="material-symbols">web</span>
{% endcase -%}
</span>
<span class="text-muted">
{{ target }}
</span>
{% if icon == 'ios' -%}
<div class="card-subtitle">Recommended</div>
{% endif %}
</header>
</div>
</a>
{% endfor %}
</div>
Your choice informs which parts of Flutter tooling you configure
to run your first Flutter app.
You can set up additional platforms later.
_If you don't have a preference, choose **{{rec-target}}**._
{% include docs/china-notice.md %}
| website/src/get-started/install/macos/index.md/0 | {
"file_path": "website/src/get-started/install/macos/index.md",
"repo_id": "website",
"token_count": 811
} | 1,271 |
---
title: Flutter Favorite program
description: Guidelines for identifying a plugin or package as a Flutter Favorite.
---
{:width="20%"}
The aim of the **Flutter Favorite** program is to identify
packages and plugins that you should first consider when
building your app.
This is not a guarantee of quality or suitability to your
particular situation—you should always perform your
own evaluation of packages and plugins for your project.
You can see the complete list of
[Flutter Favorite packages][] on pub.dev.
{{site.alert.note}}
If you came here looking for the Happy Paths recommendations,
we have discontinued that project in favor of Flutter Favorites.
{{site.alert.end}}
## Metrics
Flutter Favorite packages have passed high quality standards
using the following metrics:
* [Overall package score][]
* **Permissive license**,
including (but not limited to)
Apache, Artistic, BSD, CC BY, MIT, MS-PL and W3C
* GitHub **version tag** matches the current version from
pub.dev, so you can see exactly what source is in the package
* Feature **completeness**—and not marked as incomplete
(for example, with labels like "beta" or "under construction")
* [Verified publisher][]
* General **usability** when it comes to the overview,
docs, sample/example code, and API quality
* Good **runtime behavior** in terms of CPU and memory usage
* High quality **dependencies**
## Flutter Ecosystem Committee
The Flutter Ecosystem Committee is comprised of Flutter
team members and Flutter community members spread
across its ecosystem.
One of their jobs is to decide when a package
has met the quality bar to become a Flutter Favorite.
The current committee members
(ordered alphabetically by last name)
are as follows:
* Pooja Bhaumik
* Hillel Coren
* Simon Lightfoot
* Lara Martín
* John Ryan
* Diego Velasquez
* Ander Dobo
If you'd like to nominate a package or plugin as a
potential future Flutter Favorite, or would like
to bring any other issues to the attention of the committee,
[send the committee][] an email.
## Flutter Favorite usage guidelines
Flutter Favorite packages are labeled as such on pub.dev
by the Flutter team.
If you own a package that has been designated as a Flutter Favorite,
you must adhere to the following guidelines:
* Flutter Favorite package authors can place the Flutter Favorite
logo in the package's GitHub README, on the package's
pub.dev **Overview** tab,
and on social media as related to posts about that package.
* We encourage you to use the **#FlutterFavorite**
hashtag in social media.
* When using the Flutter Favorite logo,
the author must link to (this) Flutter Favorite landing page,
to provide context for the designation.
* If a Flutter Favorite package loses its Flutter Favorite status,
the author will be notified,
at which point the author must immediately remove all uses
of "Flutter Favorite" and the Flutter Favorite logo from
the affected package.
* Don't alter, distort,
or modify the Flutter Favorite logo in any way,
including displaying the logo with color variations
or unapproved visual elements.
* Don't display the Flutter Favorite logo in a manner that
is misleading, unfair, defamatory, infringing, libelous,
disparaging, obscene, or otherwise objectionable to Google.
## What's next
You should expect the list of Flutter Favorite packages
to grow and change as the ecosystem continues to thrive.
The committee will continue working with package authors
to increase quality, as well as consider other areas of the
ecosystem that could benefit from the Flutter Favorite program,
such as tools, consulting firms, and prolific Flutter contributors.
As the Flutter ecosystem grows,
we'll be looking at expanding the set of metrics,
which might include the following:
* Use of the [pubspec.yaml format][] that clearly
indicates which platforms a plugin supports.
* Support for the latest stable version of Flutter.
* Support for AndroidX.
* Support for multiple platforms, such as web, macOS,
Windows, Linux, etc.
* Integration as well as unit test coverage.
## Flutter Favorites
You can see the complete list of
[Flutter Favorite packages][] on pub.dev.
[send the committee]: mailto:[email protected]
[Flutter Favorite packages]: {{site.pub}}/flutter/favorites
[Overall package score]: {{site.pub}}/help
[pubspec.yaml format]: /packages-and-plugins/developing-packages#plugin-platforms
[Verified publisher]: {{site.dart-site}}/tools/pub/verified-publishers
| website/src/packages-and-plugins/favorites.md/0 | {
"file_path": "website/src/packages-and-plugins/favorites.md",
"repo_id": "website",
"token_count": 1177
} | 1,272 |
---
title: "Binding to native Android code using dart:ffi"
description: "To use C code in your Flutter program, use the dart:ffi library."
---
<?code-excerpt path-base="development/platform_integration"?>
Flutter mobile and desktop apps can use the
[dart:ffi][] library to call native C APIs.
_FFI_ stands for [_foreign function interface._][FFI]
Other terms for similar functionality include
_native interface_ and _language bindings._
{{site.alert.note}}
This page describes using the `dart:ffi` library
in Android apps. For information on iOS, see
[Binding to native iOS code using dart:ffi][ios-ffi].
For information in macOS, see
[Binding to native macOS code using dart:ffi][macos-ffi].
This feature is not yet supported for web plugins.
{{site.alert.end}}
[ios-ffi]: /platform-integration/ios/c-interop
[dart:ffi]: {{site.dart.api}}/dev/dart-ffi/dart-ffi-library.html
[macos-ffi]: /platform-integration/macos/c-interop
[FFI]: https://en.wikipedia.org/wiki/Foreign_function_interface
Before your library or program can use the FFI library
to bind to native code, you must ensure that the
native code is loaded and its symbols are visible to Dart.
This page focuses on compiling, packaging,
and loading Android native code within a Flutter plugin or app.
This tutorial demonstrates how to bundle C/C++
sources in a Flutter plugin and bind to them using
the Dart FFI library on both Android and iOS.
In this walkthrough, you'll create a C function
that implements 32-bit addition and then
exposes it through a Dart plugin named "native_add".
### Dynamic vs static linking
A native library can be linked into an app either
dynamically or statically. A statically linked library
is embedded into the app's executable image,
and is loaded when the app starts.
Symbols from a statically linked library can be
loaded using [`DynamicLibrary.executable`][] or
[`DynamicLibrary.process`][].
A dynamically linked library, by contrast, is distributed
in a separate file or folder within the app,
and loaded on-demand. On Android, a dynamically
linked library is distributed as a set of `.so` (ELF)
files, one for each architecture.
A dynamically linked library can be loaded into
Dart via [`DynamicLibrary.open`][].
API documentation is available from the Dart dev channel:
[Dart API reference documentation][].
On Android, only dynamic libraries are supported
(because the main executable is the JVM,
which we don't link to statically).
[Dart API reference documentation]: {{site.dart.api}}/dev/
[`DynamicLibrary.executable`]: {{site.dart.api}}/dev/dart-ffi/DynamicLibrary/DynamicLibrary.executable.html
[`DynamicLibrary.open`]: {{site.dart.api}}/dev/dart-ffi/DynamicLibrary/DynamicLibrary.open.html
[`DynamicLibrary.process`]: {{site.dart.api}}/dev/dart-ffi/DynamicLibrary/DynamicLibrary.process.html
## Create an FFI plugin
To create an FFI plugin called "native_add",
do the following:
```terminal
$ flutter create --platforms=android,ios,macos,windows,linux --template=plugin_ffi native_add
$ cd native_add
```
{{site.alert.note}}
You can exclude platforms from `--platforms` that you don't want
to build to. However, you need to include the platform of
the device you are testing on.
{{site.alert.end}}
This will create a plugin with C/C++ sources in `native_add/src`.
These sources are built by the native build files in the various
os build folders.
The FFI library can only bind against C symbols,
so in C++ these symbols are marked `extern "C"`.
You should also add attributes to indicate that the
symbols are referenced from Dart,
to prevent the linker from discarding the symbols
during link-time optimization.
`__attribute__((visibility("default"))) __attribute__((used))`.
On Android, the `native_add/android/build.gradle` links the code.
The native code is invoked from dart in `lib/native_add_bindings_generated.dart`.
The bindings are generated with [package:ffigen]({{site.pub-pkg}}/ffigen).
## Other use cases
### Platform library
To link against a platform library,
use the following instructions:
1. Find the desired library in the [Android NDK Native APIs][]
list in the Android docs. This lists stable native APIs.
1. Load the library using [`DynamicLibrary.open`][].
For example, to load OpenGL ES (v3):
```dart
DynamicLibrary.open('libGLES_v3.so');
```
You might need to update the Android manifest
file of the app or plugin if indicated by
the documentation.
[Android NDK Native APIs]: {{site.android-dev}}/ndk/guides/stable_apis
#### First-party library
The process for including native code in source
code or binary form is the same for an app or
plugin.
#### Open-source third-party
Follow the [Add C and C++ code to your project][]
instructions in the Android docs to
add native code and support for the native
code toolchain (either CMake or `ndk-build`).
[Add C and C++ code to your project]: {{site.android-dev}}/studio/projects/add-native-code
#### Closed-source third-party library
To create a Flutter plugin that includes Dart
source code, but distribute the C/C++ library
in binary form, use the following instructions:
1. Open the `android/build.gradle` file for your
project.
1. Add the AAR artifact as a dependency.
**Don't** include the artifact in your
Flutter package. Instead, it should be
downloaded from a repository, such as
JCenter.
## Android APK size (shared object compression)
[Android guidelines][] in general recommend
distributing native shared objects uncompressed
because that actually saves on device space.
Shared objects can be directly loaded from the APK
instead of unpacking them on device into a
temporary location and then loading.
APKs are additionally packed in transit—that's
why you should be looking at download size.
Flutter APKs by default don't follow these guidelines
and compress `libflutter.so` and `libapp.so`—this
leads to smaller APK size but larger on device size.
Shared objects from third parties can change this default
setting with `android:extractNativeLibs="true"` in their
`AndroidManifest.xml` and stop the compression of `libflutter.so`,
`libapp.so`, and any user-added shared objects.
To re-enable compression, override the setting in
`your_app_name/android/app/src/main/AndroidManifest.xml`
in the following way.
```diff
@@ -1,5 +1,6 @@
<manifest xmlns:android="http://schemas.android.com/apk/res/android"
- package="com.example.your_app_name">
+ xmlns:tools="http://schemas.android.com/tools"
+ package="com.example.your_app_name" >
<!-- io.flutter.app.FlutterApplication is an android.app.Application that
calls FlutterMain.startInitialization(this); in its onCreate method.
In most cases you can leave this as-is, but you if you want to provide
additional functionality it is fine to subclass or reimplement
FlutterApplication and put your custom class here. -->
@@ -8,7 +9,9 @@
<application
android:name="io.flutter.app.FlutterApplication"
android:label="your_app_name"
- android:icon="@mipmap/ic_launcher">
+ android:icon="@mipmap/ic_launcher"
+ android:extractNativeLibs="true"
+ tools:replace="android:extractNativeLibs">
```
[Android guidelines]: {{site.android-dev}}/topic/performance/reduce-apk-size#extract-false
{% include docs/resource-links/ffi-video-resources.md %} | website/src/platform-integration/android/c-interop.md/0 | {
"file_path": "website/src/platform-integration/android/c-interop.md",
"repo_id": "website",
"token_count": 2206
} | 1,273 |
---
layout: toc
title: Platform integration
description: >
Content covering integration with different platforms in Flutter apps.
---
| website/src/platform-integration/index.md/0 | {
"file_path": "website/src/platform-integration/index.md",
"repo_id": "website",
"token_count": 31
} | 1,274 |
---
title: Add Linux devtools for Flutter
description: Configure your system to develop Flutter for Linux.
short-title: Add Linux DevTools
target-list: [Android, Web]
---
To choose the guide to add Linux devtools to your Flutter configuration,
click the [Getting Started path][] you followed.
<div class="card-deck mb-8">
{% for target in page.target-list %}
{% assign targetlink='/platform-integration/linux/install-linux/install-linux-from-' | append: target | downcase %}
<a class="card card-app-type card-linux"
id="install-{{target | downcase}}"
href="{{targetlink}}">
<div class="card-body">
<header class="card-title text-center m-0">
<span class="d-block h1">
{% assign icon = target | downcase -%}
{% case icon %}
{% when 'android' -%}
<span class="material-symbols">phone_android</span>
{% when 'web' -%}
<span class="material-symbols">web</span>
{% endcase -%}
</span>
<span class="text-muted">
Make {{ target }} and Linux desktop apps
</span>
</header>
</div>
</a>
{% endfor %}
</div>
[Getting Started path]: /get-started/install
| website/src/platform-integration/linux/install-linux/index.md/0 | {
"file_path": "website/src/platform-integration/linux/install-linux/index.md",
"repo_id": "website",
"token_count": 478
} | 1,275 |
---
title: Add Web devtools for Flutter
description: Configure your system to develop Flutter for Web.
short-title: Add Chrome DevTools
target-list: [windows-desktop, android-on-windows, linux-desktop, android-on-linux, macos-desktop, android-on-macos, ios-on-macos, android-on-chromeos]
---
To choose the guide to add Web devtools to your Flutter configuration,
click the [Getting Started path][] you followed.
{% for target in page.target-list %}
{% capture index0Modulo2 %}{{ forloop.index0 | modulo:2 }}{% endcapture %}
{% capture indexModulo2 %}{{ forloop.index | modulo:2 }}{% endcapture %}
{% assign targetlink='/platform-integration/web/install-web/install-web-from-' | append: target | downcase %}
{% if index0Modulo2 == '0' %}
<div class="card-deck mb-8">
{% endif %}
{% if target contains 'macos' or target contains 'ios' %}
{% assign bug = 'card-macos' %}
{% elsif target contains 'windows' %}
{% assign bug = 'card-windows' %}
{% elsif target contains 'linux' %}
{% assign bug = 'card-linux' %}
{% elsif target contains 'chrome' %}
{% assign bug = 'card-chromeos' %}
{% endif %}
<a class="card card-app-type {{bug}}"
id="install-{{target | downcase}}"
href="{{targetlink}}">
<div class="card-body">
<header class="card-title text-center m-0">
<span class="d-block h1">
{% assign icon = target | downcase %}
{% case icon %}
{% when 'macos-desktop' %}
<span class="material-symbols">laptop_mac</span>
{% when 'ios-on-macos' %}
<span class="material-symbols">phone_iphone</span>
{% when 'windows-desktop','linux-desktop' %}
<span class="material-symbols">desktop_windows</span>
{% else %}
<span class="material-symbols">phone_android</span>
{% endcase %}
<span class="material-symbols">add</span>
<span class="material-symbols">web</span>
</span>
<span class="text-muted d-block">
Make web and
{{ target | replace: "-", " " | capitalize | replace: "Macos",
"macOS" | replace: "macos", "macOS" | replace: "Ios", "iOS" |
replace: "windows", "Windows" | replace: "linux", "Linux" |
replace: "on", "apps on" | replace: "desktop", "desktop apps"}}
</span>
</header>
</div>
</a>
{% if indexModulo2 == '0' %}
</div>
{% endif %}
{% endfor %}
[Getting Started path]: /get-started/install
| website/src/platform-integration/web/install-web/index.md/0 | {
"file_path": "website/src/platform-integration/web/install-web/index.md",
"repo_id": "website",
"token_count": 1026
} | 1,276 |
---
title: Add Windows devtools to Flutter from Android start
description: Configure your system to develop Flutter apps on Windows desktop.
short-title: Starting from Android
---
To add Windows desktop as a Flutter app target, follow this procedure.
## Install and configure Visual Studio
1. Allocate a minimum of 26 GB of storage for Visual Studio.
Consider allocating 10 GB of storage for an optimal configuration.
1. Install [Visual Studio 2022][] to debug and compile native C++ Windows code.
Make sure to install the **Desktop development with C++** workload.
This enables building Windows app including all of its default components.
**Visual Studio** is an IDE separate from **[Visual Studio _Code_][]**.
{% include docs/install/flutter-doctor.md
target='Windows'
devos='Windows'
config='WindowsDesktopAndroid' %}
[Visual Studio 2022]: https://learn.microsoft.com/visualstudio/install/install-visual-studio?view=vs-2022
[Visual Studio _Code_]: https://code.visualstudio.com/
| website/src/platform-integration/windows/install-windows/install-windows-from-android.md/0 | {
"file_path": "website/src/platform-integration/windows/install-windows/install-windows-from-android.md",
"repo_id": "website",
"token_count": 266
} | 1,277 |
---
title: Deprecated API removed after v3.10
description: >
After reaching end of life, the following deprecated APIs
were removed from Flutter.
---
## Summary
In accordance with Flutter's [Deprecation Policy][],
deprecated APIs that reached end of life after the
3.10 stable release have been removed.
All affected APIs have been compiled into this
primary source to aid in migration. A
[quick reference sheet][] is available as well.
[Deprecation Policy]: {{site.repo.flutter}}/wiki/Tree-hygiene#deprecation
[quick reference sheet]: /go/deprecations-removed-after-3-10
## Changes
This section lists the deprecations, listed by the package and affected class.
### ThemeData.fixTextFieldOutlineLabel
Package: flutter
Supported by Flutter Fix: yes
`ThemeData.fixTextFieldOutlineLabel` was deprecated in v2.5.
References to this property can be removed.
The `fixTextFieldOutlineLabel` was a temporary migration flag that allowed users
to gracefully migrate to a new behavior rather than experiencing a hard break.
Before deprecating, this property was transitioned to the new default from the
fix to the label for text fields.
**Migration guide**
Code before migration:
```dart
var themeData = ThemeData(
fixTextFieldOutlineLabel: true,
);
```
Code after migration:
```dart
var themeData = ThemeData(
);
```
**References**
API documentation:
* [`ThemeData`][]
Relevant PRs:
* Deprecated in [#87281][]
* Removed in [#125893][]
[`ThemeData`]: {{site.api}}/flutter/material/ThemeData-class.html
[#87281]: {{site.repo.flutter}}/pull/87281
[#125893]: {{site.repo.flutter}}/pull/125893
---
### OverscrollIndicatorNotification.disallowGlow
Package: flutter
Supported by Flutter Fix: yes
`OverscrollIndicatorNotification.disallowGlow` was deprecated in v2.5.
The replacement is the `disallowIndicator` method.
The `disallowIndicator` was created as a replacement for the original method
with the introduction of the `StretchingOverscrollIndicator`. Previously,
the `GlowingOverscrollIndicator` was the only kind to dispatch
`OverscrollIndicatorNotification`s, and so the method was updated to better
reflect multiple kinds of indicators.
**Migration guide**
Code before migration:
```dart
bool _handleOverscrollIndicatorNotification(OverscrollIndicatorNotification notification) {
notification.disallowGlow();
return false;
}
```
Code after migration:
```dart
bool _handleOverscrollIndicatorNotification(OverscrollIndicatorNotification notification) {
notification.disallowIndicator();
return false;
}
```
**References**
API documentation:
* [`OverscrollIndicatorNotification`][]
* [`StretchingOverscrollIndicator`][]
* [`GlowingOverscrollIndicator`][]
Relevant PRs:
* Deprecated in [#87839][]
* Removed in [#127042][]
[`OverscrollIndicatorNotification`]: {{site.api}}/flutter/widgets/OverscrollIndicatorNotification-class.html
[`StretchingOverscrollIndicator`]: {{site.api}}/flutter/widgets/StretchingOverscrollIndicator-class.html
[`GlowingOverscrollIndicator`]: {{site.api}}/flutter/widgets/GlowingOverscrollIndicator-class.html
[#87839]: {{site.repo.flutter}}/pull/87839
[#127042]: {{site.repo.flutter}}/pull/127042
---
### ColorScheme primaryVariant & secondaryVariant
Package: flutter
Supported by Flutter Fix: yes
`ColorScheme.primaryVariant` and `ColorScheme.secondaryVariant` were deprecated
in v2.6. The replacements are the `ColorScheme.primaryContainer` and
`ColorScheme.secondaryContainer`, respectively.
These changes were made to align with the updated Material Design specification
for `ColorScheme`. The updates to `ColorScheme` are covered more extensively in
the [ColorScheme for Material 3][] design document.
**Migration guide**
Code before migration:
```dart
var colorScheme = ColorScheme(
primaryVariant: Colors.blue,
secondaryVariant: Colors.amber,
);
var primaryColor = colorScheme.primaryVariant;
var secondaryColor = colorScheme.secondaryVariant;
```
Code after migration:
```dart
var colorScheme = ColorScheme(
primaryContainer: Colors.blue,
secondaryContainer: Colors.amber,
);
var primaryColor = colorScheme.primaryContainer;
var secondaryColor = colorScheme.secondaryContainer;
```
**References**
Design Document:
* [ColorScheme for Material 3][]
API documentation:
* [`ColorScheme`][]
Relevant PRs:
* Deprecated in [#93427][]
* Removed in [#127124][]
[ColorScheme for Material 3]: /go/colorscheme-m3
[`ColorScheme`]: {{site.api}}/flutter/material/ColorScheme-class.html
[#93427]: {{site.repo.flutter}}/pull/93427
[#127124]: {{site.repo.flutter}}/pull/127124
---
### ThemeData.primaryColorBrightness
Package: flutter
Supported by Flutter Fix: yes
`ThemeData.primaryColorBrightness` was deprecated in v2.6, and has not been used
by the framework since then. References should be removed. The `Brightness` is
now extrapolated from the `ThemeData.primaryColor` if `ThemeData.brightness` has
not been explicitly provided.
This change was made as part of the update to `Theme` to match new Material
Design guidelines. The overall update to the theming system, including the
removal of `primaryColorBrightness` is discussed more extensively in the
[Material Theme System Updates][] design document.
**Migration guide**
Code before migration:
```dart
var themeData = ThemeData(
primaryColorBrightness: Brightness.dark,
);
```
Code after migration:
```dart
var themeData = ThemeData(
);
```
**References**
Design Document:
* [Material Theme System Updates][]
API documentation:
* [`Theme`][]
* [`ThemeData`][]
* [`Brightness`][]
Relevant PRs:
* Deprecated in [#93396][]
* Removed in [#127238][]
[Material Theme System Updates]: /go/material-theme-system-updates
[`Theme`]: {{site.api}}/flutter/material/Theme-class.html
[`ThemeData`]: {{site.api}}/flutter/material/Theme-class.html
[`Brightness`]: {{site.api}}/flutter/dart-ui/Brightness.html
[#93396]: {{site.repo.flutter}}/pull/93396
[#127238]: {{site.repo.flutter}}/pull/127238
---
### RawScrollbar & subclasses updates
Package: flutter
Supported by Flutter Fix: yes
The `isAlwaysShown` property of `RawScrollbar`, `Scrollbar`,
`ScrollbarThemeData` and `CupertinoScrollbar` was deprecated in v2.9. The
replacement in all cases is `thumbVisibility`.
This change was made since `isAlwaysShown` always referred to the scrollbar
thumb. With the addition of a scrollbar track, and varying configurations for
its visibility in response to mouse hovering and dragging, we renamed this
property for a clearer API.
Additionally, `Scrollbar.hoverThickness` was also deprecated in v2.9. Its
replacement is the `MaterialStateProperty` `ScrollbarThemeData.thickness`.
This change was made to allow the thickness of a `Scrollbar` to respond to all
kind of states, including and beyond just hovering. The use of
`MaterialStateProperties` also matches the convention in the material library of
configuring widgets based on their state, rather than enumerating properties for
every permutation of interactive states.
**Migration guide**
Code before migration:
```dart
var rawScrollbar = RawScrollbar(
isAlwaysShown: true,
);
var scrollbar = Scrollbar(
isAlwaysShown: true,
hoverThickness: 15.0,
);
var cupertinoScrollbar = CupertinoScrollbar(
isAlwaysShown: true,
);
var scrollbarThemeData = ScrollbarThemeData(
isAlwaysShown: true,
);
```
Code after migration:
```dart
var rawScrollbar = RawScrollbar(
thumbVisibility: true,
);
var scrollbar = Scrollbar(
thumbVisibility: true,
);
var cupertinoScrollbar = CupertinoScrollbar(
thumbVisibility: true,
);
var scrollbarThemeData = ScrollbarThemeData(
thumbVisibility: true,
thickness: MaterialStateProperty.resolveWith((Set<MaterialState> states) {
return states.contains(MaterialState.hovered) ? null : 15.0;
}),
);
```
**References**
API documentation:
* [`RawScrollbar`][]
* [`Scrollbar`][]
* [`CupertinoScrollbar`][]
* [`ScrollbarThemeData`][]
* [`MaterialStateProperty`][]
* [`MaterialState`][]
Relevant PRs:
* Deprecated in [#96957][]
* Deprecated in [#97173][]
* Removed in [#127351][]
[`RawScrollbar`]: {{site.api}}/flutter/widgets/RawScrollbar-class.html
[`Scrollbar`]: {{site.api}}/flutter/material/Scrollbar-class.html
[`CupertinoScrollbar`]: {{site.api}}/flutter/cupertino/CupertinoScrollbar-class.html
[`ScrollbarThemeData`]: {{site.api}}/flutter/material/ScrollbarThemeData-class.html
[`MaterialStateProperty`]: {{site.api}}/flutter/material/MaterialStateProperty-class.html
[`MaterialState`]: {{site.api}}/flutter/material/MaterialState.html
[#96957]: {{site.repo.flutter}}/pull/96957
[#97173]: {{site.repo.flutter}}/pull/97173
[#127351]: {{site.repo.flutter}}/pull/127351
---
### AnimationSheetBuilder display & sheetSize
Package: flutter_test
Supported by Flutter Fix: yes
The `display` and `sheetSize` methods of `AnimationSheetBuilder` were deprecated
in v2.3. The replacement is the `collate` method.
`AnimationSheetBuilder`'s output step previously required these two methods to
be called, but is now streamlined through a single call to `collate`.
The `collate` function directly puts the images together and asynchronously
returns an image. It requires less boilerplate, and outputs smaller images
without any compromise to quality.
**Migration guide**
[In-depth migration guide available]
Code before migration:
```dart
final AnimationSheetBuilder animationSheet = AnimationSheetBuilder(
frameSize: const Size(40, 40)
);
await tester.pumpFrames(animationSheet.record(
const Directionality(
textDirection: TextDirection.ltr,
child: Padding(
padding: EdgeInsets.all(4),
child: CircularProgressIndicator(),
),
),
), const Duration(seconds: 2));
tester.binding.setSurfaceSize(animationSheet.sheetSize());
final Widget display = await animationSheet.display();
await tester.pumpWidget(display);
await expectLater(
find.byWidget(display),
matchesGoldenFile('material.circular_progress_indicator.indeterminate.png'),
);
```
Code after migration:
```dart
final AnimationSheetBuilder animationSheet = AnimationSheetBuilder(
frameSize: const Size(40, 40)
);
await tester.pumpFrames(animationSheet.record(
const Directionality(
textDirection: TextDirection.ltr,
child: Padding(
padding: EdgeInsets.all(4),
child: CircularProgressIndicator(),
),
),
), const Duration(seconds: 2));
await expectLater(
animationSheet.collate(20),
matchesGoldenFile('material.circular_progress_indicator.indeterminate.png'),
);
```
[In-depth migration guide available]: /release/breaking-changes/animation-sheet-builder-display
**References**
API documentation:
* [`AnimationSheetBuilder`][]
Relevant PRs:
* Deprecated in [#83337][]
* Removed in [#129657][]
[`AnimationSheetBuilder`]: {{site.api}}/flutter/flutter_test/AnimationSheetBuilder-class.html
[#83337]: {{site.repo.flutter}}/pull/83337
[#129657]: {{site.repo.flutter}}/pull/129657
---
---
### flutter_test timeout logic
Package: flutter_test
Supported by Flutter Fix: no
The following APIs related to timeout logic in tests were deprecated
in v2.6. There are no replacements, and references should be removed, except for
the `initialTimeout` parameter of `testWidgets`, which is replaced by using
`timeout`.
* `TestWidgetsFlutterBinding.addTime`
* `TestWidgetsFlutterBinding.runAsync` method - `additionalTime` parameter
* `TestWidgetsFlutterBinding.runTest` method - `timeout` parameter
* `AutomatedTestWidgetsFlutterBinding.runTest` method - `timeout` parameter
* `LiveTestWidgetsFlutterBinding.runTest` method - `timeout` parameter
* `testWidgets` method - `initialTime` parameter
These were found to cause flakiness in testing, and were not in use by tested
customers.
Since being deprecated, use of these parameters have had no effect on tests, so
removing references should have no effect on existing code bases.
**Migration guide**
Code before migration:
```dart
testWidgets('Test', (_) {}, initialTimeout: Duration(seconds: 5));
```
Code after migration:
```dart
testWidgets('Test', (_) {}, timeout: Timeout(Duration(seconds: 5)));
```
**References**
API documentation:
* [`testWidgets`][]
* [`TestWidgetsFlutterBinding`][]
* [`AutomatedTestWidgetsFlutterBinding`][]
* [`LiveTestWidgetsFlutterBinding`][]
Relevant PRs:
* Deprecated in [#89952][]
* Removed in [#129663][]
[`testWidgets`]: {{site.api}}/flutter/flutter_test/testWidgets.html
[`TestWidgetsFlutterBinding`]: {{site.api}}/flutter/flutter_test/TestWidgetsFlutterBinding-class.html
[`AutomatedTestWidgetsFlutterBinding`]: {{site.api}}/flutter/flutter_test/AutomatedTestWidgetsFlutterBinding-class.html
[`LiveTestWidgetsFlutterBinding`]: {{site.api}}/flutter/flutter_test/LiveTestWidgetsFlutterBinding-class.html
[#89952]: {{site.repo.flutter}}/pull/89952
[#129663]: {{site.repo.flutter}}/pull/129663
---
## Timeline
In stable release: 3.13.0
| website/src/release/breaking-changes/3-10-deprecations.md/0 | {
"file_path": "website/src/release/breaking-changes/3-10-deprecations.md",
"repo_id": "website",
"token_count": 4117
} | 1,278 |
---
title: Replace AnimationSheetBuilder.display with collate
description: >
AnimationSheetBuilder.display and sheetSize
are deprecated in favor of collate.
---
## Summary
The `AnimationSheetBuilder.display` and `sheetSize`
methods are deprecated, and should be replaced with
`AnimationSheetBuilder.collate`.
## Context
[`AnimationSheetBuilder`][] is a testing utility
class that records frames of an animating widget,
and later composes the frames into a single
animation sheet for [golden testing][]. The old way
of composing involves `display` to list the images
into a table-like widget, adjusting the testing
surface with `sheetSize`, and capturing the table
widget for comparison. A new way, `collate`, has
been added that directly puts the frames together
into an image for comparison, which requires less
boilerplate code and outputs a smaller image without
compromise in quality. APIs for the old way are thus
deprecated.
The reason why `collate` outputs a smaller image,
is because the old way captures on a testing surface
with pixel ratio 3.0, which means it uses a 3x3 pixel
block of the exactly same color to represent 1 actual
pixel, making the image 9 times as large as necessary
(before PNG compression).
## Description of change
The following changes have been made to the
[`AnimationSheetBuilder`][] class:
* 'display' is deprecated and shouldn't be used
* 'sheetSize' is deprecated and shouldn't be used
## Migration guide
To migrate to the new API, change the process of setting
surface size and displaying the widget into
[`AnimationSheetBuilder.collate`][].
### Derive cells per row
The `collate` requires an explicit `cellsPerRow`
argument, which is the number of frames per
row in the output image. It can be manually counted,
or calculated as follows:
* Find the width of frame, specified when constructing
`AnimationSheetBuilder`. For example, in the following
snippet it's 80:
```dart
final AnimationSheetBuilder animationSheet = AnimationSheetBuilder(frameSize: const Size(80, 30));
```
* Find the width of surface size, specified when
setting the surface size; the default is 800.
For example, in the following snippet it's 600:
```dart
tester.binding.setSurfaceSize(animationSheet.sheetSize(600));
```
* The frames per row should be the result of the two
numbers divided, rounded down. For example,
600 / 80 = 7 (rounded down), therefore
```dart
animationSheet.collate(7)
```
### Migrate code
Code before migration:
```dart
testWidgets('Indeterminate CircularProgressIndicator', (WidgetTester tester) async {
final AnimationSheetBuilder animationSheet = AnimationSheetBuilder(frameSize: const Size(40, 40));
await tester.pumpFrames(animationSheet.record(
const Directionality(
textDirection: TextDirection.ltr,
child: Padding(
padding: EdgeInsets.all(4),
child: CircularProgressIndicator(),
),
),
), const Duration(seconds: 2));
// The code starting here needs migration.
tester.binding.setSurfaceSize(animationSheet.sheetSize());
final Widget display = await animationSheet.display();
await tester.pumpWidget(display);
await expectLater(
find.byWidget(display),
matchesGoldenFile('material.circular_progress_indicator.indeterminate.png'),
);
}, skip: isBrowser); // https://github.com/flutter/flutter/issues/42767
```
Code after migration (`cellsPerRow` is 20, derived from 800 / 40):
```dart
testWidgets('Indeterminate CircularProgressIndicator', (WidgetTester tester) async {
final AnimationSheetBuilder animationSheet = AnimationSheetBuilder(frameSize: const Size(40, 40));
await tester.pumpFrames(animationSheet.record(
const Directionality(
textDirection: TextDirection.ltr,
child: Padding(
padding: EdgeInsets.all(4),
child: CircularProgressIndicator(),
),
),
), const Duration(seconds: 2));
await expectLater(
animationSheet.collate(20),
matchesGoldenFile('material.circular_progress_indicator.indeterminate.png'),
);
}, skip: isBrowser); // https://github.com/flutter/flutter/issues/42767
```
It's expected that related golden test reference images
are invalidated, which should all be updated. The new
images should be identical to the old ones except
1/3 in scale.
## Timeline
Landed in version: v2.3.0-13.0.pre<br>
In stable release: 2.5
## References
API documentation:
* [`AnimationSheetBuilder`][]
* [`AnimationSheetBuilder.collate`][]
Relevant PR:
* [Test WidgetTester handling test pointers][]
[`AnimationSheetBuilder`]: {{site.api}}/flutter/flutter_test/AnimationSheetBuilder-class.html
[`AnimationSheetBuilder.collate`]: {{site.api}}/flutter/flutter_test/AnimationSheetBuilder/collate.html
[golden testing]: {{site.repo.flutter}}/wiki/Writing-a-golden-file-test-for-package%3Aflutter
[Test WidgetTester handling test pointers]: {{site.repo.flutter}}/pull/83337
| website/src/release/breaking-changes/animation-sheet-builder-display.md/0 | {
"file_path": "website/src/release/breaking-changes/animation-sheet-builder-display.md",
"repo_id": "website",
"token_count": 1530
} | 1,279 |
---
title: Updated `Checkbox.fillColor` behavior
description: >
Improved `Checkbox.fillColor` behavior applies the fill color to the
background when the checkbox is unselected.
---
## Summary
The `Checkbox.fillColor` is now applied to the checkbox's background when
the checkbox is unselected.
## Context
Previously, the `Checkbox.fillColor` was applied to the checkbox's border
when the checkbox was unselected and its background was transparent.
With this change, the `Checkbox.fillColor` is applied to the checkbox's
background and the border uses the `Checkbox.side` color when the checkbox
is unselected.
## Description of change
The `Checkbox.fillColor` is now applied to the checkbox's background when
the checkbox is unselected instead of being used as the border color.
## Migration guide
The updated `Checkbox.fillColor` behavior applies the fill color to the
checkbox's background in the unselected state. To get the previous behavior,
set `Checbox.fillColor` to `Colors.transparent` in the unselected state and
set `Checkbox.side` to the desired color.
If you use the `Checkbox.fillColor` property to customize the checkbox.
Code before migration:
```dart
Checkbox(
fillColor: MaterialStateProperty.resolveWith((states) {
if (!states.contains(MaterialState.selected)) {
return Colors.red;
}
return null;
}),
value: _checked,
onChanged: _enabled
? (bool? value) {
setState(() {
_checked = value!;
});
}
: null,
),
```
Code after migration:
```dart
Checkbox(
fillColor: MaterialStateProperty.resolveWith((states) {
if (!states.contains(MaterialState.selected)) {
return Colors.transparent;
}
return null;
}),
side: const BorderSide(color: Colors.red, width: 2),
value: _checked,
onChanged: _enabled
? (bool? value) {
setState(() {
_checked = value!;
});
}
: null,
),
```
If you use the `CheckboxThemeData.fillColor` property to customize the checkbox.
Code before migration:
```dart
checkboxTheme: CheckboxThemeData(
fillColor: MaterialStateProperty.resolveWith((states) {
if (!states.contains(MaterialState.selected)) {
return Colors.red;
}
return null;
}),
),
```
Code after migration:
```dart
checkboxTheme: CheckboxThemeData(
fillColor: MaterialStateProperty.resolveWith((states) {
if (!states.contains(MaterialState.selected)) {
return Colors.transparent;
}
return null;
}),
side: const BorderSide(color: Colors.red, width: 2),
),
```
## Timeline
Landed in version: 3.10.0-17.0.pre<br>
In stable release: 3.13.0
## References
API documentation:
* [`Checkbox.fillColor`][]
Relevant issues:
* [Add `backgroundColor` to `Checkbox` and `CheckboxThemeData`][]
Relevant PRs:
* [`Checkbox.fillColor` should be applied to checkbox's background color when it is unchecked.][]
[`Checkbox.fillColor`]: {{site.api}}/flutter/material/Checkbox/fillColor.html
[Add `backgroundColor` to `Checkbox` and `CheckboxThemeData`]: {{site.repo.flutter}}/issues/123386
[`Checkbox.fillColor` should be applied to checkbox's background color when it is unchecked.]: {{site.repo.flutter}}/pull/125643
| website/src/release/breaking-changes/checkbox-fillColor.md/0 | {
"file_path": "website/src/release/breaking-changes/checkbox-fillColor.md",
"repo_id": "website",
"token_count": 1073
} | 1,280 |
---
title: Eliminating nullOk Parameters
description: >
To eliminate nullOk parameters to help with
API sanity in the face of null safety.
---
## Summary
This migration guide describes conversion of code that uses the `nullOk`
parameter on multiple `of` static accessors and related accessors to use
alternate APIs with nullable return values.
## Context
Flutter has a common pattern of allowing lookup of some types of widgets
([`InheritedWidget`][]s) using static member functions that are typically called
`of`, and take a `BuildContext`.
Before non-nullability was the default, it was useful to have a toggle on these
APIs that swapped between throwing an exception if the widget was not present in
the widget tree and returning null if it was not found. It was useful, and
wasn't confusing, since every variable was nullable.
When non-nullability was made the default, it was then desirable to have the
most commonly used APIs return a non-nullable value. This is because saying
`MediaQuery.of(context, nullOk: false)` and then still requiring an `!` operator
or `?` and a fallback value after that call felt awkward.
The `nullOk` parameter was a cheap form of providing a null safety toggle, which
in the face of true language support for non-nullability, was then supplying
redundant, and perhaps contradictory signals to the developer.
To solve this, the `of` accessors (and some related accessors that also used
`nullOk`) were split into two calls: one that returned a non-nullable value and
threw an exception when the sought-after widget was not present, and one that
returned a nullable value that didn't throw an exception, and returned null if
the widget was not present.
The design document for this change is [Eliminating nullOk parameters][].
[Eliminating nullOk parameters]: /go/eliminating-nullok-parameters
## Description of change
The actual change modified these APIs to not have a `nullOk` parameter, and to
return a non-nullable value:
* [`MediaQuery.of`][]
* [`Navigator.of`][]
* [`ScaffoldMessenger.of`][]
* [`Scaffold.of`][]
* [`Router.of`][]
* [`Localizations.localeOf`][]
* [`FocusTraversalOrder.of`][]
* [`FocusTraversalGroup.of`][]
* [`Focus.of`][]
* `Shortcuts.of`
* [`Actions.handler`][]
* [`Actions.find`][]
* [`Actions.invoke`][]
* [`AnimatedList.of`][]
* [`SliverAnimatedList.of`][]
* [`CupertinoDynamicColor.resolve`][]
* [`CupertinoDynamicColor.resolveFrom`][]
* [`CupertinoUserInterfaceLevel.of`][]
* [`CupertinoTheme.brightnessOf`][]
* [`CupertinoThemeData.resolveFrom`][]
* [`NoDefaultCupertinoThemeData.resolveFrom`][]
* [`CupertinoTextThemeData.resolveFrom`][]
* [`MaterialBasedCupertinoThemeData.resolveFrom`][]
And introduced these new APIs alongside those, to
return a nullable value:
* [`MediaQuery.maybeOf`][]
* [`Navigator.maybeOf`][]
* [`ScaffoldMessenger.maybeOf`][]
* [`Scaffold.maybeOf`][]
* [`Router.maybeOf`][]
* [`Localizations.maybeLocaleOf`][]
* [`FocusTraversalOrder.maybeOf`][]
* [`FocusTraversalGroup.maybeOf`][]
* [`Focus.maybeOf`][]
* `Shortcuts.maybeOf`
* [`Actions.maybeFind`][]
* [`Actions.maybeInvoke`][]
* [`AnimatedList.maybeOf`][]
* [`SliverAnimatedList.maybeOf`][]
* [`CupertinoDynamicColor.maybeResolve`][]
* [`CupertinoUserInterfaceLevel.maybeOf`][]
* [`CupertinoTheme.maybeBrightnessOf`][]
## Migration guide
In order to modify your code to use the new form of the APIs, convert all
instances of calls that include `nullOk = true` as a parameter to use the
`maybe` form of the API instead.
So this:
```dart
MediaQueryData? data = MediaQuery.of(context, nullOk: true);
```
becomes:
```dart
MediaQueryData? data = MediaQuery.maybeOf(context);
```
You also need to modify all instances of calling the API with `nullOk =
false` (often the default), to accept non-nullable return values, or remove any
`!` operators:
So either of:
```dart
MediaQueryData data = MediaQuery.of(context)!; // nullOk false by default.
MediaQueryData? data = MediaQuery.of(context); // nullOk false by default.
```
both become:
```dart
MediaQueryData data = MediaQuery.of(context); // No ! or ? operator here now.
```
The `unnecessary_non_null_assertion` analysis option can be quite helpful in
finding the places where the `!` operator should be removed, and the
`unnecessary_nullable_for_final_variable_declarations` analysis option can be
helpful in finding unnecessary question mark operators on `final` and `const`
variables.
## Timeline
Landed in version: 1.24.0<br>
In stable release: 2.0.0
## References
API documentation:
* [`MediaQuery.of`][]
* [`Navigator.of`][]
* [`ScaffoldMessenger.of`][]
* [`Scaffold.of`][]
* [`Router.of`][]
* [`Localizations.localeOf`][]
* [`FocusTraversalOrder.of`][]
* [`FocusTraversalGroup.of`][]
* [`Focus.of`][]
* `Shortcuts.of`
* [`Actions.handler`][]
* [`Actions.find`][]
* [`Actions.invoke`][]
* [`AnimatedList.of`][]
* [`SliverAnimatedList.of`][]
* [`CupertinoDynamicColor.resolve`][]
* [`CupertinoDynamicColor.resolveFrom`][]
* [`CupertinoUserInterfaceLevel.of`][]
* [`CupertinoTheme.brightnessOf`][]
* [`CupertinoThemeData.resolveFrom`][]
* [`NoDefaultCupertinoThemeData.resolveFrom`][]
* [`CupertinoTextThemeData.resolveFrom`][]
* [`MaterialBasedCupertinoThemeData.resolveFrom`][]
* [`MediaQuery.maybeOf`][]
* [`Navigator.maybeOf`][]
* [`ScaffoldMessenger.maybeOf`][]
* [`Scaffold.maybeOf`][]
* [`Router.maybeOf`][]
* [`Localizations.maybeLocaleOf`][]
* [`FocusTraversalOrder.maybeOf`][]
* [`FocusTraversalGroup.maybeOf`][]
* [`Focus.maybeOf`][]
* `Shortcuts.maybeOf`
* [`Actions.maybeFind`][]
* [`Actions.maybeInvoke`][]
* [`AnimatedList.maybeOf`][]
* [`SliverAnimatedList.maybeOf`][]
* [`CupertinoDynamicColor.maybeResolve`][]
* [`CupertinoUserInterfaceLevel.maybeOf`][]
* [`CupertinoTheme.maybeBrightnessOf`][]
Relevant issue:
* [Issue 68637][]
Relevant PRs:
* [Remove `nullOk` in `MediaQuery.of`][]
* [Remove `nullOk` in `Navigator.of`][]
* [Remove `nullOk` parameter from `AnimatedList.of` and `SliverAnimatedList.of`][]
* [Remove `nullOk` parameter from `Shortcuts.of`, `Actions.find`, and `Actions.handler`][]
* [Remove `nullOk` parameter from `Focus.of`, `FocusTraversalOrder.of`, and `FocusTraversalGroup.of`][]
* [Remove `nullOk` parameter from `Localizations.localeOf`][]
* [Remove `nullOk` parameter from `Router.of`][]
* [Remove `nullOk` from `Scaffold.of` and `ScaffoldMessenger.of`][]
* [Remove `nullOk` parameter from Cupertino color resolution APIs][]
* [Remove vestigial `nullOk` parameter from `Localizations.localeOf`][]
* [Remove `nullOk` from `Actions.invoke`, add `Actions.maybeInvoke`][]
[`MediaQuery.of`]: {{site.api}}/flutter/widgets/MediaQuery/of.html
[`Navigator.of`]: {{site.api}}/flutter/widgets/Navigator/of.html
[`ScaffoldMessenger.of`]: {{site.api}}/flutter/material/ScaffoldMessenger/of.html
[`Scaffold.of`]: {{site.api}}/flutter/material/Scaffold/of.html
[`Router.of`]: {{site.api}}/flutter/widgets/Router/of.html
[`Localizations.localeOf`]: {{site.api}}/flutter/widgets/Localizations/localeOf.html
[`FocusTraversalOrder.of`]: {{site.api}}/flutter/widgets/FocusTraversalOrder/of.html
[`FocusTraversalGroup.of`]: {{site.api}}/flutter/widgets/FocusTraversalGroup/of.html
[`Focus.of`]: {{site.api}}/flutter/widgets/Focus/of.html
[`Actions.handler`]: {{site.api}}/flutter/widgets/Actions/handler.html
[`Actions.find`]: {{site.api}}/flutter/widgets/Actions/find.html
[`Actions.invoke`]: {{site.api}}/flutter/widgets/Actions/invoke.html
[`AnimatedList.of`]: {{site.api}}/flutter/widgets/AnimatedList/of.html
[`SliverAnimatedList.of`]: {{site.api}}/flutter/widgets/SliverAnimatedList/of.html
[`CupertinoDynamicColor.resolve`]: {{site.api}}/flutter/cupertino/CupertinoDynamicColor/resolve.html
[`CupertinoDynamicColor.resolveFrom`]: {{site.api}}/flutter/cupertino/CupertinoDynamicColor/resolveFrom.html
[`CupertinoUserInterfaceLevel.of`]: {{site.api}}/flutter/cupertino/CupertinoUserInterfaceLevel/of.html
[`CupertinoTheme.brightnessOf`]: {{site.api}}/flutter/cupertino/CupertinoTheme/brightnessOf.html
[`CupertinoThemeData.resolveFrom`]: {{site.api}}/flutter/cupertino/CupertinoThemeData/resolveFrom.html
[`NoDefaultCupertinoThemeData.resolveFrom`]: {{site.api}}/flutter/cupertino/NoDefaultCupertinoThemeData/resolveFrom.html
[`CupertinoTextThemeData.resolveFrom`]: {{site.api}}/flutter/cupertino/CupertinoTextThemeData/resolveFrom.html
[`MaterialBasedCupertinoThemeData.resolveFrom`]: {{site.api}}/flutter/material/MaterialBasedCupertinoThemeData/resolveFrom.html
[`MediaQuery.maybeOf`]: {{site.api}}/flutter/widgets/MediaQuery/maybeOf.html
[`Navigator.maybeOf`]: {{site.api}}/flutter/widgets/Navigator/maybeOf.html
[`ScaffoldMessenger.maybeOf`]: {{site.api}}/flutter/material/ScaffoldMessenger/maybeOf.html
[`Scaffold.maybeOf`]: {{site.api}}/flutter/material/Scaffold/maybeOf.html
[`Router.maybeOf`]: {{site.api}}/flutter/widgets/Router/maybeOf.html
[`Localizations.maybeLocaleOf`]: {{site.api}}/flutter/widgets/Localizations/maybeLocaleOf.html
[`FocusTraversalOrder.maybeOf`]: {{site.api}}/flutter/widgets/FocusTraversalOrder/maybeOf.html
[`FocusTraversalGroup.maybeOf`]: {{site.api}}/flutter/widgets/FocusTraversalGroup/maybeOf.html
[`Focus.maybeOf`]: {{site.api}}/flutter/widgets/Focus/maybeOf.html
[`Actions.maybeFind`]: {{site.api}}/flutter/widgets/Actions/maybeFind.html
[`Actions.maybeInvoke`]: {{site.api}}/flutter/widgets/Actions/maybeInvoke.html
[`AnimatedList.maybeOf`]: {{site.api}}/flutter/widgets/AnimatedList/maybeOf.html
[`SliverAnimatedList.maybeOf`]: {{site.api}}/flutter/widgets/SliverAnimatedList/maybeOf.html
[`CupertinoDynamicColor.maybeResolve`]: {{site.api}}/flutter/cupertino/CupertinoDynamicColor/maybeResolve.html
[`CupertinoUserInterfaceLevel.maybeOf`]: {{site.api}}/flutter/cupertino/CupertinoUserInterfaceLevel/maybeOf.html
[`CupertinoTheme.maybeBrightnessOf`]: {{site.api}}/flutter/cupertino/CupertinoTheme/maybeBrightnessOf.html
[`InheritedWidget`]: {{site.api}}/flutter/widgets/InheritedWidget-class.html
[Issue 68637]: {{site.repo.flutter}}/issues/68637
[Remove `nullOk` in `MediaQuery.of`]: {{site.repo.flutter}}/pull/68736
[Remove `nullOk` in `Navigator.of`]: {{site.repo.flutter}}/pull/70726
[Remove `nullOk` parameter from `AnimatedList.of` and `SliverAnimatedList.of`]: {{site.repo.flutter}}/pull/68925
[Remove `nullOk` parameter from `Shortcuts.of`, `Actions.find`, and `Actions.handler`]: {{site.repo.flutter}}/pull/68921
[Remove `nullOk` parameter from `Focus.of`, `FocusTraversalOrder.of`, and `FocusTraversalGroup.of`]: {{site.repo.flutter}}/pull/68917
[Remove `nullOk` parameter from `Localizations.localeOf`]: {{site.repo.flutter}}/pull/68911
[Remove `nullOk` parameter from `Router.of`]: {{site.repo.flutter}}/pull/68910
[Remove `nullOk` from `Scaffold.of` and `ScaffoldMessenger.of`]: {{site.repo.flutter}}/pull/68908
[Remove `nullOk` parameter from Cupertino color resolution APIs]: {{site.repo.flutter}}/pull/68905
[Remove vestigial `nullOk` parameter from `Localizations.localeOf`]: {{site.repo.flutter}}/pull/74657
[Remove `nullOk` from `Actions.invoke`, add `Actions.maybeInvoke`]: {{site.repo.flutter}}/pull/74680
| website/src/release/breaking-changes/eliminating-nullok-parameters.md/0 | {
"file_path": "website/src/release/breaking-changes/eliminating-nullok-parameters.md",
"repo_id": "website",
"token_count": 3922
} | 1,281 |
---
title: Insert content text input client
description: >
Add a new method to the TextInputClient interface to allow
Android virtual keyboards to insert rich content into Flutter TextFields.
---
## Summary
Added an `insertContent` method to the `TextInputClient` interface to
allow Android's image keyboard feature to
insert content into a Flutter `TextField`.
## Context
As of Android 7.1, IMEs (input method editors or virtual keyboards) can send
images and rich content into a text editor.
This allows users to insert gifs, stickers, or
context-aware rich content into a text field.
## Description of change
When the user inserts rich content in the IME, the platform
sends a `TextInputClient.commitContent` channel message,
notifying the Dart code that the IME inserted rich content.
The channel message contains the mime type, URI, and bytedata for
the inserted content in JSON form.
## Migration guide
If you implemented the `TextInputClient` interface earlier, override
`insertContent` to either support rich content insertion
or provide an empty implementation.
To migrate, implement `insertContent`.
Code before migration:
```dart
class MyCustomTextInputClient implements TextInputClient {
// ...
}
```
Code after migration:
```dart
class MyCustomTextInputClient implements TextInputClient {
// ...
@override
void insertContent() {
// ...
}
// ...
}
```
Your implementation of `TextInputClient` might not require
the ability to receive rich content inserted from the IME.
In that case, you can leave the implementation of
`insertContent` empty with no consequences.
```dart
class MyCustomTextInputClient implements TextInputClient {
// ...
@override
void insertContent() {}
// ...
}
```
As an alternative, you can use a similar implementation to
the default `TextInputClient`.
To learn how to do this, check out the [insertContent implementation][].
To prevent breaking changes to an interface,
use `with TextInputClient` rather than `implements TextInputClient`.
[insertContent implementation]: {{site.api}}/flutter/services/TextInputClient/insertContent.html
## Timeline
Landed in version: 3.8.0-1.0.pre<br>
In stable release: 3.10.0
## References
API documentation:
* [`TextInputClient`]({{site.api}}/flutter/services/TextInputClient-class.html)
Relevant issue:
* [Issue 20796]({{site.repo.flutter}}/issues/20796)
Relevant PRs:
* [24224: Support Image Insertion on Android (engine)]({{site.repo.engine}}/pull/35619)
* [97437: Support Image Insertion on Android]({{site.repo.flutter}}/pull/110052)
| website/src/release/breaking-changes/insert-content-text-input-client.md/0 | {
"file_path": "website/src/release/breaking-changes/insert-content-text-input-client.md",
"repo_id": "website",
"token_count": 714
} | 1,282 |
---
title: Removing Notification.visitAncestor
description: >
Notifications only traverse ancestors that are notification listeners.
---
## Summary
Notifications are more efficient by traversing only ancestors that
are notification listeners.
## Context
The notification API traversed the element tree in order to locate a
notification receiver. This led to some unfortunate performance
characteristics:
* If there was no receiver for a given notification type, the entire element
tree above the notification dispatch point would be traversed and type
checked.
* For multiple notifications in a given frame (which is common for scroll
views) we ended up traversing the element tree multiple times.
If there were multiple or nested scroll views on a given page, the situation
was worsened significantly - each scroll view would dispatch multiple
notifications per frame. For example, in the Dart/Flutter Devtools flamegraph
page, we found that about 30% of CPU time was spent dispatching notifications.
In order to reduce the cost of dispatching notifications, we have changed
notification dispatch so that it only visits ancestors that are notification
listeners, reducing the number of elements visited per frame.
However, the old notification system exposed the fact that it traversed
each element as part of its API via `Notification.visitAncestor`. This
method is no longer supported as we no longer visit all ancestor elements.
## Description of change
`Notification.visitAncestor` has been removed.
Any classes that extend `Notification` should
no longer override this method.
**If you don't implement a custom Notification
that overrides `Notification.visitAncestor`,
then no changes are required.**
## Migration guide
If you have a subclass of `Notification` that overrides
`Notification.visitAncestor`, then you must either delete the override or
opt-into old style notification dispatch with the following code.
Code before migration:
```dart
import 'package:flutter/widgets.dart';
class MyNotification extends Notification {
@override
bool visitAncestor(Element element) {
print('Visiting $element');
return super.visitAncestor(element);
}
}
void methodThatSendsNotification(BuildContext? context) {
MyNotification().dispatch(context);
}
```
Code after migration:
```dart
import 'package:flutter/widgets.dart';
class MyNotification extends Notification {
bool visitAncestor(Element element) {
print('Visiting $element');
if (element is ProxyElement) {
final Widget widget = element.widget;
if (widget is NotificationListener<MyNotification>) {
return widget.onNotification?.call(notification) ?? true;
}
}
return true;
}
}
void methodThatSendsNotification(BuildContext? context) {
context?.visitAncestor(MyNotification().visitAncestor);
}
```
Note that this performs poorly compared to the
new default behavior of `Notification.dispatch`.
## Timeline
Landed in version: 2.12.0-4.1
In stable release: 3.0.0
## References
API documentation:
* [`Notification`]({{site.api}}/flutter/widgets/Notification-class.html)
Relevant issues:
* [Issue 97849]({{site.repo.flutter}}/issues/97849)
Relevant PRs:
* [improve Notification API performance]({{site.repo.flutter}}/pull/98451)
| website/src/release/breaking-changes/notifications.md/0 | {
"file_path": "website/src/release/breaking-changes/notifications.md",
"repo_id": "website",
"token_count": 901
} | 1,283 |
---
title: Route transition record and transition delegate updates
description: >
Changes to the rule on how transition delegate resolve route transition.
---
## Summary
A new boolean getter `isWaitingForExitingDecision` was added
to the route transition record and the `isEntering` getter
was renamed to `isWaitingForEnteringDecision`.
In the `resolve()` method for the transition delegate,
use the `isWaitingForExitingDecision` to check if an exiting
route actually needs an explicit decision on how to transition
off the screen. If you try to make a decision for an existing route
that _isn't_ waiting for a decision, Flutter throws an assertion error.
## Context
When the navigator receives a new list of pages, it tries to update its
current routes stack to match the list. However, it requires explicit
decisions on how to transition the route on and off the screen.
Previously, routes that were not in the new list required decisions
on how to transition off the screen. However, we later found out
this is not always true. If a route is popped,
but is still waiting for the popping animation to finish,
this route would sit in the navigator routes stack until
the animation was done. If a page update occurred during this time,
this route exits but doesn't require a decision
on how to transition off the screen. Therefore,
`isWaitingForExitingDecision` was added to cover that case.
The `isEntering` getter is also renamed to
`isWaitingForEnteringDecision` to be more descriptive,
and also to make the naming more consistent.
## Migration guide
If you implement your own transition delegate, you need to check the
exiting routes using the getter `isWaitingForExitingDecision` before you
call `markForPop`, `markForComplete`, or `markForRemove` on them.
You also need to rename all the references from `isEntering` to
`isWaitingForEnteringDecision`.
Code before migration:
```dart
import 'package:flutter/widgets.dart';
class NoAnimationTransitionDelegate extends TransitionDelegate<void> {
@override
Iterable<RouteTransitionRecord> resolve({
List<RouteTransitionRecord> newPageRouteHistory,
Map<RouteTransitionRecord, RouteTransitionRecord> locationToExitingPageRoute,
Map<RouteTransitionRecord, List<RouteTransitionRecord>> pageRouteToPagelessRoutes,
}) {
final List<RouteTransitionRecord> results = <RouteTransitionRecord>[];
for (final RouteTransitionRecord pageRoute in newPageRouteHistory) {
if (pageRoute.isEntering) {
pageRoute.markForAdd();
}
results.add(pageRoute);
}
for (final RouteTransitionRecord exitingPageRoute in locationToExitingPageRoute.values) {
exitingPageRoute.markForRemove();
final List<RouteTransitionRecord> pagelessRoutes = pageRouteToPagelessRoutes[exitingPageRoute];
if (pagelessRoutes != null) {
for (final RouteTransitionRecord pagelessRoute in pagelessRoutes) {
pagelessRoute.markForRemove();
}
}
results.add(exitingPageRoute);
}
return results;
}
}
```
Code after migration:
```dart
import 'package:flutter/widgets.dart';
class NoAnimationTransitionDelegate extends TransitionDelegate<void> {
@override
Iterable<RouteTransitionRecord> resolve({
List<RouteTransitionRecord> newPageRouteHistory,
Map<RouteTransitionRecord, RouteTransitionRecord> locationToExitingPageRoute,
Map<RouteTransitionRecord, List<RouteTransitionRecord>> pageRouteToPagelessRoutes,
}) {
final List<RouteTransitionRecord> results = <RouteTransitionRecord>[];
for (final RouteTransitionRecord pageRoute in newPageRouteHistory) {
// Renames isEntering to isWaitingForEnteringDecision.
if (pageRoute.isWaitingForEnteringDecision) {
pageRoute.markForAdd();
}
results.add(pageRoute);
}
for (final RouteTransitionRecord exitingPageRoute in locationToExitingPageRoute.values) {
// Checks the isWaitingForExitingDecision before calling the markFor methods.
if (exitingPageRoute.isWaitingForExitingDecision) {
exitingPageRoute.markForRemove();
final List<RouteTransitionRecord> pagelessRoutes = pageRouteToPagelessRoutes[exitingPageRoute];
if (pagelessRoutes != null) {
for (final RouteTransitionRecord pagelessRoute in pagelessRoutes) {
pagelessRoute.markForRemove();
}
}
}
results.add(exitingPageRoute);
}
return results;
}
}
```
## Timeline
Landed in version: 1.18.0<br>
In stable release: 1.20
## References
API documentation:
* [`Navigator`][]
* [`TransitionDelegate`][]
* [`RouteTransitionRecord`][]
Relevant issue:
* [Issue 45938: Navigator 2.0][]
Relevant PR:
* [PR 55998][]: Fixes the navigator pages update crash
when there is still a route waiting
[Issue 45938: Navigator 2.0]: {{site.repo.flutter}}/issues/45938
[`Navigator`]: {{site.api}}/flutter/widgets/Navigator-class.html
[PR 55998]: {{site.repo.flutter}}/pull/55998
[`TransitionDelegate`]: {{site.api}}/flutter/widgets/TransitionDelegate-class.html
[`RouteTransitionRecord`]: {{site.api}}/flutter/widgets/RouteTransitionRecord-class.html
| website/src/release/breaking-changes/route-transition-record-and-transition-delegate.md/0 | {
"file_path": "website/src/release/breaking-changes/route-transition-record-and-transition-delegate.md",
"repo_id": "website",
"token_count": 1637
} | 1,284 |
---
title: TextSelectionTheme migration
description: >
The default properties for text selection are migrating to TextSelectionTheme.
---
## Summary
The `ThemeData` properties that controlled the look of
selected text in Material widgets have been moved into
their own `TextSelectionTheme`. These properties include
`cursorColor`, `textSelectionColor`, and
`textSelectionHandleColor`. The defaults for these
properties have also been changed to match the Material
Design specification.
## Context
As part of the larger [Material Theme Updates][],
we have introduced a new [Text Selection Theme][]
used to specify the properties of selected text in
`TextField` and `SelectableText` widgets.
These replace several top-level properties of `ThemeData`
and update their default values to match the Material
Design specification. This document describes how
applications can migrate to this new API.
## Migration guide
If you are currently using the following properties of
`ThemeData`, you need to update them to use the new
equivalent properties on `ThemeData.textSelectionTheme`:
| Before | After |
|--------------------------------------|-----------------------------------------------|
| `ThemeData.cursorColor` | `TextSelectionThemeData.cursorColor` |
| `ThemeData.textSelectionColor` | `TextSelectionThemeData.selectionColor` |
| `ThemeData.textSelectionHandleColor` | `TextSelectionThemeData.selectionHandleColor` |
<br/>
**Code before migration:**
```dart
ThemeData(
cursorColor: Colors.red,
textSelectionColor: Colors.green,
textSelectionHandleColor: Colors.blue,
)
```
**Code after migration:**
```dart
ThemeData(
textSelectionTheme: TextSelectionThemeData(
cursorColor: Colors.red,
selectionColor: Colors.green,
selectionHandleColor: Colors.blue,
)
)
```
**Default changes**
If you weren't using these properties explicitly,
but depended on the previous default colors used
for text selection you can add a new field to your
`ThemeData` for your app to return to the old defaults
as shown:
```dart
// Old defaults for a light theme
ThemeData(
textSelectionTheme: TextSelectionThemeData(
cursorColor: const Color.fromRGBO(66, 133, 244, 1.0),
selectionColor: const Color(0xff90caf9),
selectionHandleColor: const Color(0xff64b5f6),
)
)
```
```dart
// Old defaults for a dark theme
ThemeData(
textSelectionTheme: TextSelectionThemeData(
cursorColor: const Color.fromRGBO(66, 133, 244, 1.0),
selectionColor: const Color(0xff64ffda),
selectionHandleColor: const Color(0xff1de9b6),
)
)
```
If you are fine with the new defaults,
but have failing golden file tests, you
can update your master golden files using the
following command:
```terminal
$ flutter test --update-goldens
```
## Timeline
Landed in version: 1.23.0-4.0.pre<br>
In stable release: 2.0.0
## References
API documentation:
* [`TextSelectionThemeData`][]
* [`ThemeData`][]
Relevant PRs:
* [PR 62014: TextSelectionTheme support][]
[Material Theme Updates]: /go/material-theme-system-updates
[PR 62014: TextSelectionTheme support]: {{site.repo.flutter}}/pull/62014
[Text Selection Theme]: /go/text-selection-theme
[`TextSelectionThemeData`]: {{site.api}}/flutter/material/TextSelectionThemeData-class.html
[`ThemeData`]: {{site.api}}/flutter/material/ThemeData-class.html
| website/src/release/breaking-changes/text-selection-theme.md/0 | {
"file_path": "website/src/release/breaking-changes/text-selection-theme.md",
"repo_id": "website",
"token_count": 1078
} | 1,285 |
---
title: Change log for Flutter 1.12.13
short-title: 1.12.13 change log
description: Change log for Flutter 1.12.13 containing a list of all PRs merged for this release.
---
## PRs closed in this release of flutter/flutter
From Sun Aug 19 17:37:00 2019 -0700 to Mon Nov 25 12:05:00 2019 -0800
[34188](https://github.com/flutter/flutter/pull/34188) Use separate isolate for image loading. (a: images, a: tests, cla: yes, framework)
[35100](https://github.com/flutter/flutter/pull/35100) Add handling of 'TextInput.clearClient' message from platform to framework (#35054). (a: text input, cla: yes, framework)
[35516](https://github.com/flutter/flutter/pull/35516) more UI-as-code (cla: yes, team)
[36864](https://github.com/flutter/flutter/pull/36864) Clean up bots output and remove timeouts (cla: yes, team, waiting for tree to go green)
[36871](https://github.com/flutter/flutter/pull/36871) Audit use of defaultTargetPlatform (cla: yes, f: cupertino, f: material design, framework, waiting for tree to go green)
[36998](https://github.com/flutter/flutter/pull/36998) Added properties in DropdownButtonFormField to match DropdownButton (cla: yes, f: material design, framework)
[37024](https://github.com/flutter/flutter/pull/37024) Implement PageView using SliverLayoutBuilder, Deprecate RenderSliverFillViewport (cla: yes, f: gestures, f: scrolling, framework, severe: API break, waiting for tree to go green)
[37268](https://github.com/flutter/flutter/pull/37268) run web tests in batches; enable foundation tests (cla: yes, ☸ platform-web)
[37416](https://github.com/flutter/flutter/pull/37416) Add MediaQuery.systemGestureInsets to support Android Q (cla: yes, customer: crowd, framework, severe: new feature, ▣ platform-android)
[37508](https://github.com/flutter/flutter/pull/37508) build bundle with assemble (cla: yes, tool)
[37526](https://github.com/flutter/flutter/pull/37526) catch errors during gradle update (cla: yes, tool)
[37544](https://github.com/flutter/flutter/pull/37544) Replace ButtonBar.bar method with ButtonBarTheme (cla: yes, d: examples, f: material design, framework, severe: API break, team, team: gallery)
[37642](https://github.com/flutter/flutter/pull/37642) Unit test for build.dart::GenSnapshot (cla: yes, tool)
[37645](https://github.com/flutter/flutter/pull/37645) Update CONTRIBUTING.md (cla: yes, team)
[37646](https://github.com/flutter/flutter/pull/37646) Instrument pending timers in tests (a: tests, cla: yes, framework)
[37719](https://github.com/flutter/flutter/pull/37719) CupertinoDynamicColor and friends (cla: yes, f: cupertino, f: material design, framework)
[37739](https://github.com/flutter/flutter/pull/37739) Fix AnimationStatus for repeat(reverse: true) and animateWith (a: animation, cla: yes, framework, severe: API break)
[37819](https://github.com/flutter/flutter/pull/37819) Add HtmlElementView (the Flutter Web platform view) (cla: yes, framework, ☸ platform-web)
[37832](https://github.com/flutter/flutter/pull/37832) add --exit and --match-host-platform defaults to devicelab runner (cla: yes, team, tool)
[37845](https://github.com/flutter/flutter/pull/37845) echo error messages to stderr (CQ+1, cla: yes, tool)
[37896](https://github.com/flutter/flutter/pull/37896) Add opacity control to MouseRegion. Add findAnnotations to Layer. (a: desktop, cla: yes, framework, severe: API break)
[37901](https://github.com/flutter/flutter/pull/37901) [macos] Check for special keys before creating a logical key (a: desktop, cla: yes, framework, ⌘ platform-mac)
[37962](https://github.com/flutter/flutter/pull/37962) Show search app bar theme (cla: yes, f: material design, framework)
[38317](https://github.com/flutter/flutter/pull/38317) TweenAnimationBuilder for building custom animations without managing an AnimationController (a: animation, cla: yes, framework)
[38464](https://github.com/flutter/flutter/pull/38464) Moved the default BinaryMessenger instance to ServicesBinding (a: accessibility, a: tests, cla: yes, f: cupertino, f: material design, framework, team)
[38481](https://github.com/flutter/flutter/pull/38481) Timer picker fidelity revision (cla: yes, f: cupertino, framework, severe: API break, will affect goldens)
[38560](https://github.com/flutter/flutter/pull/38560) refactor cocoapods validator to detect broken install (cla: yes, tool)
[38568](https://github.com/flutter/flutter/pull/38568) Normalize assert checking of clipBehavior (CQ+1, cla: yes, f: material design, framework, severe: API break)
[38573](https://github.com/flutter/flutter/pull/38573) Clamp scrollOffset to prevent textfield bouncing (a: text input, cla: yes, framework)
[38576](https://github.com/flutter/flutter/pull/38576) flutter_tools/version: git log.showSignature=false (cla: yes, tool)
[38583](https://github.com/flutter/flutter/pull/38583) Added InheritedTheme (cla: yes, f: material design, framework)
[38632](https://github.com/flutter/flutter/pull/38632) Flutter Plugin Tool supports multi-platform plugin config (cla: yes, tool)
[38643](https://github.com/flutter/flutter/pull/38643) PlatformViewLink handles focus (a: platform-views, cla: yes, framework)
[38650](https://github.com/flutter/flutter/pull/38650) Allow independent theming of Persistent and Modal bottom sheets (cla: yes, f: material design, framework)
[38654](https://github.com/flutter/flutter/pull/38654) [flutter_tool] Remove some async file io (cla: yes, tool)
[38699](https://github.com/flutter/flutter/pull/38699) fix widgetspan does not work with ellipsis in text widget (cla: yes, framework)
[38709](https://github.com/flutter/flutter/pull/38709) [Material] Add contentPadding property to SwitchListTile (cla: yes, f: material design, framework)
[38712](https://github.com/flutter/flutter/pull/38712) Show process error when iOS install fails (cla: yes, tool)
[38723](https://github.com/flutter/flutter/pull/38723) Handle compilation failures from web application (cla: yes, tool, ☸ platform-web)
[38724](https://github.com/flutter/flutter/pull/38724) Remove xcconfigs from template Copy Bundle Resources build phases (cla: yes, d: examples, t: xcode, team, team: gallery, tool, ⌺ platform-ios)
[38726](https://github.com/flutter/flutter/pull/38726) Make disabled buttons/chips/text fields not be focusable. (CQ+1, cla: yes, f: material design, framework)
[38748](https://github.com/flutter/flutter/pull/38748) Create correctly structured framework for macOS (cla: yes, tool)
[38789](https://github.com/flutter/flutter/pull/38789) Fix DragTarget not being rebuilt when a rejected Draggable enters #38786 (cla: yes, framework)
[38813](https://github.com/flutter/flutter/pull/38813) Add ToggleButtons.textStyle property (cla: yes, f: material design, framework)
[38814](https://github.com/flutter/flutter/pull/38814) Add iOS backdrop filter benchmarks (cla: yes, severe: performance, team)
[38815](https://github.com/flutter/flutter/pull/38815) Revert "Added a composable waitForCondition Driver/extension API (#37… (a: tests, cla: yes, framework)
[38821](https://github.com/flutter/flutter/pull/38821) Cache caret parameters (a: text input, cla: yes, framework, severe: performance)
[38823](https://github.com/flutter/flutter/pull/38823) Print service url when connecting to web applications (cla: yes, tool, ☸ platform-web)
[38831](https://github.com/flutter/flutter/pull/38831) [Material] Add clip property to bottom sheet and theme (cla: yes, f: material design, framework)
[38833](https://github.com/flutter/flutter/pull/38833) More explicit link to xkcd in CoC (cla: yes)
[38836](https://github.com/flutter/flutter/pull/38836) Added a composable waitForCondition Driver/extension API. (a: tests, cla: yes, framework)
[38840](https://github.com/flutter/flutter/pull/38840) Fix analyzer issues for onReportTiming to frameTiming (a: tests, cla: yes, framework)
[38858](https://github.com/flutter/flutter/pull/38858) Use GLFW-name artifacts on Windows and Linux (cla: yes, tool)
[38861](https://github.com/flutter/flutter/pull/38861) Replace deprecated onReportTimings w/ frameTimings (cla: yes, framework, severe: performance)
[38866](https://github.com/flutter/flutter/pull/38866) Revert "Automatic focus highlight mode for FocusManager (#37825)" (cla: yes, f: material design, framework)
[38869](https://github.com/flutter/flutter/pull/38869) Store file hashes per build configuration. (cla: yes, tool)
[38894](https://github.com/flutter/flutter/pull/38894) [flutter_tool] Move http request close under try-catch (cla: yes, tool)
[38895](https://github.com/flutter/flutter/pull/38895) [Shrine] Adding outlines to text fields (cla: yes, d: examples, team, team: gallery)
[38898](https://github.com/flutter/flutter/pull/38898) ToggleButtons test improvement (cla: yes, f: material design, framework)
[38905](https://github.com/flutter/flutter/pull/38905) Remove iphonesimulator from SUPPORTED_PLATFORMS for Profile and Release modes (cla: yes, t: xcode, tool, ⌺ platform-ios)
[38907](https://github.com/flutter/flutter/pull/38907) Throw error when hot reload enters bad state (cla: yes, tool)
[38909](https://github.com/flutter/flutter/pull/38909) Add support for macOS release/profile mode (3 of 3) (cla: yes, tool, ⌘ platform-mac)
[38916](https://github.com/flutter/flutter/pull/38916) Update BUILD.gn for package:flutter_test (a: tests, cla: yes, framework)
[38920](https://github.com/flutter/flutter/pull/38920) [flutter_tool] Handle crashes from doctor validators (cla: yes, tool)
[38922](https://github.com/flutter/flutter/pull/38922) Better docs for text (ready to land) (cla: yes, framework, waiting for tree to go green)
[38925](https://github.com/flutter/flutter/pull/38925) [flutter_tool] Only send one crash report per run (cla: yes, tool)
[38930](https://github.com/flutter/flutter/pull/38930) Implement system fonts system channel listener (cla: yes, framework)
[38932](https://github.com/flutter/flutter/pull/38932) Add build warning for non-debug desktop builds (cla: yes, tool)
[38936](https://github.com/flutter/flutter/pull/38936) Fix KeySet<T> (and LogicalKeySet) hashCode calculation (cla: yes, framework)
[38979](https://github.com/flutter/flutter/pull/38979) Adding onEnd callback to implicit animated widgets (a: animation, cla: yes, framework, waiting for tree to go green)
[38992](https://github.com/flutter/flutter/pull/38992) Clean Xcode workspace during flutter clean (cla: yes, tool)
[38999](https://github.com/flutter/flutter/pull/38999) Mark smoke_catalina_start_up not flaky (CQ+1, cla: yes, team)
[39000](https://github.com/flutter/flutter/pull/39000) Dont throw StateError when calling assemble (CQ+1, cla: yes, tool)
[39005](https://github.com/flutter/flutter/pull/39005) [flutter_tool] Teach crash reporter about HttpException (cla: yes, tool)
[39006](https://github.com/flutter/flutter/pull/39006) Add web workflow to default validators (cla: yes, tool)
[39013](https://github.com/flutter/flutter/pull/39013) Update package versions to latest (cla: yes, tool)
[39017](https://github.com/flutter/flutter/pull/39017) Add "OneSequenceRecognizer.resolvePointer". Fix DragGestureRecognizer crash on multiple pointers (a: desktop, cla: yes, f: gestures, framework)
[39052](https://github.com/flutter/flutter/pull/39052) Make forward calls run interactively (cla: yes, tool)
[39056](https://github.com/flutter/flutter/pull/39056) Fixed issues with Background Color #34741 (cla: yes, f: cupertino, framework)
[39059](https://github.com/flutter/flutter/pull/39059) Explain const values in MediaQuery test file (cla: yes, framework)
[39066](https://github.com/flutter/flutter/pull/39066) Kill resident runner on browser disconnect. (cla: yes, tool, ☸ platform-web)
[39072](https://github.com/flutter/flutter/pull/39072) Break dependency of tools/lib/src from lib/src/commands/ (cla: yes, tool)
[39073](https://github.com/flutter/flutter/pull/39073) Add profile mode to flutter web applications (cla: yes, tool, ☸ platform-web)
[39079](https://github.com/flutter/flutter/pull/39079) fix widget built twice during warm up frame (cla: yes, f: scrolling, framework, severe: API break, waiting for tree to go green)
[39080](https://github.com/flutter/flutter/pull/39080) Fix plugin template app's tests (cla: yes, team, tool)
[39082](https://github.com/flutter/flutter/pull/39082) Golden Doc Updates (a: tests, cla: yes, d: api docs, d: examples, framework, waiting for tree to go green)
[39085](https://github.com/flutter/flutter/pull/39085) Make inspector details subtree depth configurable. (cla: yes, framework)
[39088](https://github.com/flutter/flutter/pull/39088) Doc Improvements for SliverFillRemaining (cla: yes, d: api docs, d: examples, framework, waiting for tree to go green)
[39089](https://github.com/flutter/flutter/pull/39089) Correct InheritedTheme.captureAll() for multiple theme ancestors of the same type (cla: yes, framework)
[39124](https://github.com/flutter/flutter/pull/39124) Update image_list example to use https instead of http (a: images, cla: yes, d: examples, framework, team)
[39126](https://github.com/flutter/flutter/pull/39126) Fid app bundle in Gradle 3.5 (cla: yes, tool)
[39136](https://github.com/flutter/flutter/pull/39136) [flutter_tool] Some additional input validation for 'version' (cla: yes, tool, waiting for tree to go green)
[39140](https://github.com/flutter/flutter/pull/39140) Move commands into their own shard (cla: yes, tool)
[39142](https://github.com/flutter/flutter/pull/39142) fix sliverfixedextent with sliverchildbuilderdelegate does not correc… (cla: yes, f: scrolling, framework)
[39144](https://github.com/flutter/flutter/pull/39144) Add the textAlignVertical param to TextFormField (cla: yes, f: material design, framework)
[39145](https://github.com/flutter/flutter/pull/39145) Add missing files in the Gradle wrapper directory (cla: yes, t: gradle, tool)
[39147](https://github.com/flutter/flutter/pull/39147) Downgrade the AndroidX warning (cla: yes, tool)
[39150](https://github.com/flutter/flutter/pull/39150) Mention [email protected] (cla: yes, waiting for tree to go green)
[39156](https://github.com/flutter/flutter/pull/39156) Added Scaffold.extendBodyBehindAppBar (cla: yes, f: material design, framework)
[39157](https://github.com/flutter/flutter/pull/39157) Use new Maven artifacts from Gradle (cla: yes, t: gradle, tool)
[39160](https://github.com/flutter/flutter/pull/39160) Revert "echo error messages to stderr" (cla: yes, waiting for tree to go green)
[39189](https://github.com/flutter/flutter/pull/39189) fix source map loading and service protocol for flutter web (cla: yes, tool)
[39195](https://github.com/flutter/flutter/pull/39195) respect reversed scroll views (cla: yes, framework)
[39196](https://github.com/flutter/flutter/pull/39196) Added a Driver wait condition for no pending platform messages (a: tests, cla: yes, framework)
[39198](https://github.com/flutter/flutter/pull/39198) Docs (a: tests, cla: yes, f: material design, framework)
[39214](https://github.com/flutter/flutter/pull/39214) Place terminalUi flag on terminal interface (cla: yes, tool)
[39215](https://github.com/flutter/flutter/pull/39215) CupertinoActionSheet dark mode & fidelity (cla: yes, f: cupertino, framework)
[39225](https://github.com/flutter/flutter/pull/39225) Manul engine roll to d4932ba71 (cla: yes, engine)
[39252](https://github.com/flutter/flutter/pull/39252) Adds relayout option to CustomMultiChildLayout. (cla: yes, customer: wednesday, framework)
[39263](https://github.com/flutter/flutter/pull/39263) Change SliverGeometry.maxScrollObstructionExtent for RenderSliverFloatingPersistentHeader to match docs (cla: yes, framework)
[39264](https://github.com/flutter/flutter/pull/39264) Add profile support on macOS (cla: yes, tool)
[39274](https://github.com/flutter/flutter/pull/39274) Use output dir instead of specific paths in assemble rules (cla: yes, tool)
[39280](https://github.com/flutter/flutter/pull/39280) [flutter_tool] Use a timeout for xcode showBuildSettings (cla: yes, tool)
[39282](https://github.com/flutter/flutter/pull/39282) Expose text metrics in TextPainter. (cla: yes, framework)
[39286](https://github.com/flutter/flutter/pull/39286) Update docs for GrowthDirection and scrollOffset (cla: yes, d: api docs, framework, waiting for tree to go green)
[39289](https://github.com/flutter/flutter/pull/39289) CupertinoActivityIndicator & CupertinoApp dark mode (cla: yes, f: cupertino, framework)
[39299](https://github.com/flutter/flutter/pull/39299) Add showAboutDialog sample (cla: yes, f: material design, framework)
[39300](https://github.com/flutter/flutter/pull/39300) Add smoke tests for Catalina/Android testing. (cla: yes, team)
[39312](https://github.com/flutter/flutter/pull/39312) let flutter build aar use a local engine (cla: yes, tool)
[39333](https://github.com/flutter/flutter/pull/39333) Allow independent theming of Persistent and Modal bottom sheets Background Color (cla: yes, f: material design, framework)
[39338](https://github.com/flutter/flutter/pull/39338) [flutter_tool] Create a temp snapshot to run create_test.dart tests (cla: yes, tool)
[39344](https://github.com/flutter/flutter/pull/39344) Upstream changes necessary for text editing in flutter web (a: text input, cla: yes, framework, ☸ platform-web)
[39345](https://github.com/flutter/flutter/pull/39345) Adding header rule to FB hosting for API docs. (cla: yes, team)
[39347](https://github.com/flutter/flutter/pull/39347) Revert "Add smoke tests for Catalina/Android testing." (cla: yes, team)
[39353](https://github.com/flutter/flutter/pull/39353) Rename macos_build_flutter_assets.sh (cla: yes, tool)
[39354](https://github.com/flutter/flutter/pull/39354) Add IterableFlagsProperty and use it on proxy box classes (cla: yes, framework)
[39357](https://github.com/flutter/flutter/pull/39357) Relax requirements around local engine, build hello_world with bitcode (cla: yes, d: examples, t: xcode, team, tool, ⌺ platform-ios)
[39358](https://github.com/flutter/flutter/pull/39358) surface errors from build runner (cla: yes, tool)
[39361](https://github.com/flutter/flutter/pull/39361) [devicelab] Reland adding smoke tests for Catalina/Android testing (cla: yes, team)
[39363](https://github.com/flutter/flutter/pull/39363) Move ios tests to the right section (cla: yes, team)
[39364](https://github.com/flutter/flutter/pull/39364) Correct libraries path and remove dart:io and dart:isolate for dart platform (cla: yes, tool, ☸ platform-web)
[39414](https://github.com/flutter/flutter/pull/39414) Make sure profile is forwarded through build web command (cla: yes, tool, ☸ platform-web)
[39428](https://github.com/flutter/flutter/pull/39428) Replace doc example text (cla: yes, framework)
[39429](https://github.com/flutter/flutter/pull/39429) Update packages --force-upgrade (cla: yes, team)
[39430](https://github.com/flutter/flutter/pull/39430) make CupertinoDynamicColor const constructible (cla: yes, f: cupertino, framework)
[39431](https://github.com/flutter/flutter/pull/39431) Revert "Relax requirements around local engine, build hello_world with bitcode" (cla: yes, d: examples, team, tool)
[39432](https://github.com/flutter/flutter/pull/39432) Do not hide .git in zip for Windows (cla: yes, team, waiting for tree to go green)
[39433](https://github.com/flutter/flutter/pull/39433) Add helperMaxLines to InputDecoration and InputDecorationTheme (cla: yes, f: material design, framework)
[39434](https://github.com/flutter/flutter/pull/39434) Reland "Relax arguments around local engine, build hello_world with bitcode" (cla: yes, d: examples, team, tool)
[39439](https://github.com/flutter/flutter/pull/39439) Measure iOS CPU/GPU percentage (cla: yes, severe: performance, team)
[39440](https://github.com/flutter/flutter/pull/39440) Allow gaps in the initial route (cla: yes, f: routes, framework, severe: API break, ☸ platform-web)
[39445](https://github.com/flutter/flutter/pull/39445) [flutter_tool] Add onError callback to asyncGuard. Use it in Doctor (cla: yes, tool)
[39446](https://github.com/flutter/flutter/pull/39446) Add viewType to PlatformViewLink (a: platform-views, cla: yes, framework)
[39447](https://github.com/flutter/flutter/pull/39447) Revert "Better docs for text (ready to land)" (cla: yes, f: material design, framework)
[39448](https://github.com/flutter/flutter/pull/39448) Update README.md (cla: yes, team)
[39450](https://github.com/flutter/flutter/pull/39450) Check phone number formatting in the gallery text fields demo (cla: yes, d: examples, f: material design, team, team: gallery)
[39457](https://github.com/flutter/flutter/pull/39457) Log flags in build apk and appbundle (cla: yes)
[39462](https://github.com/flutter/flutter/pull/39462) Remove run in shell and add unit test for chrome launching (cla: yes, tool, ☸ platform-web)
[39463](https://github.com/flutter/flutter/pull/39463) Update validation to support Xcode11 version (cla: yes, t: xcode, tool, waiting for tree to go green, 💻platform-catalina)
[39503](https://github.com/flutter/flutter/pull/39503) Remove bitcode=NO from add-to-app flows (cla: yes, team, tool)
[39504](https://github.com/flutter/flutter/pull/39504) Revert "Expose text metrics in TextPainter." (cla: yes, framework)
[39505](https://github.com/flutter/flutter/pull/39505) fix recursiveCopy to preserve executable bit (cla: yes, team)
[39509](https://github.com/flutter/flutter/pull/39509) Skip failing add2app test to unblock roll (a: tests, cla: yes, team)
[39514](https://github.com/flutter/flutter/pull/39514) kill leaked chrome processes (cla: yes, team)
[39515](https://github.com/flutter/flutter/pull/39515) migrate from slow async io calls (a: tests, cla: yes, framework, team)
[39519](https://github.com/flutter/flutter/pull/39519) Reland "Expose LineMetrics in TextPainter (#39282)" (cla: yes, framework)
[39523](https://github.com/flutter/flutter/pull/39523) Revert "Add handling of 'TextInput.clearClient' message from platform… (cla: yes, framework)
[39524](https://github.com/flutter/flutter/pull/39524) Register flutterVersion service in flutter_tools. (cla: yes, tool)
[39530](https://github.com/flutter/flutter/pull/39530) keep symbols for profile (cla: yes, tool)
[39535](https://github.com/flutter/flutter/pull/39535) Do not render any frames when just initializing Bindings (a: tests, cla: yes, framework, severe: API break, waiting for tree to go green)
[39539](https://github.com/flutter/flutter/pull/39539) Keep Flutter.framework binaries writable so they can be code signed (a: existing-apps, cla: yes, t: xcode, tool)
[39540](https://github.com/flutter/flutter/pull/39540) Revert "Roll engine 9a17d8e45197..101e03c1c841 (4 commits)" (cla: yes, engine)
[39541](https://github.com/flutter/flutter/pull/39541) Handle single unsupported device (cla: yes, team, tool)
[39543](https://github.com/flutter/flutter/pull/39543) create .dart_tool if it is missing (cla: yes, tool, ☸ platform-web)
[39545](https://github.com/flutter/flutter/pull/39545) remove a period from the service protocol printout (cla: yes, tool)
[39555](https://github.com/flutter/flutter/pull/39555) Use feature flags to control build command visibility (cla: yes, tool)
[39558](https://github.com/flutter/flutter/pull/39558) Filter error message from skip build script checks (cla: yes, tool)
[39572](https://github.com/flutter/flutter/pull/39572) Prevent exception when creating a Divider borderSide (cla: yes, f: material design, framework)
[39577](https://github.com/flutter/flutter/pull/39577) Use dpr and window size from binding for accessibility guide (a: tests, cla: yes, framework)
[39579](https://github.com/flutter/flutter/pull/39579) [flutter_tools] Add a timeout to another showBuildSettings command (cla: yes, tool)
[39580](https://github.com/flutter/flutter/pull/39580) Mark flutter_gallery__transition_perf as non-flaky (cla: yes, team)
[39581](https://github.com/flutter/flutter/pull/39581) Update dartdoc to 0.28.5 (cla: yes, team)
[39583](https://github.com/flutter/flutter/pull/39583) Fix single action banner to ensure button alignment (cla: yes, f: material design, framework)
[39585](https://github.com/flutter/flutter/pull/39585) remove fallback code for ios/usb artifacts (cla: yes, tool, waiting for tree to go green)
[39588](https://github.com/flutter/flutter/pull/39588) Revert "fix recursiveCopy to preserve executable bit" (cla: yes, team)
[39589](https://github.com/flutter/flutter/pull/39589) Re-Land of HighlightMode change with benchmark improvements. (a: desktop, cla: yes, framework)
[39590](https://github.com/flutter/flutter/pull/39590) Fix user gesture in CupertinoPageRoute (cla: yes, f: cupertino, framework)
[39594](https://github.com/flutter/flutter/pull/39594) Reland "fix recursiveCopy to preserve executable bit" (cla: yes, team)
[39598](https://github.com/flutter/flutter/pull/39598) disable low value linux tests (cla: yes, team)
[39600](https://github.com/flutter/flutter/pull/39600) Let Material BackButton have a custom onPressed handler (cla: yes, f: material design, framework)
[39626](https://github.com/flutter/flutter/pull/39626) disable low value windows tests (cla: yes, team)
[39627](https://github.com/flutter/flutter/pull/39627) Default colorScheme data in ButtonThemeData (fix for #38655) (cla: yes, f: material design, framework, passed first triage)
[39628](https://github.com/flutter/flutter/pull/39628) Automatically generated registrants for web plugins (cla: yes, team, tool, ☸ platform-web)
[39632](https://github.com/flutter/flutter/pull/39632) Updates to debugFillProperties to test all properties in slider.dart and slider_test.dart (cla: yes, f: material design, framework, waiting for tree to go green)
[39654](https://github.com/flutter/flutter/pull/39654) Use persisted build information to automatically clean old outputs (cla: yes, tool)
[39670](https://github.com/flutter/flutter/pull/39670) Center action icons of swipe to dismiss example (cla: yes, d: examples, f: material design, team, team: gallery)
[39699](https://github.com/flutter/flutter/pull/39699) Detecting when installing over MingW's Git Bash, fixing paths (cla: yes, tool, waiting for tree to go green)
[39701](https://github.com/flutter/flutter/pull/39701) Remove input files argument to target (cla: yes, tool)
[39702](https://github.com/flutter/flutter/pull/39702) Fix macOS App.framework version symlink (cla: yes, tool)
[39747](https://github.com/flutter/flutter/pull/39747) Fix type mismatch in Gradle (cla: yes, tool)
[39748](https://github.com/flutter/flutter/pull/39748) print launching on device message (cla: yes, tool, ☸ platform-web)
[39751](https://github.com/flutter/flutter/pull/39751) Minor cleanup and prevent multiple exit (cla: yes, tool, ☸ platform-web)
[39752](https://github.com/flutter/flutter/pull/39752) Add delay to recompile request for web (cla: yes, tool)
[39756](https://github.com/flutter/flutter/pull/39756) remove web flag from create (cla: yes, tool)
[39761](https://github.com/flutter/flutter/pull/39761) Null TextWidthBasis docs (cla: yes, f: material design, framework)
[39765](https://github.com/flutter/flutter/pull/39765) CupertinoButton & Bottom tab bar dark mode (cla: yes, f: cupertino, f: material design, framework)
[39768](https://github.com/flutter/flutter/pull/39768) Revert "Remove input files argument to target" (cla: yes, tool)
[39769](https://github.com/flutter/flutter/pull/39769) remove input files argument to target (cla: yes, tool)
[39772](https://github.com/flutter/flutter/pull/39772) These Catalina tests are no longer flaky. (cla: yes, team)
[39774](https://github.com/flutter/flutter/pull/39774) workaround for mangled web sdk source map packages (cla: yes, tool)
[39776](https://github.com/flutter/flutter/pull/39776) handle browser refresh (cla: yes, tool)
[39778](https://github.com/flutter/flutter/pull/39778) Revert "Replace deprecated onReportTimings w/ frameTimings" (a: tests, cla: yes, framework)
[39780](https://github.com/flutter/flutter/pull/39780) Updates CORS origin for snippets to a wildcard. (cla: yes, team)
[39781](https://github.com/flutter/flutter/pull/39781) Add lib/generated_plugin_registrant.dart to gitignore (cla: yes, tool)
[39782](https://github.com/flutter/flutter/pull/39782) Allow specifying a project for Xcode getInfo (cla: yes, tool)
[39783](https://github.com/flutter/flutter/pull/39783) Hotfix for 1.9.1 (cla: yes, engine)
[39784](https://github.com/flutter/flutter/pull/39784) Revert Maven dependencies (#39747) (39157) (cla: yes, d: examples, team, tool)
[39786](https://github.com/flutter/flutter/pull/39786) Revert "Show search app bar theme" (cla: yes, f: material design, framework)
[39798](https://github.com/flutter/flutter/pull/39798) Reland #39157 (cla: yes, d: examples, team, tool, waiting for tree to go green)
[39834](https://github.com/flutter/flutter/pull/39834) update to the latest package:dwds (cla: yes, team)
[39836](https://github.com/flutter/flutter/pull/39836) Switch to the Win32 Windows embedding (a: desktop, cla: yes, tool, ❖ platform-windows)
[39837](https://github.com/flutter/flutter/pull/39837) Remove dead accessors of _getUnusedChangesInLastReload. (cla: yes, tool)
[39844](https://github.com/flutter/flutter/pull/39844) Fix curve for popping heroes (cla: yes, framework, waiting for tree to go green)
[39851](https://github.com/flutter/flutter/pull/39851) Build flutter_gallery with bitcode (cla: yes, d: examples, t: xcode, team, team: gallery, waiting for tree to go green, ⌺ platform-ios)
[39857](https://github.com/flutter/flutter/pull/39857) Update ToggleButtons constraints default and add new constraints parameter (cla: yes, f: material design, framework, severe: new feature)
[39859](https://github.com/flutter/flutter/pull/39859) Revert "Keep Flutter.framework binaries writable so they can be code signed" (cla: yes, tool)
[39899](https://github.com/flutter/flutter/pull/39899) [flutter_tool] process.dart cleanup (cla: yes, tool)
[39903](https://github.com/flutter/flutter/pull/39903) Fixed passing autofocus to MaterialButton, and when rebuilding Focus widget. (cla: yes, f: material design, framework)
[39910](https://github.com/flutter/flutter/pull/39910) If there are no web plugins, don't generate a plugin registrant (cla: yes, tool)
[39912](https://github.com/flutter/flutter/pull/39912) Revert "Build flutter_gallery with bitcode" (cla: yes, d: examples, team, team: gallery)
[39917](https://github.com/flutter/flutter/pull/39917) Fix new prefer_const_constructors after analyzer fix. (a: tests, cla: yes, d: examples, framework, team, team: gallery)
[39919](https://github.com/flutter/flutter/pull/39919) CupertinoDatePicker & CupertinoTimerPicker dark mode (cla: yes, f: cupertino, framework, severe: API break, will affect goldens)
[39924](https://github.com/flutter/flutter/pull/39924) Adds DartPad option to the DartDoc snippet generator. (cla: yes, f: material design, framework, team)
[39927](https://github.com/flutter/flutter/pull/39927) Make CupertinoDynamicColor.resolve return null when given a null color (cla: yes, f: cupertino, framework)
[39932](https://github.com/flutter/flutter/pull/39932) update packages --force upgrade (cla: yes, team)
[39934](https://github.com/flutter/flutter/pull/39934) remove dart dir chrome profile (cla: yes, tool)
[39945](https://github.com/flutter/flutter/pull/39945) added new lifecycle state (a: existing-apps, cla: yes, framework, severe: API break)
[39950](https://github.com/flutter/flutter/pull/39950) Register reload sources call and make 'r' restart for web (cla: yes, tool)
[39951](https://github.com/flutter/flutter/pull/39951) Add "web" server device to allow running flutter for web on arbitrary browsers (cla: yes, tool, ☸ platform-web)
[39983](https://github.com/flutter/flutter/pull/39983) Update the supported library set for Flutter for web (cla: yes, tool)
[39985](https://github.com/flutter/flutter/pull/39985) Revert "Correct libraries path and remove dart:io and dart:isolate for dart platform" (cla: yes, tool)
[39986](https://github.com/flutter/flutter/pull/39986) Enable Proguard by default on release mode (cla: yes, tool)
[39988](https://github.com/flutter/flutter/pull/39988) Roll build runner and remove delay (cla: yes, team, tool, ☸ platform-web)
[39997](https://github.com/flutter/flutter/pull/39997) Remove visibleForTesting annotation; this constructor is used outside… (cla: yes, passed first triage, tool, waiting for tree to go green)
[39999](https://github.com/flutter/flutter/pull/39999) Disable the performance overlay for web (cla: yes, framework, ☸ platform-web)
[40001](https://github.com/flutter/flutter/pull/40001) Update to latest dwds (cla: yes, team)
[40005](https://github.com/flutter/flutter/pull/40005) Cherry-picks for 1.9.1 (cla: yes, engine)
[40007](https://github.com/flutter/flutter/pull/40007) CupertinoAlertDialog dark mode & CupertinoActionSheet fidelity (cla: yes, f: cupertino, framework)
[40009](https://github.com/flutter/flutter/pull/40009) Add null check to _IndicatorPainter._tabOffsetsEqual() to prevent crash (cla: yes, f: material design, framework, severe: crash)
[40011](https://github.com/flutter/flutter/pull/40011) [windows] Searches for pre-release and 'all' Visual Studio installations (cla: yes, tool, ❖ platform-windows)
[40029](https://github.com/flutter/flutter/pull/40029) [BUG] Process all children of intent-filter instead of just the first one to identify default activity (cla: yes, passed first triage, tool, waiting for tree to go green)
[40045](https://github.com/flutter/flutter/pull/40045) clean up use of build runner internals (cla: yes, tool)
[40048](https://github.com/flutter/flutter/pull/40048) fix typo (cla: yes, framework, passed first triage, waiting for tree to go green)
[40049](https://github.com/flutter/flutter/pull/40049) Use build runners script gen directly. (cla: yes, tool)
[40066](https://github.com/flutter/flutter/pull/40066) use IOOverrides to allow inject file system, write test, find bug (cla: yes, tool)
[40089](https://github.com/flutter/flutter/pull/40089) Diagrams and samples for Rank 20-30 popular api docs (cla: yes, d: api docs, d: examples, f: material design, framework, from: study)
[40099](https://github.com/flutter/flutter/pull/40099) Fix double.infinity serialization (cla: yes, framework)
[40100](https://github.com/flutter/flutter/pull/40100) Fix a problem with disposing of focus nodes in tab scaffold (cla: yes, f: cupertino, framework)
[40102](https://github.com/flutter/flutter/pull/40102) Lower the iterations on flutter_gallery__back_button_memory (cla: yes, team)
[40105](https://github.com/flutter/flutter/pull/40105) Ensure frame is scheduled when root widget is attached (cla: yes, framework)
[40112](https://github.com/flutter/flutter/pull/40112) Revert engine roll (cla: yes, engine)
[40117](https://github.com/flutter/flutter/pull/40117) Show outdated CocoaPods version in hint text (cla: yes, t: flutter doctor, tool, waiting for tree to go green)
[40119](https://github.com/flutter/flutter/pull/40119) fix skips to include all channels (cla: yes)
[40131](https://github.com/flutter/flutter/pull/40131) ensure we use pub from flutter SDK (cla: yes, tool)
[40155](https://github.com/flutter/flutter/pull/40155) Remove failing devicelab tests (cla: yes, team)
[40159](https://github.com/flutter/flutter/pull/40159) [flutter_tool] Kill a timing-out process before trying to drain its streams (cla: yes, tool)
[40161](https://github.com/flutter/flutter/pull/40161) Add fullscreenDialog argument in PageRouteBuilder (cla: yes, f: routes, framework, severe: new feature, waiting for tree to go green)
[40165](https://github.com/flutter/flutter/pull/40165) Channel buffers (cla: yes, framework)
[40166](https://github.com/flutter/flutter/pull/40166) Added proper focus handling when pushing and popping routes (cla: yes, f: material design, framework, severe: API break)
[40171](https://github.com/flutter/flutter/pull/40171) Place hot reload artifacts in a temp directory (cla: yes, tool)
[40174](https://github.com/flutter/flutter/pull/40174) Keep Flutter.framework binaries writable so they can be code signed (cla: yes, tool)
[40175](https://github.com/flutter/flutter/pull/40175) Ensure we send hot restart events for flutter web (cla: yes, tool)
[40179](https://github.com/flutter/flutter/pull/40179) Update PopupMenu layout (cla: yes, f: material design, framework, severe: API break)
[40181](https://github.com/flutter/flutter/pull/40181) Update Kotlin and Gradle version (a: accessibility, cla: yes, d: examples, team, team: gallery, tool)
[40186](https://github.com/flutter/flutter/pull/40186) Add shortcuts and actions for default focus traversal (a: desktop, cla: yes, framework, team)
[40189](https://github.com/flutter/flutter/pull/40189) Dark mode CupertinoNavigationBar (cla: yes, f: cupertino, framework, will affect goldens)
[40190](https://github.com/flutter/flutter/pull/40190) disable bitcode for hello_world (cla: yes, d: examples, team)
[40191](https://github.com/flutter/flutter/pull/40191) add host and port to run configuration for web devices (cla: yes, tool, ☸ platform-web)
[40193](https://github.com/flutter/flutter/pull/40193) Pass local engine in flutter_test_performance benchmark (cla: yes, team)
[40194](https://github.com/flutter/flutter/pull/40194) Add an ephemeral directory to Windows projects (a: desktop, cla: yes, tool)
[40195](https://github.com/flutter/flutter/pull/40195) Make Swift plugin template swift-format compliant (cla: yes, tool)
[40197](https://github.com/flutter/flutter/pull/40197) [windows] Refactor to optimize vswhere queries (cla: yes, t: flutter doctor, tool, ❖ platform-windows)
[40200](https://github.com/flutter/flutter/pull/40200) Disable foundation tests since some are failing (cla: yes, team)
[40204](https://github.com/flutter/flutter/pull/40204) Revert "build bundle with assemble" (cla: yes, team, tool)
[40210](https://github.com/flutter/flutter/pull/40210) make sure we launch with dwds (cla: yes, tool)
[40259](https://github.com/flutter/flutter/pull/40259) remove io and isolate from libraries (cla: yes, tool)
[40263](https://github.com/flutter/flutter/pull/40263) Fix crash on vswhere search from flutter doctor (cla: yes, severe: crash, t: flutter doctor, tool, ❖ platform-windows)
[40266](https://github.com/flutter/flutter/pull/40266) Lower the iteration count on back_button_memory test (cla: yes, team)
[40275](https://github.com/flutter/flutter/pull/40275) Manual roll of engine 7ea9884...5b94c8a (64 commits) (cla: yes, engine)
[40280](https://github.com/flutter/flutter/pull/40280) PlatformView: recreate surface if the controller changes (a: platform-views, cla: yes, framework)
[40282](https://github.com/flutter/flutter/pull/40282) Flip the default for proguard (cla: yes, tool, waiting for tree to go green)
[40285](https://github.com/flutter/flutter/pull/40285) Enable FTL reporting on an integration test (cla: yes, d: examples, team)
[40291](https://github.com/flutter/flutter/pull/40291) range_slider_test.dart diagnostics property tests (cla: yes, f: material design, framework)
[40294](https://github.com/flutter/flutter/pull/40294) fix copy command and remove resolve sync for macOS assemble (cla: yes, tool)
[40301](https://github.com/flutter/flutter/pull/40301) Allow skipping webOnlyInitializePlatform in Flutter for Web (cla: yes, tool)
[40302](https://github.com/flutter/flutter/pull/40302) Set DEFINES_MODULE for FlutterPluginRegistrant to generate modulemap (a: existing-apps, cla: yes, team, tool)
[40304](https://github.com/flutter/flutter/pull/40304) Revert engine roll (cla: yes, engine)
[40306](https://github.com/flutter/flutter/pull/40306) Restore offstage and ticker mode after hero pop and the from hero is null (cla: yes, framework)
[40359](https://github.com/flutter/flutter/pull/40359) Revert engine roll (cla: yes, engine)
[40366](https://github.com/flutter/flutter/pull/40366) Place existing dill into hot reload temp directory to boost initialization time (cla: yes, tool)
[40367](https://github.com/flutter/flutter/pull/40367) [Docs] Create 'center' snippets template (cla: yes, f: material design, framework, team)
[40368](https://github.com/flutter/flutter/pull/40368) ensure dart2js does not compile unsupported packages (cla: yes, tool)
[40370](https://github.com/flutter/flutter/pull/40370) rename port to web-port and hostname to web-hostname (cla: yes, tool)
[40372](https://github.com/flutter/flutter/pull/40372) Roll engine from 7ea9884..3c6383f (77 commits 🔥) (cla: yes, engine, waiting for tree to go green)
[40375](https://github.com/flutter/flutter/pull/40375) Harden macOS build use of Xcode project getInfo (cla: yes, tool)
[40386](https://github.com/flutter/flutter/pull/40386) Revert "Roll engine from 7ea9884..3c6383f (77 commits 🔥) (#40372)" (cla: yes, engine)
[40390](https://github.com/flutter/flutter/pull/40390) a11y improvements for textfield (cla: yes, f: material design, framework, waiting for tree to go green)
[40391](https://github.com/flutter/flutter/pull/40391) Place conditional imports on same line (a: tests, cla: yes, framework)
[40393](https://github.com/flutter/flutter/pull/40393) Convert build mode to lowercase in tool_backend (a: desktop, cla: yes, tool)
[40394](https://github.com/flutter/flutter/pull/40394) Roll engine to 6e6de944536b820e4f148036b01004ef0ed68917 (cla: yes, engine)
[40397](https://github.com/flutter/flutter/pull/40397) Adds list required components when VS is not installed (cla: yes, t: flutter doctor, tool, ❖ platform-windows)
[40398](https://github.com/flutter/flutter/pull/40398) roll ios-deploy version to 2fbbee77ea2b3212959b9dddda816f59094cd7cd (cla: yes, tool)
[40399](https://github.com/flutter/flutter/pull/40399) Fix for broken LocalFileComparator output (a: tests, cla: yes, framework)
[40401](https://github.com/flutter/flutter/pull/40401) Make FlutterPluginRegistrant a static framework so add-to-app can use static framework plugins (a: existing-apps, cla: yes, tool, waiting for tree to go green, ⌺ platform-ios)
[40404](https://github.com/flutter/flutter/pull/40404) Revert "Roll engine to 6e6de944536b820e4f148036b01004ef0ed68917 (#403… (cla: yes, engine)
[40410](https://github.com/flutter/flutter/pull/40410) Remove fluter tool usage of protobuf (cla: yes, team, tool)
[40435](https://github.com/flutter/flutter/pull/40435) [flutter_tool] Remove the synchronous -showBuildSettings (cla: yes, tool)
[40440](https://github.com/flutter/flutter/pull/40440) Rename useProguard method, so Gradle doesn't get confused (cla: yes, tool, waiting for tree to go green)
[40441](https://github.com/flutter/flutter/pull/40441) Remove all flaky marks (cla: yes, team)
[40442](https://github.com/flutter/flutter/pull/40442) Roll engine 7ea9884..1b6344439 (91 commits 🔥🔥🔥) (cla: yes, engine)
[40446](https://github.com/flutter/flutter/pull/40446) [flutter_tool] Use curly braces around single statment control structures (cla: yes, tool)
[40447](https://github.com/flutter/flutter/pull/40447) Implement mdns for `flutter run` (cla: yes, tool, ⌺ platform-ios)
[40453](https://github.com/flutter/flutter/pull/40453) Enable R8 (a: accessibility, cla: yes, d: examples, team, team: gallery, tool, waiting for tree to go green)
[40454](https://github.com/flutter/flutter/pull/40454) Dark Mode R: Refresh Control (cla: yes, f: cupertino, framework)
[40461](https://github.com/flutter/flutter/pull/40461) Implement DropdownButton.selectedItemBuilder (cla: yes, f: material design, framework, severe: new feature)
[40465](https://github.com/flutter/flutter/pull/40465) Pass --web-hostname and --web-port to release mode debugging options (cla: yes, tool)
[40466](https://github.com/flutter/flutter/pull/40466) ModalRoutes ignore input when a (cupertino) pop transition is underway (cla: yes, f: cupertino, f: material design, framework)
[40468](https://github.com/flutter/flutter/pull/40468) Propagate textfield character limits to semantics (a: accessibility, cla: yes, f: material design, framework, waiting for tree to go green)
[40470](https://github.com/flutter/flutter/pull/40470) Reland: implement build bundle with assemble (cla: yes, team, tool)
[40472](https://github.com/flutter/flutter/pull/40472) Dont kill other processes when starting desktop application (cla: yes, tool)
[40555](https://github.com/flutter/flutter/pull/40555) [Docs] Add missing trailing comma to stateful_widget_scaffold_center template (cla: yes, team)
[40566](https://github.com/flutter/flutter/pull/40566) Remove CupertinoSystemColors in favor of CupertinoColors (cla: yes, f: cupertino, framework, severe: API break)
[40587](https://github.com/flutter/flutter/pull/40587) Add an ephemeral directory for Linux (cla: yes, tool)
[40607](https://github.com/flutter/flutter/pull/40607) New overview for animations library (a: animation, cla: yes, d: api docs, d: examples, framework, from: study, waiting for tree to go green)
[40608](https://github.com/flutter/flutter/pull/40608) Add the option to configure a chip check mark color (cla: yes, f: material design, framework)
[40609](https://github.com/flutter/flutter/pull/40609) Specify ifTrue and ifFalse for strut FlagProperty (cla: yes, framework)
[40610](https://github.com/flutter/flutter/pull/40610) Enable the resource shrinker (cla: yes, tool)
[40611](https://github.com/flutter/flutter/pull/40611) Warn when build number and version can't be parsed on iOS (cla: yes, tool, ⌺ platform-ios)
[40617](https://github.com/flutter/flutter/pull/40617) Wait for first frame in driver tests (cla: yes, d: examples, team, team: gallery)
[40624](https://github.com/flutter/flutter/pull/40624) Revert "Measure iOS CPU/GPU percentage" (cla: yes, team)
[40627](https://github.com/flutter/flutter/pull/40627) Allow skipping chrome launch with --no-web-browser-launch (cla: yes, tool)
[40630](https://github.com/flutter/flutter/pull/40630) enable foundation and physics tests on the Web (cla: yes, team)
[40634](https://github.com/flutter/flutter/pull/40634) Benchmark for un-triaged image results on Flutter Gold (a: tests, cla: yes, framework, team, waiting for tree to go green)
[40635](https://github.com/flutter/flutter/pull/40635) Return WidgetSpans from getSpanForPosition (cla: yes, framework)
[40636](https://github.com/flutter/flutter/pull/40636) Dark mode for CupertinoSwitch and CupertinoScrollbar, Fidelity updates (a: tests, cla: yes, f: cupertino, framework, severe: API break, will affect goldens)
[40638](https://github.com/flutter/flutter/pull/40638) Allow sending platform messages from plugins to the framework and implement EventChannel (cla: yes, framework, plugin)
[40640](https://github.com/flutter/flutter/pull/40640) Exclude non Android plugins from Gradle build (cla: yes, team, tool)
[40641](https://github.com/flutter/flutter/pull/40641) Add onLongPress to Buttons (cla: yes, f: material design, framework, waiting for tree to go green)
[40665](https://github.com/flutter/flutter/pull/40665) Fix CupertinoTextField and TextField ToolbarOptions not changing (cla: yes, f: material design, framework, waiting for tree to go green)
[40678](https://github.com/flutter/flutter/pull/40678) Extract some onPress methods (cla: yes, d: examples, framework, team, team: gallery, waiting for tree to go green)
[40690](https://github.com/flutter/flutter/pull/40690) CupertinoPageScaffold dark mode (cla: yes, f: cupertino, framework, severe: API break)
[40692](https://github.com/flutter/flutter/pull/40692) fix platform environment (cla: yes, tool)
[40695](https://github.com/flutter/flutter/pull/40695) TextField docs for getting value (a: text input, cla: yes, d: api docs, f: material design, framework)
[40697](https://github.com/flutter/flutter/pull/40697) Update keyboard maps (cla: yes, framework, team)
[40701](https://github.com/flutter/flutter/pull/40701) add missing trailing commas (in examples/) (cla: yes, d: examples, framework, team, team: gallery)
[40704](https://github.com/flutter/flutter/pull/40704) add missing trailing commas (in dev/) (cla: yes, framework, team)
[40706](https://github.com/flutter/flutter/pull/40706) Add fake keyboard key generation to the testing framework (a: tests, cla: yes, f: material design, framework)
[40709](https://github.com/flutter/flutter/pull/40709) Fixed Selectable text align is broken (cla: yes, framework)
[40710](https://github.com/flutter/flutter/pull/40710) Skia Gold Support for Local & PreSubmit Testing in package:flutter (a: images, a: tests, cla: yes, framework, severe: API break, team, will affect goldens)
[40713](https://github.com/flutter/flutter/pull/40713) Material textselection context menu cannot disable select all (cla: yes, f: material design, framework)
[40714](https://github.com/flutter/flutter/pull/40714) Revert "Propagate textfield character limits to semantics" (a: accessibility, a: tests, cla: yes, f: material design, framework)
[40715](https://github.com/flutter/flutter/pull/40715) [Flutter Driver] Simplified the serialization/deserialization logic of the Descendant/… (a: tests, cla: yes, framework)
[40718](https://github.com/flutter/flutter/pull/40718) Handle CR+LF end of line sequences in the license parser (cla: yes, framework)
[40730](https://github.com/flutter/flutter/pull/40730) Invalidate macOS pods on plugin changes (cla: yes, tool)
[40743](https://github.com/flutter/flutter/pull/40743) Added notice to docs that setPreferredOrientations does not always work on iPad (cla: yes, d: api docs, framework, waiting for tree to go green)
[40757](https://github.com/flutter/flutter/pull/40757) Fix visibility of web server device when Chrome is not available (cla: yes, tool)
[40766](https://github.com/flutter/flutter/pull/40766) Run `flutter update-packages --force-upgrade`. (cla: yes, team)
[40767](https://github.com/flutter/flutter/pull/40767) Reapply "Revert "Propagate textfield character limits to semantics (#40468)" (a: accessibility, a: tests, cla: yes, f: material design, framework, team, waiting for tree to go green)
[40775](https://github.com/flutter/flutter/pull/40775) Use EdgeInsetsGeometry instead of EdgeInsets (cla: yes, framework, waiting for tree to go green)
[40783](https://github.com/flutter/flutter/pull/40783) ensure debug builds are only accessible through run (cla: yes, tool)
[40786](https://github.com/flutter/flutter/pull/40786) Fix crash on vswhere query on missing installations (cla: yes, severe: crash, t: flutter doctor, tool, waiting for tree to go green, ❖ platform-windows)
[40792](https://github.com/flutter/flutter/pull/40792) Move build info checks from generating files to the xcode build (cla: yes, tool, ⌺ platform-ios)
[40795](https://github.com/flutter/flutter/pull/40795) Update toolchain description to request the latest version (CQ+1, cla: yes, t: flutter doctor, tool, waiting for tree to go green, ❖ platform-windows)
[40806](https://github.com/flutter/flutter/pull/40806) Allow test beds to override defaultTestTimeout (a: tests, cla: yes, framework, waiting for tree to go green)
[40810](https://github.com/flutter/flutter/pull/40810) Re-enable AAR plugins when an AndroidX failure occurred (cla: yes, team, tool)
[40851](https://github.com/flutter/flutter/pull/40851) Support create for macOS (app and plugin) (cla: yes, tool)
[40857](https://github.com/flutter/flutter/pull/40857) Give benchmark output dill path (cla: yes, team)
[40862](https://github.com/flutter/flutter/pull/40862) Revert "Reland: implement build bundle with assemble" (cla: yes, team, tool)
[40864](https://github.com/flutter/flutter/pull/40864) Move iOS and Android gitignore rules into folders (cla: yes, tool)
[40900](https://github.com/flutter/flutter/pull/40900) Stop using deprecated features from Gradle (cla: yes, tool)
[40917](https://github.com/flutter/flutter/pull/40917) AnimatedBuilder API Doc improvements (cla: yes, framework, waiting for tree to go green)
[40925](https://github.com/flutter/flutter/pull/40925) Use AndroidX in new projects by default (cla: yes, tool)
[40927](https://github.com/flutter/flutter/pull/40927) Make module pod headers public (a: existing-apps, cla: yes, tool, ⌺ platform-ios)
[40968](https://github.com/flutter/flutter/pull/40968) add missing trailing commas in flutter_tools (cla: yes, team, tool, waiting for tree to go green)
[40979](https://github.com/flutter/flutter/pull/40979) Revert "Run `flutter update-packages --force-upgrade`." (cla: yes, team)
[40984](https://github.com/flutter/flutter/pull/40984) Revert "Use separate isolate for image loading. (#34188)" (cla: yes, framework)
[40988](https://github.com/flutter/flutter/pull/40988) [flutter_tool] Report rss high watermark in command analytics events (cla: yes, tool)
[40993](https://github.com/flutter/flutter/pull/40993) Label bugs created via the SUPPORT template (cla: yes, team)
[40994](https://github.com/flutter/flutter/pull/40994) Fix the ThemeData.copyWith toggleButtonsTheme argument type (cla: yes, f: material design, framework, waiting for tree to go green)
[40995](https://github.com/flutter/flutter/pull/40995) Revert "Use AndroidX in new projects by default" (cla: yes, team, tool)
[40997](https://github.com/flutter/flutter/pull/40997) Force upgrade packages again. (cla: yes, team)
[41000](https://github.com/flutter/flutter/pull/41000) Fix run_release_test (cla: yes, team)
[41001](https://github.com/flutter/flutter/pull/41001) Revert "Revert "Use AndroidX in new projects by default"" (cla: yes, engine, waiting for tree to go green)
[41009](https://github.com/flutter/flutter/pull/41009) Add Sample code to SlideTransition (cla: yes, framework, team, waiting for tree to go green)
[41014](https://github.com/flutter/flutter/pull/41014) Fix mouse hover to not schedule a frame for every mouse move. (a: tests, cla: yes, f: material design, framework)
[41015](https://github.com/flutter/flutter/pull/41015) Add the beginnings of plugin support for Windows and Linux (a: desktop, cla: yes, tool, ❖ platform-windows, 🐧 platform-linux)
[41042](https://github.com/flutter/flutter/pull/41042) Revert "Re-enable AAR plugins when an AndroidX failure occurred" (cla: yes, team, tool)
[41076](https://github.com/flutter/flutter/pull/41076) add missing trailing commas in packages/flutter (cla: yes, framework, team, waiting for tree to go green)
[41108](https://github.com/flutter/flutter/pull/41108) Fixing a text editing bug happening when text field changes. (a: text input, cla: yes, framework)
[41120](https://github.com/flutter/flutter/pull/41120) Dropdown Menu layout respects menu items intrinsic sizes (cla: yes, f: material design, framework, will affect goldens)
[41142](https://github.com/flutter/flutter/pull/41142) Add embedding as API dependency instead of compile only dependency (cla: yes, team, tool, waiting for tree to go green)
[41145](https://github.com/flutter/flutter/pull/41145) Explicitly set CocoaPods version (cla: yes)
[41150](https://github.com/flutter/flutter/pull/41150) Rebuild modal routes when the value of userGestureInProgress changes (cla: yes, f: material design, framework)
[41160](https://github.com/flutter/flutter/pull/41160) Reland #40810: Re-enable AAR plugins when an AndroidX failure occurred (cla: yes, team, tool, waiting for tree to go green)
[41172](https://github.com/flutter/flutter/pull/41172) fix some bad indentations (cla: yes, f: material design, framework, team, tool)
[41206](https://github.com/flutter/flutter/pull/41206) Cherry-picks (cla: yes, engine)
[41207](https://github.com/flutter/flutter/pull/41207) Bump version of just package:multicast_dns (cla: yes, team)
[41211](https://github.com/flutter/flutter/pull/41211) Update AUTHORS (cla: yes, framework, waiting for tree to go green)
[41213](https://github.com/flutter/flutter/pull/41213) Revert engine roll (cla: yes, engine)
[41220](https://github.com/flutter/flutter/pull/41220) Add an ActivateAction to controls that use InkWell. (cla: yes, f: material design, framework, severe: API break, team)
[41222](https://github.com/flutter/flutter/pull/41222) Copy archived js part files out of dart_tool directory (cla: yes, tool, ☸ platform-web)
[41224](https://github.com/flutter/flutter/pull/41224) fix flutter error report correct local widget (a: error message, cla: yes, framework, from: study, team, tool)
[41229](https://github.com/flutter/flutter/pull/41229) V1.9.1 hotfixes (cla: yes, engine, team, tool)
[41230](https://github.com/flutter/flutter/pull/41230) Re-Re-land Implement flutter build bundle with assemble (cla: yes, team, tool)
[41232](https://github.com/flutter/flutter/pull/41232) Revert "Benchmark for un-triaged image results on Flutter Gold" (cla: yes, team)
[41234](https://github.com/flutter/flutter/pull/41234) Reland "Measure iOS CPU/GPU percentage (#39439)" (cla: yes, team)
[41240](https://github.com/flutter/flutter/pull/41240) Manual roll of the engine to 63949eb0fd982b27adc218364805913380af7411. (cla: yes, engine)
[41245](https://github.com/flutter/flutter/pull/41245) Change the way ActionDispatcher is found. (cla: yes, framework)
[41247](https://github.com/flutter/flutter/pull/41247) Desktop manual tests (cla: yes, f: material design, team)
[41251](https://github.com/flutter/flutter/pull/41251) Migrate examples and tests to AndroidX (a: accessibility, cla: yes, d: examples, team, team: gallery)
[41254](https://github.com/flutter/flutter/pull/41254) Test that flutter assets are contained in the APK (cla: yes, team)
[41263](https://github.com/flutter/flutter/pull/41263) fix bad indentation (cla: yes, framework, team)
[41295](https://github.com/flutter/flutter/pull/41295) Revert "Re-Re-land Implement flutter build bundle with assemble" (cla: yes, team, tool)
[41300](https://github.com/flutter/flutter/pull/41300) Modifying unit tests for editable_text (cla: yes, framework)
[41302](https://github.com/flutter/flutter/pull/41302) Re-Re-Re-land implement flutter build bundle with assemble (cla: yes, team, tool)
[41304](https://github.com/flutter/flutter/pull/41304) [flutter_tools] Allows adding multiple signal handlers (cla: yes, tool)
[41320](https://github.com/flutter/flutter/pull/41320) [Material] Remove text ripple from TextFields (cla: yes, f: material design, framework, waiting for tree to go green, will affect goldens)
[41326](https://github.com/flutter/flutter/pull/41326) Exception when selecting in TextField (cla: yes, f: cupertino, framework)
[41327](https://github.com/flutter/flutter/pull/41327) Incorporating Link Semantics (a: accessibility, a: tests, cla: yes, framework)
[41329](https://github.com/flutter/flutter/pull/41329) Refactor: Base tap gesture recognizer (cla: yes, f: gestures, framework, waiting for tree to go green)
[41332](https://github.com/flutter/flutter/pull/41332) Prevent PointerEnter[or Exit]Event from erasing event.down value (a: desktop, cla: yes, framework)
[41333](https://github.com/flutter/flutter/pull/41333) Merge Flutter assets in add to app (cla: yes, team, tool)
[41338](https://github.com/flutter/flutter/pull/41338) Fix ReorderableListView's use of child keys (#41334) (cla: yes, f: material design, framework)
[41342](https://github.com/flutter/flutter/pull/41342) Revert engine rolls (cla: yes, engine)
[41347](https://github.com/flutter/flutter/pull/41347) Fix timing issues in initialization of web resident runner (cla: yes, tool)
[41355](https://github.com/flutter/flutter/pull/41355) fix bad indentations(mainly around collection literals) (cla: yes, f: cupertino, f: material design, framework, team, tool)
[41378](https://github.com/flutter/flutter/pull/41378) Fix erroneous comments referring to blobs snapshots. (cla: yes, team)
[41384](https://github.com/flutter/flutter/pull/41384) [flutter_tools] Report iOS mDNS lookup failures to analytics (cla: yes, tool)
[41386](https://github.com/flutter/flutter/pull/41386) Serve every html file under web (cla: yes, tool)
[41397](https://github.com/flutter/flutter/pull/41397) Keymap for Web (a: accessibility, a: text input, cla: yes, framework, waiting for tree to go green, ☸ platform-web)
[41400](https://github.com/flutter/flutter/pull/41400) Revert "Reland "Measure iOS CPU/GPU percentage (#39439)"" (cla: yes, team)
[41401](https://github.com/flutter/flutter/pull/41401) Flutter build bundle without --precompiled should always perform a debug build. (cla: yes, tool)
[41403](https://github.com/flutter/flutter/pull/41403) Devicelab run.dart: Fixed check for path equality (cla: yes, team)
[41406](https://github.com/flutter/flutter/pull/41406) Retry devfs uploads in case they fail. (cla: yes, tool)
[41408](https://github.com/flutter/flutter/pull/41408) add tests to ensure the sdk is well-formed (cla: yes, tool)
[41410](https://github.com/flutter/flutter/pull/41410) [flutter_tools] Adds tests of mdns analytics events (cla: yes, tool)
[41411](https://github.com/flutter/flutter/pull/41411) roll libimobiledevice artifacts to signed version (cla: yes, tool)
[41415](https://github.com/flutter/flutter/pull/41415) Expose API for resizing image caches (a: images, cla: yes, framework, severe: API break, severe: new feature)
[41417](https://github.com/flutter/flutter/pull/41417) Address previous comments, fix Intent.doNothing. (cla: yes, framework)
[41422](https://github.com/flutter/flutter/pull/41422) Revert "Dropdown Menu layout respects menu items intrinsic sizes" (cla: yes, f: material design, framework)
[41424](https://github.com/flutter/flutter/pull/41424) Don't update last compiled time when compilation is rejected (cla: yes, tool)
[41426](https://github.com/flutter/flutter/pull/41426) Reland "Measure iOS CPU/GPU percentage (#41234)" (cla: yes, team)
[41431](https://github.com/flutter/flutter/pull/41431) Cupertino { TabScafold, TextSelection, TextField } dark mode & minor fidelity update (cla: yes, f: cupertino, f: material design, framework, will affect goldens)
[41441](https://github.com/flutter/flutter/pull/41441) Exit resident web runner on compilation failure (cla: yes, tool, ☸ platform-web)
[41447](https://github.com/flutter/flutter/pull/41447) Switch to assemble API for dart2js (cla: yes, tool)
[41449](https://github.com/flutter/flutter/pull/41449) Revert "Address previous comments, fix Intent.doNothing. (#41417)" (cla: yes, framework, team)
[41463](https://github.com/flutter/flutter/pull/41463) [Chip] Make sure InkResponse is in the foreground on delete for chips with background color (a: fidelity, cla: yes, f: material design, framework)
[41473](https://github.com/flutter/flutter/pull/41473) Missing trailing commas (cla: yes, f: cupertino, f: material design, framework, team, tool)
[41477](https://github.com/flutter/flutter/pull/41477) Reland changes to Intent.doNothing to avoid analyzer issue (cla: yes, framework, team)
[41480](https://github.com/flutter/flutter/pull/41480) Revert "Roll engine 18bc0b259641..e31b2ff64dc2 (1 commits)" (cla: yes, engine)
[41482](https://github.com/flutter/flutter/pull/41482) [flutter_tool] Add analytics events for ios-mdns fallback success/failure (cla: yes, tool)
[41491](https://github.com/flutter/flutter/pull/41491) Skip pod initialization if version >= 1.8.0. (cla: yes, t: flutter doctor, team, team: infra, tool, ⌺ platform-ios)
[41493](https://github.com/flutter/flutter/pull/41493) [flutter_tool] Report to analytics when the tool is killed by a signal (cla: yes, tool)
[41498](https://github.com/flutter/flutter/pull/41498) Revert "Exit resident web runner on compilation failure" (cla: yes, tool)
[41499](https://github.com/flutter/flutter/pull/41499) Roll build runner (cla: yes, team, tool)
[41503](https://github.com/flutter/flutter/pull/41503) Revert engine to 5b952f286fc070e99cf192775fa5c9dfe858b692 (cla: yes, engine)
[41504](https://github.com/flutter/flutter/pull/41504) V1.9.1 hotfixes (cla: yes, engine, team, tool)
[41505](https://github.com/flutter/flutter/pull/41505) Reland: Exit resident web runner on compilation failure (cla: yes, tool)
[41509](https://github.com/flutter/flutter/pull/41509) Add flutter drive to readme. (cla: yes, team)
[41514](https://github.com/flutter/flutter/pull/41514) Ensure we find dart.exe on local engines (cla: yes, tool)
[41515](https://github.com/flutter/flutter/pull/41515) Revert "Don't update last compiled time when compilation is rejected" (cla: yes, tool)
[41519](https://github.com/flutter/flutter/pull/41519) Make desktop stopApp only apply to processes Flutter started (cla: yes, tool, waiting for tree to go green)
[41521](https://github.com/flutter/flutter/pull/41521) Revert "CupertinoDatePicker & CupertinoTimerPicker dark mode" (a: tests, cla: yes, f: cupertino, framework)
[41530](https://github.com/flutter/flutter/pull/41530) Add support for depfile dependency (cla: yes, tool)
[41545](https://github.com/flutter/flutter/pull/41545) Add analytics tracking for compile and refresh times for Flutter Web (cla: yes, tool)
[41551](https://github.com/flutter/flutter/pull/41551) Pass Linux build mode on command line (cla: yes, tool)
[41575](https://github.com/flutter/flutter/pull/41575) Revert "Reland "Measure iOS CPU/GPU percentage (#41234)"" (cla: yes, team)
[41578](https://github.com/flutter/flutter/pull/41578) Reland "Measure iOS CPU/GPU percentage #41426" (cla: yes, team)
[41579](https://github.com/flutter/flutter/pull/41579) Rename the file to fix the device lab (cla: yes, team)
[41580](https://github.com/flutter/flutter/pull/41580) Reland: don't update last compile time when compilation is rejected. (cla: yes, tool)
[41583](https://github.com/flutter/flutter/pull/41583) Add debugging option to write vmservice address to file after starting (cla: yes, tool)
[41610](https://github.com/flutter/flutter/pull/41610) track unused inputs in build_runner (cla: yes, tool)
[41612](https://github.com/flutter/flutter/pull/41612) AOT support for Linux Desktop I: switch Linux builds to assemble (cla: yes, e: glfw, tool)
[41618](https://github.com/flutter/flutter/pull/41618) Rename Server/web to Headless Server/headless-server (cla: yes, tool, ☸ platform-web)
[41621](https://github.com/flutter/flutter/pull/41621) change logging in mDNS discovery to verbose-mode only (cla: yes, tool)
[41625](https://github.com/flutter/flutter/pull/41625) Update DefaultTabController to allow for zero tabs (cla: yes, f: material design, framework, waiting for tree to go green)
[41629](https://github.com/flutter/flutter/pull/41629) [Material] Fix Tooltip to respect ambient Directionality (cla: yes, f: material design, framework, waiting for tree to go green)
[41632](https://github.com/flutter/flutter/pull/41632) fix confusing 'popupTheme' variable name in a MaterialBannerTheme method (cla: yes, f: material design, framework)
[41640](https://github.com/flutter/flutter/pull/41640) some formatting changes (cla: yes, f: material design, framework, team, tool, waiting for tree to go green)
[41644](https://github.com/flutter/flutter/pull/41644) indent formal parameters correctly (cla: yes, f: cupertino, f: material design, framework, team, tool, waiting for tree to go green)
[41646](https://github.com/flutter/flutter/pull/41646) replace package:vm_service_client with package:vm_service in the devicelab project (cla: yes, team, tool, waiting for tree to go green)
[41650](https://github.com/flutter/flutter/pull/41650) DropdownButton.style API doc example for differing button and menu item text styles (cla: yes, f: material design, framework, waiting for tree to go green)
[41651](https://github.com/flutter/flutter/pull/41651) added questions on Platform / OS Version / Device (cla: yes, team, waiting for tree to go green)
[41652](https://github.com/flutter/flutter/pull/41652) [flutter_tools] Add more info to pub get failure event (cla: yes, tool)
[41658](https://github.com/flutter/flutter/pull/41658) Revert "Switch to assemble API for dart2js" (cla: yes, team, tool)
[41659](https://github.com/flutter/flutter/pull/41659) Reland: Switch to assemble API for dart2js (cla: yes, team, tool)
[41666](https://github.com/flutter/flutter/pull/41666) Generate projects using the new Android embedding (cla: yes, tool, ▣ platform-android)
[41675](https://github.com/flutter/flutter/pull/41675) Fix documentation for the required argument (cla: yes, d: api docs, documentation, framework, waiting for tree to go green)
[41687](https://github.com/flutter/flutter/pull/41687) Use processManager.run() instead of manually capturing streams in test_utils getPackages() (cla: yes, tool, waiting for tree to go green)
[41695](https://github.com/flutter/flutter/pull/41695) Add more information to cannot find Chrome message (cla: yes, tool, ☸ platform-web)
[41697](https://github.com/flutter/flutter/pull/41697) Handle missing .packages file in the flutter tool for prebuilt artifacts (cla: yes, tool)
[41698](https://github.com/flutter/flutter/pull/41698) Download android x64 release artifacts (cla: yes, tool)
[41704](https://github.com/flutter/flutter/pull/41704) Manual roll of engine to 16d7694e760a..5c428d924790 (10 commits) (cla: yes, engine)
[41717](https://github.com/flutter/flutter/pull/41717) Update label applied for performance template bugs (cla: yes, team, waiting for tree to go green)
[41730](https://github.com/flutter/flutter/pull/41730) Allow customization of label styles for semantics debugger (a: accessibility, cla: yes, framework, waiting for tree to go green)
[41735](https://github.com/flutter/flutter/pull/41735) handle empty entry in asset list and add more explicit validation (cla: yes, tool)
[41736](https://github.com/flutter/flutter/pull/41736) Disable CPU/GPU measurement on BackdropFilter test (cla: yes, team)
[41744](https://github.com/flutter/flutter/pull/41744) Fix tools test verifyVersion() regex (cla: yes, team)
[41747](https://github.com/flutter/flutter/pull/41747) Add Profile entry to macOS Podfile (cla: yes, tool, waiting for tree to go green)
[41751](https://github.com/flutter/flutter/pull/41751) Add support for downloading x86 JIT release artifact (cla: yes, tool)
[41763](https://github.com/flutter/flutter/pull/41763) No longer rebuild Routes when MediaQuery updates (cla: yes, framework, waiting for tree to go green)
[41780](https://github.com/flutter/flutter/pull/41780) Revert "Dsiable CPU/GPU measurement on BackdropFilter test (#41736)" (cla: yes, team)
[41788](https://github.com/flutter/flutter/pull/41788) Reduce log verbosity by removing individual used files (cla: yes, tool)
[41791](https://github.com/flutter/flutter/pull/41791) Refactor: Make MouseTracker test concise with some utility functions (cla: yes, framework, waiting for tree to go green)
[41794](https://github.com/flutter/flutter/pull/41794) Updated the docstring for SystemNavigator.pop. (cla: yes, framework)
[41795](https://github.com/flutter/flutter/pull/41795) Reland "Dsiable CPU/GPU measurement on BackdropFilter test (#41736)" (cla: yes, team)
[41799](https://github.com/flutter/flutter/pull/41799) Improved ios 13 scrollbar fidelity (cla: yes, f: cupertino, f: material design, framework)
[41803](https://github.com/flutter/flutter/pull/41803) Fixed media query issues and added test to prevent it from coming back (cla: yes, framework, waiting for tree to go green)
[41806](https://github.com/flutter/flutter/pull/41806) run services tests on the Web (cla: yes, framework, team)
[41814](https://github.com/flutter/flutter/pull/41814) Enables setting of semantics focused and focusable attributes within Focus widgets. (CQ+1, a: accessibility, a: tests, cla: yes, f: material design, framework, team)
[41815](https://github.com/flutter/flutter/pull/41815) [web] Make it clear that lowercase "r" can also perform hot restart (cla: yes, tool, ☸ platform-web)
[41820](https://github.com/flutter/flutter/pull/41820) Added SystemNavigator.pop "animated" argument. (cla: yes, framework)
[41828](https://github.com/flutter/flutter/pull/41828) Set DEFINES_MODULE=YES in plugin templates (cla: yes, t: xcode, team, tool, waiting for tree to go green, ⌘ platform-mac, ⌺ platform-ios)
[41832](https://github.com/flutter/flutter/pull/41832) Plumb --enable-asserts through to frontend_server invocation in debug… (cla: yes, tool)
[41857](https://github.com/flutter/flutter/pull/41857) Change the dark theme elevation overlay to use the colorScheme.onSurface (cla: yes, f: material design, framework, severe: API break)
[41859](https://github.com/flutter/flutter/pull/41859) CupertinoTheme & CupertinoTextTheme dark mode updates (a: tests, cla: yes, f: cupertino, f: material design, framework, severe: API break, will affect goldens)
[41862](https://github.com/flutter/flutter/pull/41862) Make output directory a build input (cla: yes, tool)
[41864](https://github.com/flutter/flutter/pull/41864) Update BottomAppBar to use elevation overlays when in a dark theme (cla: yes, f: material design, framework)
[41879](https://github.com/flutter/flutter/pull/41879) Make MouseTracker.sendMouseNotifications private (cla: yes, framework)
[41880](https://github.com/flutter/flutter/pull/41880) Clean up test infrastructure (cla: yes, team, tool)
[41882](https://github.com/flutter/flutter/pull/41882) Increase template Swift version from 4 to 5 (cla: yes, d: examples, team, tool, ⌘ platform-mac, ⌺ platform-ios)
[41885](https://github.com/flutter/flutter/pull/41885) Include embedding transitive dependencies in plugins (cla: yes, tool, waiting for tree to go green)
[41889](https://github.com/flutter/flutter/pull/41889) Clean up ProjectFileInvalidator.findInvalidated a bit (cla: yes, tool)
[41892](https://github.com/flutter/flutter/pull/41892) Fix CupertinoActivityIndicator radius (cla: yes, f: cupertino, framework)
[41906](https://github.com/flutter/flutter/pull/41906) Ensure plugin registrants are generated in build_web (cla: yes, tool, ☸ platform-web)
[41922](https://github.com/flutter/flutter/pull/41922) Enable more web tests; use blacklist to filter them out (a: tests, cla: yes, framework, team)
[41931](https://github.com/flutter/flutter/pull/41931) Revert "Fix ReorderableListView's use of child keys (#41334)" (cla: yes, f: material design, framework)
[41933](https://github.com/flutter/flutter/pull/41933) upload x64 android host release (cla: yes, tool)
[41935](https://github.com/flutter/flutter/pull/41935) [Android 10] Activity zoom transition (cla: yes, f: material design, framework, waiting for tree to go green, ▣ platform-android)
[41936](https://github.com/flutter/flutter/pull/41936) Updates packages, including package:multicast_dns. (cla: yes, team, tool)
[41942](https://github.com/flutter/flutter/pull/41942) Use `mergeResourcesProvider` instead of deprecated `mergeResources` (cla: yes, tool, waiting for tree to go green)
[41945](https://github.com/flutter/flutter/pull/41945) Revert ActivateAction PR (cla: yes, f: material design, framework)
[41946](https://github.com/flutter/flutter/pull/41946) Do not validate the Android SDK when building an appbundle (cla: yes, tool, waiting for tree to go green)
[41952](https://github.com/flutter/flutter/pull/41952) Send pubspec.yaml back in time to fix flakiness (cla: yes, tool)
[41960](https://github.com/flutter/flutter/pull/41960) Revert "replace package:vm_service_client with package:vm_service in the devicelab project" (cla: yes, team, tool)
[41972](https://github.com/flutter/flutter/pull/41972) Add enableFeedback param to MaterialButton, RawMaterialButton and IconButton (cla: yes, f: material design, framework)
[41989](https://github.com/flutter/flutter/pull/41989) Flutter doctor should require java 1.8+ (cla: yes, tool, waiting for tree to go green)
[41996](https://github.com/flutter/flutter/pull/41996) [web] Always send the route name even if it's null (cla: yes, f: routes, framework, ☸ platform-web)
[42006](https://github.com/flutter/flutter/pull/42006) Typos & Style clean up (cla: yes, framework, team, waiting for tree to go green)
[42008](https://github.com/flutter/flutter/pull/42008) Restructure ProjectFileInvalidator.findInvalidated a bit (cla: yes, tool)
[42015](https://github.com/flutter/flutter/pull/42015) Fix local test failures in flutter_tools (cla: yes, tool, waiting for tree to go green)
[42016](https://github.com/flutter/flutter/pull/42016) [flutter_tool] Re-work analytics events to use labels and values (cla: yes, tool)
[42022](https://github.com/flutter/flutter/pull/42022) Fix smoke test (cla: yes)
[42025](https://github.com/flutter/flutter/pull/42025) Localization refresh (a: internationalization, cla: yes, f: cupertino, f: material design, framework)
[42026](https://github.com/flutter/flutter/pull/42026) Stop leaking iproxy processes (cla: yes, tool)
[42028](https://github.com/flutter/flutter/pull/42028) Make `ProjectFileInvalidator.findInvalidated` able to use the async `FileStat.stat` (cla: yes, tool)
[42029](https://github.com/flutter/flutter/pull/42029) Always embed iOS Flutter.framework build mode version from Xcode configuration (cla: yes, d: examples, t: xcode, team, team: gallery, tool, ⌺ platform-ios)
[42030](https://github.com/flutter/flutter/pull/42030) Revert "AOT support for Linux Desktop I: switch Linux builds to assemble" (cla: yes, tool)
[42031](https://github.com/flutter/flutter/pull/42031) Rewrite MouseTracker's tracking and notifying algorithm (a: desktop, cla: yes, framework)
[42032](https://github.com/flutter/flutter/pull/42032) Update CupertinoActivityIndicator colors and gradient (cla: yes, f: cupertino, framework, will affect goldens)
[42033](https://github.com/flutter/flutter/pull/42033) Reprise: Dropdown Menu layout respects menu items intrinsic sizes (cla: yes, f: material design, framework)
[42035](https://github.com/flutter/flutter/pull/42035) trying to diagnose failure in CI (cla: yes, tool)
[42036](https://github.com/flutter/flutter/pull/42036) trying to diagnose failure in CI, mark II (cla: yes, tool)
[42037](https://github.com/flutter/flutter/pull/42037) Diagnose failure in CI, Mark III (cla: yes, tool)
[42038](https://github.com/flutter/flutter/pull/42038) Reland "AOT support for Linux Desktop I: switch Linux builds to assemble" (cla: yes, tool)
[42063](https://github.com/flutter/flutter/pull/42063) More consistent temp directory naming (a: tests, cla: yes, tool)
[42064](https://github.com/flutter/flutter/pull/42064) Refactor sdk_validation_test (cla: yes, tool, waiting for tree to go green)
[42076](https://github.com/flutter/flutter/pull/42076) create gesture recognizers on attach and dispose on detach to avoid leaks (a: quality, cla: yes, f: gestures, framework, waiting for tree to go green)
[42091](https://github.com/flutter/flutter/pull/42091) Skip sdk_validation_test again (cla: yes, tool)
[42118](https://github.com/flutter/flutter/pull/42118) Apply mocks to test command (cla: yes, tool)
[42136](https://github.com/flutter/flutter/pull/42136) Update dartdoc to 0.28.7 (cla: yes, team)
[42144](https://github.com/flutter/flutter/pull/42144) Don't eagerly call runMain when --start-paused is provided to web application (cla: yes, tool)
[42162](https://github.com/flutter/flutter/pull/42162) Expose wait conditions in the public flutter_driver API (a: tests, cla: yes, framework)
[42187](https://github.com/flutter/flutter/pull/42187) Be more verbose when pub fails (cla: yes, tool)
[42189](https://github.com/flutter/flutter/pull/42189) Fix regression with ModalBottomSheets not responding to changes in theme (cla: yes, f: material design, framework)
[42203](https://github.com/flutter/flutter/pull/42203) Shard web tests; enable semantics tests on the Web (CQ+1, cla: yes, team)
[42204](https://github.com/flutter/flutter/pull/42204) Add use_modular_headers! to default Podfile (cla: yes, d: examples, t: xcode, team, team: gallery, tool, ⌺ platform-ios)
[42209](https://github.com/flutter/flutter/pull/42209) Add error logging to flutter generate (cla: yes, tool)
[42235](https://github.com/flutter/flutter/pull/42235) Reading deviceId for RawKeyEventDataAndroid event (a: desktop, cla: yes, framework)
[42236](https://github.com/flutter/flutter/pull/42236) [Gallery] Add Material Study app Rally as an example app (cla: yes, d: examples, f: material design, team, team: gallery, waiting for tree to go green)
[42243](https://github.com/flutter/flutter/pull/42243) Improve trailing whitespace message (cla: yes, team, tool, waiting for tree to go green)
[42250](https://github.com/flutter/flutter/pull/42250) SliverAppBar - Configurable overscroll stretch with callback feature & FlexibleSpaceBar support (cla: yes, f: material design, f: scrolling, framework, severe: new feature, waiting for tree to go green)
[42252](https://github.com/flutter/flutter/pull/42252) catch argument error from Make (cla: yes, tool)
[42253](https://github.com/flutter/flutter/pull/42253) Change modal barrier to dismissing on tap up (cla: yes, framework)
[42254](https://github.com/flutter/flutter/pull/42254) Update minimum version to Xcode 10.2 (cla: yes, tool)
[42257](https://github.com/flutter/flutter/pull/42257) Make Pub an interface in the flutter tool (cla: yes, tool)
[42260](https://github.com/flutter/flutter/pull/42260) Small cleanup of web code (cla: yes, tool)
[42267](https://github.com/flutter/flutter/pull/42267) Improve documentation around animations. (cla: yes, framework, waiting for tree to go green)
[42276](https://github.com/flutter/flutter/pull/42276) Revert removal of linux from unpack command. (cla: yes, tool)
[42278](https://github.com/flutter/flutter/pull/42278) Re-land keyboard traversal PRs (cla: yes, f: cupertino, f: material design, framework, team)
[42289](https://github.com/flutter/flutter/pull/42289) Ensure precache web works on dev branch (cla: yes, tool)
[42306](https://github.com/flutter/flutter/pull/42306) Ensure that flutter assets are copied in the AAR (cla: yes, team, tool, waiting for tree to go green)
[42342](https://github.com/flutter/flutter/pull/42342) Fix DropdownButton crash when hint and selectedItemBuilder are simultaneously defined (cla: yes, f: material design, framework, severe: crash)
[42344](https://github.com/flutter/flutter/pull/42344) Add onVisible callback to snackbar. (a: accessibility, cla: yes, f: material design, framework, waiting for tree to go green)
[42352](https://github.com/flutter/flutter/pull/42352) Add android.permission.WAKE_LOCK permission to abstract_method_smoke_test (cla: yes, team)
[42353](https://github.com/flutter/flutter/pull/42353) Add --cache-sksl flag to drive and run (cla: yes, tool)
[42354](https://github.com/flutter/flutter/pull/42354) Pass -Ddart.developer.causal_async_stacks=true to frontend_server invocations. (cla: yes, tool)
[42360](https://github.com/flutter/flutter/pull/42360) Add smoke test for the new Android embedding (cla: yes, team, tool, waiting for tree to go green)
[42364](https://github.com/flutter/flutter/pull/42364) Wrap dwds in async guard, only catch known error types (cla: yes, tool)
[42365](https://github.com/flutter/flutter/pull/42365) Add font fallback clarification docs (cla: yes, d: api docs, framework)
[42366](https://github.com/flutter/flutter/pull/42366) TextStyle.fontFamily should override fontFamily parameter in ThemeData (cla: yes, f: material design, framework)
[42368](https://github.com/flutter/flutter/pull/42368) Update android semantics test to match existing engine behavior. (a: accessibility, cla: yes, team)
[42369](https://github.com/flutter/flutter/pull/42369) Always fake ProcessManager when you fake Filesystem in tests (cla: yes, tool)
[42373](https://github.com/flutter/flutter/pull/42373) Switch build commands to use process utils (cla: yes, tool)
[42376](https://github.com/flutter/flutter/pull/42376) Add option to precache unsigned mac binaries. (cla: yes, tool)
[42378](https://github.com/flutter/flutter/pull/42378) remove println from flutter.gradle (cla: yes, tool)
[42379](https://github.com/flutter/flutter/pull/42379) Partial deflaking of abstract_method_smoke_test (a: tests, cla: yes, team, waiting for tree to go green)
[42401](https://github.com/flutter/flutter/pull/42401) Add support for Android x86_64 ABI to Flutter (cla: yes, tool)
[42404](https://github.com/flutter/flutter/pull/42404) Add isDismissible configuration for showModalBottomSheet (cla: yes, f: material design, framework)
[42441](https://github.com/flutter/flutter/pull/42441) Add transitive dependencies back (cla: yes, tool, waiting for tree to go green)
[42445](https://github.com/flutter/flutter/pull/42445) Fix typo in docs: EdgeInserts->EdgeInsets (a: text input, cla: yes, d: api docs, f: material design, framework)
[42449](https://github.com/flutter/flutter/pull/42449) Increase TextField's minimum height from 40 to 48 (cla: yes, f: material design, framework, severe: API break, will affect goldens)
[42454](https://github.com/flutter/flutter/pull/42454) Fix abstract_method_smoke_test flakiness (a: tests, cla: yes, team, waiting for tree to go green)
[42456](https://github.com/flutter/flutter/pull/42456) Revert removing DropdownMenuItem hint/disabledHint wrapper (cla: yes, f: material design, framework)
[42462](https://github.com/flutter/flutter/pull/42462) Update docker_builder dependencies (cla: yes)
[42464](https://github.com/flutter/flutter/pull/42464) Wait for isolate start before proceeding with expression evaluation tests (cla: yes, tool)
[42470](https://github.com/flutter/flutter/pull/42470) No multiline password fields (cla: yes, f: cupertino, f: material design, framework, severe: API break)
[42471](https://github.com/flutter/flutter/pull/42471) Pass build mode-specific bytecode generation options to frontend_server. (cla: yes, tool)
[42475](https://github.com/flutter/flutter/pull/42475) Fix semantics testing now that dropdown can take a11y focus again. (a: accessibility, cla: yes, team)
[42476](https://github.com/flutter/flutter/pull/42476) Refactor BuildMode into class, add jit_release configuration (cla: yes, tool)
[42478](https://github.com/flutter/flutter/pull/42478) Revert "Rewrite MouseTracker's tracking and notifying algorithm" (cla: yes, framework)
[42479](https://github.com/flutter/flutter/pull/42479) Make DropdownButton's disabledHint and hint behavior consistent (cla: yes, f: material design, framework, severe: API break)
[42482](https://github.com/flutter/flutter/pull/42482) Only dismiss dropdowns if the orientation changes, not the size. (cla: yes, f: material design, framework)
[42484](https://github.com/flutter/flutter/pull/42484) Gradient transform (cla: yes, framework, will affect goldens)
[42485](https://github.com/flutter/flutter/pull/42485) Re-landing SliverAnimatedList (a: animation, cla: yes, f: scrolling, framework, severe: new feature, waiting for tree to go green)
[42486](https://github.com/flutter/flutter/pull/42486) Redo: Rewrite MouseTracker's tracking and notifying algorithm (cla: yes, framework)
[42487](https://github.com/flutter/flutter/pull/42487) refactor depfile usage and update linux rule (cla: yes, tool)
[42491](https://github.com/flutter/flutter/pull/42491) Extra defensive programming for pub modification time assert (cla: yes, tool, waiting for tree to go green)
[42496](https://github.com/flutter/flutter/pull/42496) Roll dart package dependencies (cla: yes, team)
[42508](https://github.com/flutter/flutter/pull/42508) Add Android x64 profile artifacts (cla: yes, tool)
[42526](https://github.com/flutter/flutter/pull/42526) Improve routers performance (cla: yes, framework)
[42530](https://github.com/flutter/flutter/pull/42530) add WAKE_LOCK back to abstract method test (cla: yes, team)
[42531](https://github.com/flutter/flutter/pull/42531) Print correct hostname when web server is launched (cla: yes, tool, ☸ platform-web)
[42533](https://github.com/flutter/flutter/pull/42533) Disable arrow key focus navigation for text fields (cla: yes, f: cupertino, f: material design, framework)
[42538](https://github.com/flutter/flutter/pull/42538) [flutter_tool] Improve yaml font map validation (cla: yes, tool)
[42546](https://github.com/flutter/flutter/pull/42546) Fix and enable painting tests on the Web (cla: yes, framework, team, tool)
[42548](https://github.com/flutter/flutter/pull/42548) Print message and log event when app isn't using AndroidX (cla: yes, tool)
[42550](https://github.com/flutter/flutter/pull/42550) Add enableSuggestions flag to TextField and TextFormField (a: text input, cla: yes, f: cupertino, f: material design, framework)
[42551](https://github.com/flutter/flutter/pull/42551) Revert "Roll engine eed171ff3538..00f330068d3e (5 commits) (#42541)" (cla: yes, engine)
[42554](https://github.com/flutter/flutter/pull/42554) Fix route focusing and autofocus when reparenting focus nodes. (cla: yes, f: material design, framework)
[42557](https://github.com/flutter/flutter/pull/42557) Skip test (cla: yes, tool)
[42558](https://github.com/flutter/flutter/pull/42558) Use placeholder dimensions that reflect the final text layout (cla: yes, framework)
[42563](https://github.com/flutter/flutter/pull/42563) Adding thumb color customisation functionality to CupertinoSlider (cla: yes, f: cupertino, framework)
[42597](https://github.com/flutter/flutter/pull/42597) Deflake wildcard asset test (cla: yes, tool)
[42602](https://github.com/flutter/flutter/pull/42602) Properly throw FlutterError when route builder returns null on CupertinoPageRoute (cla: yes, f: cupertino, framework)
[42613](https://github.com/flutter/flutter/pull/42613) Fix Tooltip implementation of PopupMenuButton (cla: yes, f: material design, framework, waiting for tree to go green)
[42637](https://github.com/flutter/flutter/pull/42637) Re-enable asserts on Windows integration tests (a: tests, cla: yes, team)
[42640](https://github.com/flutter/flutter/pull/42640) Add more structure to errors (continuation of #34684) (a: tests, cla: yes, f: cupertino, f: material design, framework)
[42655](https://github.com/flutter/flutter/pull/42655) resident_web_runner doesn't close debug connection (cla: yes, tool)
[42656](https://github.com/flutter/flutter/pull/42656) Catch appInstanceId error (cla: yes, tool)
[42668](https://github.com/flutter/flutter/pull/42668) dispose devices on cleanupAtFinish() for run_cold.dart (cla: yes, tool, waiting for tree to go green)
[42676](https://github.com/flutter/flutter/pull/42676) [web] Update web runner message with flutter.dev/web (cla: yes, tool, waiting for tree to go green)
[42683](https://github.com/flutter/flutter/pull/42683) Optimize focus operations by caching descendants and ancestors. (cla: yes, f: material design, framework)
[42684](https://github.com/flutter/flutter/pull/42684) Remove isNewAndroidEmbeddingEnabled flag when reading an existing pro… (cla: yes, tool)
[42686](https://github.com/flutter/flutter/pull/42686) Update dartdoc to 0.28.8 (cla: yes, team)
[42687](https://github.com/flutter/flutter/pull/42687) Revert "Fix and enable painting tests on the Web (#42546)" (cla: yes, framework, team, tool)
[42688](https://github.com/flutter/flutter/pull/42688) Source Code Comment Typo Fixes (cla: yes, framework)
[42689](https://github.com/flutter/flutter/pull/42689) Reland: fix and enable painting web tests (cla: yes, framework, team, tool)
[42691](https://github.com/flutter/flutter/pull/42691) fixing todo comments in flutter tests to include url link. (cla: yes, tool, waiting for tree to go green)
[42698](https://github.com/flutter/flutter/pull/42698) Ensure we stop the status when browser connection is complete (cla: yes, tool)
[42699](https://github.com/flutter/flutter/pull/42699) unpin test and update packages (cla: yes, team, tool)
[42701](https://github.com/flutter/flutter/pull/42701) serve correct content type from debug server (cla: yes, tool, ☸ platform-web)
[42708](https://github.com/flutter/flutter/pull/42708) Test the Android embedding v2 (cla: yes, team, tool)
[42709](https://github.com/flutter/flutter/pull/42709) Test Gradle on Windows (cla: yes, team)
[42764](https://github.com/flutter/flutter/pull/42764) Revert "Expose API for resizing image caches" (cla: yes, framework)
[42771](https://github.com/flutter/flutter/pull/42771) don't precompile dependencies when building the flutter tool (cla: yes, waiting for tree to go green)
[42773](https://github.com/flutter/flutter/pull/42773) enable rendering tests on the Web (cla: yes, framework, team)
[42775](https://github.com/flutter/flutter/pull/42775) CupertinoSlidingSegmentedControl (cla: yes, f: cupertino, framework)
[42777](https://github.com/flutter/flutter/pull/42777) Fix memory leak in TransitionRoute (cla: yes, framework, waiting for tree to go green)
[42779](https://github.com/flutter/flutter/pull/42779) Fix chip ripple bug — No longer two ripples (cla: yes, f: material design, framework)
[42785](https://github.com/flutter/flutter/pull/42785) Reland "Expose API for resizing image caches #41415" (cla: yes, framework)
[42790](https://github.com/flutter/flutter/pull/42790) This disables the up/down arrow focus navigation in text fields in a different way. (cla: yes, f: cupertino, f: material design, framework)
[42791](https://github.com/flutter/flutter/pull/42791) fix type error in manifest asset bundle (cla: yes, tool)
[42807](https://github.com/flutter/flutter/pull/42807) Add most of the widget tests; add more web test shards (cla: yes, framework, team)
[42808](https://github.com/flutter/flutter/pull/42808) Run flutter pub get before pod install in platform_view_ios__start_up test (a: tests, cla: yes, team)
[42811](https://github.com/flutter/flutter/pull/42811) Add a Focus node to the DropdownButton, and adds an activation action for it. (cla: yes, f: material design, framework)
[42813](https://github.com/flutter/flutter/pull/42813) Fix NPE in Chrome Device (cla: yes, tool)
[42842](https://github.com/flutter/flutter/pull/42842) Add "navigator" option to "showDialog" and "showGeneralDialog" (cla: yes, f: routes, framework, severe: new feature, waiting for tree to go green)
[42854](https://github.com/flutter/flutter/pull/42854) Revert "Default colorScheme data in ButtonThemeData (fix for #38655)" (cla: yes, f: material design, framework, waiting for tree to go green)
[42857](https://github.com/flutter/flutter/pull/42857) Fix progress indicators for release/profile builds of web. (cla: yes, tool)
[42861](https://github.com/flutter/flutter/pull/42861) Add repeatCount to RawKeyEventDataAndroid (a: desktop, cla: yes, framework, waiting for tree to go green, ▣ platform-android)
[42863](https://github.com/flutter/flutter/pull/42863) V1.9.1 hotfixes (cla: yes, engine, team, tool)
[42867](https://github.com/flutter/flutter/pull/42867) Use Cirrus credits for billing. (cla: yes, team, team: infra)
[42872](https://github.com/flutter/flutter/pull/42872) Remove use_modular_headers from Podfiles using libraries (cla: yes, d: examples, team, team: gallery, tool)
[42873](https://github.com/flutter/flutter/pull/42873) Update README to include non-mobile targets (cla: yes, team)
[42879](https://github.com/flutter/flutter/pull/42879) Re-implement hardware keyboard text selection. (cla: yes, framework)
[42882](https://github.com/flutter/flutter/pull/42882) Reenable the dartdocs benchmark tracking (cla: yes, team)
[42922](https://github.com/flutter/flutter/pull/42922) Fix typo (cla: no, f: material design, framework)
[42924](https://github.com/flutter/flutter/pull/42924) CupertinoDialogAction is missing super call (cla: yes, f: cupertino, framework, waiting for tree to go green)
[42931](https://github.com/flutter/flutter/pull/42931) separation of hot restart and hotter restart (cla: yes, tool)
[42936](https://github.com/flutter/flutter/pull/42936) Support AppBars with jumbo titles (cla: yes, f: material design, framework)
[42951](https://github.com/flutter/flutter/pull/42951) implement debugTogglePlatform for the web (cla: yes, tool)
[42953](https://github.com/flutter/flutter/pull/42953) Soften layer breakage (cla: yes, framework)
[42958](https://github.com/flutter/flutter/pull/42958) Turn off bitcode for integration tests and add-to-app templates (a: existing-apps, cla: yes, team, tool, ⌺ platform-ios)
[42962](https://github.com/flutter/flutter/pull/42962) Remove linux-x64 unpack logic (cla: yes, tool)
[42964](https://github.com/flutter/flutter/pull/42964) Use PRODUCT_BUNDLE_IDENTIFIER from buildSettings to find correct bundle id on iOS when using flavors (cla: yes, t: xcode, tool, waiting for tree to go green)
[42966](https://github.com/flutter/flutter/pull/42966) expand scope of rethrown gradle errors (cla: yes, tool)
[42967](https://github.com/flutter/flutter/pull/42967) Pad CupertinoAlertDialog with MediaQuery viewInsets (cla: yes, f: cupertino, framework)
[42968](https://github.com/flutter/flutter/pull/42968) Quick fix on material dialog docs (cla: yes, f: material design, framework)
[42970](https://github.com/flutter/flutter/pull/42970) Rename headless server to web server (cla: yes, tool)
[42971](https://github.com/flutter/flutter/pull/42971) re-enable some linux devicelab tests (cla: yes, team)
[42972](https://github.com/flutter/flutter/pull/42972) Do not produce an error when encountering a new type in a service response. (cla: yes, tool)
[42977](https://github.com/flutter/flutter/pull/42977) switch dart2js build to depfile, remove Source.function (cla: yes, tool)
[42981](https://github.com/flutter/flutter/pull/42981) Remove GeneratedPluginRegistrant.java (cla: yes, team)
[42982](https://github.com/flutter/flutter/pull/42982) Revert "Clean up test infrastructure" (cla: yes, team, tool)
[43006](https://github.com/flutter/flutter/pull/43006) Set default borderRadius to zero in ClipRRect (as documented) (cla: yes, framework, waiting for tree to go green)
[43013](https://github.com/flutter/flutter/pull/43013) Wire up canRequestFocus and skipTraversal in FocusScopeNode (cla: yes, d: examples, framework, team, team: gallery)
[43016](https://github.com/flutter/flutter/pull/43016) ensure we can disable --track-widget-creation in debug mode (cla: yes, tool)
[43019](https://github.com/flutter/flutter/pull/43019) Build only required web tests; fix and enable most of material tests (cla: yes, f: material design, framework, team, tool)
[43022](https://github.com/flutter/flutter/pull/43022) Enable dump-skp-on-shader-compilation in drive (cla: yes, tool, waiting for tree to go green)
[43026](https://github.com/flutter/flutter/pull/43026) temporarily disable system_debug_ios devicelab test (cla: yes, team)
[43030](https://github.com/flutter/flutter/pull/43030) Clean up test infrastructure (cla: yes, team, tool)
[43042](https://github.com/flutter/flutter/pull/43042) add samsungexynos7570 to list of known physical devices (cla: yes, tool)
[43080](https://github.com/flutter/flutter/pull/43080) Indent Kotlin code with 4 spaces (cla: yes, team, tool, waiting for tree to go green)
[43149](https://github.com/flutter/flutter/pull/43149) Disable CI tests that LUCI is failing (1) (cla: yes, team)
[43150](https://github.com/flutter/flutter/pull/43150) Disable CI tests that LUCI is failing (2) (cla: yes, team)
[43173](https://github.com/flutter/flutter/pull/43173) Fix typo in README.md (cla: yes, team)
[43180](https://github.com/flutter/flutter/pull/43180) Adding missing break in plugin validation check (cla: yes, tool)
[43183](https://github.com/flutter/flutter/pull/43183) Silence presubmit codecov (cla: yes, team)
[43187](https://github.com/flutter/flutter/pull/43187) Ensure `android.enableR8` is appended to a new line (cla: yes, tool)
[43188](https://github.com/flutter/flutter/pull/43188) [cleanup] Remove unused files (cla: yes, team)
[43193](https://github.com/flutter/flutter/pull/43193) ButtonBar aligns in column when it overflows horizontally (a: accessibility, cla: yes, f: material design, framework)
[43200](https://github.com/flutter/flutter/pull/43200) remove period from URL so that it opens correctly in vscode (cla: yes, tool)
[43207](https://github.com/flutter/flutter/pull/43207) comment out fastlane test archiving (cla: yes, team)
[43213](https://github.com/flutter/flutter/pull/43213) Add focus nodes, hover, and shortcuts to switches, checkboxes, and radio buttons. (cla: yes, f: material design, framework)
[43214](https://github.com/flutter/flutter/pull/43214) For --profile builds on web, still use -O4 but unminified names. (cla: yes, tool)
[43217](https://github.com/flutter/flutter/pull/43217) [flutter_tool] Update analytics policy, send event on disable (cla: yes, tool)
[43219](https://github.com/flutter/flutter/pull/43219) Add devfs for incremental compiler JavaScript bundle (cla: yes, tool, waiting for tree to go green)
[43221](https://github.com/flutter/flutter/pull/43221) Migrate examples to the Android embedding v2 (cla: yes, d: examples, team, team: gallery)
[43225](https://github.com/flutter/flutter/pull/43225) Catch io.StdinException from failure to set stdin echo/line mode (cla: yes, tool)
[43226](https://github.com/flutter/flutter/pull/43226) Implement AlertDialog title/content overflow scroll (a: accessibility, cla: yes, f: material design, framework)
[43227](https://github.com/flutter/flutter/pull/43227) Revert "Skia Gold Support for Local & PreSubmit Testing in package:flutter" (cla: yes)
[43235](https://github.com/flutter/flutter/pull/43235) Revert "Extra defensive programming for pub modification time assert" (cla: yes)
[43238](https://github.com/flutter/flutter/pull/43238) Fixing focus traversal when the node options are empty (a: desktop, cla: yes, framework)
[43245](https://github.com/flutter/flutter/pull/43245) Add `smallestScreenSize` to `android:configChanges` in the Android manifest template (cla: yes, tool, waiting for tree to go green)
[43246](https://github.com/flutter/flutter/pull/43246) Tap.dart: Fixes the spacing to the right side of reason (cla: yes, f: gestures, framework)
[43281](https://github.com/flutter/flutter/pull/43281) Add compiler configuration to support dartdevc target (cla: yes, tool)
[43282](https://github.com/flutter/flutter/pull/43282) implement build aot with assemble for Android target platforms (cla: yes, tool)
[43286](https://github.com/flutter/flutter/pull/43286) FadeInImage cacheWidth and cacheHeight support (a: images, cla: yes, framework, severe: new feature)
[43288](https://github.com/flutter/flutter/pull/43288) V1.9.1 hotfix (cla: yes, engine, framework, team, tool)
[43292](https://github.com/flutter/flutter/pull/43292) initial bootstrap script for incremental compiler support (cla: yes, tool, waiting for tree to go green)
[43296](https://github.com/flutter/flutter/pull/43296) Skip failing test to green build (cla: yes, framework)
[43315](https://github.com/flutter/flutter/pull/43315) Extra defensive programming for pub modification time assert (cla: yes, tool)
[43362](https://github.com/flutter/flutter/pull/43362) Allow rebuilding of docker image, re-enable deploy gallery macos (cla: yes, team, team: infra)
[43366](https://github.com/flutter/flutter/pull/43366) run flutter update-packages --force-upgrade (cla: yes, team)
[43367](https://github.com/flutter/flutter/pull/43367) Revert "Add focus nodes, hover, and shortcuts to switches, checkboxes, and radio buttons." (cla: yes, f: material design, framework)
[43371](https://github.com/flutter/flutter/pull/43371) Re-land Local & Pre-Submit Support for Skia Gold (a: images, a: quality, a: tests, cla: yes, framework, team, waiting for tree to go green, will affect goldens)
[43379](https://github.com/flutter/flutter/pull/43379) ENABLE_ANDROID_EMBEDDING_V2 isn't a general thing. (cla: yes, team)
[43381](https://github.com/flutter/flutter/pull/43381) [flutter_tool] Use engine flutter_runner prebuilts (cla: yes, tool, waiting for tree to go green)
[43384](https://github.com/flutter/flutter/pull/43384) Re-Land: Add focus nodes, hover, and shortcuts to switches, checkboxes, and radio buttons. (a: accessibility, cla: yes, f: material design, framework, team)
[43388](https://github.com/flutter/flutter/pull/43388) Depend on specific package versions in module_test (cla: yes, team, waiting for tree to go green)
[43390](https://github.com/flutter/flutter/pull/43390) catch ChromeDebugException from dwds (cla: yes, tool)
[43391](https://github.com/flutter/flutter/pull/43391) Revert "[Chip] Make sure InkResponse is in the foreground on delete f… (cla: yes, f: material design, framework)
[43401](https://github.com/flutter/flutter/pull/43401) Handle permission error during flutter clean (cla: yes, tool, waiting for tree to go green)
[43402](https://github.com/flutter/flutter/pull/43402) Handle format error from vswhere (cla: yes, tool)
[43403](https://github.com/flutter/flutter/pull/43403) Handle version and option skew errors (cla: yes, tool)
[43422](https://github.com/flutter/flutter/pull/43422) *trivial* fixed AboutListTile having an empty icon placeholder when no icon set. (cla: yes, f: material design, framework, waiting for tree to go green)
[43436](https://github.com/flutter/flutter/pull/43436) Handle onError callback with optional argument (cla: yes, tool, waiting for tree to go green)
[43438](https://github.com/flutter/flutter/pull/43438) Revert "Enable dump-skp-on-shader-compilation in drive" (cla: yes)
[43448](https://github.com/flutter/flutter/pull/43448) Don't html-escape in the plugin registrant templates. (cla: yes, tool, waiting for tree to go green)
[43455](https://github.com/flutter/flutter/pull/43455) Reland "Enable dump-skp-on-shader-compilation in drive (#43022)" (cla: yes, tool)
[43458](https://github.com/flutter/flutter/pull/43458) Support platform-specific test lines (cla: yes, team)
[43461](https://github.com/flutter/flutter/pull/43461) Fixed usage of optional types in swift integration test. (cla: yes, team)
[43466](https://github.com/flutter/flutter/pull/43466) Adding handling of TextInputClient.onConnectionClosed messages handli… (a: tests, a: text input, cla: yes, framework, severe: API break, waiting for tree to go green, ☸ platform-web)
[43467](https://github.com/flutter/flutter/pull/43467) Fixed bug where we could accidently call a callback twice. (cla: yes, framework)
[43471](https://github.com/flutter/flutter/pull/43471) flip track widget creation on by default (cla: yes, tool, waiting for tree to go green)
[43479](https://github.com/flutter/flutter/pull/43479) Refactor gradle.dart (cla: yes, tool)
[43511](https://github.com/flutter/flutter/pull/43511) Improve DropdownButton assert message (cla: yes, f: material design, framework)
[43526](https://github.com/flutter/flutter/pull/43526) Change PopupMenuButton.icon type to Widget (cla: yes, f: material design, framework)
[43528](https://github.com/flutter/flutter/pull/43528) Adjust and refactor all `MaterialButton` tests into its respective file (cla: yes, f: material design, framework, waiting for tree to go green)
[43529](https://github.com/flutter/flutter/pull/43529) Cupertino web tests (cla: yes, f: material design, framework, team)
[43544](https://github.com/flutter/flutter/pull/43544) Catch AppConnectionException (cla: yes, tool)
[43546](https://github.com/flutter/flutter/pull/43546) Alias upgrade-packages => update-packages (cla: yes, tool)
[43553](https://github.com/flutter/flutter/pull/43553) Pass environment variables through to xcodebuild (cla: yes, t: xcode, team, team: infra, tool, ⌺ platform-ios)
[43557](https://github.com/flutter/flutter/pull/43557) Revert "Allow rebuilding of docker image, re-enable deploy gallery macos" (cla: yes, team)
[43573](https://github.com/flutter/flutter/pull/43573) Catch MissingPortFile from web tooling. (cla: yes, tool)
[43576](https://github.com/flutter/flutter/pull/43576) Enable usage of experimental incremental compiler for web (cla: yes, tool)
[43577](https://github.com/flutter/flutter/pull/43577) set trace to true for desktop builds (cla: yes, tool)
[43586](https://github.com/flutter/flutter/pull/43586) Ensure Chrome is closed on tab close (cla: yes, tool)
[43598](https://github.com/flutter/flutter/pull/43598) Catch failed daemon startup error (cla: yes, tool)
[43599](https://github.com/flutter/flutter/pull/43599) catch failure to parse FLUTTER_STORAGE_BASE_URL (cla: yes, tool)
[43602](https://github.com/flutter/flutter/pull/43602) Don't indefinitely persist file hashes, handle more error conditions (cla: yes, tool)
[43611](https://github.com/flutter/flutter/pull/43611) Revert "Migrate examples to the Android embedding v2" (cla: yes, d: examples, team, team: gallery)
[43636](https://github.com/flutter/flutter/pull/43636) Enable tests that failed due to CupertinoDynamicColor (cla: yes, team)
[43643](https://github.com/flutter/flutter/pull/43643) Reland: Migrate examples new embedding (cla: yes, d: examples, team, team: gallery)
[43647](https://github.com/flutter/flutter/pull/43647) Revert "Re-Land: Add focus nodes, hover, and shortcuts to switches, checkboxes, and radio buttons. (#43384)" (a: accessibility, cla: yes, f: material design, framework, team)
[43654](https://github.com/flutter/flutter/pull/43654) Re-land fix docker build and deploy_gallery-macos (cla: yes, team)
[43657](https://github.com/flutter/flutter/pull/43657) Re-Land: Add focus nodes, hover, and shortcuts to switches, checkboxes, and radio buttons. (a: accessibility, cla: yes, f: material design, framework, team)
[43658](https://github.com/flutter/flutter/pull/43658) Added note about design doc template. (cla: yes)
[43662](https://github.com/flutter/flutter/pull/43662) Enable heroes_test.dart on the web matrix (cla: yes, framework, team, work in progress; do not review)
[43667](https://github.com/flutter/flutter/pull/43667) Added a null check for ranges in the sourceReport map. (cla: yes, tool)
[43669](https://github.com/flutter/flutter/pull/43669) Don't read AndroidManifest.xml if it doesn't exit (cla: yes, tool, waiting for tree to go green)
[43674](https://github.com/flutter/flutter/pull/43674) Add missing import (cla: yes)
[43675](https://github.com/flutter/flutter/pull/43675) Fix device lab tests (cla: yes)
[43676](https://github.com/flutter/flutter/pull/43676) Allow multiple TimingsCallbacks (cla: yes, framework, severe: performance)
[43677](https://github.com/flutter/flutter/pull/43677) add libzip cache artifact (cla: yes)
[43684](https://github.com/flutter/flutter/pull/43684) [flutter_runner] Use sky_engine from the topaz tree (cla: yes)
[43685](https://github.com/flutter/flutter/pull/43685) Remove Poller class from flutter_tools (cla: yes)
[43689](https://github.com/flutter/flutter/pull/43689) Revert: Migrate examples new embedding (cla: yes)
[43691](https://github.com/flutter/flutter/pull/43691) Re-enable chrome dev mode tests (cla: yes)
[43722](https://github.com/flutter/flutter/pull/43722) Make selected item get focus when dropdown is opened (cla: yes, f: material design, framework)
[43725](https://github.com/flutter/flutter/pull/43725) Add reloadMethod RPC (cla: yes, tool)
[43736](https://github.com/flutter/flutter/pull/43736) CupertinoPicker minor documentation update (cla: yes, d: api docs, f: cupertino, framework)
[43738](https://github.com/flutter/flutter/pull/43738) Separate DropdownButton and DropdownButtonFormField tests (cla: yes, f: material design, framework)
[43739](https://github.com/flutter/flutter/pull/43739) enable avoid_web_libraries_in_flutter (cla: yes, framework)
[43742](https://github.com/flutter/flutter/pull/43742) Adjust and refactor all `FlatButton` tests into its respective file (cla: yes, f: material design, framework, waiting for tree to go green)
[43745](https://github.com/flutter/flutter/pull/43745) Run update packages --force-upgrade (cla: yes, team)
[43748](https://github.com/flutter/flutter/pull/43748) Gold Performance improvements (a: tests, cla: yes, framework, team)
[43753](https://github.com/flutter/flutter/pull/43753) pass --no-gen-bytecode to aot kernel compiler invocations (cla: yes, tool)
[43756](https://github.com/flutter/flutter/pull/43756) Mark routes as opaque when added without animation (a: animation, cla: yes, f: inspector, f: routes, framework)
[43758](https://github.com/flutter/flutter/pull/43758) Split desktop config fallback variable by platform (a: desktop, cla: yes, tool)
[43759](https://github.com/flutter/flutter/pull/43759) [flutter_tool] Teach the tool about local engine Fuchsia artifacts (cla: yes, tool, waiting for tree to go green)
[43761](https://github.com/flutter/flutter/pull/43761) Make test case use mockStopwatch (cla: yes, tool)
[43764](https://github.com/flutter/flutter/pull/43764) Update create.dart (cla: yes, tool, waiting for tree to go green)
[43767](https://github.com/flutter/flutter/pull/43767) check if libimobiledevice executables exist (cla: yes, tool)
[43800](https://github.com/flutter/flutter/pull/43800) de-flake logger test (cla: yes, tool)
[43827](https://github.com/flutter/flutter/pull/43827) Revert "Added a null check for ranges in the sourceReport map." (cla: yes, tool)
[43841](https://github.com/flutter/flutter/pull/43841) Update cupertino demos in gallery (cla: yes, d: examples, f: cupertino, framework, team, team: gallery)
[43843](https://github.com/flutter/flutter/pull/43843) Remove print and fix code formatting (cla: yes, f: material design, framework)
[43848](https://github.com/flutter/flutter/pull/43848) Don't allow Disabled InkWells to be focusable (cla: yes, f: material design, framework)
[43859](https://github.com/flutter/flutter/pull/43859) Add convenience accessor for primaryFocus (cla: yes, f: material design, framework, team)
[43862](https://github.com/flutter/flutter/pull/43862) Ensure target platform is passed is always passed (cla: yes, tool)
[43865](https://github.com/flutter/flutter/pull/43865) Reorder show and setEditingState calls to the IMM (cla: yes, framework)
[43868](https://github.com/flutter/flutter/pull/43868) Reland: Migrate examples to the Android embedding v2 (cla: yes, d: examples, team, team: gallery, waiting for tree to go green)
[43870](https://github.com/flutter/flutter/pull/43870) check for instanceof instead of runtimeType (cla: yes, tool)
[43876](https://github.com/flutter/flutter/pull/43876) Refactor flutter.gradle to use assemble directly (cla: yes, tool)
[43885](https://github.com/flutter/flutter/pull/43885) Revert "Reland: Migrate examples to the Android embedding v2" (cla: yes, d: examples, team, team: gallery)
[43907](https://github.com/flutter/flutter/pull/43907) Serve correct mime type on release dev server (cla: yes, tool)
[43908](https://github.com/flutter/flutter/pull/43908) remove no-gen-bytecode flag (cla: yes, tool)
[43913](https://github.com/flutter/flutter/pull/43913) Revert "[flutter_runner] Use sky_engine from the topaz tree (#43684)" (a: tests, cla: yes, framework)
[43915](https://github.com/flutter/flutter/pull/43915) Observe logging from VM service on iOS 13 (a: debugging, cla: yes, tool, ⌺ platform-ios)
[43918](https://github.com/flutter/flutter/pull/43918) CupertinoContextMenu (iOS 13) (cla: yes, f: cupertino, framework)
[43927](https://github.com/flutter/flutter/pull/43927) Fix stdout test (cla: yes, team)
[43932](https://github.com/flutter/flutter/pull/43932) Update CupertinoSlidingSegmentedControl control/feedback mechanism (cla: yes, f: cupertino, framework)
[43934](https://github.com/flutter/flutter/pull/43934) L10n Simplification (a: internationalization, cla: yes, framework, team, waiting for tree to go green)
[43939](https://github.com/flutter/flutter/pull/43939) Revert "Revert "Reland: Migrate examples to the Android embedding v2"" (cla: yes, d: examples, team, team: gallery)
[43941](https://github.com/flutter/flutter/pull/43941) Tweaks after the gradle.dart refactor (cla: yes, tool)
[43945](https://github.com/flutter/flutter/pull/43945) Remove Source.behavior, fix bug in depfile invalidation (cla: yes, tool)
[43946](https://github.com/flutter/flutter/pull/43946) Adding subtitle to ExpansionTile (cla: yes, f: material design, framework)
[43948](https://github.com/flutter/flutter/pull/43948) Synchronize modifier keys in RawKeyboard.keysPressed with modifier flags on events. (a: desktop, a: tests, cla: yes, framework)
[43950](https://github.com/flutter/flutter/pull/43950) remove listDartSources (cla: yes, tool)
[43952](https://github.com/flutter/flutter/pull/43952) Require awaiting testbed.run (cla: yes, tool)
[43955](https://github.com/flutter/flutter/pull/43955) Make more spinner tests not flaky (cla: yes, tool)
[43959](https://github.com/flutter/flutter/pull/43959) Respond to TextInputClient.reattach messages. (cla: yes, framework, waiting for tree to go green)
[43981](https://github.com/flutter/flutter/pull/43981) Fix typo in app_bar.dart (cla: yes, f: material design, framework, waiting for tree to go green)
[43990](https://github.com/flutter/flutter/pull/43990) Upgrade dartdoc to 0.29.0 (cla: yes, team)
[43994](https://github.com/flutter/flutter/pull/43994) flutter build aar should also build plugins as AARs (cla: yes, team, tool)
[43997](https://github.com/flutter/flutter/pull/43997) Revert: Migrate examples to the Android embedding v2 (cla: yes, d: examples, team, team: gallery)
[44003](https://github.com/flutter/flutter/pull/44003) Revert "Implement AlertDialog title/content overflow scroll #43226" (cla: yes, f: material design, framework)
[44010](https://github.com/flutter/flutter/pull/44010) dev/ci/README.md update (cla: yes, team, waiting for tree to go green)
[44011](https://github.com/flutter/flutter/pull/44011) Move the plugin registrant to io.flutter.plugins and add the @Keep an… (cla: yes, tool, waiting for tree to go green)
[44017](https://github.com/flutter/flutter/pull/44017) Asset server fix for sourcemaps (cla: yes, tool)
[44019](https://github.com/flutter/flutter/pull/44019) Ignore generated .project files for VSCode Java Plugin (cla: yes, team)
[44026](https://github.com/flutter/flutter/pull/44026) Exit tool if a plugin only supports the embedding v2 but the app doesn't (cla: yes, tool, waiting for tree to go green)
[44027](https://github.com/flutter/flutter/pull/44027) Allow specifying device-vmservice-port and host-vmservice-port (cla: yes, tool)
[44028](https://github.com/flutter/flutter/pull/44028) Support --no-resident on the web (cla: yes, tool)
[44029](https://github.com/flutter/flutter/pull/44029) Use alphabetic baselines for layout of InputDecorator (cla: yes, f: material design, framework)
[44031](https://github.com/flutter/flutter/pull/44031) Added tests for the new Android heading semantic flag to android_semantics_testing (a: accessibility, cla: yes, team)
[44032](https://github.com/flutter/flutter/pull/44032) Copy chrome preferences to seeded data dir (cla: yes, tool)
[44043](https://github.com/flutter/flutter/pull/44043) Add Android embedding version analytics (cla: yes, tool, waiting for tree to go green)
[44052](https://github.com/flutter/flutter/pull/44052) Remove flutter_tool services code (cla: yes, tool)
[44065](https://github.com/flutter/flutter/pull/44065) Build ios framework (cla: yes, team, tool)
[44068](https://github.com/flutter/flutter/pull/44068) Fix typo in tabs.dart (cla: yes, f: material design, framework, waiting for tree to go green)
[44076](https://github.com/flutter/flutter/pull/44076) Typo on comments (cla: yes, f: material design, framework, waiting for tree to go green)
[44083](https://github.com/flutter/flutter/pull/44083) Add --dart-define option (cla: yes, tool, waiting for tree to go green)
[44119](https://github.com/flutter/flutter/pull/44119) [flutter_tool] --flutter_runner will download the debug symbols (cla: yes, tool)
[44127](https://github.com/flutter/flutter/pull/44127) build aar prints how to consume the artifacts (cla: yes, tool, waiting for tree to go green)
[44130](https://github.com/flutter/flutter/pull/44130) Add command key bindings to macOS text editing and fix selection. (a: desktop, cla: yes, customer: octopod, framework, ⌘ platform-mac)
[44139](https://github.com/flutter/flutter/pull/44139) Reland: Migrate examples to the Android embedding v2 (cla: yes, d: examples, team, team: gallery, waiting for tree to go green)
[44146](https://github.com/flutter/flutter/pull/44146) Remove flutter.yaml migration code (cla: yes, tool)
[44147](https://github.com/flutter/flutter/pull/44147) Remove plugin imports from module_test_ios (a: tests, cla: yes, team)
[44149](https://github.com/flutter/flutter/pull/44149) Apply minimumDate & maximumDate constraints in CupertinoDatePicker date mode (cla: yes, f: cupertino, framework)
[44150](https://github.com/flutter/flutter/pull/44150) Manually roll engine to unred the tree (cla: yes, engine)
[44151](https://github.com/flutter/flutter/pull/44151) Add version to fuchsia_remote_debug_protocol (cla: yes, team, waiting for tree to go green)
[44160](https://github.com/flutter/flutter/pull/44160) Wire selectedItemBuilder through DropdownButtonFormField (cla: yes, f: material design, framework)
[44166](https://github.com/flutter/flutter/pull/44166) Add v1 plugin register function into v2 plugin template (cla: yes, team, tool)
[44169](https://github.com/flutter/flutter/pull/44169) Adjust and refactor all `RaisedButton` tests into its respective file (cla: yes, f: material design, framework)
[44189](https://github.com/flutter/flutter/pull/44189) make some BuildContext methods generics (cla: yes, d: examples, framework, severe: API break, team, team: gallery)
[44194](https://github.com/flutter/flutter/pull/44194) Revert "[Gallery] Add Material Study app Rally as an example app" (cla: yes, d: examples, f: material design, team, team: gallery)
[44200](https://github.com/flutter/flutter/pull/44200) Make ProjectFileInvalidator injectable (cla: yes, tool)
[44201](https://github.com/flutter/flutter/pull/44201) Temporarily bring the embedding dependencies in the Flutter gallery (cla: yes, d: examples, team, team: gallery)
[44210](https://github.com/flutter/flutter/pull/44210) Revert "Exit tool if a plugin supports the embedding v2 but the app d… (cla: yes, tool)
[44214](https://github.com/flutter/flutter/pull/44214) Fix v1 embedding support heuristic for plugins (cla: yes, tool, waiting for tree to go green)
[44217](https://github.com/flutter/flutter/pull/44217) Moving pointer event sanitizing to engine. (cla: yes, customer: crowd, customer: dream (g3), customer: headline, framework)
[44221](https://github.com/flutter/flutter/pull/44221) Use platform appropriate filepaths (cla: yes, tool)
[44223](https://github.com/flutter/flutter/pull/44223) Update Stocks example using i18n tool (cla: yes, d: examples, team)
[44227](https://github.com/flutter/flutter/pull/44227) [flutter_tool] Screenshot command must require device only for _kDeviceType (cla: yes, tool)
[44233](https://github.com/flutter/flutter/pull/44233) Remove yield from inherited model (cla: yes, framework)
[44243](https://github.com/flutter/flutter/pull/44243) Build local maven repo when using local engine (cla: yes, tool)
[44263](https://github.com/flutter/flutter/pull/44263) Allow web server device to use extension if started with --start-paused (cla: yes, team, tool)
[44268](https://github.com/flutter/flutter/pull/44268) Switch from using app.progress to app.webLaunchUrl for passing web launch urls (cla: yes, tool)
[44277](https://github.com/flutter/flutter/pull/44277) Revert "Roll engine 6c763bb551cb..9726b4cb99d3 (4 commits)" (cla: yes, engine)
[44278](https://github.com/flutter/flutter/pull/44278) Do not pass obsolete --strong option to front-end server (cla: yes, tool)
[44279](https://github.com/flutter/flutter/pull/44279) link platform should be true for profile (cla: yes, tool)
[44281](https://github.com/flutter/flutter/pull/44281) revert add new enum change (cla: yes, framework, team, tool)
[44289](https://github.com/flutter/flutter/pull/44289) SliverOpacity (cla: yes, f: scrolling, framework, severe: new feature, waiting for tree to go green)
[44292](https://github.com/flutter/flutter/pull/44292) Manual roll for add new enum roll back (cla: yes, engine)
[44296](https://github.com/flutter/flutter/pull/44296) ModalBarrier and Drawer barrier prevents mouse events (a: desktop, cla: yes, f: gestures, f: material design, framework)
[44299](https://github.com/flutter/flutter/pull/44299) Re-enable Pesto in profile/release mode (cla: yes, d: examples, team, team: gallery)
[44301](https://github.com/flutter/flutter/pull/44301) Don't print how to consume AARs when building plugins as AARs (cla: yes, tool)
[44302](https://github.com/flutter/flutter/pull/44302) Don't add x86 nor x64 when building a local engine in debug mode (cla: yes, tool, waiting for tree to go green)
[44307](https://github.com/flutter/flutter/pull/44307) Fixing local golden output flake (a: tests, cla: yes, framework, team: flakes)
[44308](https://github.com/flutter/flutter/pull/44308) Add more flutter build ios-framework tests before the impending jonahpocalypse (cla: yes, team, waiting for tree to go green)
[44312](https://github.com/flutter/flutter/pull/44312) Demonstrate that artifact invalidation works (cla: yes, team)
[44313](https://github.com/flutter/flutter/pull/44313) l10n tool improvements, stocks app refresh (a: internationalization, cla: yes, d: examples, team)
[44317](https://github.com/flutter/flutter/pull/44317) CupertinoDynamicColor improvements (a: tests, cla: yes, d: examples, f: cupertino, framework, team, team: gallery)
[44318](https://github.com/flutter/flutter/pull/44318) Remove TODO that's done (cla: yes, documentation, framework)
[44324](https://github.com/flutter/flutter/pull/44324) Add swift_versions to plugin template podspec, include default CocoaPod version (cla: yes, team, tool, ⌘ platform-mac, ⌺ platform-ios)
[44328](https://github.com/flutter/flutter/pull/44328) Adjust and refactor all `OutlineButton` tests into its respective file (cla: yes, f: material design, framework, waiting for tree to go green)
[44344](https://github.com/flutter/flutter/pull/44344) Update packages to get latest dwds in flutter_tools (cla: yes, team)
[44351](https://github.com/flutter/flutter/pull/44351) [Material] Update the Slider and RangeSlider to the latest Material spec (cla: yes, d: examples, f: material design, framework, team, team: gallery)
[44360](https://github.com/flutter/flutter/pull/44360) [flutter_tool] Stream artifact downloads to files (cla: yes, tool)
[44365](https://github.com/flutter/flutter/pull/44365) Turn off docs upload temporarily (cla: yes, team)
[44369](https://github.com/flutter/flutter/pull/44369) Flip enable-android-embedding-v2 flag (cla: yes, severe: API break, team, tool, waiting for tree to go green)
[44371](https://github.com/flutter/flutter/pull/44371) Revert "Turn off docs upload temporarily (#44365)" (cla: yes, team)
[44391](https://github.com/flutter/flutter/pull/44391) Segmented control quick double tap fix (cla: yes, f: cupertino, framework)
[44396](https://github.com/flutter/flutter/pull/44396) Revert "Enable usage of experimental incremental compiler for web" (cla: yes, team, tool)
[44400](https://github.com/flutter/flutter/pull/44400) Reland: enable usage of experimental web compiler (cla: yes, team, tool)
[44408](https://github.com/flutter/flutter/pull/44408) Remove no longer needed clean up code (cla: yes, framework, waiting for tree to go green)
[44410](https://github.com/flutter/flutter/pull/44410) Add macOS fn key support. (cla: yes, framework, team)
[44413](https://github.com/flutter/flutter/pull/44413) Turn off docs upload temporarily (cla: yes, team)
[44421](https://github.com/flutter/flutter/pull/44421) switch web test to macOS (cla: yes, team)
[44422](https://github.com/flutter/flutter/pull/44422) Remove TextRange, export it from dart:ui (cla: yes, framework)
[44447](https://github.com/flutter/flutter/pull/44447) implicit-casts:false on flutter_tools/lib (cla: yes, tool)
[44451](https://github.com/flutter/flutter/pull/44451) Use raw string for l10n description (a: internationalization, cla: yes, team, waiting for tree to go green)
[44454](https://github.com/flutter/flutter/pull/44454) Re-enable docs uploading (cla: yes, team)
[44457](https://github.com/flutter/flutter/pull/44457) [flutter_tool] Update Fuchsia SDK (cla: yes, tool)
[44463](https://github.com/flutter/flutter/pull/44463) Revert "Demonstrate that artifact invalidation works" (cla: yes, team)
[44466](https://github.com/flutter/flutter/pull/44466) Update dartdoc to 0.29.1 (cla: yes, team)
[44467](https://github.com/flutter/flutter/pull/44467) Make sure all our .dart files have license headers (a: accessibility, cla: yes, d: examples, f: cupertino, f: material design, team, team: gallery)
[44468](https://github.com/flutter/flutter/pull/44468) Fix test for null flutter root (cla: yes, tool)
[44469](https://github.com/flutter/flutter/pull/44469) Deprecation cleanup in flutter_tools (cla: yes, tool)
[44473](https://github.com/flutter/flutter/pull/44473) l10n tool improvements, stocks app i18n refresh (a: internationalization, cla: yes, d: examples, team)
[44479](https://github.com/flutter/flutter/pull/44479) Adding flutter_goldens tests to misc shards (a: tests, cla: yes, framework, team)
[44481](https://github.com/flutter/flutter/pull/44481) Provide specific field to accept depfiles in target class (cla: yes, tool)
[44487](https://github.com/flutter/flutter/pull/44487) reland add new enum change (#44281) (a: existing-apps, cla: yes, framework, team)
[44488](https://github.com/flutter/flutter/pull/44488) Refactorings to testbed.run and testbed.test (cla: yes, tool)
[44490](https://github.com/flutter/flutter/pull/44490) Fix "node._relayoutBoundary == _relayoutBoundary" crash (cla: yes, framework, waiting for tree to go green)
[44499](https://github.com/flutter/flutter/pull/44499) Show a warning when a module uses a v1 only plugin (cla: yes, tool, waiting for tree to go green)
[44534](https://github.com/flutter/flutter/pull/44534) Improve performance of build APK (~50%) by running gen_snapshot concurrently (cla: yes, team, tool)
[44551](https://github.com/flutter/flutter/pull/44551) Remove new unused elements (a: accessibility, cla: yes, f: cupertino, framework)
[44574](https://github.com/flutter/flutter/pull/44574) Print a message when modifying settings that you may need to reload IDE/editor (cla: yes, tool)
[44576](https://github.com/flutter/flutter/pull/44576) [ci] Use the latest Cirrus Image for macOS (cla: yes)
[44584](https://github.com/flutter/flutter/pull/44584) Update meta to 1.1.8 (cla: yes, team)
[44605](https://github.com/flutter/flutter/pull/44605) Changing RenderEditable.textAlign doesn't break hot reload anymore (a: text input, cla: yes, framework, t: hot reload)
[44608](https://github.com/flutter/flutter/pull/44608) Reduce some direct package:archive usage (cla: yes, tool)
[44610](https://github.com/flutter/flutter/pull/44610) Error Message for createState assertion (a: error message, a: quality, cla: yes, framework, severe: crash, waiting for tree to go green)
[44611](https://github.com/flutter/flutter/pull/44611) Convert to TextPosition for getWordBoundary (cla: yes, framework)
[44613](https://github.com/flutter/flutter/pull/44613) Revert engine rolls. (cla: yes, engine)
[44617](https://github.com/flutter/flutter/pull/44617) Make disposing a ScrollPosition with pixels=null legal (cla: yes, framework, waiting for tree to go green)
[44618](https://github.com/flutter/flutter/pull/44618) Update our deprecation style. (a: tests, cla: yes, f: cupertino, f: material design, framework, team, work in progress; do not review)
[44619](https://github.com/flutter/flutter/pull/44619) Update Gold to fallback on skipping comparator when offline (a: annoyance, a: quality, a: tests, cla: yes, framework, team: flakes)
[44620](https://github.com/flutter/flutter/pull/44620) Bump memory requirements for tool_tests-general-linux (cla: yes)
[44622](https://github.com/flutter/flutter/pull/44622) Track and use fallback TextAffinity for null affinity platform TextSelections. (cla: yes, framework)
[44625](https://github.com/flutter/flutter/pull/44625) Release startup lock during long-lived build ios framework (cla: yes, tool)
[44633](https://github.com/flutter/flutter/pull/44633) Turn on bitcode for integration tests and add-to-app templates (a: existing-apps, a: tests, cla: yes, team, tool)
[44637](https://github.com/flutter/flutter/pull/44637) Attach looks at future observatory URIs (cla: yes, tool, waiting for tree to go green)
[44638](https://github.com/flutter/flutter/pull/44638) Add module to create template help text (a: existing-apps, cla: yes, tool)
[44736](https://github.com/flutter/flutter/pull/44736) Check in new diffs to material localizations (a: internationalization, cla: yes, f: material design)
[44743](https://github.com/flutter/flutter/pull/44743) Sort Localization generation output (a: internationalization, cla: yes, f: cupertino, f: material design, team)
[44744](https://github.com/flutter/flutter/pull/44744) Ensure web-server does not force usage of dwds (cla: yes, tool)
[44746](https://github.com/flutter/flutter/pull/44746) Remove chrome device web integration test (cla: yes, team)
[44753](https://github.com/flutter/flutter/pull/44753) Always link desktop platforms (cla: yes, tool)
[44758](https://github.com/flutter/flutter/pull/44758) Canonicalize locale string in `gen_l10n.dart` (a: internationalization, cla: yes, team)
[44761](https://github.com/flutter/flutter/pull/44761) Sort locales and method/properties/getters alphabetically (a: internationalization, cla: yes, d: examples, team)
[44772](https://github.com/flutter/flutter/pull/44772) Test framework for analyze.dart (cla: yes, team, waiting for tree to go green)
[44776](https://github.com/flutter/flutter/pull/44776) More license header fixes (cla: yes, d: examples, team, team: gallery)
[44778](https://github.com/flutter/flutter/pull/44778) Revert "Implement PageView using SliverLayoutBuilder, Deprecate RenderSliverFillViewport (#37024)" (cla: yes, framework)
[44782](https://github.com/flutter/flutter/pull/44782) Updated flutter/examples to further conform to new embedding: removed references to FlutterApplication, deleted all MainActivity's that were not necessary, removed all direct invocations of GeneratedPluginRegistrant. (#22529) (cla: yes, d: examples, team, team: gallery)
[44783](https://github.com/flutter/flutter/pull/44783) Forward ProcessException to error handlers (cla: yes, tool)
[44787](https://github.com/flutter/flutter/pull/44787) Fix snippets to include element ID in the output sample. (cla: yes, f: material design, team)
[44790](https://github.com/flutter/flutter/pull/44790) Roll engine manual 31cd2dfca22a...b358dc58fbce (39 commits) (cla: yes, engine, framework)
[44797](https://github.com/flutter/flutter/pull/44797) Build AAR for all build variants by default (cla: yes, tool)
[44830](https://github.com/flutter/flutter/pull/44830) Update manual_tests to be able to run on macOS/web (a: desktop, cla: yes, f: material design, team)
[44843](https://github.com/flutter/flutter/pull/44843) Revert "Allow specifying device-vmservice-port and host-vmservice-port" (cla: yes, tool)
[44844](https://github.com/flutter/flutter/pull/44844) Properly interpret modifiers on GLFW key events (a: desktop, cla: yes, framework, 🐧 platform-linux)
[44853](https://github.com/flutter/flutter/pull/44853) Reland: Allow specifying device-vmservice-port and host-vmservice-port (cla: yes, tool)
[44867](https://github.com/flutter/flutter/pull/44867) FocusableActionDetector widget (cla: yes, f: material design, framework)
[44868](https://github.com/flutter/flutter/pull/44868) Catch and display version check errors during doctor (a: first hour, cla: yes, tool)
[44870](https://github.com/flutter/flutter/pull/44870) Add -runFirstLaunch hint text (a: first hour, cla: yes, t: xcode, tool)
[44878](https://github.com/flutter/flutter/pull/44878) Fake locale in doctor_test (cla: yes, tool)
[44882](https://github.com/flutter/flutter/pull/44882) Update package test (cla: yes, team)
[44907](https://github.com/flutter/flutter/pull/44907) [Gallery] Reland Add Material Study app Rally as an example app (cla: yes, d: examples, f: material design, team, team: gallery, waiting for tree to go green)
[44920](https://github.com/flutter/flutter/pull/44920) [flutter_tool] Various fixes for 'run' for Fuchsia. (cla: yes, d: examples, team, team: gallery, tool)
[44933](https://github.com/flutter/flutter/pull/44933) [flutter_tool] Don't crash when failing to delete downloaded artifacts (cla: yes, tool)
[44935](https://github.com/flutter/flutter/pull/44935) [flutter_runner] Use sky_engine from the topaz tree (a: tests, cla: yes, framework)
[44947](https://github.com/flutter/flutter/pull/44947) Revert "reland add new enum change (#44281) (#44487)" (cla: yes, framework, team)
[44965](https://github.com/flutter/flutter/pull/44965) Scroll scrollable to keep focused control visible. (a: desktop, cla: yes, f: scrolling, framework)
[44966](https://github.com/flutter/flutter/pull/44966) Don't log stack traces to console on build failures (cla: yes, tool)
[44967](https://github.com/flutter/flutter/pull/44967) Try a mildly prettier FlutterError and make it less drastic in release mode (cla: yes, framework, waiting for tree to go green)
[44996](https://github.com/flutter/flutter/pull/44996) implicit-casts:false in flutter_test (a: tests, cla: yes, framework)
[45000](https://github.com/flutter/flutter/pull/45000) Manual engine roll to b2640d97e7e8034f28b4e7b92c15b0824e433897 (cla: yes, engine, framework)
[45011](https://github.com/flutter/flutter/pull/45011) catch IOSDeviceNotFoundError in IOSDevice.startApp() (cla: yes, tool)
[45012](https://github.com/flutter/flutter/pull/45012) reland add new enum change (cla: yes, framework, team)
[45050](https://github.com/flutter/flutter/pull/45050) Add a perf test for picture raster cache (cla: yes, severe: performance, t: flutter driver, team)
[45080](https://github.com/flutter/flutter/pull/45080) Ignore vscode Java plugin auto-generated files (cla: yes, team)
[45081](https://github.com/flutter/flutter/pull/45081) Remove duplicated expect from text field test (cla: yes, f: material design, framework)
[45083](https://github.com/flutter/flutter/pull/45083) Fix draggable scrollable sheet scroll notification (cla: yes, framework, waiting for tree to go green)
[45115](https://github.com/flutter/flutter/pull/45115) fix ios_add2app_life_cycle license (cla: yes, team)
[45119](https://github.com/flutter/flutter/pull/45119) revert added lifecycle enum (cla: yes, framework, team)
[45124](https://github.com/flutter/flutter/pull/45124) Analyze dartpad (cla: yes, f: cupertino, framework, team)
[45125](https://github.com/flutter/flutter/pull/45125) Gallery Typo Fix (cla: yes, d: examples, team, team: gallery)
[45126](https://github.com/flutter/flutter/pull/45126) Enable iOS platform views for Flutter Gallery (cla: yes, d: examples, team, team: gallery)
[45127](https://github.com/flutter/flutter/pull/45127) SliverIgnorePointer (cla: yes, f: scrolling, framework, severe: new feature, waiting for tree to go green)
[45133](https://github.com/flutter/flutter/pull/45133) reland add lifecycle enum and fix the scheduleforcedframe (cla: yes, framework, team)
[45135](https://github.com/flutter/flutter/pull/45135) Add option to delay rendering the first frame (cla: yes, framework, severe: API break)
[45136](https://github.com/flutter/flutter/pull/45136) Remove FLUTTER_DEVICELAB_XCODE_PROVISIONING_CONFIG code paths (a: tests, cla: yes, team, team: infra)
[45139](https://github.com/flutter/flutter/pull/45139) Update Android CPU device detection (cla: yes, tool)
[45141](https://github.com/flutter/flutter/pull/45141) Revert "[flutter_runner] Use sky_engine from the topaz tree (#44935)" (a: tests, cla: yes, framework)
[45145](https://github.com/flutter/flutter/pull/45145) cache sdkNameAndVersion logic for web devices (cla: yes, tool)
[45151](https://github.com/flutter/flutter/pull/45151) fix type errors (cla: yes, tool)
[45153](https://github.com/flutter/flutter/pull/45153) implicit-casts:false on flutter_tools (cla: yes, tool)
[45168](https://github.com/flutter/flutter/pull/45168) Allow plural localized strings to not specify every case (a: internationalization, cla: yes, team)
[45172](https://github.com/flutter/flutter/pull/45172) Fix device daemon test when desktop or web are enabled (a: tests, cla: yes, tool)
[45178](https://github.com/flutter/flutter/pull/45178) Increase memory from 8->10GB for tool_tests-commands-linux (a: tests, cla: yes)
[45180](https://github.com/flutter/flutter/pull/45180) Add the rally_assets package to Gallery's BUILD.gn (cla: yes, d: examples, team, team: gallery)
[45187](https://github.com/flutter/flutter/pull/45187) [flutter_tool] Builds aot for Fuchsia release and jit product for jit-release. (cla: yes, tool)
[45189](https://github.com/flutter/flutter/pull/45189) Remove chmod to make Flutter framework headers unwritable (cla: yes, tool)
[45192](https://github.com/flutter/flutter/pull/45192) Roll engine to f4fba66c2fad1c1d5705ea0734ee4250211f6757 (cla: yes, engine)
[45200](https://github.com/flutter/flutter/pull/45200) Spell check of Flutter docs (cla: yes, d: api docs, documentation, team)
[45203](https://github.com/flutter/flutter/pull/45203) Roll engine f4fba66c2fad..c812a62b8810 (4 commits) (cla: yes, engine)
[45211](https://github.com/flutter/flutter/pull/45211) Revert "Attach looks at future observatory URIs" (cla: yes, tool)
[45212](https://github.com/flutter/flutter/pull/45212) Upgrade gauge for debugging (cla: yes, team, team: infra)
[45215](https://github.com/flutter/flutter/pull/45215) Remove URLs in deprecation annotation (cla: yes, team)
[45217](https://github.com/flutter/flutter/pull/45217) Roll engine c812a62b8810..2d35b4ec1f04 (4 commits) (cla: yes, engine)
[45228](https://github.com/flutter/flutter/pull/45228) Reland: Attach looks at future observatory URIs (cla: yes, tool)
[45236](https://github.com/flutter/flutter/pull/45236) Improve time to development by initializing frontend_server concurrently with platform build (cla: yes, tool)
[45237](https://github.com/flutter/flutter/pull/45237) Revert "Attach looks at future observatory URIs" (cla: yes, tool)
[45239](https://github.com/flutter/flutter/pull/45239) implicit-casts:false in fuchsia_remote_debug_protocol (cla: yes, tool, waiting for tree to go green)
[45240](https://github.com/flutter/flutter/pull/45240) implicit-casts:false in flutter_web_plugins (cla: yes)
[45249](https://github.com/flutter/flutter/pull/45249) implicit-casts:false in flutter_goldens and flutter_goldens_client (cla: yes)
[45259](https://github.com/flutter/flutter/pull/45259) Add minimum macOS application to the Flutter Gallery (cla: yes, d: examples, team, team: gallery)
[45260](https://github.com/flutter/flutter/pull/45260) Revert "reland add lifecycle enum and fix the scheduleforcedframe" (cla: yes, framework, team)
[45264](https://github.com/flutter/flutter/pull/45264) Add macOS hot reload test (cla: yes, team)
[45268](https://github.com/flutter/flutter/pull/45268) Revert "[Material] Update the Slider and RangeSlider to the latest Material spec" (cla: yes, d: examples, f: material design, framework, team, team: gallery)
[45279](https://github.com/flutter/flutter/pull/45279) Revert "[Gallery] Add Material Study app Rally as an example app" (cla: yes, d: examples, team, team: gallery)
[45282](https://github.com/flutter/flutter/pull/45282) [fuchsia] Reland use sky_engine from Topaz (a: tests, cla: yes, framework)
[45286](https://github.com/flutter/flutter/pull/45286) Fix experimental incremental web compiler for Windows (cla: yes, tool)
[45291](https://github.com/flutter/flutter/pull/45291) Revert "Reduce some direct package:archive usage" (cla: yes, tool)
[45303](https://github.com/flutter/flutter/pull/45303) Allow unknown fields in pubspec plugin section (cla: yes, tool)
[45307](https://github.com/flutter/flutter/pull/45307) Reland: Attach looks at future observatory URIs (cla: yes, tool, waiting for tree to go green)
[45317](https://github.com/flutter/flutter/pull/45317) de-null dartDefines in daemon mode (cla: yes, tool, waiting for tree to go green)
[45319](https://github.com/flutter/flutter/pull/45319) catch parse error from corrupt config (cla: yes, tool)
[45320](https://github.com/flutter/flutter/pull/45320) Remove Flags (cla: yes, tool)
[45349](https://github.com/flutter/flutter/pull/45349) Revert "[flutter_tool] Builds aot for Fuchsia release and jit product for jit-release." (cla: yes, tool)
[45350](https://github.com/flutter/flutter/pull/45350) Reland: [flutter_tool] Fuchsia AOT builds (cla: yes, tool)
[45353](https://github.com/flutter/flutter/pull/45353) Revert "Add the rally_assets package to Gallery's BUILD.gn (#45180)" (cla: yes, d: examples, team, team: gallery)
[45362](https://github.com/flutter/flutter/pull/45362) Add widget of the week video embeddings (cla: yes, f: material design, framework)
[45364](https://github.com/flutter/flutter/pull/45364) Allow a no-op default_package key for a plugin platform (cla: yes, tool)
[45379](https://github.com/flutter/flutter/pull/45379) Add `.flutter-plugins-dependencies` to the project, which contains the app's plugin dependency graph (cla: yes, team, tool, waiting for tree to go green)
[45385](https://github.com/flutter/flutter/pull/45385) Revert "Add option to delay rendering the first frame" (cla: yes, framework)
[45392](https://github.com/flutter/flutter/pull/45392) [ci] more resources to Windows tasks (cla: yes)
[45407](https://github.com/flutter/flutter/pull/45407) Don't crash if the tool cannot delete asset directory (cla: yes, tool)
[45412](https://github.com/flutter/flutter/pull/45412) Revert "catch parse error from corrupt config" (cla: yes, tool)
[45414](https://github.com/flutter/flutter/pull/45414) Reland handle corrupt config file (cla: yes, tool)
[45422](https://github.com/flutter/flutter/pull/45422) Revert "Improve time to development by initializing frontend_server concurrently with platform build" (cla: yes, tool)
[45430](https://github.com/flutter/flutter/pull/45430) Drops detached message until we can handle it properly (cla: yes, framework)
[45442](https://github.com/flutter/flutter/pull/45442) Engine roll to include SkRRect fix (cla: yes, engine)
[45455](https://github.com/flutter/flutter/pull/45455) Disable tests that fail on non-master branches (cla: yes, team)
## PRs closed in this release of flutter/engine
From Sun Aug 19 17:37:00 2019 -0700 to Mon Nov 25 12:05:00 2019 -0800
[8507](https://github.com/flutter/engine/pull/8507) Add texture support for macOS shell. (affects: desktop, cla: yes, platform-macos, waiting for customer response)
[9386](https://github.com/flutter/engine/pull/9386) [glfw] Send the glfw key data to the framework. (affects: desktop, cla: yes, glfw)
[9498](https://github.com/flutter/engine/pull/9498) Notify framework to clear input connection when app is backgrounded (#35054). (cla: yes)
[9806](https://github.com/flutter/engine/pull/9806) Reuse texture cache in ios_external_texture_gl. (cla: yes)
[9864](https://github.com/flutter/engine/pull/9864) Add capability to add AppDelegate as UNUserNotificationCenterDelegate (cla: yes)
[9888](https://github.com/flutter/engine/pull/9888) Provide dart vm initalize isolate callback so that children isolates belong to parent's isolate group. (cla: yes)
[10154](https://github.com/flutter/engine/pull/10154) Started taking advantage of Skia's new copyTableData to avoid superfluous copies. (cla: yes)
[10182](https://github.com/flutter/engine/pull/10182) Made flutter startup faster by allowing initialization to be parallelized (cla: yes)
[10326](https://github.com/flutter/engine/pull/10326) copypixelbuffer causes crash (cla: yes)
[10670](https://github.com/flutter/engine/pull/10670) Expose LineMetrics in dart:ui (affects: text input, brand new feature, cla: yes)
[10814](https://github.com/flutter/engine/pull/10814) Reland remove kernel sdk script (cla: yes, platform-web)
[10945](https://github.com/flutter/engine/pull/10945) De-dup FILE output for each license (cla: yes)
[11031](https://github.com/flutter/engine/pull/11031) sync web engine; run web engine tests (cla: yes)
[11035](https://github.com/flutter/engine/pull/11035) Roll angle licenses (cla: yes)
[11041](https://github.com/flutter/engine/pull/11041) Add a BroadcastStream to FrameTiming (cla: yes)
[11049](https://github.com/flutter/engine/pull/11049) Release _ongoingTouches when FlutterViewController dealloc (cla: yes)
[11062](https://github.com/flutter/engine/pull/11062) Provide a placeholder queue ID for the custom embedder task runner. (cla: yes)
[11063](https://github.com/flutter/engine/pull/11063) Update ExternalViewEmbedder class comment. (cla: yes)
[11064](https://github.com/flutter/engine/pull/11064) Reland "Track detailed LibTxt metrics with LineMetrics(#10127)" (cla: yes)
[11070](https://github.com/flutter/engine/pull/11070) Platform View implemenation for Metal (cla: yes)
[11210](https://github.com/flutter/engine/pull/11210) Add Chrome to Dockerfile (cla: yes)
[11222](https://github.com/flutter/engine/pull/11222) [b/139487101] Dont present session twice (cla: yes)
[11224](https://github.com/flutter/engine/pull/11224) Update metal layer drawable size on relayout. (cla: yes)
[11226](https://github.com/flutter/engine/pull/11226) Make firebase testlab always pass (cla: yes)
[11228](https://github.com/flutter/engine/pull/11228) Re-enable firebase test and don't use google login (cla: yes)
[11230](https://github.com/flutter/engine/pull/11230) Update tflite_native and language_model revisions to match the Dart SDK (cla: yes)
[11239](https://github.com/flutter/engine/pull/11239) Remove dart entrypoint Intent parameter from FlutterActivity. (#38713) (cla: yes)
[11255](https://github.com/flutter/engine/pull/11255) Migrate Embedder API documentation to Doxygen format. (cla: yes)
[11256](https://github.com/flutter/engine/pull/11256) Upgrade compiler to Clang 10. (cla: yes)
[11265](https://github.com/flutter/engine/pull/11265) make it possible to disable debug symbols stripping (cla: yes)
[11270](https://github.com/flutter/engine/pull/11270) Reset NSNetService delegate to nil,when stop service. (cla: yes)
[11283](https://github.com/flutter/engine/pull/11283) Fix objects equal to null not being detected as null (cla: yes)
[11300](https://github.com/flutter/engine/pull/11300) Do not Prepare raster_cache if view_embedder is present (cla: yes)
[11305](https://github.com/flutter/engine/pull/11305) Fix a segfault in EmbedderTest.CanSpecifyCustomTaskRunner (cla: yes)
[11306](https://github.com/flutter/engine/pull/11306) Set FlutterMacOS podspec min version to 10.11 (cla: yes, waiting for tree to go green)
[11309](https://github.com/flutter/engine/pull/11309) Fix change_install_name.py to be GN-friendly (cla: yes, waiting for tree to go green)
[11310](https://github.com/flutter/engine/pull/11310) When using a custom compositor, ensure the root canvas is flushed. (cla: yes)
[11315](https://github.com/flutter/engine/pull/11315) Do not add null task observers (cla: yes)
[11316](https://github.com/flutter/engine/pull/11316) [lsc] Remove fuchsia.net.SocketProvider (cla: yes)
[11319](https://github.com/flutter/engine/pull/11319) Add tests for platform views (cla: yes)
[11322](https://github.com/flutter/engine/pull/11322) [fuchsia] Wire up OpacityLayer to Scenic (cla: yes)
[11324](https://github.com/flutter/engine/pull/11324) Clean up Windows and Linux build output (cla: yes)
[11327](https://github.com/flutter/engine/pull/11327) [Windows] Update API for alternative Windows shell platform implementation (cla: yes)
[11330](https://github.com/flutter/engine/pull/11330) Remove engine hash from the output artifact (cla: yes)
[11337](https://github.com/flutter/engine/pull/11337) Reference the Flutter framework instead of the dylib in iOS tests. (cla: yes)
[11345](https://github.com/flutter/engine/pull/11345) [Android] Write MINIMAL_SDK required to use PlatformViews to exception message (cla: yes)
[11350](https://github.com/flutter/engine/pull/11350) Firebase test for Platform Views on iOS (cla: yes)
[11355](https://github.com/flutter/engine/pull/11355) update sim script (cla: yes)
[11356](https://github.com/flutter/engine/pull/11356) Remove engine hash from pom filename (cla: yes)
[11357](https://github.com/flutter/engine/pull/11357) Rename first frame method and notify FlutterActivity when full drawn (#38714 #36796). (cla: yes)
[11359](https://github.com/flutter/engine/pull/11359) Dry up fixture comparison in embedder unit-tests. (cla: yes)
[11360](https://github.com/flutter/engine/pull/11360) build legacy web SDK (cla: yes)
[11361](https://github.com/flutter/engine/pull/11361) Include Java stack trace in method channel invocations (cla: yes)
[11367](https://github.com/flutter/engine/pull/11367) Make message loop task entry containers thread safe (cla: yes)
[11368](https://github.com/flutter/engine/pull/11368) Switch to an incremental runloop for GLFW (cla: yes)
[11374](https://github.com/flutter/engine/pull/11374) Update scenarios readme (cla: yes)
[11380](https://github.com/flutter/engine/pull/11380) Use App.framework in macOS FlutterDartProject (cla: yes)
[11382](https://github.com/flutter/engine/pull/11382) Trivial: remove empty line in the pom file (cla: yes)
[11384](https://github.com/flutter/engine/pull/11384) Account for root surface transformation on the surfaces managed by the external view embedder. (cla: yes)
[11386](https://github.com/flutter/engine/pull/11386) Allow non-resizable windows in GLFW embedding (cla: yes)
[11388](https://github.com/flutter/engine/pull/11388) Allow overriding the GLFW pixel ratio (cla: yes)
[11390](https://github.com/flutter/engine/pull/11390) preventDefault on touchend to show iOS keyboard (cla: yes)
[11392](https://github.com/flutter/engine/pull/11392) Wire up software rendering in the test compositor. (cla: yes)
[11394](https://github.com/flutter/engine/pull/11394) Avoid root surface acquisition during custom composition with software renderer. (cla: yes)
[11395](https://github.com/flutter/engine/pull/11395) Remove deprecated ThreadTest::GetThreadTaskRunner and use the newer CreateNewThread API. (cla: yes)
[11413](https://github.com/flutter/engine/pull/11413) Ios simulator unittests seem to not consider the full compilation unit (cla: yes)
[11416](https://github.com/flutter/engine/pull/11416) Shrink cirrus docker image: reduce RUN count, apt-get clean (cla: yes)
[11419](https://github.com/flutter/engine/pull/11419) Support non-60 refresh rate on PerformanceOverlay (cla: yes)
[11420](https://github.com/flutter/engine/pull/11420) Fix touchpad scrolling on Chromebook (cla: yes)
[11421](https://github.com/flutter/engine/pull/11421) sync Flutter Web engine to the latest (cla: yes)
[11423](https://github.com/flutter/engine/pull/11423) Add tracing of the number of frames in flight in the pipeline. (cla: yes)
[11427](https://github.com/flutter/engine/pull/11427) Skip empty platform view overlays. (cla: yes)
[11436](https://github.com/flutter/engine/pull/11436) update method for skia (cla: yes)
[11441](https://github.com/flutter/engine/pull/11441) Android 10+ View.setSystemGestureExclusionRects (cla: yes, platform-android)
[11449](https://github.com/flutter/engine/pull/11449) Roll buildroot and update gn script for bitcode_marker (cla: yes)
[11451](https://github.com/flutter/engine/pull/11451) Android 10+ View.getSystemGestureExclusionRects (cla: yes, platform-android)
[11456](https://github.com/flutter/engine/pull/11456) Update the ui.LineMetrics.height metric to be more useful to external users (cla: yes)
[11466](https://github.com/flutter/engine/pull/11466) Assert that the JUnit tests are running on Java 8 (cla: yes, waiting for tree to go green)
[11473](https://github.com/flutter/engine/pull/11473) Add missing newline at EOF (cla: yes)
[11475](https://github.com/flutter/engine/pull/11475) buildfix: support build windows release/profile mode(#32746) (cla: yes)
[11483](https://github.com/flutter/engine/pull/11483) Roll buildroot to 58d85da77cf1d5c668d185570fa8ed3d2e1a1ab5 (cla: yes)
[11489](https://github.com/flutter/engine/pull/11489) Ensure trailing newline before EOF in C++ sources (cla: yes)
[11492](https://github.com/flutter/engine/pull/11492) Roll third_party/benchmark to a779ffce872b4c811beef482e18bd0b63626aa42 (cla: yes)
[11514](https://github.com/flutter/engine/pull/11514) Update label of Fuchsia FIDL targets. (cla: yes)
[11520](https://github.com/flutter/engine/pull/11520) Bitcode only for release (cla: yes)
[11522](https://github.com/flutter/engine/pull/11522) Revert "Reuse texture cache in ios_external_texture_gl. (#9806)" (cla: yes)
[11524](https://github.com/flutter/engine/pull/11524) Reuse texture cache in ios_external_texture_gl (cla: yes)
[11528](https://github.com/flutter/engine/pull/11528) Strip bitcode from gen_snapshot (cla: yes)
[11530](https://github.com/flutter/engine/pull/11530) Optionally strip bitcode when creating ios framework (cla: yes)
[11537](https://github.com/flutter/engine/pull/11537) Add check to enable metal for import (cla: yes)
[11550](https://github.com/flutter/engine/pull/11550) Make Skia cache size channel respond with a value (cla: yes)
[11554](https://github.com/flutter/engine/pull/11554) make engine, ui, and sdk rewriter inputs of dill construction (cla: yes)
[11576](https://github.com/flutter/engine/pull/11576) Minor tweaks to the Doxygen theme. (cla: yes)
[11622](https://github.com/flutter/engine/pull/11622) Include <string> from font_asset_provider (cla: yes)
[11635](https://github.com/flutter/engine/pull/11635) [flutter_runner] Port Expose ViewBound Wireframe Functionality (cla: yes)
[11636](https://github.com/flutter/engine/pull/11636) [fidl][flutter_runner] Port Migrate to new fit::optional compatible APIs (cla: yes)
[11638](https://github.com/flutter/engine/pull/11638) Update CanvasSpy::onDrawEdgeAAQuad for Skia API change (cla: yes)
[11640](https://github.com/flutter/engine/pull/11640) remove Web test blacklist; all tests should pass now (cla: yes)
[11649](https://github.com/flutter/engine/pull/11649) [flutter] Port: Run handle wait completers on the microtask queue (cla: yes)
[11652](https://github.com/flutter/engine/pull/11652) iOS platform view mutation XCUITests (cla: yes)
[11654](https://github.com/flutter/engine/pull/11654) Append newlines to EOF of all translation units. (cla: yes)
[11655](https://github.com/flutter/engine/pull/11655) Don't crash while loading improperly formatted fonts on Safari (cla: yes)
[11669](https://github.com/flutter/engine/pull/11669) Add style guide and formatting information (cla: yes)
[11717](https://github.com/flutter/engine/pull/11717) Return a JSON value for the Skia channel (cla: yes)
[11720](https://github.com/flutter/engine/pull/11720) Revert "Notify framework to clear input connection when app is backgrounded (#35054) (#9498)" (cla: yes)
[11722](https://github.com/flutter/engine/pull/11722) Quote the font family name whenever setting the font-family property. (cla: yes)
[11732](https://github.com/flutter/engine/pull/11732) last flutter web sync: cc38319841 (cla: yes)
[11736](https://github.com/flutter/engine/pull/11736) Add wasm to sky_engine (cla: yes)
[11776](https://github.com/flutter/engine/pull/11776) [flutter_runner] Port over all the changes to the dart_runner cmx files (cla: yes)
[11783](https://github.com/flutter/engine/pull/11783) completely strip bitcode (cla: yes)
[11784](https://github.com/flutter/engine/pull/11784) Roll fuchsia/sdk/core/linux-amd64 from -UaaS... to fSXZ0... (cla: yes)
[11790](https://github.com/flutter/engine/pull/11790) Roll fuchsia/clang/linux-amd64 from wGyr4... to -mnHl... (cla: yes)
[11792](https://github.com/flutter/engine/pull/11792) Started logging warnings if we drop platform messages. (cla: yes)
[11795](https://github.com/flutter/engine/pull/11795) Add a good reference source for font metrics. (cla: yes)
[11796](https://github.com/flutter/engine/pull/11796) Provide a hook for a plugin handler to receive messages on the web (cla: yes)
[11798](https://github.com/flutter/engine/pull/11798) Manage resource and onscreen contexts using separate IOSGLContext objects (cla: yes)
[11799](https://github.com/flutter/engine/pull/11799) Let java unit tests build with autoninja (cla: yes)
[11802](https://github.com/flutter/engine/pull/11802) Adjust iOS frame start times to match the platform info (cla: yes)
[11804](https://github.com/flutter/engine/pull/11804) Incorporate View.setSystemGestureExclusionRects code review feedback from #11441 (cla: yes, platform-android)
[11807](https://github.com/flutter/engine/pull/11807) Fix deleting Thai vowel bug on iOS (cla: yes)
[11808](https://github.com/flutter/engine/pull/11808) Annotate nullability on FlutterEngine to make swift writing more ergonomic (cla: yes)
[11817](https://github.com/flutter/engine/pull/11817) Smooth out iOS irregular input events delivery (cla: yes)
[11828](https://github.com/flutter/engine/pull/11828) [Windows] Address #36422 by adding a context for async resource uploading (affects: desktop, cla: yes, platform-windows)
[11835](https://github.com/flutter/engine/pull/11835) [CFE/VM] Fix merge/typo for bump to kernel version 29 (cla: yes)
[11839](https://github.com/flutter/engine/pull/11839) Remove ENABLE_BITCODE from Scenarios test app (affects: tests, cla: yes)
[11841](https://github.com/flutter/engine/pull/11841) Revert "Add a BroadcastStream to FrameTiming (#11041)" (cla: yes)
[11842](https://github.com/flutter/engine/pull/11842) Fix RTL justification with newline by passing in full justify tracking var (cla: yes)
[11844](https://github.com/flutter/engine/pull/11844) Updated API usage in scenario app by deleting unnecessary method. (cla: yes)
[11847](https://github.com/flutter/engine/pull/11847) Add a sample unit test target to flutter runner (cla: yes)
[11849](https://github.com/flutter/engine/pull/11849) Support building standalone far packages with autogen manifests (cla: yes)
[11875](https://github.com/flutter/engine/pull/11875) [flutter_runner] Add common libs to the test far (cla: yes)
[11877](https://github.com/flutter/engine/pull/11877) Finish plumbing message responses on method channels (cla: yes)
[11880](https://github.com/flutter/engine/pull/11880) Handle new navigation platform messages (cla: yes, platform-web)
[11883](https://github.com/flutter/engine/pull/11883) LTO fuchsia binaries (cla: yes)
[11886](https://github.com/flutter/engine/pull/11886) remove extra redundant channels setup in iOS embedding engine (cla: yes)
[11890](https://github.com/flutter/engine/pull/11890) Add some AppLifecycleTests (CQ+1, cla: yes)
[11893](https://github.com/flutter/engine/pull/11893) Add @Keep annotation (cla: yes)
[11899](https://github.com/flutter/engine/pull/11899) Improve input method and Unicode character display(#30661) (cla: yes)
[11902](https://github.com/flutter/engine/pull/11902) Remove un-needed FragmentActivity import statements to facilitate proguard. (cla: yes)
[11912](https://github.com/flutter/engine/pull/11912) Document dependencies and remove support-v13 (cla: yes)
[11913](https://github.com/flutter/engine/pull/11913) Added new lifecycle enum (CQ+1, cla: yes, prod: API break, waiting for tree to go green)
[12010](https://github.com/flutter/engine/pull/12010) option for --no-lto for fuchsia (CQ+1, cla: yes, waiting for tree to go green)
[12011](https://github.com/flutter/engine/pull/12011) Cherry-picks for 1.9.1 (cla: yes)
[12016](https://github.com/flutter/engine/pull/12016) [flutter_runner] Kernel platform files can now be built in topaz (cla: yes)
[12023](https://github.com/flutter/engine/pull/12023) Fix multi span text ruler cache lookup failure. (cla: yes)
[12026](https://github.com/flutter/engine/pull/12026) [flutter_runner] Plumb Flutter component arguments to the Dart entrypoint (cla: yes)
[12034](https://github.com/flutter/engine/pull/12034) [flutter_runner] Refactor our build rules to make them more inline with topaz (cla: yes)
[12048](https://github.com/flutter/engine/pull/12048) [flutter_runner] Generate symbols for the Dart VM profiler (cla: yes)
[12054](https://github.com/flutter/engine/pull/12054) [flutter_runner] Port the accessibility bridge from Topaz (cla: yes)
[12055](https://github.com/flutter/engine/pull/12055) Revert "Manage resource and onscreen contexts using separate IOSGLCon… (cla: yes)
[12058](https://github.com/flutter/engine/pull/12058) Roll fuchsia/clang/linux-amd64 from -mnHl... to VoYNW... (cla: yes)
[12076](https://github.com/flutter/engine/pull/12076) Add a method to flutter_window_controller to destroy the current window. (cla: yes)
[12078](https://github.com/flutter/engine/pull/12078) Manage iOS contexts separately (cla: yes)
[12079](https://github.com/flutter/engine/pull/12079) Add custom test plugin that supports screenshot tests (cla: yes)
[12080](https://github.com/flutter/engine/pull/12080) Don't quote generic font families (cla: yes)
[12081](https://github.com/flutter/engine/pull/12081) Add GradientRadial paintStyle implementation (cla: yes)
[12084](https://github.com/flutter/engine/pull/12084) Guard availability of user notification related methods to iOS 10.0 (cla: yes)
[12085](https://github.com/flutter/engine/pull/12085) Enable platform view keyboard input on Android Q (cla: yes, waiting for tree to go green)
[12087](https://github.com/flutter/engine/pull/12087) Don't launch the observatory by default on each embedder unit-test invocation. (cla: yes)
[12128](https://github.com/flutter/engine/pull/12128) Make iOS FlutterViewController stop sending inactive/pause on app lifecycle events when not visible (cla: yes, prod: API break)
[12161](https://github.com/flutter/engine/pull/12161) Ensure that the web image ImageShader implements Shader (cla: yes)
[12167](https://github.com/flutter/engine/pull/12167) Channel buffers (cla: yes)
[12190](https://github.com/flutter/engine/pull/12190) Move the Fuchsia tryjob into a its own step and disable LTO. (cla: yes)
[12192](https://github.com/flutter/engine/pull/12192) Updating text field location in IOS as a pre-work for spellcheck (affects: text input, cla: yes, platform-web)
[12197](https://github.com/flutter/engine/pull/12197) add a convenience CLI tool for building and testing web engine (cla: yes)
[12204](https://github.com/flutter/engine/pull/12204) Don't disable toString in release mode for dart:ui classes (cla: yes)
[12205](https://github.com/flutter/engine/pull/12205) Don't load Roboto by default (cla: yes)
[12206](https://github.com/flutter/engine/pull/12206) Only build the x64 variant of Fuchsia on the try-jobs. (cla: yes)
[12209](https://github.com/flutter/engine/pull/12209) Roll buildroot and Fuchsia toolchain and unblock the Fuchsia/Linux autoroller manually. (cla: yes)
[12218](https://github.com/flutter/engine/pull/12218) Namespace patched SDK names to not conflict with Topaz (cla: yes)
[12222](https://github.com/flutter/engine/pull/12222) Do not generate kernel platform files on topaz tree (cla: yes)
[12226](https://github.com/flutter/engine/pull/12226) [web_ui] add missing dispose handler for MethodCalls to flutter/platform_view (cla: yes)
[12227](https://github.com/flutter/engine/pull/12227) [web_ui] PersistedPlatformView attribute update handling to enable resizing (cla: yes)
[12228](https://github.com/flutter/engine/pull/12228) pin and auto-install chrome version (cla: yes)
[12229](https://github.com/flutter/engine/pull/12229) Improve check to render (or not) a DRRect when inner falls outside of outer on RecordingCanvas (cla: yes)
[12230](https://github.com/flutter/engine/pull/12230) Add an initial macOS version of FlutterAppDelegate (cla: yes)
[12232](https://github.com/flutter/engine/pull/12232) FlutterViewController notify will dealloc (cla: yes)
[12233](https://github.com/flutter/engine/pull/12233) Revert "Manage iOS contexts separately" (cla: yes)
[12234](https://github.com/flutter/engine/pull/12234) [glfw/windows] Stops keeping track of input models (cla: yes)
[12235](https://github.com/flutter/engine/pull/12235) Roll dart to e6887536aadc7fbd1990448989601cee0224958d. (cla: yes)
[12249](https://github.com/flutter/engine/pull/12249) Editable text fix (affects: text input, cla: yes, platform-web)
[12251](https://github.com/flutter/engine/pull/12251) Revert "Smooth out iOS irregular input events delivery (#11817)" (cla: yes)
[12253](https://github.com/flutter/engine/pull/12253) Implement Base32Decode (cla: yes)
[12255](https://github.com/flutter/engine/pull/12255) Roll dart to d9489622befb638c040975163cf9b8eba2ff057b. (cla: yes)
[12256](https://github.com/flutter/engine/pull/12256) Do not assume Platform.script is a Dart source file during training. (cla: yes)
[12257](https://github.com/flutter/engine/pull/12257) Re-enable ThreadChecker and fix associated failures (CQ+1, cla: yes)
[12258](https://github.com/flutter/engine/pull/12258) Refactor and polish the 'felt' tool (cla: yes)
[12263](https://github.com/flutter/engine/pull/12263) Revert "Started taking advantage of Skia's new copyTableData to avoid (#10154)" (cla: yes)
[12264](https://github.com/flutter/engine/pull/12264) Revert "Add some AppLifecycleTests (#11890)" (cla: yes)
[12266](https://github.com/flutter/engine/pull/12266) Reland add some AppLifecycleTests (cla: yes)
[12267](https://github.com/flutter/engine/pull/12267) [macos] Stops keeping track of text input models (cla: yes, platform-macos)
[12268](https://github.com/flutter/engine/pull/12268) Close the tree (cla: yes)
[12269](https://github.com/flutter/engine/pull/12269) a11y: expose max character count for text fields (cla: yes)
[12272](https://github.com/flutter/engine/pull/12272) Revert "Close the tree" (cla: yes)
[12273](https://github.com/flutter/engine/pull/12273) Clean up after AppLifecycleTests (cla: yes)
[12274](https://github.com/flutter/engine/pull/12274) Store screenshot test output as Cirrus artifacts; do fuzzy comparison of non-matching screenshot pixels (cla: yes)
[12275](https://github.com/flutter/engine/pull/12275) Shuffle test order and repeat test runs once. (CQ+1, cla: yes)
[12276](https://github.com/flutter/engine/pull/12276) Add system font change listener for windows (cla: yes)
[12277](https://github.com/flutter/engine/pull/12277) Manage resource and onscreen contexts using separate IOSGLContext objects (cla: yes)
[12280](https://github.com/flutter/engine/pull/12280) Reland "Smooth out iOS irregular input events delivery (#11817)" (cla: yes)
[12281](https://github.com/flutter/engine/pull/12281) optionally skip builds (cla: yes)
[12282](https://github.com/flutter/engine/pull/12282) [flutter_runner] Change the path to artifacts (cla: yes)
[12284](https://github.com/flutter/engine/pull/12284) New features for golden tests (for web) (cla: yes)
[12287](https://github.com/flutter/engine/pull/12287) Adds PluginRegistry to the C++ client wrapper API (cla: yes)
[12288](https://github.com/flutter/engine/pull/12288) Include firefox in check to quote font families (cla: yes)
[12289](https://github.com/flutter/engine/pull/12289) Fix flutter runner paths (cla: yes)
[12292](https://github.com/flutter/engine/pull/12292) Revert "Add iOS platform view mutation XCUITests to the scenario app … (cla: yes)
[12295](https://github.com/flutter/engine/pull/12295) Issue 13238: on iOS, force an orientation change when the current orientation is not allowed (cla: yes, platform-ios)
[12303](https://github.com/flutter/engine/pull/12303) Add a build command to felt (cla: yes, platform-web)
[12305](https://github.com/flutter/engine/pull/12305) Introduce flutterfragmentactivity (cla: yes)
[12306](https://github.com/flutter/engine/pull/12306) Fix the declaration of setSystemGestureExclusionRects to match the PlatformMessageHandler interface (cla: yes)
[12307](https://github.com/flutter/engine/pull/12307) Cleanup in web_ui (cla: yes)
[12308](https://github.com/flutter/engine/pull/12308) [flutter] Remove old A11y API's. (cla: yes)
[12318](https://github.com/flutter/engine/pull/12318) Update canvaskit backend (cla: yes)
[12319](https://github.com/flutter/engine/pull/12319) Add "type" to getDisplayRefreshRate protocol (cla: yes)
[12320](https://github.com/flutter/engine/pull/12320) Fix continuous event polling in the GLFW event loop (cla: yes)
[12322](https://github.com/flutter/engine/pull/12322) Tests for #11283 (cla: yes)
[12323](https://github.com/flutter/engine/pull/12323) README for the felt tool (cla: yes, platform-web)
[12324](https://github.com/flutter/engine/pull/12324) Roll buildroot and remove toolchain prefix. (cla: yes)
[12325](https://github.com/flutter/engine/pull/12325) [fuchsia] add fuchsia.netstack.Netstack (affects: engine, cla: yes, customer: pink)
[12327](https://github.com/flutter/engine/pull/12327) Revert "Provide dart vm initalize isolate callback so that children i… (cla: yes)
[12328](https://github.com/flutter/engine/pull/12328) Added javadoc comments to FlutterActivity and FlutterFragmentActivity. (cla: yes)
[12330](https://github.com/flutter/engine/pull/12330) Ensure DRRects without corners also draw. (cla: yes)
[12335](https://github.com/flutter/engine/pull/12335) [Web] Implement dark mode support for web (cla: yes)
[12336](https://github.com/flutter/engine/pull/12336) Check for index bounds in RTL handling for trailing whitespace runs. (cla: yes)
[12338](https://github.com/flutter/engine/pull/12338) Add missing CL, fix targets for Fuchsia (cla: yes)
[12340](https://github.com/flutter/engine/pull/12340) [flutter_runner] Do not use pre-builts just yet (cla: yes)
[12342](https://github.com/flutter/engine/pull/12342) Update test to verify that secondary isolate gets shutdown before root isolate exits. (cla: yes)
[12343](https://github.com/flutter/engine/pull/12343) [flutter_runner] Remove usages of shared snapshots from CC sources (cla: yes)
[12345](https://github.com/flutter/engine/pull/12345) [flutter_runner] Port over the tuning advice for vulkan surface provider (cla: yes)
[12346](https://github.com/flutter/engine/pull/12346) [flutter_runner] Move from runner context to component context (cla: yes)
[12347](https://github.com/flutter/engine/pull/12347) [flutter_runner][async] Migrate dart/flutter to new async-loop APIs (cla: yes)
[12348](https://github.com/flutter/engine/pull/12348) [flutter_runner] Port the new compilation trace from topaz (cla: yes)
[12349](https://github.com/flutter/engine/pull/12349) [flutter_runner] Explicitly set |trace_skia| to false (cla: yes)
[12350](https://github.com/flutter/engine/pull/12350) [flutter_runner] Port vulkan surface changes (cla: yes)
[12353](https://github.com/flutter/engine/pull/12353) Add web engine screenshot (scuba) tests (cla: yes)
[12354](https://github.com/flutter/engine/pull/12354) java lints (cla: yes)
[12355](https://github.com/flutter/engine/pull/12355) skip flaky test (cla: yes)
[12359](https://github.com/flutter/engine/pull/12359) Forwards Flutter View to platform views and detaches when needed. (cla: yes)
[12362](https://github.com/flutter/engine/pull/12362) Fixes race condition that was reported internally. (cla: yes)
[12363](https://github.com/flutter/engine/pull/12363) Track "mouse leave" event (cla: yes, platform-windows)
[12364](https://github.com/flutter/engine/pull/12364) Revert "Reland "Smooth out iOS irregular input events delivery" (#12280)" (cla: yes)
[12370](https://github.com/flutter/engine/pull/12370) Added a default entrypoint variable to match android syntax. (cla: yes)
[12373](https://github.com/flutter/engine/pull/12373) Added unit tests for method channels. (cla: yes)
[12375](https://github.com/flutter/engine/pull/12375) Sync dart_runner (cla: yes)
[12376](https://github.com/flutter/engine/pull/12376) Roll Wuffs to 0.2.0-alpha.47 (cla: yes)
[12380](https://github.com/flutter/engine/pull/12380) [flutter_runner] a11y updates, tests! (CQ+1, cla: yes)
[12383](https://github.com/flutter/engine/pull/12383) Add macOS testing support (cla: yes)
[12385](https://github.com/flutter/engine/pull/12385) Reland "Smooth out iOS irregular input events delivery (#12280)" (cla: yes)
[12395](https://github.com/flutter/engine/pull/12395) Update --dart-vm-flags whitelist to include --write-service-info and --sample-buffer-duration (cla: yes)
[12402](https://github.com/flutter/engine/pull/12402) Resize channel buffers (CQ+1, cla: yes)
[12403](https://github.com/flutter/engine/pull/12403) Don't send pointer events when the framework isn't ready yet (cla: yes, platform-web)
[12404](https://github.com/flutter/engine/pull/12404) Support accessibility labels on iOS switches. (cla: yes)
[12410](https://github.com/flutter/engine/pull/12410) Send TYPE_VIEW_FOCUSED for views with input focus. (cla: yes)
[12412](https://github.com/flutter/engine/pull/12412) SkSL precompile (cla: yes)
[12413](https://github.com/flutter/engine/pull/12413) Migrate from fuchsia.crash.Analyzer to fuchsia.feedback.CrashReporter (cla: yes)
[12423](https://github.com/flutter/engine/pull/12423) add windows embedding test (cla: yes)
[12426](https://github.com/flutter/engine/pull/12426) Store fallback font names as a vector instead of a set. (cla: yes)
[12428](https://github.com/flutter/engine/pull/12428) Reword confusing messaging surrounding unhandled exception in flutter_runner on Fuchsia (cla: yes)
[12431](https://github.com/flutter/engine/pull/12431) Interpret negative radii as 0 in recording_canvas.dart (cla: yes)
[12432](https://github.com/flutter/engine/pull/12432) Work around Samsung keyboard issue (cla: yes)
[12434](https://github.com/flutter/engine/pull/12434) delete golden files; switch to flutter/goldens (cla: yes)
[12435](https://github.com/flutter/engine/pull/12435) add dart:html, dart:js, and dart:js_util to the copy of the Dart SDK used for analysis (cla: yes)
[12436](https://github.com/flutter/engine/pull/12436) Roll dart sdk to 69b5681546c68ab85e2ce6d3e7b92ed7d113e7c1. (cla: yes)
[12443](https://github.com/flutter/engine/pull/12443) Force exit felt tool on sigint, sigterm (cla: yes)
[12445](https://github.com/flutter/engine/pull/12445) [web] filter test targets; cache host.dart compilation (cla: yes)
[12446](https://github.com/flutter/engine/pull/12446) Add support for JIT release mode (cla: yes)
[12447](https://github.com/flutter/engine/pull/12447) Reflect selection changes in Firefox for text editing (cla: yes, platform-web)
[12448](https://github.com/flutter/engine/pull/12448) Make kDoNotResizeDimension public so framework can use it directly (cla: yes)
[12450](https://github.com/flutter/engine/pull/12450) Adds support for 5 mouse buttons (cla: yes)
[12453](https://github.com/flutter/engine/pull/12453) Adding Link SemanticsFlag (accessibility, affects: framework, cla: yes)
[12454](https://github.com/flutter/engine/pull/12454) Add .mskp file to binary format (cla: yes)
[12455](https://github.com/flutter/engine/pull/12455) Revert "Send TYPE_VIEW_FOCUSED for views with input focus. (#12410)" (cla: yes)
[12466](https://github.com/flutter/engine/pull/12466) Revert "Support accessibility labels on iOS switches." (cla: yes)
[12469](https://github.com/flutter/engine/pull/12469) Started asserting the FlutterEngine is running before communicating over channels. (cla: yes)
[12470](https://github.com/flutter/engine/pull/12470) [web_ui] Check if a pointer is already down for the specific device (cla: yes)
[12479](https://github.com/flutter/engine/pull/12479) Refactoring text_editing.dart (cla: yes)
[12563](https://github.com/flutter/engine/pull/12563) Remove use of the blobs snapshot format from unittests (cla: yes)
[12565](https://github.com/flutter/engine/pull/12565) Remove references to topaz (cla: yes)
[12572](https://github.com/flutter/engine/pull/12572) Update linux toolchain for fuchsia (cla: yes)
[12573](https://github.com/flutter/engine/pull/12573) [flutter_runner] Refactor thread_application pair to ActiveApplication (cla: yes)
[12578](https://github.com/flutter/engine/pull/12578) Revert "Update linux toolchain for fuchsia" (cla: yes)
[12587](https://github.com/flutter/engine/pull/12587) Split out the logic to handle status bar touches into its own function (cla: yes)
[12610](https://github.com/flutter/engine/pull/12610) Revert "[fuchsia] Wire up OpacityLayer to Scenic (#11322)" (cla: yes)
[12618](https://github.com/flutter/engine/pull/12618) Add isFocusable to SemanticsFlag (cla: yes)
[12681](https://github.com/flutter/engine/pull/12681) Create a package-able incremental compiler (cla: yes)
[12695](https://github.com/flutter/engine/pull/12695) Add onUnregistered callback in 'Texture' and 'FlutterTexture' (cla: yes)
[12698](https://github.com/flutter/engine/pull/12698) [web_ui] Fixing invalid state bug for text editing (affects: text input, cla: yes, platform-web)
[12699](https://github.com/flutter/engine/pull/12699) Adding 'pub get' to the 'compile_xxxx.sh' in the Scenario app (cla: yes)
[12700](https://github.com/flutter/engine/pull/12700) Add missing flag for embedder. (cla: yes)
[12701](https://github.com/flutter/engine/pull/12701) Cleanup: Made a macro to assert ARC is enabled. (cla: yes)
[12703](https://github.com/flutter/engine/pull/12703) [flutter_runner] Replace read exec calls on Fuchsia to adhere to Verified Execution semantics (cla: yes)
[12706](https://github.com/flutter/engine/pull/12706) Check for a null input method subtype (cla: yes)
[12707](https://github.com/flutter/engine/pull/12707) Reland "Add iOS platform view mutation XCUITests to the scenario app(#11652)" (cla: yes)
[12708](https://github.com/flutter/engine/pull/12708) Cleanup: Turned on NS_ASSUME_NONNULL_BEGIN for FlutterViewController. (CQ+1, cla: yes)
[12710](https://github.com/flutter/engine/pull/12710) Set transparent background in textarea elements (affects: text input, cla: yes, platform-web)
[12712](https://github.com/flutter/engine/pull/12712) Support correct keymap for web (accessibility, affects: text input, cla: yes, platform-web)
[12725](https://github.com/flutter/engine/pull/12725) Expanded channel buffer resize to method channels. (cla: yes)
[12728](https://github.com/flutter/engine/pull/12728) Remove unused import in the scenario app (cla: yes)
[12730](https://github.com/flutter/engine/pull/12730) Stop setting the accessibility text if a node has SCOPES_ROUTE set. (cla: yes)
[12732](https://github.com/flutter/engine/pull/12732) Fix parameter naming in docs (cla: yes)
[12733](https://github.com/flutter/engine/pull/12733) [flutter_runner] Make rd and rx uniform (cla: yes)
[12742](https://github.com/flutter/engine/pull/12742) Revert "Revert "Update linux toolchain for fuchsia" (#12578)" (CQ+1, cla: yes)
[12746](https://github.com/flutter/engine/pull/12746) Send AccessibilityEvent.TYPE_VIEW_FOCUSED when input focus is set. (cla: yes)
[12747](https://github.com/flutter/engine/pull/12747) Add web implementation for channel_buffers.dart (cla: yes)
[12752](https://github.com/flutter/engine/pull/12752) Enabled people to chose if SystemNavigator.pop is animated on iOS. (cla: yes)
[12753](https://github.com/flutter/engine/pull/12753) [web] Don't require felt to be in PATH (cla: yes, platform-web)
[12754](https://github.com/flutter/engine/pull/12754) Fix Metal builds by accounting for the updated SubmitFrame signature. (cla: yes)
[12761](https://github.com/flutter/engine/pull/12761) Build AOT and test targets, generate FARs when building Fuchsia (CQ+1, cla: yes)
[12771](https://github.com/flutter/engine/pull/12771) roll buildroot to 01e923507b28e5d1d3fe7597d2db2b30b0a543e9 (CQ+1, cla: yes)
[12773](https://github.com/flutter/engine/pull/12773) Revert "Manage resource and onscreen contexts using separate IOSGLCon… (cla: yes)
[12775](https://github.com/flutter/engine/pull/12775) Added some thread asserts to the code and made ios_surface_ safe since (cla: yes)
[12777](https://github.com/flutter/engine/pull/12777) Fix Metal builds. (cla: yes)
[12780](https://github.com/flutter/engine/pull/12780) Restart all modern Samsung keyboard IMM (cla: yes)
[12781](https://github.com/flutter/engine/pull/12781) Revert "Build AOT and test targets, generate FARs when building Fuchsia" (cla: yes)
[12783](https://github.com/flutter/engine/pull/12783) Add a unit-test to verify that root surface transformation affects platform view coordinates. (cla: yes)
[12785](https://github.com/flutter/engine/pull/12785) Fix bug in package script and add dev_compiler to list (cla: yes)
[12793](https://github.com/flutter/engine/pull/12793) Fixing selection issues in Firefox (cla: yes, platform-web)
[12794](https://github.com/flutter/engine/pull/12794) [web] Add support for path transform (cla: yes)
[12795](https://github.com/flutter/engine/pull/12795) Reland fuchsia build improvements (CQ+1, cla: yes)
[12797](https://github.com/flutter/engine/pull/12797) add option for bulk-updating screenshots; update screenshots (Work in progress (WIP), cla: yes)
[12798](https://github.com/flutter/engine/pull/12798) [flutter_runner] Update the cmx files to include TZ support (cla: yes)
[12799](https://github.com/flutter/engine/pull/12799) Disable EmbedderTest::CanLaunchAndShutdownMultipleTimes. (cla: yes)
[12800](https://github.com/flutter/engine/pull/12800) Prettify all CMX files (cla: yes)
[12801](https://github.com/flutter/engine/pull/12801) do not wrap font family name (cla: yes, platform-web)
[12802](https://github.com/flutter/engine/pull/12802) Build gen_snapshot with a 64-bit host toolchain even if the target platform is 32-bit (cla: yes)
[12805](https://github.com/flutter/engine/pull/12805) Unbreak Fuchsia unopt builds (cla: yes)
[12806](https://github.com/flutter/engine/pull/12806) Move initialization into FlutterEngine (cla: yes)
[12808](https://github.com/flutter/engine/pull/12808) Added an embedder example (cla: yes)
[12809](https://github.com/flutter/engine/pull/12809) Use the x64 host toolchain for x86 target gen_snapshot only on Linux (cla: yes)
[12811](https://github.com/flutter/engine/pull/12811) [web] Implement basic radial gradient (TileMode.clamp, no transform) (cla: yes)
[12813](https://github.com/flutter/engine/pull/12813) Unblock SIGPROF on flutter_tester start (cla: yes)
[12814](https://github.com/flutter/engine/pull/12814) Enable all engine test on windows (cla: yes)
[12815](https://github.com/flutter/engine/pull/12815) Revert "Adding Link SemanticsFlag" (cla: yes)
[12816](https://github.com/flutter/engine/pull/12816) Enable sanitizer build variants. (cla: yes)
[12819](https://github.com/flutter/engine/pull/12819) Open source canvas tests from flutter_web_ui (cla: yes)
[12821](https://github.com/flutter/engine/pull/12821) Update buildroot to pull in ubsan updates. (cla: yes)
[12931](https://github.com/flutter/engine/pull/12931) remove references to package:_chrome (cla: yes)
[12958](https://github.com/flutter/engine/pull/12958) Adding deviceId to KeyEventChannel enconding method (cla: yes)
[12960](https://github.com/flutter/engine/pull/12960) Fix typo on channel buffer debug output. (cla: yes)
[12972](https://github.com/flutter/engine/pull/12972) Re-land Adding Link Semantics (accessibility, affects: framework, cla: yes)
[12974](https://github.com/flutter/engine/pull/12974) Support empty strings and vectors in standard codec (cla: yes)
[12977](https://github.com/flutter/engine/pull/12977) Unblock Fuchsia roll (cla: yes)
[12980](https://github.com/flutter/engine/pull/12980) Made _printDebug only happen on debug builds of the engine for now. (cla: yes)
[12982](https://github.com/flutter/engine/pull/12982) Color matrix doc (cla: yes)
[12983](https://github.com/flutter/engine/pull/12983) Roll Wuffs to 0.2.0-rc.1 (cla: yes)
[12986](https://github.com/flutter/engine/pull/12986) Prevent default when Tab is clicked (accessibility, affects: text input, cla: yes, platform-web)
[12987](https://github.com/flutter/engine/pull/12987) Added FlutterActivity and FlutterFragment hook to cleanUpFlutterEngine() as symmetry for configureFlutterEngine(). (#41943) (cla: yes)
[12988](https://github.com/flutter/engine/pull/12988) Use the standard gen_snapshot target unless the platform requires host_targeting_host (cla: yes)
[12989](https://github.com/flutter/engine/pull/12989) Unpublicize kDoNotResizeDimension (cla: yes)
[12990](https://github.com/flutter/engine/pull/12990) Fix for a11y crash on iOS (cla: yes)
[12991](https://github.com/flutter/engine/pull/12991) Compile sanitizer suppressions list and file bugs as necessary. (cla: yes)
[12997](https://github.com/flutter/engine/pull/12997) Roll dart to aece1c1e92. (cla: yes)
[12999](https://github.com/flutter/engine/pull/12999) Started setting our debug background task id to invalid (cla: yes)
[13001](https://github.com/flutter/engine/pull/13001) Missing link flag (cla: yes)
[13003](https://github.com/flutter/engine/pull/13003) [web] Update the url when route is replaced (cla: yes, platform-web)
[13004](https://github.com/flutter/engine/pull/13004) Allow embedders to disable causal async stacks in the Dart VM (cla: yes)
[13005](https://github.com/flutter/engine/pull/13005) Auto-formatter fixes for BUILD.gn files (cla: yes)
[13006](https://github.com/flutter/engine/pull/13006) Refactor: FlutterDartProject (cla: yes)
[13008](https://github.com/flutter/engine/pull/13008) Integration with more of Skia's SkShaper/SkParagraph APIs (cla: yes)
[13009](https://github.com/flutter/engine/pull/13009) Fixing Link Semantics Typo (accessibility, affects: framework, cla: yes)
[13013](https://github.com/flutter/engine/pull/13013) Add missing focusable testing info (cla: yes)
[13015](https://github.com/flutter/engine/pull/13015) Fire PlatformViewController FlutterView callbacks (cla: yes)
[13017](https://github.com/flutter/engine/pull/13017) Revert "Upgrade compiler to Clang 10." (cla: yes)
[13029](https://github.com/flutter/engine/pull/13029) Minimal test harness for iOS (cla: yes)
[13033](https://github.com/flutter/engine/pull/13033) dart analysis of tests, cleanup (CQ+1, cla: yes)
[13037](https://github.com/flutter/engine/pull/13037) Analyze framework Dart code in presubmit tests (cla: yes)
[13042](https://github.com/flutter/engine/pull/13042) Add "felt clean" command (cla: yes)
[13043](https://github.com/flutter/engine/pull/13043) Add a task runner for the Win32 embedding (cla: yes)
[13044](https://github.com/flutter/engine/pull/13044) Support keyboard types on mobile browsers (affects: text input, cla: yes, platform-web)
[13045](https://github.com/flutter/engine/pull/13045) Wires the locale provided by Fuchsia. (cla: yes)
[13047](https://github.com/flutter/engine/pull/13047) Allow embedders to specify arbitrary data to the isolate on launch. (cla: yes)
[13048](https://github.com/flutter/engine/pull/13048) Test child isolates are terminated when root is shutdown (cla: yes)
[13049](https://github.com/flutter/engine/pull/13049) Ignore thread leaks from Dart VM in tsan instrumented builds. (cla: yes)
[13051](https://github.com/flutter/engine/pull/13051) Don't bump iOS deployment target for Metal builds. (cla: yes)
[13053](https://github.com/flutter/engine/pull/13053) Set the Cirrus badge to only display status of the master branch. (cla: yes)
[13056](https://github.com/flutter/engine/pull/13056) Put Metal renderer selection behind runtime flag and plist opt-in. (cla: yes)
[13059](https://github.com/flutter/engine/pull/13059) Android targets create final zip artifacts (CQ+1, cla: yes)
[13066](https://github.com/flutter/engine/pull/13066) [web] Add basic color per vertex drawVertices API support (cla: yes)
[13067](https://github.com/flutter/engine/pull/13067) Revert "Test child isolates are terminated when root is shutdown" (cla: yes)
[13071](https://github.com/flutter/engine/pull/13071) [dart_aot_runner] Add support for generating dart_aot snapshots (cla: yes)
[13073](https://github.com/flutter/engine/pull/13073) Removed retain cycle from notification center. (cla: yes)
[13074](https://github.com/flutter/engine/pull/13074) [dart_aot_runner] Add rules to generate dart_aot binaries (cla: yes)
[13075](https://github.com/flutter/engine/pull/13075) Revert "[dart_aot_runner] Add support for generating dart_aot snapsho… (cla: yes)
[13076](https://github.com/flutter/engine/pull/13076) Reland dart_aot_runner shims (cla: yes)
[13082](https://github.com/flutter/engine/pull/13082) java imports/style (cla: yes, waiting for tree to go green)
[13085](https://github.com/flutter/engine/pull/13085) Print more output when gen_package fails (cla: yes)
[13086](https://github.com/flutter/engine/pull/13086) Gen package output corrected (cla: yes)
[13088](https://github.com/flutter/engine/pull/13088) felt: use rest args for specifying test targets (cla: yes)
[13089](https://github.com/flutter/engine/pull/13089) cleanup gen_package.py (cla: yes)
[13090](https://github.com/flutter/engine/pull/13090) Snapshot the felt tool for faster start-up (cla: yes)
[13091](https://github.com/flutter/engine/pull/13091) Remove persistent cache unittest timeout (cla: yes)
[13093](https://github.com/flutter/engine/pull/13093) iOS Platform View: Fixed overrelease of the observer. (cla: yes)
[13094](https://github.com/flutter/engine/pull/13094) Integrate more SkParagraph builder patches (cla: yes)
[13096](https://github.com/flutter/engine/pull/13096) [dart_aot_runner] Use the host_toolchain to build kernels (cla: yes)
[13097](https://github.com/flutter/engine/pull/13097) Update felt README (cla: yes)
[13099](https://github.com/flutter/engine/pull/13099) NO_SUGGESTIONS keyboard flag in Android (cla: yes)
[13100](https://github.com/flutter/engine/pull/13100) ColorFilter matrix docs (cla: yes)
[13101](https://github.com/flutter/engine/pull/13101) [dart_aot_runner] Generate vmservice aotsnapshots (cla: yes)
[13103](https://github.com/flutter/engine/pull/13103) [dart_aot_runner] Complete the port of dart_aot_runner (cla: yes)
[13121](https://github.com/flutter/engine/pull/13121) Change IO thread shader cache strategy (cla: yes)
[13122](https://github.com/flutter/engine/pull/13122) refactoring chrome_installer (cla: yes)
[13123](https://github.com/flutter/engine/pull/13123) Upgrades the ICU version to 64.2 (cla: yes)
[13124](https://github.com/flutter/engine/pull/13124) Allow embedders to specify a render task runner description. (cla: yes)
[13125](https://github.com/flutter/engine/pull/13125) add the dart:__interceptors library to the dart sdk (cla: yes)
[13126](https://github.com/flutter/engine/pull/13126) [frontend_server] Include bytecode generation in the training run. (cla: yes)
[13141](https://github.com/flutter/engine/pull/13141) Enable/tweak web sdk source maps (cla: yes)
[13143](https://github.com/flutter/engine/pull/13143) Add `flutter_tester` binary to the CIPD package (cla: yes)
[13144](https://github.com/flutter/engine/pull/13144) Document //flutter/runtime/dart_vm (cla: yes)
[13145](https://github.com/flutter/engine/pull/13145) Merge the Fuchsia frontend_server build script into the new flutter_frontend_server target (cla: yes)
[13146](https://github.com/flutter/engine/pull/13146) Revert "Upgrades the ICU version to 64.2 (#13123)" (cla: yes)
[13148](https://github.com/flutter/engine/pull/13148) Revert "Enable/tweak web sdk source maps (#13141)" (cla: yes)
[13151](https://github.com/flutter/engine/pull/13151) Remove incomplete static thread safety annotations. (cla: yes)
[13153](https://github.com/flutter/engine/pull/13153) Make the Dart isolate constructor private. (cla: yes)
[13154](https://github.com/flutter/engine/pull/13154) Fix an output file path for the frontend server package_incremental script (cla: yes)
[13155](https://github.com/flutter/engine/pull/13155) Roll buildroot to pull in static thread safety analysis options. (cla: yes)
[13157](https://github.com/flutter/engine/pull/13157) Fix type error in SkVertices (cla: yes)
[13158](https://github.com/flutter/engine/pull/13158) Add templates to generate fuchsia host bundles (cla: yes)
[13159](https://github.com/flutter/engine/pull/13159) Move surface-based SceneBuilder implementation under surface/ (cla: yes)
[13160](https://github.com/flutter/engine/pull/13160) Revert "Issue 13238: on iOS, force an orientation change when the current orientation is not allowed" (cla: yes)
[13161](https://github.com/flutter/engine/pull/13161) Enable/tweak web sdk source maps, take 2 (cla: yes)
[13162](https://github.com/flutter/engine/pull/13162) Document //flutter/runtime/dart_isolate.h (cla: yes)
[13163](https://github.com/flutter/engine/pull/13163) Manual roll of src/third_party/dart 4131d3d7c4...41b65b27c2 (28 commits) (cla: yes)
[13170](https://github.com/flutter/engine/pull/13170) Issue 13238: on iOS, force an orientation change when the current orientation is not allowed (cla: yes)
[13175](https://github.com/flutter/engine/pull/13175) Remove redundant call to updateEditingState in sendKeyEvent (cla: yes)
[13176](https://github.com/flutter/engine/pull/13176) Add repeatCount to FlutterKeyEvent (cla: yes)
[13177](https://github.com/flutter/engine/pull/13177) Update compiler to Clang 10. (cla: yes)
[13179](https://github.com/flutter/engine/pull/13179) Update timeout_microseconds to timeout in docs (cla: yes)
[13180](https://github.com/flutter/engine/pull/13180) Use the fixtures mechanism for txt unit-tests and benchmarks. (cla: yes)
[13181](https://github.com/flutter/engine/pull/13181) Revert "Update compiler to Clang 10." (cla: yes)
[13182](https://github.com/flutter/engine/pull/13182) If we get a 'down' event, add that device to the active devices. (cla: yes)
[13185](https://github.com/flutter/engine/pull/13185) Adding firefox_installer.dart (affects: tests, cla: yes, platform-web)
[13187](https://github.com/flutter/engine/pull/13187) [web] Environment variable to disable felt snapshot (cla: yes, platform-web)
[13189](https://github.com/flutter/engine/pull/13189) Add utils to disable on mac/windows, disable invalid LibLxt tests on mac (cla: yes)
[13190](https://github.com/flutter/engine/pull/13190) [web] Fix canvas reuse metrics. Refactor drawVertices code. (cla: yes)
[13192](https://github.com/flutter/engine/pull/13192) Use `window.devicePixelRatio` in the CanvasKit backend (cla: yes)
[13193](https://github.com/flutter/engine/pull/13193) Custom compositor layers must take into account the device pixel ratio. (cla: yes)
[13196](https://github.com/flutter/engine/pull/13196) Document //flutter/runtime/dart_snapshot.h (cla: yes)
[13207](https://github.com/flutter/engine/pull/13207) Wrap the text in text editing to fix selections. (cla: yes)
[13209](https://github.com/flutter/engine/pull/13209) Preserve stdout colors of subprocesses run by felt (cla: yes, platform-web)
[13211](https://github.com/flutter/engine/pull/13211) Revert "Custom compositor layers must take into account the device pixel ratio." (cla: yes)
[13212](https://github.com/flutter/engine/pull/13212) Add trace events around custom compositor callbacks. (cla: yes)
[13213](https://github.com/flutter/engine/pull/13213) Re-land "Custom compositor layers must take into account the device pixel ratio." (cla: yes)
[13214](https://github.com/flutter/engine/pull/13214) Forwards Activity result to FlutterFragment in FlutterFragmentActivity. (cla: yes)
[13215](https://github.com/flutter/engine/pull/13215) Adds Dark Mode support to new Android embedding (this was accidentally missed previously). (cla: yes)
[13216](https://github.com/flutter/engine/pull/13216) Reland icu upgrade (cla: yes)
[13218](https://github.com/flutter/engine/pull/13218) Specify a human readable reason for an error from the embedder API. (cla: yes)
[13232](https://github.com/flutter/engine/pull/13232) Avoid dereferencing IO manager weak pointers on the UI thread (CQ+1, cla: yes)
[13233](https://github.com/flutter/engine/pull/13233) Update ui.instantiateImageCodec docs to reflect what it does. (cla: yes)
[13236](https://github.com/flutter/engine/pull/13236) Roll buildroot to 994c6 (cla: yes)
[13237](https://github.com/flutter/engine/pull/13237) Do not attempt to drain the SkiaUnrefQueue in the destructor (cla: yes)
[13238](https://github.com/flutter/engine/pull/13238) Allow embedders to update preferrred locales. (cla: yes)
[13239](https://github.com/flutter/engine/pull/13239) Hold a reference to the Skia unref queue in UIDartState (cla: yes)
[13240](https://github.com/flutter/engine/pull/13240) Update CanvasKit to 0.7.0 and flesh out painting (cla: yes)
[13241](https://github.com/flutter/engine/pull/13241) Ignore *.obj files when gathering licenses (cla: yes)
[13242](https://github.com/flutter/engine/pull/13242) Update harfbuzz to 2.6.2, Roll buildroot to a518e (cla: yes)
[13255](https://github.com/flutter/engine/pull/13255) Fix NPE in accessibility bridge (cla: yes)
[13259](https://github.com/flutter/engine/pull/13259) [web] Support -j to use goma in felt build (cla: yes, platform-web)
[13261](https://github.com/flutter/engine/pull/13261) Updated license script to ignore testdata directories (cla: yes)
[13262](https://github.com/flutter/engine/pull/13262) Added Semantic header support on Android. (cla: yes)
[13264](https://github.com/flutter/engine/pull/13264) Made restarting the Engine remember the last entrypoint that was used. (cla: yes)
[13265](https://github.com/flutter/engine/pull/13265) Ensure we call into Engine from the UI taskrunner in Shell::EngineHasLivePorts() (cla: yes)
[13268](https://github.com/flutter/engine/pull/13268) [web] Support input action (affects: text input, cla: yes, platform-web)
[13269](https://github.com/flutter/engine/pull/13269) Send flag modified events to the framework (cla: yes)
[13270](https://github.com/flutter/engine/pull/13270) Add recipe changelog (cla: yes)
[13272](https://github.com/flutter/engine/pull/13272) [web] [test] Adding firefox install functionality to the test platform (affects: tests, cla: yes, platform-web)
[13273](https://github.com/flutter/engine/pull/13273) Make flutter_tester support multithreaded testing, and run all Dart tests in both single and multithreaded configurations (cla: yes)
[13274](https://github.com/flutter/engine/pull/13274) Fix decode feature detection in HtmlCodec (cla: yes)
[13275](https://github.com/flutter/engine/pull/13275) Flesh out the CanvasKit backend some more (cla: yes)
[13280](https://github.com/flutter/engine/pull/13280) Android embedding API updates for plugin ecosystem (cla: yes)
[13282](https://github.com/flutter/engine/pull/13282) Manual Roll of Dart from a61c775db8...e1c409792c (cla: yes)
[13287](https://github.com/flutter/engine/pull/13287) Revert "Made restarting the Engine remember the last entrypoint that … (cla: yes)
[13289](https://github.com/flutter/engine/pull/13289) Made restarting the Engine remember the last entrypoint that was used. (cla: yes)
[13290](https://github.com/flutter/engine/pull/13290) Do not request executable permission on Fuchsia file mappings unless it is required (cla: yes)
[13292](https://github.com/flutter/engine/pull/13292) Disable flaky test ShellTest_ReportTimingsIsCalled. (cla: yes)
[13294](https://github.com/flutter/engine/pull/13294) Roll Dart to 6a65ea9cad4b014f88d2f1be1b321db493725a1c. (cla: yes)
[13295](https://github.com/flutter/engine/pull/13295) Avoid accessing the Cocoa view on the GPU or IO task runners. (cla: yes)
[13296](https://github.com/flutter/engine/pull/13296) [web] Cupertino dynamic color fix. (cla: yes)
[13298](https://github.com/flutter/engine/pull/13298) Show strace logs when the Fuchsia gen_package script gets an error from the packaging tool (cla: yes)
[13300](https://github.com/flutter/engine/pull/13300) Switch the MacOS Desktop embedder to using a thread configuration where the platform and render task runners are the same. (cla: yes)
[13311](https://github.com/flutter/engine/pull/13311) [recipe] Upload opt flutter_tester (cla: yes)
[13314](https://github.com/flutter/engine/pull/13314) Guarding EAGLContext used by Flutter (cla: yes, platform-ios)
[13315](https://github.com/flutter/engine/pull/13315) Roll Dart to 635c47b1c9efe86b896d95bd446c6a5e2459037e. (cla: yes)
[13316](https://github.com/flutter/engine/pull/13316) Update the dependencies for the Fuchsia build of flutter_frontend_server (cla: yes)
[13319](https://github.com/flutter/engine/pull/13319) Add FlutterEngineRunsAOTCompiledDartCode to the embedder API. (cla: yes)
[13321](https://github.com/flutter/engine/pull/13321) Pass LinearTextFlag to SkFont - iOS13 letter spacing (cla: yes)
[13335](https://github.com/flutter/engine/pull/13335) [fuchsia] [packaging] Host bundles are per runtime-mode (cla: yes)
[13337](https://github.com/flutter/engine/pull/13337) Bump dart/language_model to 9fJQZ0TrnAGQKrEtuL3-AXbUfPzYxqpN_OBHr9P4hE4C (cla: yes)
[13338](https://github.com/flutter/engine/pull/13338) [fuchsia] [packaging] Layout debug symbols for Fuchsia (CQ+1, cla: yes)
[13339](https://github.com/flutter/engine/pull/13339) Fix the output filename of the Fuchsia archive build template (CQ+1, cla: yes)
[13341](https://github.com/flutter/engine/pull/13341) Create a separate directory for the intermediate outputs of each Fuchsia archive build action (cla: yes)
[13342](https://github.com/flutter/engine/pull/13342) Intercept SystemSound.play platform message before it's sent. (cla: yes)
[13345](https://github.com/flutter/engine/pull/13345) Expose platform view ID on embedder semantics node (CQ+1, cla: yes)
[13346](https://github.com/flutter/engine/pull/13346) Remove TODO on embedder a11y unit tests (CQ+1, cla: yes)
[13349](https://github.com/flutter/engine/pull/13349) Deprecated DartExecutor as BinaryMessenger and added a getBinaryMessenger() method. (#43202) (cla: yes)
[13359](https://github.com/flutter/engine/pull/13359) Web: fix Color subclass handling (cla: yes)
[13360](https://github.com/flutter/engine/pull/13360) Turn on RasterCache based on view hierarchy (cla: yes)
[13361](https://github.com/flutter/engine/pull/13361) Expand on CanvasKit backend more (cla: yes)
[13364](https://github.com/flutter/engine/pull/13364) [flutter_runner] Remove the checks for libdart profiler symbols (cla: yes)
[13367](https://github.com/flutter/engine/pull/13367) Delay metal drawable acquisition till frame submission. (cla: yes)
[13391](https://github.com/flutter/engine/pull/13391) Implement basic Picture.toImage via BitmapCanvas (cla: yes)
[13394](https://github.com/flutter/engine/pull/13394) Remove multiplexed Flutter Android Lifecycle. (#43663) (cla: yes)
[13395](https://github.com/flutter/engine/pull/13395) fix fml_unittes is not run during presubmit (cla: yes)
[13396](https://github.com/flutter/engine/pull/13396) Made it so we clean up gl resources when view controllers get deleted. (CQ+1, cla: yes)
[13397](https://github.com/flutter/engine/pull/13397) [flutter_runner] Don't build far files twice (cla: yes)
[13400](https://github.com/flutter/engine/pull/13400) Revert "[flutter_runner] Don't build far files twice (#13397)" (cla: yes)
[13401](https://github.com/flutter/engine/pull/13401) Reformat BUILD.gn files to comply with the format checker presubmit script (cla: yes)
[13402](https://github.com/flutter/engine/pull/13402) Converted ActivityAware and ServiceAware Lifecycles to opaque objects (#43670) (cla: yes)
[13403](https://github.com/flutter/engine/pull/13403) Use DartExecutor.getBinaryMessenger in FlutterNativeView instead of deprecated send methods (cla: yes)
[13405](https://github.com/flutter/engine/pull/13405) Make sure root surface transformations survive resetting the matrix directly in Flow. (cla: yes)
[13406](https://github.com/flutter/engine/pull/13406) Fix the dry run mode of the GN format checker script (cla: yes)
[13407](https://github.com/flutter/engine/pull/13407) Kick luci (cla: yes)
[13419](https://github.com/flutter/engine/pull/13419) [dart_runner] Common libs need to exist for aot runner (CQ+1, cla: yes)
[13421](https://github.com/flutter/engine/pull/13421) FlutterAppDelegate: Added back in empty lifecycle methods (cla: yes)
[13422](https://github.com/flutter/engine/pull/13422) [fuchsia] [packaging] Create a script to upload debug symbols to CIPD (cla: yes)
[13423](https://github.com/flutter/engine/pull/13423) Automatically destroy FlutterEngine when created by FlutterActivity or FlutterFragment. (cla: yes)
[13424](https://github.com/flutter/engine/pull/13424) Add isRunningInRobolectricTest back (cla: yes, waiting for tree to go green)
[13425](https://github.com/flutter/engine/pull/13425) Revert "fix fml_unittes is not run during presubmit (#13395)" (cla: yes)
[13426](https://github.com/flutter/engine/pull/13426) Reland "fix fml_unittes is not run during presubmit (#13395)" (CQ+1, cla: yes)
[13428](https://github.com/flutter/engine/pull/13428) Set the install name at link time for darwin dylibs (cla: yes)
[13432](https://github.com/flutter/engine/pull/13432) Release shim bindings when detaching (cla: yes)
[13440](https://github.com/flutter/engine/pull/13440) Switch to Cirrus Dockerfile as CI (cla: yes)
[13442](https://github.com/flutter/engine/pull/13442) Revert "Turn on RasterCache based on view hierarchy (#13360)" (cla: yes)
[13444](https://github.com/flutter/engine/pull/13444) Remove usage of yaml module from CIPD script (cla: yes)
[13445](https://github.com/flutter/engine/pull/13445) Fizzle onConfigurationChanged if no FlutterView (cla: yes)
[13448](https://github.com/flutter/engine/pull/13448) Duplicate the directory fd in fml::VisitFiles (cla: yes)
[13449](https://github.com/flutter/engine/pull/13449) Fix iOS crash when multiple platform views are in the scene (cla: yes)
[13451](https://github.com/flutter/engine/pull/13451) Fix mDNS for iOS13 (cla: yes, waiting for tree to go green)
[13455](https://github.com/flutter/engine/pull/13455) Automatically register plugins in FlutterEngine. (#43855) (cla: yes)
[13460](https://github.com/flutter/engine/pull/13460) [dart] Makes the intl services available (cla: yes)
[13461](https://github.com/flutter/engine/pull/13461) CIPD needs the directory to be relative (cla: yes)
[13462](https://github.com/flutter/engine/pull/13462) [web] Get the size from visualviewport instead of window.innerHeight/innerW… (cla: yes, platform-web)
[13463](https://github.com/flutter/engine/pull/13463) [fuchsia] [packaging] Prettify parent folder name (cla: yes)
[13464](https://github.com/flutter/engine/pull/13464) [recipe] Upload sky_engine to CIPD (cla: yes)
[13466](https://github.com/flutter/engine/pull/13466) [fuchsia] Bundle stripped SO files in fars (CQ+1, cla: yes)
[13467](https://github.com/flutter/engine/pull/13467) Revert 78a8ca0f62b04fa49030ecdd2d91726c0639401f (CQ+1, cla: yes)
[13468](https://github.com/flutter/engine/pull/13468) Pass the automaticallyRegisterPlugins flag to the FlutterEngine constructor in FlutterActivityTest (cla: yes)
[13469](https://github.com/flutter/engine/pull/13469) Fix stale platform view gr context on iOS (cla: yes)
[13471](https://github.com/flutter/engine/pull/13471) Package fml_unittests in a .far file for fml unit tests on Fuchsia (cla: yes)
[13474](https://github.com/flutter/engine/pull/13474) Request a reattach when creating the text input plugin on Android (cla: yes, waiting for tree to go green)
[13478](https://github.com/flutter/engine/pull/13478) use check_output instead of check_call (cla: yes)
[13479](https://github.com/flutter/engine/pull/13479) Print the output (cla: yes)
[13480](https://github.com/flutter/engine/pull/13480) Disabled GPUThreadMerger tests. (cla: yes)
[13482](https://github.com/flutter/engine/pull/13482) [fuchsia] [packaging] Fuchsia tree expects nested bz2 archives (cla: yes)
[13483](https://github.com/flutter/engine/pull/13483) web: fix Paragraph.getBoxesForRange for zero-length ranges (cla: yes)
[13486](https://github.com/flutter/engine/pull/13486) Add fuchsia.intl.PropertyProvider to our services on Fuchsia (cla: yes)
[13630](https://github.com/flutter/engine/pull/13630) Fix bug where Enter doesn't add new line in multi-line fields (affects: text input, cla: yes, platform-web)
[13632](https://github.com/flutter/engine/pull/13632) Revert "Added new lifecycle enum (#11913)" (cla: yes)
[13634](https://github.com/flutter/engine/pull/13634) [web] Ignore changes in *.ttf files in felt build watch mode (cla: yes, platform-web)
[13642](https://github.com/flutter/engine/pull/13642) Issues/39832 reland (CQ+1, cla: yes)
[13643](https://github.com/flutter/engine/pull/13643) Ensure that the CAMetalLayer FBO attachments can be read from. (cla: yes)
[13649](https://github.com/flutter/engine/pull/13649) Add 'Cough' test font and support multiple test fonts. (cla: yes)
[13651](https://github.com/flutter/engine/pull/13651) Fixed the scroll direction for iOS horizontal accessibility scroll events. (cla: yes)
[13660](https://github.com/flutter/engine/pull/13660) Fix splash screen lookup. (#44131) (cla: yes)
[13695](https://github.com/flutter/engine/pull/13695) Fix Class.forName unchecked call warning (cla: yes)
[13696](https://github.com/flutter/engine/pull/13696) [fuchsia] Temporarily disable intl provider (cla: yes)
[13697](https://github.com/flutter/engine/pull/13697) Moves pointer event sanitizing to engine. (cla: yes)
[13698](https://github.com/flutter/engine/pull/13698) Fix plugin registrant reflection path. (#44161) (cla: yes)
[13699](https://github.com/flutter/engine/pull/13699) [web] Don't send keyboard events from text fields to flutter (affects: text input, cla: yes, platform-web)
[13702](https://github.com/flutter/engine/pull/13702) Fix editing selection and deletion on macOS (cla: yes)
[13708](https://github.com/flutter/engine/pull/13708) Ensure that the device pixel ratio is taken into account with window metrics in physical pixels. (cla: yes)
[13710](https://github.com/flutter/engine/pull/13710) Fix picture raster cache throttling (cla: yes, waiting for tree to go green)
[13711](https://github.com/flutter/engine/pull/13711) Imagefilter wrapper object (cla: yes)
[13719](https://github.com/flutter/engine/pull/13719) Fix NPE in splash screen lookup (cla: yes)
[13720](https://github.com/flutter/engine/pull/13720) Revert "Added new lifecycle enum" (cla: yes)
[13721](https://github.com/flutter/engine/pull/13721) Revert "[fuchsia] Temporarily disable intl provider (#13696)" (cla: yes)
[13722](https://github.com/flutter/engine/pull/13722) [web] Proper support for text field's obscureText (affects: text input, cla: yes, platform-web)
[13727](https://github.com/flutter/engine/pull/13727) Add line boundary information to LineMetrics. (cla: yes)
[13728](https://github.com/flutter/engine/pull/13728) Prefer SchedulerBinding.addTimingsCallback (cla: yes)
[13731](https://github.com/flutter/engine/pull/13731) Expose the platform view mutator stack to custom compositors. (cla: yes)
[13735](https://github.com/flutter/engine/pull/13735) Cleanup obsolete --strong option of front-end server (cla: yes)
[13736](https://github.com/flutter/engine/pull/13736) libtxt: pass an RTL bool flag instead of a bidiFlags enum to measureText (cla: yes)
[13737](https://github.com/flutter/engine/pull/13737) [web] Don't run engine tests under vm (causing warnings) (cla: yes)
[13738](https://github.com/flutter/engine/pull/13738) Removed scary experimental warnings for new embedding. (#44314) (cla: yes)
[13739](https://github.com/flutter/engine/pull/13739) Point old plugin registry accessors to new embedding plugin accessors. (#44225) (cla: yes)
[13741](https://github.com/flutter/engine/pull/13741) [web] Refactor text editing to handle any order of platform messages gracefully (affects: text input, cla: yes, platform-web)
[13742](https://github.com/flutter/engine/pull/13742) Only specify --no-link-platform when not specifying --aot, roll dart-lang sdk (cla: yes)
[13743](https://github.com/flutter/engine/pull/13743) Expose asset lookup from plugin binding. (#42019) (cla: yes)
[13744](https://github.com/flutter/engine/pull/13744) Create a new picture recorder even when the embedder supplied render target is recycled. (cla: yes)
[13747](https://github.com/flutter/engine/pull/13747) Move TextRange from the framework to dart:ui. (cla: yes)
[13748](https://github.com/flutter/engine/pull/13748) [web] Support gif/webp animations, Speed up image drawing in BitmapCanvas. (cla: yes)
[13753](https://github.com/flutter/engine/pull/13753) Revert "Guarding EAGLContext used by Flutter" (cla: yes)
[13755](https://github.com/flutter/engine/pull/13755) Reland "Guarding EAGLContext used by Flutter #13314" (cla: yes)
[13756](https://github.com/flutter/engine/pull/13756) Manual roll of Dart e68ca9b652acdb642668a6acb5f630d5be6c03da...fa4379946109467c8a48f20f19d83d7c72968a3e (cla: yes)
[13757](https://github.com/flutter/engine/pull/13757) Revert "Reland "Guarding EAGLContext used by Flutter #13314"" (cla: yes)
[13758](https://github.com/flutter/engine/pull/13758) Reland children isolates sharing isolate group change. (cla: yes)
[13759](https://github.com/flutter/engine/pull/13759) Reland "Guarding EAGLContext used by Flutter #13314" (CQ+1, cla: yes)
[13760](https://github.com/flutter/engine/pull/13760) Implement Path.computeMetrics in the CanvasKit backend (cla: yes)
[13761](https://github.com/flutter/engine/pull/13761) Manual Dart roll fa4379946109467c8a48f20f19d83d7c72968a3e...d45c3d15cb3cea0104a87697c085259666eec528 (cla: yes)
[13762](https://github.com/flutter/engine/pull/13762) Turn on RasterCache based on view hierarchy (cla: yes)
[13763](https://github.com/flutter/engine/pull/13763) Remove usage of fuchsia.modular.Clipboard. (cla: yes)
[13765](https://github.com/flutter/engine/pull/13765) Change wordBoundary to take dynamic temporarily (cla: yes)
[13767](https://github.com/flutter/engine/pull/13767) reland add lifecycle enum (cla: yes)
[13768](https://github.com/flutter/engine/pull/13768) Add ImageFilter and BackdropFilter to CanvasKit backend (cla: yes)
[13769](https://github.com/flutter/engine/pull/13769) [web] Implement TextStyle.shadows (cla: yes)
[13772](https://github.com/flutter/engine/pull/13772) Move Path and PathMetrics from canvas.dart into their own files. No delta (cla: yes)
[13779](https://github.com/flutter/engine/pull/13779) [web] Fix path to svg for drrect (cla: yes)
[13780](https://github.com/flutter/engine/pull/13780) Allow passing hot reload debugging flags through (cla: yes)
[13781](https://github.com/flutter/engine/pull/13781) Create a WeakPtrFactory for use on the UI thread in VsyncWaiter (cla: yes)
[13782](https://github.com/flutter/engine/pull/13782) Document the coordinate space of points in FlutterPointerEvent. (cla: yes)
[13784](https://github.com/flutter/engine/pull/13784) Add Helvetica and sans-serif as fallback font families (cla: yes)
[13785](https://github.com/flutter/engine/pull/13785) Fix RendererContextSwitch result check in Rasterizer::MakeRasterSnapshot (cla: yes)
[13786](https://github.com/flutter/engine/pull/13786) Take devicePixelRatio into account when drawing shadows (cla: yes)
[13788](https://github.com/flutter/engine/pull/13788) Revert "Guarding EAGLContext used by Flutter #13314" (cla: yes)
[13789](https://github.com/flutter/engine/pull/13789) add recent packages to javadoc list (cla: yes, waiting for tree to go green)
[13795](https://github.com/flutter/engine/pull/13795) Adds missing comma in EngineParagraphStyle.toString() (cla: yes)
[13796](https://github.com/flutter/engine/pull/13796) implement radial gradient in canvaskit backend (cla: yes)
[13799](https://github.com/flutter/engine/pull/13799) Update version of dart/language_model distributed with flutter engine to latest (cla: yes)
[13802](https://github.com/flutter/engine/pull/13802) [web] Fix selectable text rendering (cla: yes)
[13803](https://github.com/flutter/engine/pull/13803) [build] Make --engine-version flag optional (CQ+1, cla: yes)
[13805](https://github.com/flutter/engine/pull/13805) Remove extra shadows from ParagraphStyle (cla: yes)
[13809](https://github.com/flutter/engine/pull/13809) [web] Fix blendmode for images (cla: yes)
[13812](https://github.com/flutter/engine/pull/13812) RendererContextSwitch guard flutter's gl context rework. (CQ+1, cla: yes)
[13828](https://github.com/flutter/engine/pull/13828) Revert "Roll src/third_party/skia d860a78fd60c..581108137b46 (13 comm… (cla: yes)
[13829](https://github.com/flutter/engine/pull/13829) [dart_runner] Initialize logging and tracing (cla: yes)
[13832](https://github.com/flutter/engine/pull/13832) Remove unused import (cla: yes)
[13837](https://github.com/flutter/engine/pull/13837) Roll buildroot to 0fec442d067a0998352ea12706fcae0a53b62884. (cla: yes)
[13842](https://github.com/flutter/engine/pull/13842) Disable LTO on Fuchsia (cla: yes)
[13847](https://github.com/flutter/engine/pull/13847) Avoid GL calls when compiling for Fuchsia. (cla: yes)
[13848](https://github.com/flutter/engine/pull/13848) Use Skia's matchStyleCSS3 to find bundled asset typefaces matching a font style (cla: yes)
[13850](https://github.com/flutter/engine/pull/13850) Fix test to account for pixel ratio transformations being framework responsibility. (cla: yes)
[13851](https://github.com/flutter/engine/pull/13851) Implement the rest of ui.Path methods for CanvasKit (cla: yes)
[13852](https://github.com/flutter/engine/pull/13852) Do not default to downstream affinity on iOS insertText (cla: yes)
[13855](https://github.com/flutter/engine/pull/13855) Add support for --dart-flags in FlutterShellArgs. (#44855) (cla: yes)
[13857](https://github.com/flutter/engine/pull/13857) Guard against orphaned semantic objects from referencing dead accessibility bridge on iOS (accessibility, cla: yes)
[13860](https://github.com/flutter/engine/pull/13860) [web] Change canvas sibling transforms to 3d with z=0 to get around canvas rendering bug. (cla: yes)
[13864](https://github.com/flutter/engine/pull/13864) [flow][fuchsia] Add more tracing to layers and Fuchsia surface pool (cla: yes)
[13865](https://github.com/flutter/engine/pull/13865) [fuchsia] Package flutter_frontend_server snapshot for fuchsia (cla: yes)
[13869](https://github.com/flutter/engine/pull/13869) Changing test runner and platform to be browser independent (cla: yes)
[13881](https://github.com/flutter/engine/pull/13881) Change edge conditions of getLineBoundary (cla: yes)
[13885](https://github.com/flutter/engine/pull/13885) Work around Fuchsia a11y / ICU name conflict (cla: yes)
[13901](https://github.com/flutter/engine/pull/13901) [web] Fix single line bitmap canvas text shadow (cla: yes)
[13902](https://github.com/flutter/engine/pull/13902) Adding opacity -> alpha method to Color class (affects: framework, cla: yes)
[13903](https://github.com/flutter/engine/pull/13903) Implement basic text rendering support in CanvasKit backend (cla: yes)
[13904](https://github.com/flutter/engine/pull/13904) Fix withIn matcher distance function lookup (cla: yes)
[13906](https://github.com/flutter/engine/pull/13906) Revert "RendererContextSwitch guard flutter's gl context rework." (cla: yes)
[13907](https://github.com/flutter/engine/pull/13907) allow ignoring toString, hashCode, and == in api_conform_test (cla: yes)
[13908](https://github.com/flutter/engine/pull/13908) Made a way to turn off the OpenGL operations on the IO thread for backgrounded apps (cla: yes)
[13909](https://github.com/flutter/engine/pull/13909) [web] Implement PathMetrics.length (cla: yes)
[13910](https://github.com/flutter/engine/pull/13910) Roll buildroot to a985f7f63ac. (cla: yes)
[13918](https://github.com/flutter/engine/pull/13918) Add virtual destructor to GPUSurfaceSoftwareDelegate. (cla: yes)
[13922](https://github.com/flutter/engine/pull/13922) [web] Flutter for web autocorrect support (cla: yes, platform-web, waiting for tree to go green)
[13923](https://github.com/flutter/engine/pull/13923) Roll Skia to e678b79c489d (2 commits) (cla: yes)
[13925](https://github.com/flutter/engine/pull/13925) [shell][fuchsia] Migrate away from deprecated async loop configs (CQ+1, cla: yes)
[13926](https://github.com/flutter/engine/pull/13926) Add dev_compiler and frontend_server to package uploading rule (cla: yes)
[13928](https://github.com/flutter/engine/pull/13928) Roll Skia to e678b79c489d (cla: yes)
[13929](https://github.com/flutter/engine/pull/13929) [web] Allow users to enable canvas text measurement (cla: yes, platform-web)
[13932](https://github.com/flutter/engine/pull/13932) Removed GET_ACTIVITIES flag from all manifest meta-data lookups. (#38891) (cla: yes)
[13934](https://github.com/flutter/engine/pull/13934) Ensure we use the base CompositorContext's AcquireFrame method when screenshotting (CQ+1, cla: yes)
[13940](https://github.com/flutter/engine/pull/13940) [web] Fix Edge detection for correct dom_renderer reset (cla: yes)
[13943](https://github.com/flutter/engine/pull/13943) Made the thread checker print out the thread names on Apple platforms. (cla: yes)
[13945](https://github.com/flutter/engine/pull/13945) Update SwiftShader to 5d1e854. (cla: yes)
[13947](https://github.com/flutter/engine/pull/13947) [flutter_runner] fix a11y tests (cla: yes)
[13960](https://github.com/flutter/engine/pull/13960) [web] Fix default line-height issue for Firefox (cla: yes)
[13962](https://github.com/flutter/engine/pull/13962) Added auto-reviewer config file (cla: yes)
[13963](https://github.com/flutter/engine/pull/13963) Remove the strace debug logging from the Fuchsia gen_package script (cla: yes)
[13971](https://github.com/flutter/engine/pull/13971) [fuchsia] Ensure we do not initialize nan RoundedRectangles (cla: yes)
[13975](https://github.com/flutter/engine/pull/13975) Refactor to passing functions by const ref (CQ+1, cla: yes)
[13980](https://github.com/flutter/engine/pull/13980) Updated googletest to fix fuchsia build. (CQ+1, cla: yes)
[13981](https://github.com/flutter/engine/pull/13981) [web] use Element.nodes instead of Element.children in text layout (cla: yes, platform-web)
[13989](https://github.com/flutter/engine/pull/13989) [fuchsia] Capture SkRRect in scene_update_context by value (cla: yes)
[13990](https://github.com/flutter/engine/pull/13990) Setup a Metal test surface and add a new unit-test target that tests the testing utilities. (cla: yes)
## PRs closed in this release of flutter/plugins
From Sun Aug 19 17:37:00 2019 -0700 to Mon Nov 25 12:05:00 2019 -0800
[1370](https://github.com/flutter/plugins/pull/1370) [camera] Pause/resume video recording for Android & iOS (cla: yes, feature)
[1702](https://github.com/flutter/plugins/pull/1702) [google_maps_flutter]Marker drag event (cla: yes, in review)
[1767](https://github.com/flutter/plugins/pull/1767) [google_maps_flutter] Adds support for displaying the traffic layer (cla: yes, in review)
[1784](https://github.com/flutter/plugins/pull/1784) [google_maps_flutter] Allow (de-)serialization of CameraPosition (cla: yes, in review, submit queue)
[1813](https://github.com/flutter/plugins/pull/1813) [video-player] add support for content uris as urls (cla: yes, in review)
[1866](https://github.com/flutter/plugins/pull/1866) [instrumentation_adapter] enable Firebase Test Lab Android testing (cla: yes)
[1933](https://github.com/flutter/plugins/pull/1933) [google_maps_flutter] Avoid unnecessary redraws (cla: yes, in review)
[1953](https://github.com/flutter/plugins/pull/1953) [path_provider] add getApplicationLibraryDirectory (cla: yes)
[1984](https://github.com/flutter/plugins/pull/1984) Remove Flutterfire plugins (moved to FirebaseExtended) (cla: yes)
[1985](https://github.com/flutter/plugins/pull/1985) [android_alarm_manager] Added ability to get id in the callback (cla: yes)
[1990](https://github.com/flutter/plugins/pull/1990) [path_provider] Add missing tests (backlog, cla: yes)
[1993](https://github.com/flutter/plugins/pull/1993) [pathprovider] Fix fall through bug (cla: yes)
[1996](https://github.com/flutter/plugins/pull/1996) [webview_flutter] Allow underscores anywhere for Javascript Channel name (cla: yes)
[1998](https://github.com/flutter/plugins/pull/1998) [video_player] Fix deprecated member use (cla: yes)
[1999](https://github.com/flutter/plugins/pull/1999) [Connectivity] add a method to request location on iOS (for iOS 13) (cla: yes)
[2000](https://github.com/flutter/plugins/pull/2000) [android_intent] add flags option (cla: yes, submit queue)
[2003](https://github.com/flutter/plugins/pull/2003) [video_player] Added `formatHint` to to override video format on Android (cla: yes)
[2004](https://github.com/flutter/plugins/pull/2004) [cirrus] Use flutter create for all_plugins test (cla: yes)
[2005](https://github.com/flutter/plugins/pull/2005) Add explicit initialization of TestWidgets binding to all breaking unit tests (cla: yes)
[2009](https://github.com/flutter/plugins/pull/2009) Fix unit test for sensors (cla: yes)
[2010](https://github.com/flutter/plugins/pull/2010) [Image_picker] fix `retrieveImage` breakage, added tests. (cla: yes)
[2014](https://github.com/flutter/plugins/pull/2014) [In_App_Purchase] Avoids possible NullPointerException with background registrations. (cla: yes, submit queue)
[2015](https://github.com/flutter/plugins/pull/2015) [google_sign_in] Use implementation rather than api dependencies for plugin third-party dependencies. (cla: yes)
[2016](https://github.com/flutter/plugins/pull/2016) [In_App_Purchase] Improve testability (cla: yes, in review)
[2022](https://github.com/flutter/plugins/pull/2022) [instrumentation_adapter] Update README instructions (cla: yes)
[2023](https://github.com/flutter/plugins/pull/2023) [instrumentation_adapter] update boilerplate to use @Rule instead of FlutterTest (cla: yes)
[2024](https://github.com/flutter/plugins/pull/2024) [instrumentation_adapter] update CODEOWNERS (cla: yes)
[2027](https://github.com/flutter/plugins/pull/2027) [in_app_purchase] Remove skipped driver test (cla: yes)
[2028](https://github.com/flutter/plugins/pull/2028) [instrumentation_adapter] Update documentation about using androidx (cla: yes)
[2029](https://github.com/flutter/plugins/pull/2029) fix android crash when pausing or resuming video on APIs lower than 24. (cla: yes, in review)
[2036](https://github.com/flutter/plugins/pull/2036) video player version fix (cla: yes)
[2038](https://github.com/flutter/plugins/pull/2038) [url_launcher] Removed reference to rootViewController during initialization (cla: yes, in review, waiting for test harness)
[2045](https://github.com/flutter/plugins/pull/2045) [android_intent] Add action_application_details_settings (cla: yes, submit queue)
[2047](https://github.com/flutter/plugins/pull/2047) [local_auth] Avoid user confirmation on face unlock (cla: yes, submit queue, waiting for test harness)
[2049](https://github.com/flutter/plugins/pull/2049) [path_provider] Android: Support multiple external storage options (cla: yes, in review)
[2050](https://github.com/flutter/plugins/pull/2050) [instrumentation_adapter] Add support for running tests with Flutter driver (cla: yes)
[2051](https://github.com/flutter/plugins/pull/2051) [instrumentation_adapter] update for release (cla: yes)
[2052](https://github.com/flutter/plugins/pull/2052) [instrumentation_adapter] Add stub iOS implementation and example app (cla: yes)
[2053](https://github.com/flutter/plugins/pull/2053) [google_maps_flutter] Fix analyzer failures relating to prefer_const_constructors (cla: yes)
[2055](https://github.com/flutter/plugins/pull/2055) Point opensource site at new location (cla: yes)
[2056](https://github.com/flutter/plugins/pull/2056) Reland "[webview_flutter] Add a getTitle method to WebViewController"… (cla: yes)
[2057](https://github.com/flutter/plugins/pull/2057) [Camera] Fixes NullPointerException (cla: yes, submit queue, waiting for test harness)
[2059](https://github.com/flutter/plugins/pull/2059) [google_sign_in] Fix chained async methods in error handling zones (cla: yes)
[2065](https://github.com/flutter/plugins/pull/2065) [google_maps_flutter] Prefer const constructors. (cla: yes)
[2068](https://github.com/flutter/plugins/pull/2068) [google_maps_flutter] Fix iOS MyLocationButton on iOS (cla: yes)
[2070](https://github.com/flutter/plugins/pull/2070) [image_picker] swap width and height when source image orientation is left or right (cla: yes, in review)
[2075](https://github.com/flutter/plugins/pull/2075) [instrumentation_adapter] Migrate example to AndroidX (cla: yes)
[2076](https://github.com/flutter/plugins/pull/2076) [google_maps_flutter] Clone cached elements in GoogleMap (cla: yes)
[2083](https://github.com/flutter/plugins/pull/2083) [image_picker] Fix a crash when picking video on iOS 13 and above. (cla: yes, in review)
[2084](https://github.com/flutter/plugins/pull/2084) [update] local_auth - intl version (cla: yes)
[2087](https://github.com/flutter/plugins/pull/2087) [android_alarm_manager] Update and migrate iOS example project (cla: yes)
[2088](https://github.com/flutter/plugins/pull/2088) [android_intent] Update and migrate iOS example project (cla: yes)
[2089](https://github.com/flutter/plugins/pull/2089) [battery] Update and migrate iOS example project (cla: yes)
[2090](https://github.com/flutter/plugins/pull/2090) [camera] Update and migrate iOS example project (cla: yes, submit queue)
[2091](https://github.com/flutter/plugins/pull/2091) [connectivity] Update and migrate iOS example project (cla: yes)
[2092](https://github.com/flutter/plugins/pull/2092) [device_info] Update and migrate iOS example project (cla: yes)
[2093](https://github.com/flutter/plugins/pull/2093) [google_maps_flutter] Update and migrate iOS example project (cla: yes)
[2094](https://github.com/flutter/plugins/pull/2094) [google_sign_in] Update and migrate iOS example project (cla: yes)
[2095](https://github.com/flutter/plugins/pull/2095) [image_picker] Update and migrate iOS example project (cla: yes)
[2096](https://github.com/flutter/plugins/pull/2096) [in_app_purchase] Update and migrate iOS example project (cla: yes, submit queue)
[2097](https://github.com/flutter/plugins/pull/2097) [local_auth] Update and migrate iOS example project (cla: yes)
[2098](https://github.com/flutter/plugins/pull/2098) [package_info] Update and migrate iOS example project (cla: yes)
[2099](https://github.com/flutter/plugins/pull/2099) [path_provider] Update and migrate iOS example project (cla: yes)
[2100](https://github.com/flutter/plugins/pull/2100) [quick_actions] Update and migrate iOS example project (cla: yes)
[2101](https://github.com/flutter/plugins/pull/2101) [sensors] Update and migrate iOS example project (cla: yes)
[2102](https://github.com/flutter/plugins/pull/2102) [share] Update and migrate iOS example project (cla: yes)
[2103](https://github.com/flutter/plugins/pull/2103) [shared_preferences] Update and migrate iOS example project (cla: yes)
[2108](https://github.com/flutter/plugins/pull/2108) [google_maps_flutter] Add Projection methods to google_maps (cla: yes)
[2109](https://github.com/flutter/plugins/pull/2109) [url_launcher] Update and migrate iOS example project (cla: yes, submit queue)
[2110](https://github.com/flutter/plugins/pull/2110) [video_player] Update and migrate iOS example project (cla: yes)
[2111](https://github.com/flutter/plugins/pull/2111) [local_auth] Api to stop authentication (cla: yes)
[2112](https://github.com/flutter/plugins/pull/2112) Run flutter_plugin_tools format (cla: yes)
[2113](https://github.com/flutter/plugins/pull/2113) [google_maps_flutter] Avoid AbstractMethod crash (cla: yes)
[2115](https://github.com/flutter/plugins/pull/2115) [camera] Define clang modules in for iOS (cla: yes)
[2119](https://github.com/flutter/plugins/pull/2119) Add web url launcher (cla: yes)
[2120](https://github.com/flutter/plugins/pull/2120) [image_picker] fix crash when aar from 'flutter build aar' (cla: yes, in review)
[2123](https://github.com/flutter/plugins/pull/2123) [camera] Fix event type check (cla: yes)
[2124](https://github.com/flutter/plugins/pull/2124) [video_player] Move [player dispose] to `onUnregistered` (cla: yes)
[2125](https://github.com/flutter/plugins/pull/2125) [in_app_purchase] Define clang module for iOS (cla: yes)
[2127](https://github.com/flutter/plugins/pull/2127) [google_sign_in] Fix deprecated API usage issue by upgrading CocoaPod to 5.0 (cla: yes, submit queue)
[2128](https://github.com/flutter/plugins/pull/2128) [image_picker] Define clang module for iOS (cla: yes)
[2131](https://github.com/flutter/plugins/pull/2131) [share]fix iOS crash when setting the subject to null (cla: yes)
[2135](https://github.com/flutter/plugins/pull/2135) [android_alarm_manager] Define clang module for iOS (cla: yes)
[2136](https://github.com/flutter/plugins/pull/2136) [url_launcher_web] Fix README.md pubspec example (cla: yes)
[2137](https://github.com/flutter/plugins/pull/2137) [connectivity] Define clang module for iOS (cla: yes)
[2138](https://github.com/flutter/plugins/pull/2138) [device_info] Define clang module for iOS (cla: yes)
[2139](https://github.com/flutter/plugins/pull/2139) [google_maps_flutter] Add NonNull macro to reduce warnings in iOS (cla: yes)
[2141](https://github.com/flutter/plugins/pull/2141) BugFix: `formatHint` was meant for network streams. (cla: yes)
[2142](https://github.com/flutter/plugins/pull/2142) [Connectivity] migrate to the new android embedding (cla: yes)
[2143](https://github.com/flutter/plugins/pull/2143) [android_intent] Migrate to the new embedding (cla: yes)
[2144](https://github.com/flutter/plugins/pull/2144) [android_intent] Define clang module for iOS (cla: yes)
[2145](https://github.com/flutter/plugins/pull/2145) [instrumentation_adapter] Define clang module for iOS (cla: yes)
[2146](https://github.com/flutter/plugins/pull/2146) [local_auth] Define clang module for iOS (cla: yes)
[2147](https://github.com/flutter/plugins/pull/2147) [path_provider] Define clang module for iOS (cla: yes)
[2148](https://github.com/flutter/plugins/pull/2148) [package_info] Define clang module for iOS (cla: yes)
[2149](https://github.com/flutter/plugins/pull/2149) [quick_actions] Define clang module for iOS (cla: yes)
[2152](https://github.com/flutter/plugins/pull/2152) [battery] Support the v2 Android embedder (cla: yes)
[2154](https://github.com/flutter/plugins/pull/2154) Use stable Flutter image as base (cla: yes)
[2155](https://github.com/flutter/plugins/pull/2155) [in_app_purchase] migrate to the v2 android embedding (cla: yes)
[2156](https://github.com/flutter/plugins/pull/2156) [Share] Support v2 android embedder. (cla: yes)
[2157](https://github.com/flutter/plugins/pull/2157) [url_launcher] Migrate to the new embedding (cla: yes)
[2158](https://github.com/flutter/plugins/pull/2158) [video_player] Basic test for VideoPlayerController initialization (cla: yes)
[2160](https://github.com/flutter/plugins/pull/2160) [package_info] Support the v2 Android embedder (with e2e tests) (cla: yes)
[2161](https://github.com/flutter/plugins/pull/2161) Rename instrumentation_adapter plugin to e2e plugin (cla: yes)
[2162](https://github.com/flutter/plugins/pull/2162) [shared_preferences] Support v2 android embedder. (cla: yes)
[2163](https://github.com/flutter/plugins/pull/2163) [device_info] Support v2 android embedder. (cla: yes)
[2164](https://github.com/flutter/plugins/pull/2164) [sensor] Support v2 android embedder. (cla: yes)
[2165](https://github.com/flutter/plugins/pull/2165) [camera] Migrate to the new embedding (cla: yes)
[2167](https://github.com/flutter/plugins/pull/2167) [quick_actions] Support v2 android embedder. (cla: yes)
[2168](https://github.com/flutter/plugins/pull/2168) Add plugin for Android lifecycle in embedding (cla: yes)
[2169](https://github.com/flutter/plugins/pull/2169) [flutter_webview] Migrate to the new embedding (cla: yes)
[2174](https://github.com/flutter/plugins/pull/2174) [url_launcher] Enable androidx and jetifier in android gradle properties (cla: yes)
[2175](https://github.com/flutter/plugins/pull/2175) [sensors] Define clang module for iOS (cla: yes)
[2176](https://github.com/flutter/plugins/pull/2176) [shared_preferences] Define clang module for iOS (cla: yes)
[2177](https://github.com/flutter/plugins/pull/2177) [url_launcher] Define clang module for iOS (cla: yes)
[2178](https://github.com/flutter/plugins/pull/2178) [e2e] update README (cla: yes)
[2179](https://github.com/flutter/plugins/pull/2179) [battery] Define clang module for iOS (cla: yes)
[2180](https://github.com/flutter/plugins/pull/2180) [share] Define clang module for iOS (cla: yes)
[2182](https://github.com/flutter/plugins/pull/2182) [google_maps_flutter] Define clang module for iOS, fix analyzer warnings (cla: yes)
[2183](https://github.com/flutter/plugins/pull/2183) [video_player] Define clang module for iOS (cla: yes)
[2184](https://github.com/flutter/plugins/pull/2184) [google_sign_in] Define clang module for iOS (cla: yes)
[2185](https://github.com/flutter/plugins/pull/2185) [webview_flutter] Define clang module for iOS (cla: yes)
[2186](https://github.com/flutter/plugins/pull/2186) Run clang analyzer on iOS and macOS code in CI test when packages change (cla: yes)
[2188](https://github.com/flutter/plugins/pull/2188) [android_intent] Bump the Flutter SDK min version (cla: yes)
[2189](https://github.com/flutter/plugins/pull/2189) [battery] relax the example app minimal required Flutter version (cla: yes)
[2190](https://github.com/flutter/plugins/pull/2190) [e2e] Update to support new embedder (cla: yes)
[2191](https://github.com/flutter/plugins/pull/2191) [image_picker] Fix iOS build and analyzer warnings (cla: yes)
[2192](https://github.com/flutter/plugins/pull/2192) [in_app_purchase] Fix iOS build warning (cla: yes)
[2194](https://github.com/flutter/plugins/pull/2194) [battery] add e2e dependency to the example app (cla: yes)
[2195](https://github.com/flutter/plugins/pull/2195) [android_intent] Cleanup the V2 migration (cla: yes)
[2196](https://github.com/flutter/plugins/pull/2196) [webview_flutter] (Trivial) Add V2 warnings (cla: yes)
[2197](https://github.com/flutter/plugins/pull/2197) Enable testing on both master and stable (cla: yes)
[2199](https://github.com/flutter/plugins/pull/2199) Revert "Enable testing on both master and stable (#2197)" (cla: yes)
[2200](https://github.com/flutter/plugins/pull/2200) [flutter_webview] Revert v2 embedder support (cla: yes)
[2201](https://github.com/flutter/plugins/pull/2201) [url_launcher] Revert embedding support (cla: yes)
[2202](https://github.com/flutter/plugins/pull/2202) [android_intent] componentName must be provided before resolveActivity is called (cla: yes, waiting for test harness)
[2203](https://github.com/flutter/plugins/pull/2203) Re-land testing of plugins on stable (cla: yes)
[2204](https://github.com/flutter/plugins/pull/2204) [url_launcher] Re-land v2 embedding support (cla: yes)
[2205](https://github.com/flutter/plugins/pull/2205) s/flutter_android_lifecycle/flutter_plugin_android_lifecycle/ (cla: yes)
[2206](https://github.com/flutter/plugins/pull/2206) [flutter_plugin_android_lifecycle] Update README with new plugin name (cla: yes)
[2207](https://github.com/flutter/plugins/pull/2207) [flutter_plugin_android_lifecycle] bump e2e depenency to 0.2.1 (cla: yes)
[2208](https://github.com/flutter/plugins/pull/2208) delete all example/android/app/gradle.properties files (cla: yes)
[2209](https://github.com/flutter/plugins/pull/2209) [webview_flutter] Re-land support v2 embedding support (cla: yes)
[2211](https://github.com/flutter/plugins/pull/2211) Ensure that when testing on stable Cirrus is upgraded to latest on iOS (cla: yes)
[2212](https://github.com/flutter/plugins/pull/2212) [connectivity]remove AndroidX constraint (cla: yes)
[2215](https://github.com/flutter/plugins/pull/2215) [in_app_purchase] remove AndroidX constraint (cla: yes)
[2216](https://github.com/flutter/plugins/pull/2216) [battery]Use android.arch.lifecycle instead of androidx.lifecycle:lifecycle in (cla: yes)
[2217](https://github.com/flutter/plugins/pull/2217) [url_launcher] Add `url_launcher_platform_interface` package (cla: yes)
[2218](https://github.com/flutter/plugins/pull/2218) [package_info]remove AndroidX constraint (cla: yes)
[2219](https://github.com/flutter/plugins/pull/2219) [camera]remove androidx constraint (cla: yes)
[2220](https://github.com/flutter/plugins/pull/2220) [url_launcher]remove AndroidX constraint (cla: yes)
[2221](https://github.com/flutter/plugins/pull/2221) [android_intent]remove AndroidX constraint (cla: yes)
[2222](https://github.com/flutter/plugins/pull/2222) Fix testing instructions in CONTRIBUTING.md (cla: yes)
[2223](https://github.com/flutter/plugins/pull/2223) [flutter_plugin_android_lifecycle] register the e2e plugin in the example app (cla: yes)
[2226](https://github.com/flutter/plugins/pull/2226) [video_player] Add v2 embedding support (cla: yes)
[2228](https://github.com/flutter/plugins/pull/2228) [url_launcher] Use `url_launcher_platform_interface` to handle calls (cla: yes)
[2230](https://github.com/flutter/plugins/pull/2230) Forbid `... implements UrlLauncherPlatform` (cla: yes)
[2231](https://github.com/flutter/plugins/pull/2231) [cleanup] Remove AndroidX warning (cla: yes)
[2232](https://github.com/flutter/plugins/pull/2232) [multiple] V2 embedding plugins use compileOnly (cla: yes)
[2233](https://github.com/flutter/plugins/pull/2233) [e2e] update README (cla: yes)
[2236](https://github.com/flutter/plugins/pull/2236) Use package import to import files inside lib/ directory. (cla: yes)
[2237](https://github.com/flutter/plugins/pull/2237) [url_launcher] Migrate url_launcher_web to the platform interface (cla: yes)
[2239](https://github.com/flutter/plugins/pull/2239) [camera] Android: Improve image streaming by creating a request suita… (cla: yes, waiting for test harness)
[2241](https://github.com/flutter/plugins/pull/2241) [Shared_preferences]suppress warnings (cla: yes)
[2242](https://github.com/flutter/plugins/pull/2242) [google_maps_flutter] Cast error.code to unsigned long to avoid using NSInteger as %ld format warnings. (cla: yes, submit queue)
[2243](https://github.com/flutter/plugins/pull/2243) [flutter_plugin_android_lifecycle] Adapt the FlutterLifecycleAdapter to the new embedding API (cla: yes)
[2244](https://github.com/flutter/plugins/pull/2244) [google_sign_in] Move plugin to its subdir to allow for federated implementations (cla: yes)
[2250](https://github.com/flutter/plugins/pull/2250) Run the publish with the pub version from flutter stable (cla: yes)
[2252](https://github.com/flutter/plugins/pull/2252) [google_sign_in] Handle new style URLs in GoogleUserCircleAvatar (cla: yes)
[2257](https://github.com/flutter/plugins/pull/2257) [webview_flutter] Add async NavigationDelegates (cla: yes)
[2260](https://github.com/flutter/plugins/pull/2260) Make setMockInitialValues handle non-prefixed keys (cla: yes)
[2261](https://github.com/flutter/plugins/pull/2261) [image_picker] more documentations and tests. (cla: yes)
[2262](https://github.com/flutter/plugins/pull/2262) [connectivity] add more documentations, delete example/README (cla: yes)
[2266](https://github.com/flutter/plugins/pull/2266) [google_sign_in] Port plugin to use the federated Platform Interface (cla: yes)
[2267](https://github.com/flutter/plugins/pull/2267) Bump google_maps_flutter pubspec version to match CHANGELOG (cla: yes)
[2268](https://github.com/flutter/plugins/pull/2268) [android_intent] Add missing DartDocs (cla: yes)
[2269](https://github.com/flutter/plugins/pull/2269) [connectivity] Lint for public DartDocs (cla: yes)
[2270](https://github.com/flutter/plugins/pull/2270) [image_picker] Lint for public DartDocs (cla: yes)
[2271](https://github.com/flutter/plugins/pull/2271) [infra] Ignore analyzer issues in CI (cla: yes)
[2272](https://github.com/flutter/plugins/pull/2272) [sensors] Documentation and test improvements (cla: yes)
[2273](https://github.com/flutter/plugins/pull/2273) [video_player] Add platform interface (cla: yes)
[2274](https://github.com/flutter/plugins/pull/2274) [url_launcher] DartDoc and test improvements (cla: yes)
[2275](https://github.com/flutter/plugins/pull/2275) Update cirrus to create IOS simulator on 13.2 an xCode 11 (cla: yes)
[2280](https://github.com/flutter/plugins/pull/2280) Add google_sign_in_web plugin. (cla: yes)
[2281](https://github.com/flutter/plugins/pull/2281) [connectivity] Fix reachability stream for iOS (cla: yes)
[2282](https://github.com/flutter/plugins/pull/2282) Migrate plugins to use e2e tests. (cla: yes)
[2284](https://github.com/flutter/plugins/pull/2284) [path_provider] Add v2 embedding support for (cla: yes)
[2286](https://github.com/flutter/plugins/pull/2286) [video_player] Improve DartDocs and test coverage (cla: yes)
[2288](https://github.com/flutter/plugins/pull/2288) [path_provider] Add missing DartDocs (cla: yes)
[2289](https://github.com/flutter/plugins/pull/2289) [url_launcher] Update deps and docs in url_launcher_web (cla: yes)
[2292](https://github.com/flutter/plugins/pull/2292) Update CONTRIBUTING.md to allow mockito (cla: yes)
[2293](https://github.com/flutter/plugins/pull/2293) [image_picker]fix a crash when a non-image file is picked. (cla: yes)
[2296](https://github.com/flutter/plugins/pull/2296) [shared_preferences] Add missing DartDoc (cla: yes)
[2297](https://github.com/flutter/plugins/pull/2297) [share] README update (cla: yes)
| website/src/release/release-notes/changelogs/changelog-1.12.13.md/0 | {
"file_path": "website/src/release/release-notes/changelogs/changelog-1.12.13.md",
"repo_id": "website",
"token_count": 84214
} | 1,286 |
---
title: Flutter 2.10.0 release notes
short-title: 2.10.0 release notes
description: Release notes for Flutter 2.10.0.
---
This page has release notes for 2.10.0.
For information about subsequent bug-fix releases, see
[Hotfixes to the Stable Channel][].
[Hotfixes to the Stable Channel]: https://github.com/flutter/flutter/wiki/Hotfixes-to-the-Stable-Channel
## Merged PRs by labels for `flutter/flutter`
#### waiting for tree to go green - 526 pull request(s)
[72919](https://github.com/flutter/flutter/pull/72919) Add CupertinoTabBar.height (severe: new feature, framework, cla: yes, f: cupertino, waiting for tree to go green)
[77103](https://github.com/flutter/flutter/pull/77103) [web] Allow the usage of url strategies without conditional imports (cla: yes, f: routes, platform-web, waiting for tree to go green)
[83860](https://github.com/flutter/flutter/pull/83860) Added `onDismiss` callback to ModalBarrier. (framework, f: material design, cla: yes, waiting for tree to go green)
[87643](https://github.com/flutter/flutter/pull/87643) Updated IconButton.iconSize to get value from theme (framework, f: material design, cla: yes, waiting for tree to go green)
[88508](https://github.com/flutter/flutter/pull/88508) Do not crash when dragging ReorderableListView with two fingers simultaneously (framework, f: material design, cla: yes, waiting for tree to go green)
[89045](https://github.com/flutter/flutter/pull/89045) feat: enable flavor option on test command (tool, cla: yes, waiting for tree to go green)
[90178](https://github.com/flutter/flutter/pull/90178) update the scrollbar that support always show the track even not on hover (framework, f: material design, cla: yes, waiting for tree to go green)
[90461](https://github.com/flutter/flutter/pull/90461) Fixes zero route transition duration crash (framework, cla: yes, waiting for tree to go green)
[90608](https://github.com/flutter/flutter/pull/90608) RangeMaintainingScrollPhysics remove overscroll maintaining when grow (framework, f: scrolling, cla: yes, waiting for tree to go green)
[90684](https://github.com/flutter/flutter/pull/90684) Move text editing `Action`s to `EditableTextState` (team, framework, f: material design, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[90932](https://github.com/flutter/flutter/pull/90932) Expose enableDrag property for showBottomSheet (framework, f: material design, cla: yes, waiting for tree to go green, will affect goldens)
[90936](https://github.com/flutter/flutter/pull/90936) Remove font-weight overrides from dartdoc (team, cla: yes, waiting for tree to go green)
[91458](https://github.com/flutter/flutter/pull/91458) skip 'generateLockfiles' for add-to-app project. (tool, cla: yes, waiting for tree to go green)
[91532](https://github.com/flutter/flutter/pull/91532) Allow to click through scrollbar when gestures are disabled (framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green)
[91590](https://github.com/flutter/flutter/pull/91590) add --extra-gen-snapshot-options support for build_aar command. (tool, cla: yes, waiting for tree to go green)
[91698](https://github.com/flutter/flutter/pull/91698) Fix text cursor or input can be outside of the text field (a: text input, framework, cla: yes, waiting for tree to go green, will affect goldens)
[91959](https://github.com/flutter/flutter/pull/91959) Win32 template: Use {{projectName}} for FileDescription instead of {{description}} (tool, cla: yes, waiting for tree to go green)
[91987](https://github.com/flutter/flutter/pull/91987) Add `animationDuration` property to TabController (framework, f: material design, cla: yes, waiting for tree to go green)
[92031](https://github.com/flutter/flutter/pull/92031) Adds tool warning log level and command line options to fail on warning/error output (team, tool, cla: yes, waiting for tree to go green)
[92160](https://github.com/flutter/flutter/pull/92160) Add `expandedScale` to `FlexibleSpaceBar` (framework, f: material design, cla: yes, waiting for tree to go green)
[92172](https://github.com/flutter/flutter/pull/92172) [CupertinoActivityIndicator] Add `color` parameter (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[92197](https://github.com/flutter/flutter/pull/92197) Reland Remove BottomNavigationBarItem.title deprecation (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[92297](https://github.com/flutter/flutter/pull/92297) Added widgets/AppModel (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[92343](https://github.com/flutter/flutter/pull/92343) Add scaleX and scaleY Parameters in Transform.Scale. (framework, cla: yes, waiting for tree to go green)
[92374](https://github.com/flutter/flutter/pull/92374) Removed no-shuffle tag and fixed leak in flutter_goldens_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green)
[92440](https://github.com/flutter/flutter/pull/92440) Allow Programmatic Control of Draggable Sheet (framework, f: scrolling, cla: yes, waiting for tree to go green)
[92451](https://github.com/flutter/flutter/pull/92451) Add warning for bumping Android SDK version to match plugins (tool, cla: yes, waiting for tree to go green)
[92480](https://github.com/flutter/flutter/pull/92480) [Cupertino] fix dark mode for `ContextMenuAction` (a: text input, framework, cla: yes, f: cupertino, waiting for tree to go green)
[92535](https://github.com/flutter/flutter/pull/92535) Reland: "Update outdated runners in the benchmarks folder (#91126)" (team, tool, cla: yes, waiting for tree to go green, integration_test)
[92615](https://github.com/flutter/flutter/pull/92615) Fixes issue where navigating to new route breaks FocusNode of previou… (framework, cla: yes, waiting for tree to go green, f: focus)
[92630](https://github.com/flutter/flutter/pull/92630) Migrate to `process` 4.2.4 (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[92657](https://github.com/flutter/flutter/pull/92657) Fix a scrollbar crash bug (framework, f: scrolling, cla: yes, waiting for tree to go green)
[92733](https://github.com/flutter/flutter/pull/92733) Add the exported attribute to the Flutter Gallery manifest (team, cla: yes, waiting for tree to go green, integration_test)
[92738](https://github.com/flutter/flutter/pull/92738) Migrate emulators to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92753](https://github.com/flutter/flutter/pull/92753) [gen_l10n] Add support for adding placeholders inside select (tool, cla: yes, waiting for tree to go green)
[92758](https://github.com/flutter/flutter/pull/92758) Improve error message for uninitialized channel (framework, cla: yes, waiting for tree to go green)
[92808](https://github.com/flutter/flutter/pull/92808) feat: mirgate test_data/compile_error_project.dart to null safety (tool, cla: yes, waiting for tree to go green)
[92812](https://github.com/flutter/flutter/pull/92812) migrate integration.shard/vmservice_integration_test.dart to null safety (tool, cla: yes, waiting for tree to go green, integration_test)
[92849](https://github.com/flutter/flutter/pull/92849) Migrate tracing to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92857](https://github.com/flutter/flutter/pull/92857) Roll Engine from 43561d8820e0 to 8317c5eedb68 (2 revisions) (cla: yes, waiting for tree to go green)
[92860](https://github.com/flutter/flutter/pull/92860) Roll Engine from 8317c5eedb68 to 98e3216ab470 (1 revision) (cla: yes, waiting for tree to go green)
[92861](https://github.com/flutter/flutter/pull/92861) Remove globals_null_migrated.dart, move into globals.dart (a: text input, tool, cla: yes, waiting for tree to go green, integration_test, a: null-safety)
[92866](https://github.com/flutter/flutter/pull/92866) Roll Engine from 98e3216ab470 to 2ea889c9af5c (1 revision) (cla: yes, waiting for tree to go green)
[92868](https://github.com/flutter/flutter/pull/92868) Roll Engine from 2ea889c9af5c to 7797c76bb99c (1 revision) (cla: yes, waiting for tree to go green)
[92869](https://github.com/flutter/flutter/pull/92869) Migrate build_system targets to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92871](https://github.com/flutter/flutter/pull/92871) Migrate flutter_command to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92875](https://github.com/flutter/flutter/pull/92875) Roll Engine from 7797c76bb99c to a4e700eb0c8b (2 revisions) (cla: yes, waiting for tree to go green)
[92886](https://github.com/flutter/flutter/pull/92886) Roll Engine from a4e700eb0c8b to c674d2cbc6e0 (4 revisions) (cla: yes, waiting for tree to go green)
[92892](https://github.com/flutter/flutter/pull/92892) Roll Engine from c674d2cbc6e0 to 76b4caeafe75 (1 revision) (cla: yes, waiting for tree to go green)
[92901](https://github.com/flutter/flutter/pull/92901) Exit on deprecated v1 embedding when trying to run or build (team, tool, a: accessibility, cla: yes, waiting for tree to go green, integration_test)
[92904](https://github.com/flutter/flutter/pull/92904) Roll Engine from 76b4caeafe75 to 6095a1367846 (3 revisions) (cla: yes, waiting for tree to go green)
[92906](https://github.com/flutter/flutter/pull/92906) Add display features to MediaQuery (a: tests, severe: new feature, framework, cla: yes, waiting for tree to go green, a: layout)
[92916](https://github.com/flutter/flutter/pull/92916) Marks Mac_ios platform_view_ios__start_up to be unflaky (cla: yes, waiting for tree to go green)
[92918](https://github.com/flutter/flutter/pull/92918) Roll Engine from 6095a1367846 to 4dbdc0844425 (1 revision) (cla: yes, waiting for tree to go green)
[92923](https://github.com/flutter/flutter/pull/92923) Update flutter localizations. (f: material design, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[92924](https://github.com/flutter/flutter/pull/92924) Update packages (team, tool, cla: yes, waiting for tree to go green)
[92930](https://github.com/flutter/flutter/pull/92930) [Material 3] Add optional indicator to Navigation Rail. (framework, f: material design, cla: yes, waiting for tree to go green)
[92932](https://github.com/flutter/flutter/pull/92932) Update docs to point to assets-for-api-docs cupertino css file (team, cla: yes, f: cupertino, d: api docs, waiting for tree to go green, documentation)
[92938](https://github.com/flutter/flutter/pull/92938) Skip codesigning during native macOS integration tests (team, cla: yes, waiting for tree to go green, integration_test)
[92940](https://github.com/flutter/flutter/pull/92940) TextField border gap padding improvement (framework, f: material design, cla: yes, waiting for tree to go green, will affect goldens)
[92945](https://github.com/flutter/flutter/pull/92945) [TextInput] send `setEditingState` before `show` to the text input plugin when switching input clients (a: text input, framework, cla: yes, waiting for tree to go green)
[92946](https://github.com/flutter/flutter/pull/92946) Add Help menu to macOS create template (team, tool, cla: yes, waiting for tree to go green, integration_test)
[92948](https://github.com/flutter/flutter/pull/92948) Remove globals_null_migrated.dart, move into globals.dart (tool, cla: yes, waiting for tree to go green)
[92950](https://github.com/flutter/flutter/pull/92950) Migrate channel, clean and a few other commands to null safety (tool, cla: yes, waiting for tree to go green)
[92952](https://github.com/flutter/flutter/pull/92952) Migrate doctor, format, and a few other commands to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92954](https://github.com/flutter/flutter/pull/92954) Roll Plugins from e51cc1df7b75 to 53fff22979d2 (7 revisions) (cla: yes, waiting for tree to go green)
[92955](https://github.com/flutter/flutter/pull/92955) Migrate custom_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92956](https://github.com/flutter/flutter/pull/92956) Migrate windows_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92957](https://github.com/flutter/flutter/pull/92957) migrate some file to null safety (tool, cla: yes, waiting for tree to go green)
[92970](https://github.com/flutter/flutter/pull/92970) Reland "Refactor ThemeData (#91497)" (part 2) (framework, f: material design, cla: yes, waiting for tree to go green)
[92975](https://github.com/flutter/flutter/pull/92975) Ensure the flutter_gen project is correctly created as part of "flutter create" (tool, cla: yes, waiting for tree to go green)
[92977](https://github.com/flutter/flutter/pull/92977) Roll Engine from 6095a1367846 to f08694a57857 (15 revisions) (cla: yes, waiting for tree to go green)
[92980](https://github.com/flutter/flutter/pull/92980) Roll Engine from f08694a57857 to 6ae304aeef1b (1 revision) (cla: yes, waiting for tree to go green)
[92984](https://github.com/flutter/flutter/pull/92984) Roll Engine from 6ae304aeef1b to 535f1c4c1c49 (2 revisions) (cla: yes, waiting for tree to go green)
[92989](https://github.com/flutter/flutter/pull/92989) Stop sending metrics to builder name (team, cla: yes, waiting for tree to go green, team: benchmark)
[92996](https://github.com/flutter/flutter/pull/92996) Roll Engine from 535f1c4c1c49 to e9d92561b9a7 (2 revisions) (cla: yes, waiting for tree to go green)
[93004](https://github.com/flutter/flutter/pull/93004) Roll Engine from e9d92561b9a7 to caf6d2997ddd (1 revision) (cla: yes, waiting for tree to go green)
[93005](https://github.com/flutter/flutter/pull/93005) Roll Plugins from 53fff22979d2 to 2e102b8a8c41 (1 revision) (cla: yes, waiting for tree to go green)
[93013](https://github.com/flutter/flutter/pull/93013) Marks Linux web_canvaskit_tests_0 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93014](https://github.com/flutter/flutter/pull/93014) Marks Linux web_canvaskit_tests_1 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93015](https://github.com/flutter/flutter/pull/93015) Marks Linux web_canvaskit_tests_2 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93016](https://github.com/flutter/flutter/pull/93016) Marks Linux web_canvaskit_tests_3 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93017](https://github.com/flutter/flutter/pull/93017) Marks Linux web_canvaskit_tests_4 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93018](https://github.com/flutter/flutter/pull/93018) Marks Linux web_canvaskit_tests_5 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93019](https://github.com/flutter/flutter/pull/93019) Marks Linux web_canvaskit_tests_6 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93020](https://github.com/flutter/flutter/pull/93020) Marks Linux web_canvaskit_tests_7_last to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93021](https://github.com/flutter/flutter/pull/93021) Marks Linux_android flutter_gallery__image_cache_memory to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93022](https://github.com/flutter/flutter/pull/93022) Marks Linux_android flutter_gallery__start_up to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93026](https://github.com/flutter/flutter/pull/93026) Skip overall_experience_test.dart: flutter run writes and clears pidfile appropriately (tool, cla: yes, waiting for tree to go green)
[93028](https://github.com/flutter/flutter/pull/93028) Roll Engine from caf6d2997ddd to fd0f83359dd8 (2 revisions) (cla: yes, waiting for tree to go green)
[93033](https://github.com/flutter/flutter/pull/93033) Roll Engine from fd0f83359dd8 to 4f5e2968b639 (1 revision) (cla: yes, waiting for tree to go green)
[93034](https://github.com/flutter/flutter/pull/93034) Replace text directionality control characters with escape sequences in the semantics_tester (framework, a: accessibility, cla: yes, waiting for tree to go green)
[93041](https://github.com/flutter/flutter/pull/93041) Suppress created file list for new "flutter create" projects (tool, cla: yes, waiting for tree to go green)
[93042](https://github.com/flutter/flutter/pull/93042) Roll Engine from 4f5e2968b639 to c70041c85134 (4 revisions) (cla: yes, waiting for tree to go green)
[93043](https://github.com/flutter/flutter/pull/93043) Roll Engine from c70041c85134 to bbc4615ecd63 (2 revisions) (cla: yes, waiting for tree to go green)
[93046](https://github.com/flutter/flutter/pull/93046) Roll Engine from bbc4615ecd63 to e28b5df18c97 (1 revision) (cla: yes, waiting for tree to go green)
[93051](https://github.com/flutter/flutter/pull/93051) Roll Engine from e28b5df18c97 to 32fff2f6e12b (1 revision) (cla: yes, waiting for tree to go green)
[93059](https://github.com/flutter/flutter/pull/93059) Add golden tests for default and overriden `expandedTitleScale` in `FlexibleSpaceBar` (framework, f: material design, cla: yes, waiting for tree to go green)
[93060](https://github.com/flutter/flutter/pull/93060) Roll Plugins from 2e102b8a8c41 to e39a584ab08e (1 revision) (cla: yes, waiting for tree to go green)
[93061](https://github.com/flutter/flutter/pull/93061) Roll Engine from 32fff2f6e12b to 5140e30cec13 (1 revision) (cla: yes, waiting for tree to go green)
[93065](https://github.com/flutter/flutter/pull/93065) Add DevTools version to `flutter --version` and `flutter doctor -v` output. (tool, cla: yes, waiting for tree to go green)
[93066](https://github.com/flutter/flutter/pull/93066) Roll Plugins from e39a584ab08e to d6ca8a368ce3 (1 revision) (cla: yes, waiting for tree to go green)
[93076](https://github.com/flutter/flutter/pull/93076) Use `FlutterError.reportError` instead of `debugPrint` for l10n warning (framework, cla: yes, waiting for tree to go green)
[93080](https://github.com/flutter/flutter/pull/93080) Dynamic logcat piping for deferred components test (team, cla: yes, waiting for tree to go green, integration_test)
[93082](https://github.com/flutter/flutter/pull/93082) [flutter_conductor] ensure release branch point is always tagged (team, cla: yes, waiting for tree to go green)
[93086](https://github.com/flutter/flutter/pull/93086) Improve tracing (team, framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green, integration_test)
[93087](https://github.com/flutter/flutter/pull/93087) In CupertinoIcons doc adopt diagram and fix broken glyph map link (framework, cla: yes, f: cupertino, d: api docs, waiting for tree to go green, documentation)
[93094](https://github.com/flutter/flutter/pull/93094) Update minimum required version to Xcode 12.3 (a: text input, tool, cla: yes, waiting for tree to go green, t: xcode)
[93128](https://github.com/flutter/flutter/pull/93128) Remove comment on caching line metrics (a: text input, framework, cla: yes, waiting for tree to go green)
[93129](https://github.com/flutter/flutter/pull/93129) Use baseline value to get position in next line (a: text input, framework, cla: yes, waiting for tree to go green)
[93157](https://github.com/flutter/flutter/pull/93157) Roll Plugins from d6ca8a368ce3 to 27eda487859c (3 revisions) (cla: yes, waiting for tree to go green)
[93161](https://github.com/flutter/flutter/pull/93161) Revert "Added widgets/AppModel" (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[93165](https://github.com/flutter/flutter/pull/93165) Roll Plugins from 27eda487859c to 5bf7fb0360aa (1 revision) (cla: yes, waiting for tree to go green)
[93166](https://github.com/flutter/flutter/pull/93166) Do not rebuild when TickerMode changes (a: text input, framework, cla: yes, waiting for tree to go green)
[93170](https://github.com/flutter/flutter/pull/93170) Desktop edge scrolling (a: text input, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[93171](https://github.com/flutter/flutter/pull/93171) [flutter_conductor] Rewrite writeStateToFile to be in an overidable method. (team, cla: yes, waiting for tree to go green)
[93174](https://github.com/flutter/flutter/pull/93174) [web] add image decoder benchmark (team, cla: yes, waiting for tree to go green)
[93223](https://github.com/flutter/flutter/pull/93223) Roll Engine from 5140e30cec13 to 469d6f1a09f4 (58 revisions) (cla: yes, waiting for tree to go green, will affect goldens)
[93240](https://github.com/flutter/flutter/pull/93240) Reland 3: Display Features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation, integration_test)
[93251](https://github.com/flutter/flutter/pull/93251) Marks Linux_android flutter_gallery__start_up_delayed to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93252](https://github.com/flutter/flutter/pull/93252) Marks Mac_android run_release_test to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93254](https://github.com/flutter/flutter/pull/93254) Marks Mac_ios integration_ui_ios_textfield to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93255](https://github.com/flutter/flutter/pull/93255) Marks Mac_android android_semantics_integration_test to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93259](https://github.com/flutter/flutter/pull/93259) Support for MaterialTapTargetSize within ToggleButtons (framework, f: material design, cla: yes, waiting for tree to go green)
[93267](https://github.com/flutter/flutter/pull/93267) Force the color used by WidgetApp's Title to be fully opaque. (framework, cla: yes, waiting for tree to go green)
[93273](https://github.com/flutter/flutter/pull/93273) Revert "mark flaky (#93266)" (cla: yes, waiting for tree to go green)
[93284](https://github.com/flutter/flutter/pull/93284) Roll Engine from 469d6f1a09f4 to 1ae721c0230e (11 revisions) (cla: yes, waiting for tree to go green)
[93293](https://github.com/flutter/flutter/pull/93293) Use adb variable instead of direct command (team, cla: yes, waiting for tree to go green, integration_test)
[93294](https://github.com/flutter/flutter/pull/93294) Roll Engine from 1ae721c0230e to 0b3ac9431351 (1 revision) (cla: yes, waiting for tree to go green)
[93296](https://github.com/flutter/flutter/pull/93296) Roll Engine from 0b3ac9431351 to 5fcc59bbc290 (2 revisions) (cla: yes, waiting for tree to go green)
[93299](https://github.com/flutter/flutter/pull/93299) Roll Engine from 5fcc59bbc290 to 162d8508f874 (2 revisions) (cla: yes, waiting for tree to go green)
[93306](https://github.com/flutter/flutter/pull/93306) Roll Engine from 162d8508f874 to 766f3a5bec7b (2 revisions) (cla: yes, waiting for tree to go green)
[93307](https://github.com/flutter/flutter/pull/93307) Track timeout from app run start in deferred components integration test (team, cla: yes, waiting for tree to go green, integration_test)
[93309](https://github.com/flutter/flutter/pull/93309) Roll Plugins from 5bf7fb0360aa to 638dd07f51fa (1 revision) (cla: yes, waiting for tree to go green)
[93327](https://github.com/flutter/flutter/pull/93327) Roll Engine from 766f3a5bec7b to 76bf5a1ad029 (5 revisions) (cla: yes, waiting for tree to go green)
[93341](https://github.com/flutter/flutter/pull/93341) Roll Plugins from 638dd07f51fa to 68d222342e39 (2 revisions) (cla: yes, waiting for tree to go green)
[93353](https://github.com/flutter/flutter/pull/93353) Ignore upcoming warning for unnecessary override (tool, cla: yes, waiting for tree to go green)
[93354](https://github.com/flutter/flutter/pull/93354) Roll Plugins from 68d222342e39 to 1a2fbe878d86 (1 revision) (cla: yes, waiting for tree to go green)
[93356](https://github.com/flutter/flutter/pull/93356) Pin visual studio version used in the framework. (cla: yes, waiting for tree to go green)
[93386](https://github.com/flutter/flutter/pull/93386) Reland "Exit on deprecated v1 embedding when trying to run or build (#92901)" (team, tool, a: accessibility, cla: yes, waiting for tree to go green, integration_test)
[93396](https://github.com/flutter/flutter/pull/93396) Deprecate `primaryColorBrightness` (a: text input, team, framework, f: material design, cla: yes, waiting for tree to go green, tech-debt)
[93411](https://github.com/flutter/flutter/pull/93411) Disable pause-on-exceptions for (outgoing) isolates during hot restart (tool, cla: yes, waiting for tree to go green)
[93414](https://github.com/flutter/flutter/pull/93414) Roll Engine from 76bf5a1ad029 to 3af330d5c098 (27 revisions) (cla: yes, waiting for tree to go green)
[93419](https://github.com/flutter/flutter/pull/93419) Roll Plugins from 1a2fbe878d86 to d9d87e9f8809 (1 revision) (cla: yes, waiting for tree to go green)
[93421](https://github.com/flutter/flutter/pull/93421) Roll Engine from 3af330d5c098 to 5c1b2d9af0fd (4 revisions) (cla: yes, waiting for tree to go green)
[93424](https://github.com/flutter/flutter/pull/93424) Roll Plugins from d9d87e9f8809 to 0cfbe1779ecb (3 revisions) (cla: yes, waiting for tree to go green)
[93426](https://github.com/flutter/flutter/pull/93426) Add support for Visual Studio 2022 (tool, cla: yes, waiting for tree to go green)
[93428](https://github.com/flutter/flutter/pull/93428) Roll Engine from 5c1b2d9af0fd to e5f05693010f (3 revisions) (cla: yes, waiting for tree to go green)
[93434](https://github.com/flutter/flutter/pull/93434) Added useMaterial3 flag to ThemeData. (framework, f: material design, cla: yes, waiting for tree to go green)
[93435](https://github.com/flutter/flutter/pull/93435) Roll Plugins from 0cfbe1779ecb to 112fe4eb497a (2 revisions) (cla: yes, waiting for tree to go green)
[93436](https://github.com/flutter/flutter/pull/93436) Roll Engine from e5f05693010f to 6abca2895599 (1 revision) (cla: yes, waiting for tree to go green)
[93444](https://github.com/flutter/flutter/pull/93444) Roll Engine from 6abca2895599 to d5cadd28b0bf (3 revisions) (cla: yes, waiting for tree to go green)
[93447](https://github.com/flutter/flutter/pull/93447) Roll Plugins from 112fe4eb497a to d09abd526375 (2 revisions) (cla: yes, waiting for tree to go green)
[93452](https://github.com/flutter/flutter/pull/93452) ChipThemeData is now conventional (framework, f: material design, cla: yes, waiting for tree to go green)
[93458](https://github.com/flutter/flutter/pull/93458) Roll Plugins from d09abd526375 to d22be768e9d5 (1 revision) (cla: yes, waiting for tree to go green)
[93463](https://github.com/flutter/flutter/pull/93463) API to generate a ColorScheme from a single seed color. (team, framework, f: material design, cla: yes, waiting for tree to go green, integration_test)
[93478](https://github.com/flutter/flutter/pull/93478) Add `splashRadius` property to `IconTheme` (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[93480](https://github.com/flutter/flutter/pull/93480) Add InputDecorator label color on error examples (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[93484](https://github.com/flutter/flutter/pull/93484) Roll Plugins from d22be768e9d5 to a103bcd3327e (1 revision) (cla: yes, waiting for tree to go green)
[93487](https://github.com/flutter/flutter/pull/93487) Roll Engine from d5cadd28b0bf to 2a76e06247df (9 revisions) (cla: yes, waiting for tree to go green)
[93490](https://github.com/flutter/flutter/pull/93490) Marks Mac_android run_release_test to be flaky (cla: yes, waiting for tree to go green)
[93492](https://github.com/flutter/flutter/pull/93492) fix: remove useless type checks (tool, cla: yes, waiting for tree to go green)
[93496](https://github.com/flutter/flutter/pull/93496) Roll Engine from 2a76e06247df to 26b3c41ad795 (2 revisions) (cla: yes, waiting for tree to go green)
[93499](https://github.com/flutter/flutter/pull/93499) Use navigator instead of overlay as TickerProvider for ModalBottomSheet (framework, f: material design, cla: yes, waiting for tree to go green)
[93503](https://github.com/flutter/flutter/pull/93503) Roll Engine from 26b3c41ad795 to aaacb670af16 (1 revision) (cla: yes, waiting for tree to go green)
[93507](https://github.com/flutter/flutter/pull/93507) Remove shade50 getter from MaterialAccentColor (framework, f: material design, cla: yes, waiting for tree to go green)
[93509](https://github.com/flutter/flutter/pull/93509) Add `CupertinoDatePicker` Interactive Example (team, framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[93510](https://github.com/flutter/flutter/pull/93510) Roll Engine from aaacb670af16 to e022c9283c40 (4 revisions) (cla: yes, waiting for tree to go green, will affect goldens)
[93514](https://github.com/flutter/flutter/pull/93514) [flutter_conductor] allow --force to override validations on start sub-command (team, cla: yes, waiting for tree to go green)
[93516](https://github.com/flutter/flutter/pull/93516) Close tree if unapproved golden images get in (a: tests, team, framework, cla: yes, waiting for tree to go green, a: error message, team: infra)
[93528](https://github.com/flutter/flutter/pull/93528) Add a test to verify that we only link to real issue templates (team, tool, cla: yes, waiting for tree to go green)
[93536](https://github.com/flutter/flutter/pull/93536) Fix typo in AnimatedWidgetBaseState (framework, a: animation, cla: yes, waiting for tree to go green)
[93556](https://github.com/flutter/flutter/pull/93556) Ad-hoc codesign Flutter.framework when code signing is disabled (platform-ios, tool, cla: yes, waiting for tree to go green)
[93560](https://github.com/flutter/flutter/pull/93560) Roll Plugins from a103bcd3327e to ace9e78bd3c3 (2 revisions) (cla: yes, waiting for tree to go green)
[93563](https://github.com/flutter/flutter/pull/93563) Roll Engine from e022c9283c40 to 701d66d109e2 (16 revisions) (cla: yes, waiting for tree to go green)
[93566](https://github.com/flutter/flutter/pull/93566) Reland "Exit on deprecated v1 embedding when trying to run or build" (#92901) (team, tool, a: accessibility, cla: yes, waiting for tree to go green, integration_test)
[93568](https://github.com/flutter/flutter/pull/93568) Roll Engine from 701d66d109e2 to 85e06f206389 (3 revisions) (cla: yes, waiting for tree to go green)
[93572](https://github.com/flutter/flutter/pull/93572) Roll Engine from 85e06f206389 to c19137fd56fb (1 revision) (cla: yes, waiting for tree to go green)
[93574](https://github.com/flutter/flutter/pull/93574) Roll Engine from c19137fd56fb to ea8386ff6547 (2 revisions) (cla: yes, waiting for tree to go green)
[93578](https://github.com/flutter/flutter/pull/93578) Handle empty text with no line metrics in RenderEditable._lineNumberFor (framework, cla: yes, waiting for tree to go green)
[93579](https://github.com/flutter/flutter/pull/93579) Roll Engine from ea8386ff6547 to 140bd9399e63 (1 revision) (cla: yes, waiting for tree to go green)
[93580](https://github.com/flutter/flutter/pull/93580) [flutter_conductor] implement requiredLocalBranches (team, cla: yes, waiting for tree to go green)
[93587](https://github.com/flutter/flutter/pull/93587) Roll Plugins from ace9e78bd3c3 to 8a95012fb037 (1 revision) (cla: yes, waiting for tree to go green)
[93592](https://github.com/flutter/flutter/pull/93592) Requiring data preserves the stackTrace (framework, cla: yes, waiting for tree to go green)
[93600](https://github.com/flutter/flutter/pull/93600) fix: inline templatized see also (framework, f: material design, cla: yes, d: api docs, waiting for tree to go green, documentation)
[93604](https://github.com/flutter/flutter/pull/93604) Fixed leak and removed no-shuffle tag in window_test.dart (a: tests, framework, cla: yes, waiting for tree to go green)
[93625](https://github.com/flutter/flutter/pull/93625) Add `CupertinoButton` interactive example (team, framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[93628](https://github.com/flutter/flutter/pull/93628) Roll Plugins from 8a95012fb037 to 31268aabbaa9 (1 revision) (cla: yes, waiting for tree to go green)
[93664](https://github.com/flutter/flutter/pull/93664) Marks Mac native_ui_tests_macos to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93675](https://github.com/flutter/flutter/pull/93675) Roll Engine from 140bd9399e63 to 2962099077b3 (26 revisions) (cla: yes, waiting for tree to go green)
[93684](https://github.com/flutter/flutter/pull/93684) [devicelab] Add hot reload tests to presubmit (team, cla: yes, waiting for tree to go green)
[93692](https://github.com/flutter/flutter/pull/93692) [Web] Detect when running under Dart HHH Web and skip tests under investigation (team, framework, cla: yes, waiting for tree to go green)
[93693](https://github.com/flutter/flutter/pull/93693) Fix CallbackShortcuts to only call shortcuts when triggered (framework, cla: yes, waiting for tree to go green)
[93694](https://github.com/flutter/flutter/pull/93694) Roll Plugins from 31268aabbaa9 to 1e85f320695d (9 revisions) (cla: yes, waiting for tree to go green, warning: land on red to fix tree breakage)
[93716](https://github.com/flutter/flutter/pull/93716) Request focus in `onTap` callback from `DropdownButton` (framework, f: material design, cla: yes, waiting for tree to go green)
[93725](https://github.com/flutter/flutter/pull/93725) [Material 3] Update TextTheme to have M3 names for styles (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[93735](https://github.com/flutter/flutter/pull/93735) fix: removed unnecessary checks (tool, cla: yes, waiting for tree to go green)
[93761](https://github.com/flutter/flutter/pull/93761) Roll Plugins from 1e85f320695d to e6ff3527c3c1 (1 revision) (cla: yes, waiting for tree to go green)
[93769](https://github.com/flutter/flutter/pull/93769) Roll Engine from 2962099077b3 to ace1f5f2997b (13 revisions) (cla: yes, waiting for tree to go green)
[93775](https://github.com/flutter/flutter/pull/93775) Roll Engine from ace1f5f2997b to 47828a664fd7 (2 revisions) (cla: yes, waiting for tree to go green)
[93788](https://github.com/flutter/flutter/pull/93788) Roll Plugins from e6ff3527c3c1 to 4ccc90493235 (2 revisions) (cla: yes, waiting for tree to go green)
[93789](https://github.com/flutter/flutter/pull/93789) Roll Engine from 47828a664fd7 to 88644c8dcb45 (1 revision) (cla: yes, waiting for tree to go green)
[93796](https://github.com/flutter/flutter/pull/93796) Roll Engine from 88644c8dcb45 to 6e2aafeb4b50 (2 revisions) (cla: yes, waiting for tree to go green)
[93797](https://github.com/flutter/flutter/pull/93797) Revert "ChipThemeData is now conventional" (framework, f: material design, cla: yes, waiting for tree to go green)
[93799](https://github.com/flutter/flutter/pull/93799) Add Ink.image clip examples (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[93802](https://github.com/flutter/flutter/pull/93802) Roll Plugins from 4ccc90493235 to 8f55fb68d0e9 (1 revision) (cla: yes, waiting for tree to go green)
[93805](https://github.com/flutter/flutter/pull/93805) Marks Linux_android image_list_jit_reported_duration to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93808](https://github.com/flutter/flutter/pull/93808) Roll Engine from 6e2aafeb4b50 to d389ae475cde (2 revisions) (cla: yes, waiting for tree to go green)
[93815](https://github.com/flutter/flutter/pull/93815) Roll Engine from d389ae475cde to 29ea28d67b2d (1 revision) (cla: yes, waiting for tree to go green)
[93820](https://github.com/flutter/flutter/pull/93820) Roll Engine from 29ea28d67b2d to c30375b830ef (1 revision) (cla: yes, waiting for tree to go green)
[93832](https://github.com/flutter/flutter/pull/93832) Roll Plugins from 8f55fb68d0e9 to 88c69ed86147 (1 revision) (cla: yes, waiting for tree to go green)
[93835](https://github.com/flutter/flutter/pull/93835) Shift tap gesture (a: text input, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, will affect goldens)
[93836](https://github.com/flutter/flutter/pull/93836) Roll Plugins from 88c69ed86147 to 349a858048db (1 revision) (cla: yes, waiting for tree to go green)
[93839](https://github.com/flutter/flutter/pull/93839) Roll Engine from c30375b830ef to a3ef1d5351f4 (5 revisions) (cla: yes, waiting for tree to go green)
[93845](https://github.com/flutter/flutter/pull/93845) Roll Engine from a3ef1d5351f4 to d3dcd41c9490 (4 revisions) (cla: yes, waiting for tree to go green)
[93869](https://github.com/flutter/flutter/pull/93869) Skip links in MinimumTapTargetGuideline. (a: tests, framework, a: accessibility, cla: yes, waiting for tree to go green)
[93870](https://github.com/flutter/flutter/pull/93870) [DAP] Add a custom event to pass flutter.serviceExtensionStateChanged… (tool, cla: yes, waiting for tree to go green)
[93875](https://github.com/flutter/flutter/pull/93875) [CupertinoTextField] Add missing focus listener (a: text input, framework, cla: yes, f: cupertino, waiting for tree to go green, will affect goldens)
[93876](https://github.com/flutter/flutter/pull/93876) Force the a11y focus on textfield in android semantics integration test (team, a: accessibility, cla: yes, waiting for tree to go green, integration_test)
[93877](https://github.com/flutter/flutter/pull/93877) [conductor] Add global constants and startContext checkoutpath getter (team, cla: yes, waiting for tree to go green)
[93886](https://github.com/flutter/flutter/pull/93886) Roll Plugins from 349a858048db to 58d215dd926c (2 revisions) (cla: yes, waiting for tree to go green)
[93894](https://github.com/flutter/flutter/pull/93894) Update the MaterialStateProperty "see also" lists (framework, f: material design, cla: yes, waiting for tree to go green)
[93896](https://github.com/flutter/flutter/pull/93896) [flutter_conductor] Conductor prompt refactor (a: text input, team, cla: yes, waiting for tree to go green)
[93897](https://github.com/flutter/flutter/pull/93897) RawKeyboard synthesizes key pressing state for modifier (framework, cla: yes, waiting for tree to go green)
[93904](https://github.com/flutter/flutter/pull/93904) Roll Plugins from 58d215dd926c to cbe6449216d0 (6 revisions) (cla: yes, waiting for tree to go green)
[93922](https://github.com/flutter/flutter/pull/93922) Fix bottom sheet assertion on switching with multiple controllers (framework, f: material design, cla: yes, waiting for tree to go green)
[93933](https://github.com/flutter/flutter/pull/93933) [unrevert] TextField border gap padding improvement (framework, f: material design, cla: yes, waiting for tree to go green, will affect goldens)
[93935](https://github.com/flutter/flutter/pull/93935) Roll Plugins from cbe6449216d0 to d237127bb775 (2 revisions) (cla: yes, waiting for tree to go green)
[93940](https://github.com/flutter/flutter/pull/93940) Roll Plugins from d237127bb775 to fe1a3c49f299 (1 revision) (cla: yes, waiting for tree to go green)
[93941](https://github.com/flutter/flutter/pull/93941) Roll Engine from d3dcd41c9490 to 64b13b8eff25 (29 revisions) (cla: yes, waiting for tree to go green)
[93948](https://github.com/flutter/flutter/pull/93948) De-flake web tool tests (tool, cla: yes, waiting for tree to go green)
[93950](https://github.com/flutter/flutter/pull/93950) Roll Plugins from fe1a3c49f299 to e5156e9ab70a (1 revision) (cla: yes, waiting for tree to go green)
[93954](https://github.com/flutter/flutter/pull/93954) Master analyze_base.dart to null-safety (tool, cla: yes, waiting for tree to go green)
[93978](https://github.com/flutter/flutter/pull/93978) Roll Plugins from e5156e9ab70a to 55e246bfa0fd (2 revisions) (cla: yes, waiting for tree to go green)
[93988](https://github.com/flutter/flutter/pull/93988) Roll Engine from 30eb4d6974f6 to 654a706d98d6 (1 revision) (cla: yes, waiting for tree to go green)
[93989](https://github.com/flutter/flutter/pull/93989) Roll Engine from 654a706d98d6 to ddb8b94eebee (3 revisions) (cla: yes, waiting for tree to go green)
[94000](https://github.com/flutter/flutter/pull/94000) Roll Engine from ddb8b94eebee to ad00d128332e (1 revision) (cla: yes, waiting for tree to go green)
[94012](https://github.com/flutter/flutter/pull/94012) [flutter_tools] Remove --enable-background-compilation (tool, cla: yes, waiting for tree to go green)
[94029](https://github.com/flutter/flutter/pull/94029) Marks Linux deferred components to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94033](https://github.com/flutter/flutter/pull/94033) Marks Linux android views to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94035](https://github.com/flutter/flutter/pull/94035) Marks Linux_android image_list_reported_duration to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94037](https://github.com/flutter/flutter/pull/94037) Marks Linux_android flutter_gallery__back_button_memory to be flaky (cla: yes, waiting for tree to go green)
[94054](https://github.com/flutter/flutter/pull/94054) Roll Plugins from 55e246bfa0fd to 7f9baddb9650 (1 revision) (cla: yes, waiting for tree to go green)
[94055](https://github.com/flutter/flutter/pull/94055) Roll Engine from ad00d128332e to c9a8a868a294 (1 revision) (cla: yes, waiting for tree to go green)
[94061](https://github.com/flutter/flutter/pull/94061) Roll Engine from c9a8a868a294 to fd3416c3edb5 (1 revision) (cla: yes, waiting for tree to go green)
[94062](https://github.com/flutter/flutter/pull/94062) Roll Engine from fd3416c3edb5 to fd1151a43bb6 (2 revisions) (cla: yes, waiting for tree to go green)
[94067](https://github.com/flutter/flutter/pull/94067) make .prompt() async (a: text input, team, cla: yes, waiting for tree to go green)
[94077](https://github.com/flutter/flutter/pull/94077) Mixin for slotted RenderObjectWidgets and RenderBox (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[94082](https://github.com/flutter/flutter/pull/94082) Roll Engine from fd1151a43bb6 to 147824762f95 (8 revisions) (cla: yes, waiting for tree to go green)
[94084](https://github.com/flutter/flutter/pull/94084) Update Xcode toolsVersion encoded in generated Main.storyboard (team, platform-ios, tool, cla: yes, d: api docs, d: examples, waiting for tree to go green, t: xcode, documentation, integration_test)
[94085](https://github.com/flutter/flutter/pull/94085) Roll Engine from 147824762f95 to 7d4107a84dfc (3 revisions) (cla: yes, waiting for tree to go green)
[94087](https://github.com/flutter/flutter/pull/94087) Roll Plugins from 7f9baddb9650 to bb65f91d3f3d (2 revisions) (cla: yes, waiting for tree to go green)
[94088](https://github.com/flutter/flutter/pull/94088) Roll Engine from 7d4107a84dfc to 5e2be18695cc (1 revision) (cla: yes, waiting for tree to go green)
[94089](https://github.com/flutter/flutter/pull/94089) Roll Engine from 5e2be18695cc to f4cb61cefccc (1 revision) (cla: yes, waiting for tree to go green)
[94091](https://github.com/flutter/flutter/pull/94091) Roll Engine from f4cb61cefccc to 2cc81657bca7 (1 revision) (cla: yes, waiting for tree to go green)
[94114](https://github.com/flutter/flutter/pull/94114) Roll Plugins from bb65f91d3f3d to a10b89e42d5a (1 revision) (cla: yes, waiting for tree to go green)
[94118](https://github.com/flutter/flutter/pull/94118) Roll Engine from 2cc81657bca7 to f619d6a70da4 (2 revisions) (cla: yes, waiting for tree to go green)
[94119](https://github.com/flutter/flutter/pull/94119) Roll Plugins from a10b89e42d5a to e13a46942cff (1 revision) (cla: yes, waiting for tree to go green)
[94121](https://github.com/flutter/flutter/pull/94121) Roll Engine from f619d6a70da4 to 41b8e57bc493 (2 revisions) (cla: yes, waiting for tree to go green)
[94124](https://github.com/flutter/flutter/pull/94124) dev: Drop domain verification file (team, cla: yes, waiting for tree to go green)
[94126](https://github.com/flutter/flutter/pull/94126) [conductor] RunContext to CleanContext (team, cla: yes, waiting for tree to go green)
[94131](https://github.com/flutter/flutter/pull/94131) Roll Plugins from e13a46942cff to a157a0a1f7b2 (1 revision) (cla: yes, waiting for tree to go green)
[94133](https://github.com/flutter/flutter/pull/94133) Roll Engine from 41b8e57bc493 to 3c99ee531f7b (2 revisions) (cla: yes, waiting for tree to go green)
[94135](https://github.com/flutter/flutter/pull/94135) Roll Engine from 3c99ee531f7b to 635b4202d70d (1 revision) (cla: yes, waiting for tree to go green)
[94136](https://github.com/flutter/flutter/pull/94136) Roll Engine from 635b4202d70d to 539239e25662 (4 revisions) (cla: yes, waiting for tree to go green)
[94137](https://github.com/flutter/flutter/pull/94137) make CIPD url customizable using FLUTTER_STORAGE_BASE_URL (tool, cla: yes, waiting for tree to go green)
[94138](https://github.com/flutter/flutter/pull/94138) Roll Engine from 539239e25662 to 4b1d78603d70 (1 revision) (cla: yes, waiting for tree to go green)
[94139](https://github.com/flutter/flutter/pull/94139) Roll Plugins from a157a0a1f7b2 to aa8095470117 (1 revision) (cla: yes, waiting for tree to go green)
[94167](https://github.com/flutter/flutter/pull/94167) ✏️ Correct test description for a non-draggable item (framework, cla: yes, waiting for tree to go green)
[94171](https://github.com/flutter/flutter/pull/94171) Roll Engine from 4b1d78603d70 to 9be4b8b9bcc9 (8 revisions) (cla: yes, waiting for tree to go green)
[94172](https://github.com/flutter/flutter/pull/94172) Roll packages, remove unnecessary overrides (team, tool, cla: yes, waiting for tree to go green)
[94180](https://github.com/flutter/flutter/pull/94180) Mark fixed Mac_android tests unflaky (cla: yes, waiting for tree to go green, team: infra)
[94186](https://github.com/flutter/flutter/pull/94186) Roll Engine from 4b1d78603d70 to fda916690b43 (16 revisions) (cla: yes, waiting for tree to go green)
[94188](https://github.com/flutter/flutter/pull/94188) [ci.yaml] Add release branch regex (team, cla: yes, waiting for tree to go green, team: infra)
[94189](https://github.com/flutter/flutter/pull/94189) Roll Plugins from aa8095470117 to a44ca2f238b1 (1 revision) (cla: yes, waiting for tree to go green)
[94190](https://github.com/flutter/flutter/pull/94190) Avoid using watchOS SDK in CI tests (team, platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[94191](https://github.com/flutter/flutter/pull/94191) Roll Engine from fda916690b43 to e99aba6a3807 (3 revisions) (cla: yes, waiting for tree to go green)
[94196](https://github.com/flutter/flutter/pull/94196) Roll Engine from e99aba6a3807 to a01a5decdb1f (4 revisions) (cla: yes, waiting for tree to go green)
[94220](https://github.com/flutter/flutter/pull/94220) [conductor] channel constants refactor (team, cla: yes, waiting for tree to go green)
[94257](https://github.com/flutter/flutter/pull/94257) Roll Engine from a01a5decdb1f to ff847e4e05a5 (14 revisions) (cla: yes, waiting for tree to go green)
[94258](https://github.com/flutter/flutter/pull/94258) Roll Engine from ff847e4e05a5 to b12306aef47a (1 revision) (cla: yes, waiting for tree to go green)
[94276](https://github.com/flutter/flutter/pull/94276) Roll Engine from b12306aef47a to 4c42af367683 (2 revisions) (cla: yes, waiting for tree to go green)
[94278](https://github.com/flutter/flutter/pull/94278) Roll Engine from 4c42af367683 to 8f9a85509f69 (1 revision) (cla: yes, waiting for tree to go green)
[94280](https://github.com/flutter/flutter/pull/94280) Ensure the engineLayer is disposed when an OpacityLayer is disabled (framework, cla: yes, waiting for tree to go green, will affect goldens)
[94296](https://github.com/flutter/flutter/pull/94296) Roll Engine from 8f9a85509f69 to 70e9a90b5ae7 (1 revision) (cla: yes, waiting for tree to go green)
[94298](https://github.com/flutter/flutter/pull/94298) Roll Engine from 70e9a90b5ae7 to ec8ffb8cbe03 (1 revision) (cla: yes, waiting for tree to go green)
[94302](https://github.com/flutter/flutter/pull/94302) Roll Engine from ec8ffb8cbe03 to dfad9b7f33b1 (1 revision) (cla: yes, waiting for tree to go green)
[94308](https://github.com/flutter/flutter/pull/94308) Roll Engine from dfad9b7f33b1 to 4536092a7f56 (2 revisions) (cla: yes, waiting for tree to go green)
[94310](https://github.com/flutter/flutter/pull/94310) Fix a stream lifecycle bug in CustomDeviceLogReader (tool, cla: yes, waiting for tree to go green)
[94312](https://github.com/flutter/flutter/pull/94312) Roll Plugins from a44ca2f238b1 to a9f34a1d528c (2 revisions) (cla: yes, waiting for tree to go green)
[94313](https://github.com/flutter/flutter/pull/94313) Roll Plugins from a9f34a1d528c to 1e2ffdb006e6 (1 revision) (cla: yes, waiting for tree to go green)
[94314](https://github.com/flutter/flutter/pull/94314) Roll Engine from 4536092a7f56 to 7ba215c2c6a0 (1 revision) (cla: yes, waiting for tree to go green)
[94335](https://github.com/flutter/flutter/pull/94335) Don't treat stderr output as failures during DAP test teardown (tool, cla: yes, waiting for tree to go green)
[94339](https://github.com/flutter/flutter/pull/94339) Change the TabController should make both TabBar and TabBarView return to the initial index (framework, f: material design, cla: yes, waiting for tree to go green)
[94342](https://github.com/flutter/flutter/pull/94342) Fix typo / line wrapping in `team.dart` (framework, cla: yes, f: gestures, waiting for tree to go green)
[94357](https://github.com/flutter/flutter/pull/94357) Serve assets with correct content-type header value (tool, cla: yes, waiting for tree to go green)
[94377](https://github.com/flutter/flutter/pull/94377) Added material_color_utilities as a dependency for flutter package. (team, cla: yes, waiting for tree to go green)
[94380](https://github.com/flutter/flutter/pull/94380) [ci.yaml] Update ios_32 host to monterey (cla: yes, waiting for tree to go green)
[94385](https://github.com/flutter/flutter/pull/94385) Detect additional ARM ffi CocoaPods error (platform-ios, tool, cla: yes, waiting for tree to go green)
[94391](https://github.com/flutter/flutter/pull/94391) Add ability to wrap text messages in a box (tool, cla: yes, waiting for tree to go green)
[94424](https://github.com/flutter/flutter/pull/94424) Update outdated macros (a: text input, framework, a: animation, f: material design, cla: yes, waiting for tree to go green)
[94435](https://github.com/flutter/flutter/pull/94435) Roll Engine from 7ba215c2c6a0 to f37334353f48 (25 revisions) (cla: yes, waiting for tree to go green)
[94442](https://github.com/flutter/flutter/pull/94442) Roll Engine from f37334353f48 to c2fcadef89ad (6 revisions) (cla: yes, waiting for tree to go green)
[94447](https://github.com/flutter/flutter/pull/94447) Opacity Peephole optimization benchmarks (a: text input, team, cla: yes, waiting for tree to go green)
[94454](https://github.com/flutter/flutter/pull/94454) [Windows, Keyboard] Fix logical key for PrintScreen (team, framework, cla: yes, waiting for tree to go green)
[94473](https://github.com/flutter/flutter/pull/94473) Roll Plugins from 6bc9a2bd62e5 to 71496dcdf09d (5 revisions) (cla: yes, waiting for tree to go green)
[94475](https://github.com/flutter/flutter/pull/94475) Add support for executing custom tools in place of Flutter for DAP (tool, cla: yes, waiting for tree to go green)
[94482](https://github.com/flutter/flutter/pull/94482) Revert "Add `splashRadius` property to `IconTheme` (#93478)" (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[94489](https://github.com/flutter/flutter/pull/94489) MinimumTextContrastGuideline should exclude disabled component (a: tests, framework, a: accessibility, cla: yes, waiting for tree to go green)
[94496](https://github.com/flutter/flutter/pull/94496) Use `EnumName.name` where possible. (a: text input, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, f: focus)
[94501](https://github.com/flutter/flutter/pull/94501) Revert "Marks Linux_android image_list_jit_reported_duration to be flaky" (cla: yes, waiting for tree to go green)
[94506](https://github.com/flutter/flutter/pull/94506) [flutter_conductor] catch and warn when pushing working branch to mirror (team, cla: yes, waiting for tree to go green)
[94525](https://github.com/flutter/flutter/pull/94525) Roll Engine from 62113c4f5c8c to 888f4c0fc632 (2 revisions) (cla: yes, waiting for tree to go green)
[94533](https://github.com/flutter/flutter/pull/94533) Roll Engine from 888f4c0fc632 to a7307ad4f636 (1 revision) (cla: yes, waiting for tree to go green)
[94550](https://github.com/flutter/flutter/pull/94550) Roll Plugins from 71496dcdf09d to 702fada379f3 (1 revision) (cla: yes, waiting for tree to go green)
[94559](https://github.com/flutter/flutter/pull/94559) Roll Engine from a7307ad4f636 to bf03e123ab44 (1 revision) (cla: yes, waiting for tree to go green)
[94560](https://github.com/flutter/flutter/pull/94560) Roll Plugins from 702fada379f3 to 936257f69eb2 (1 revision) (cla: yes, waiting for tree to go green)
[94565](https://github.com/flutter/flutter/pull/94565) Roll Engine from bf03e123ab44 to 4ad99b04ccf4 (1 revision) (cla: yes, waiting for tree to go green)
[94568](https://github.com/flutter/flutter/pull/94568) Improve the error message when calling `Image.file` on web (framework, cla: yes, a: quality, waiting for tree to go green, a: error message)
[94569](https://github.com/flutter/flutter/pull/94569) Roll Engine from 4ad99b04ccf4 to 128fd65b005a (1 revision) (cla: yes, waiting for tree to go green)
[94572](https://github.com/flutter/flutter/pull/94572) Roll Plugins from 936257f69eb2 to 509d3e25cc2d (1 revision) (cla: yes, waiting for tree to go green)
[94573](https://github.com/flutter/flutter/pull/94573) Roll Engine from 128fd65b005a to 1a76ac24c509 (2 revisions) (cla: yes, waiting for tree to go green)
[94583](https://github.com/flutter/flutter/pull/94583) Update CODE_OF_CONDUCT.md (cla: yes, waiting for tree to go green)
[94590](https://github.com/flutter/flutter/pull/94590) Roll Plugins from 509d3e25cc2d to e5fc8b516d73 (1 revision) (cla: yes, waiting for tree to go green)
[94597](https://github.com/flutter/flutter/pull/94597) [flutter_tools] Fix incorrect todo (tool, cla: yes, waiting for tree to go green)
[94613](https://github.com/flutter/flutter/pull/94613) fix small typo in doc of SingleChildScrollView (framework, f: scrolling, cla: yes, waiting for tree to go green)
[94614](https://github.com/flutter/flutter/pull/94614) Roll Engine from 128fd65b005a to 9f31d4f90bde (22 revisions) (cla: yes, waiting for tree to go green)
[94624](https://github.com/flutter/flutter/pull/94624) Make chip test not depend on child order (framework, f: material design, cla: yes, waiting for tree to go green)
[94628](https://github.com/flutter/flutter/pull/94628) Roll Plugins from e5fc8b516d73 to 178e3652ff52 (1 revision) (cla: yes, waiting for tree to go green)
[94629](https://github.com/flutter/flutter/pull/94629) Replace dynamic with Object? in SystemChannels (framework, cla: yes, waiting for tree to go green)
[94632](https://github.com/flutter/flutter/pull/94632) Reland "Mixin for slotted RenderObjectWidgets and RenderBox (#94077)" (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[94634](https://github.com/flutter/flutter/pull/94634) Update dwds and other packages (team, tool, cla: yes, waiting for tree to go green)
[94639](https://github.com/flutter/flutter/pull/94639) Roll Engine from 9f31d4f90bde to 2ba2cce55f61 (6 revisions) (cla: yes, waiting for tree to go green)
[94668](https://github.com/flutter/flutter/pull/94668) Roll Plugins from 178e3652ff52 to c32b27bcb382 (1 revision) (cla: yes, waiting for tree to go green)
[94678](https://github.com/flutter/flutter/pull/94678) Roll Plugins from c32b27bcb382 to 40572a707656 (1 revision) (cla: yes, waiting for tree to go green)
[94683](https://github.com/flutter/flutter/pull/94683) Roll Engine from 2ba2cce55f61 to 2033de48948d (11 revisions) (cla: yes, waiting for tree to go green)
[94685](https://github.com/flutter/flutter/pull/94685) Roll Engine from 2033de48948d to e105c73dd123 (1 revision) (cla: yes, waiting for tree to go green)
[94686](https://github.com/flutter/flutter/pull/94686) Roll Engine from e105c73dd123 to df8c30b9066f (1 revision) (cla: yes, waiting for tree to go green)
[94690](https://github.com/flutter/flutter/pull/94690) Roll Engine from df8c30b9066f to ba38209e2104 (1 revision) (cla: yes, waiting for tree to go green)
[94696](https://github.com/flutter/flutter/pull/94696) Roll Engine from ba38209e2104 to 68d320d44973 (1 revision) (cla: yes, waiting for tree to go green)
[94727](https://github.com/flutter/flutter/pull/94727) Marks Linux_android image_list_reported_duration to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94731](https://github.com/flutter/flutter/pull/94731) Marks Mac_android android_semantics_integration_test to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94733](https://github.com/flutter/flutter/pull/94733) Marks Mac module_test_ios to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94739](https://github.com/flutter/flutter/pull/94739) [web] Stop using web experiments in benchmarks (a: text input, team, cla: yes, platform-web, waiting for tree to go green, team: benchmark)
[94746](https://github.com/flutter/flutter/pull/94746) Roll Plugins from 40572a707656 to afc0ad215416 (1 revision) (cla: yes, waiting for tree to go green)
[94747](https://github.com/flutter/flutter/pull/94747) Xcode error message (tool, cla: yes, waiting for tree to go green)
[94749](https://github.com/flutter/flutter/pull/94749) Roll Engine from 68d320d44973 to 66a281107bcf (4 revisions) (cla: yes, waiting for tree to go green)
[94760](https://github.com/flutter/flutter/pull/94760) Add null return statements to nullable functions with implicit returns (a: text input, framework, f: material design, waiting for tree to go green)
[94763](https://github.com/flutter/flutter/pull/94763) Roll Plugins from afc0ad215416 to 7d9cc848dfd3 (2 revisions) (waiting for tree to go green)
[94770](https://github.com/flutter/flutter/pull/94770) [flutter_conductor] Support publishing to multiple channels (team, waiting for tree to go green)
[94789](https://github.com/flutter/flutter/pull/94789) Roll Plugins from 7d9cc848dfd3 to 17f95e9e7f74 (1 revision) (waiting for tree to go green)
[94792](https://github.com/flutter/flutter/pull/94792) Mark Linux android views as non-flaky and run deferred components in presubmit (waiting for tree to go green)
[94797](https://github.com/flutter/flutter/pull/94797) Roll Plugins from 17f95e9e7f74 to 2681f505dd8c (1 revision) (waiting for tree to go green)
[94805](https://github.com/flutter/flutter/pull/94805) Improves a test in `calendar_date_picker_test.dart` (framework, f: material design, waiting for tree to go green)
[94809](https://github.com/flutter/flutter/pull/94809) Roll Plugins from 2681f505dd8c to 0f0dcbf10e9c (2 revisions) (waiting for tree to go green)
[94811](https://github.com/flutter/flutter/pull/94811) Remove `ClipRect` from Snackbar (framework, f: material design, waiting for tree to go green, will affect goldens)
[94812](https://github.com/flutter/flutter/pull/94812) Renew cirrus gcp credentials (waiting for tree to go green)
[94814](https://github.com/flutter/flutter/pull/94814) Roll Plugins from 0f0dcbf10e9c to c6914515c6fd (1 revision) (waiting for tree to go green)
[94817](https://github.com/flutter/flutter/pull/94817) Roll Plugins from c6914515c6fd to 60cd47ca648c (1 revision) (waiting for tree to go green)
[94818](https://github.com/flutter/flutter/pull/94818) Corrected a ChipTheme labelStyle corner case (framework, f: material design, waiting for tree to go green)
[94820](https://github.com/flutter/flutter/pull/94820) Add more detail to error messages (tool, waiting for tree to go green)
[94825](https://github.com/flutter/flutter/pull/94825) Roll Plugins from 60cd47ca648c to 4fdf85cb9f1a (3 revisions) (waiting for tree to go green)
[94827](https://github.com/flutter/flutter/pull/94827) [RawKeyboard, Web, macOS] Upper keys should generate lower logical keys (a: tests, framework, waiting for tree to go green)
[94829](https://github.com/flutter/flutter/pull/94829) Update no response action to include the fix to sort bugs properly. (waiting for tree to go green)
[94830](https://github.com/flutter/flutter/pull/94830) Roll Plugins from 4fdf85cb9f1a to 7d44b40ee4f8 (1 revision) (waiting for tree to go green)
[94834](https://github.com/flutter/flutter/pull/94834) Add explicit null returns in flutter/test (a: text input, framework, f: material design, f: scrolling, f: cupertino, f: routes, waiting for tree to go green)
[94837](https://github.com/flutter/flutter/pull/94837) Reland: Update no response action to include the fix to sort bugs properly (waiting for tree to go green)
[94839](https://github.com/flutter/flutter/pull/94839) Roll Plugins from 7d44b40ee4f8 to 3e29e9173980 (3 revisions) (waiting for tree to go green)
[94844](https://github.com/flutter/flutter/pull/94844) Roll Engine from 66a281107bcf to 6551934b9c37 (8 revisions) (waiting for tree to go green)
[94868](https://github.com/flutter/flutter/pull/94868) Roll Engine from 6551934b9c37 to 83b84d3336ec (21 revisions) (waiting for tree to go green)
[94875](https://github.com/flutter/flutter/pull/94875) Fix android semantics integration test flakiness (team, a: accessibility, waiting for tree to go green)
[94876](https://github.com/flutter/flutter/pull/94876) Roll Engine from 83b84d3336ec to b8c4d4975848 (1 revision) (waiting for tree to go green)
[94878](https://github.com/flutter/flutter/pull/94878) Fix ios module test typo (team, waiting for tree to go green)
[94879](https://github.com/flutter/flutter/pull/94879) Attempt to mitigate flakiness around devtools (team, tool, waiting for tree to go green)
[94883](https://github.com/flutter/flutter/pull/94883) Roll Plugins from 3e29e9173980 to 1f0d2786c2b8 (1 revision) (waiting for tree to go green)
[94884](https://github.com/flutter/flutter/pull/94884) Roll Engine from b8c4d4975848 to b413f4c10854 (3 revisions) (waiting for tree to go green)
[94885](https://github.com/flutter/flutter/pull/94885) [test] log stack trace on errors, to improve diagnostics on #89243 (team, waiting for tree to go green)
[94890](https://github.com/flutter/flutter/pull/94890) Roll Engine from b413f4c10854 to f4017c989be8 (1 revision) (waiting for tree to go green)
[94893](https://github.com/flutter/flutter/pull/94893) Roll Engine from f4017c989be8 to 6dabd26e9fec (1 revision) (waiting for tree to go green)
[94898](https://github.com/flutter/flutter/pull/94898) Windows: Focus text field on gaining a11y focus (a: text input, framework, f: material design, f: cupertino, waiting for tree to go green)
[94900](https://github.com/flutter/flutter/pull/94900) Roll Engine from 6dabd26e9fec to 1e2ba8fae78b (2 revisions) (waiting for tree to go green)
[94904](https://github.com/flutter/flutter/pull/94904) Roll Engine from 1e2ba8fae78b to d0720622d39e (1 revision) (waiting for tree to go green)
[94910](https://github.com/flutter/flutter/pull/94910) Roll Engine from d0720622d39e to 30b0105c72f8 (2 revisions) (waiting for tree to go green)
[94911](https://github.com/flutter/flutter/pull/94911) [framework] dont allocate forgotten children set in profile/release mode (team, framework, waiting for tree to go green)
[94913](https://github.com/flutter/flutter/pull/94913) Roll Engine from 30b0105c72f8 to 716d1b0998be (2 revisions) (waiting for tree to go green)
[94917](https://github.com/flutter/flutter/pull/94917) Roll Engine from 716d1b0998be to 59778ae91c1f (1 revision) (waiting for tree to go green)
[94934](https://github.com/flutter/flutter/pull/94934) Roll Plugins from 1f0d2786c2b8 to d5e200badd42 (1 revision) (waiting for tree to go green)
[94938](https://github.com/flutter/flutter/pull/94938) Roll Plugins from d5e200badd42 to 2f72b8fba381 (1 revision) (waiting for tree to go green)
[94947](https://github.com/flutter/flutter/pull/94947) Roll Engine from 59778ae91c1f to 89e17d94cbcc (4 revisions) (waiting for tree to go green)
[94954](https://github.com/flutter/flutter/pull/94954) Skip mac/ios test in presubmit (waiting for tree to go green)
[94957](https://github.com/flutter/flutter/pull/94957) fix lateinitialization error in devicelab-runner (team, waiting for tree to go green)
[94959](https://github.com/flutter/flutter/pull/94959) Roll Engine from 89e17d94cbcc to 2516ea636dfd (3 revisions) (waiting for tree to go green)
[94964](https://github.com/flutter/flutter/pull/94964) Roll Engine from 2516ea636dfd to 79f750d4a541 (3 revisions) (waiting for tree to go green)
[94966](https://github.com/flutter/flutter/pull/94966) Delete and Backspace shortcuts accept optional Shift modifier (a: text input, framework, waiting for tree to go green)
[94968](https://github.com/flutter/flutter/pull/94968) Roll Plugins from 2f72b8fba381 to 64c222d368ba (2 revisions) (waiting for tree to go green)
[94975](https://github.com/flutter/flutter/pull/94975) Use unified android sdk+ndk package in ci.yaml (waiting for tree to go green)
[94980](https://github.com/flutter/flutter/pull/94980) Rename devicelab catalina tests (team, waiting for tree to go green)
[94981](https://github.com/flutter/flutter/pull/94981) Revert "Skip mac/ios test in presubmit" (waiting for tree to go green)
[95003](https://github.com/flutter/flutter/pull/95003) [flutter_test] Fix incorrect missed budget count (a: tests, framework, waiting for tree to go green)
[95044](https://github.com/flutter/flutter/pull/95044) Fix some issues with samples (team, framework, f: material design, f: scrolling, d: api docs, d: examples, waiting for tree to go green, documentation)
[95047](https://github.com/flutter/flutter/pull/95047) Fixes semantics_perf_test.dart after profile fixes (team, a: accessibility, waiting for tree to go green)
[95054](https://github.com/flutter/flutter/pull/95054) [tool] XCResult also parses "url" in xcresult bundle (tool, waiting for tree to go green)
[95055](https://github.com/flutter/flutter/pull/95055) Initialize the Skia client more efficiently (a: tests, team, framework, team: flakes, waiting for tree to go green, team: presubmit flakes, tech-debt, infra auto flake)
[95056](https://github.com/flutter/flutter/pull/95056) [flutter_tools] Refactor checkVersionFreshness (tool, waiting for tree to go green)
[95103](https://github.com/flutter/flutter/pull/95103) Adds a home method to device classes. (team, waiting for tree to go green)
[95132](https://github.com/flutter/flutter/pull/95132) Roll Engine from 79f750d4a541 to 368e3cc50592 (31 revisions) (waiting for tree to go green)
[95137](https://github.com/flutter/flutter/pull/95137) Roll Engine from 368e3cc50592 to f16c96c31f12 (3 revisions) (waiting for tree to go green)
[95146](https://github.com/flutter/flutter/pull/95146) Document Update: Outlined_button.dart (framework, f: material design, d: api docs, waiting for tree to go green, documentation)
[95148](https://github.com/flutter/flutter/pull/95148) Fix iOS32 builds after updating to Mac 12. (waiting for tree to go green)
[95174](https://github.com/flutter/flutter/pull/95174) Respect `--dart-sdk` parameter when running analyze.dart tests. (team, waiting for tree to go green)
[95196](https://github.com/flutter/flutter/pull/95196) Revert "Use unified android sdk+ndk package in ci.yaml" (waiting for tree to go green, warning: land on red to fix tree breakage)
[95208](https://github.com/flutter/flutter/pull/95208) Roll Engine from f16c96c31f12 to c0ca56ca3148 (5 revisions) (waiting for tree to go green)
[95214](https://github.com/flutter/flutter/pull/95214) Roll Plugins from 64c222d368ba to 1a56bb2daea7 (8 revisions) (waiting for tree to go green)
[95215](https://github.com/flutter/flutter/pull/95215) Update comment about prefer_final_parameters (waiting for tree to go green)
[95217](https://github.com/flutter/flutter/pull/95217) Roll Engine from c0ca56ca3148 to 71f9af241916 (3 revisions) (waiting for tree to go green)
[95221](https://github.com/flutter/flutter/pull/95221) Roll Engine from 71f9af241916 to d8c05122d2c0 (1 revision) (waiting for tree to go green)
[95225](https://github.com/flutter/flutter/pull/95225) Apply the Kotlin plugin in a java project (tool, waiting for tree to go green)
[95231](https://github.com/flutter/flutter/pull/95231) Roll Engine from d8c05122d2c0 to c8ac8bd83eb2 (5 revisions) (waiting for tree to go green)
[95235](https://github.com/flutter/flutter/pull/95235) Roll Engine from c8ac8bd83eb2 to 452e4e9375ad (2 revisions) (waiting for tree to go green)
[95237](https://github.com/flutter/flutter/pull/95237) Roll Engine from 452e4e9375ad to 30f048de3923 (2 revisions) (waiting for tree to go green)
[95244](https://github.com/flutter/flutter/pull/95244) Roll Engine from 30f048de3923 to 0c1f6936ad46 (1 revision) (waiting for tree to go green)
[95267](https://github.com/flutter/flutter/pull/95267) Roll Engine from 0c1f6936ad46 to b265cb742c86 (3 revisions) (waiting for tree to go green)
[95273](https://github.com/flutter/flutter/pull/95273) [tool] xcresult issue discarder (tool, waiting for tree to go green)
[95276](https://github.com/flutter/flutter/pull/95276) Roll Engine from b265cb742c86 to 50ccb0fffb1c (2 revisions) (waiting for tree to go green)
[95283](https://github.com/flutter/flutter/pull/95283) Roll Engine from 50ccb0fffb1c to 20870c26a13d (2 revisions) (waiting for tree to go green)
[95287](https://github.com/flutter/flutter/pull/95287) Roll Engine from 20870c26a13d to 375a1d8706ba (1 revision) (waiting for tree to go green)
[95288](https://github.com/flutter/flutter/pull/95288) Fix Typo (framework, waiting for tree to go green)
[95293](https://github.com/flutter/flutter/pull/95293) Build Flutter iOS plugins with all valid architectures (platform-ios, tool, waiting for tree to go green, t: xcode)
[95294](https://github.com/flutter/flutter/pull/95294) Roll Engine from 375a1d8706ba to 53895a2c74fc (7 revisions) (waiting for tree to go green)
[95295](https://github.com/flutter/flutter/pull/95295) Windows: Focus slider on gaining a11y focus (framework, f: material design, waiting for tree to go green)
[95299](https://github.com/flutter/flutter/pull/95299) Roll Engine from 53895a2c74fc to 130845555599 (1 revision) (waiting for tree to go green)
[95302](https://github.com/flutter/flutter/pull/95302) Roll Engine from 130845555599 to e444009bf46b (1 revision) (waiting for tree to go green)
[95305](https://github.com/flutter/flutter/pull/95305) Roll Engine from e444009bf46b to 57f7719e6eb3 (3 revisions) (waiting for tree to go green)
[95316](https://github.com/flutter/flutter/pull/95316) Roll Engine from 57f7719e6eb3 to a2bb7ed620e8 (3 revisions) (waiting for tree to go green)
[95349](https://github.com/flutter/flutter/pull/95349) [flutter_conductor] support commits past tagged stable release (team, waiting for tree to go green, warning: land on red to fix tree breakage)
[95358](https://github.com/flutter/flutter/pull/95358) Roll Engine from a2bb7ed620e8 to ecb5b20a453b (9 revisions) (waiting for tree to go green)
[95364](https://github.com/flutter/flutter/pull/95364) Roll Engine from ecb5b20a453b to 47212d9e7396 (3 revisions) (waiting for tree to go green)
[95365](https://github.com/flutter/flutter/pull/95365) Move android tests from mac to linux (waiting for tree to go green)
[95373](https://github.com/flutter/flutter/pull/95373) Roll Engine from 47212d9e7396 to a05c4d23ecaa (1 revision) (waiting for tree to go green)
[95382](https://github.com/flutter/flutter/pull/95382) Roll Engine from a05c4d23ecaa to e38b6a958d58 (1 revision) (waiting for tree to go green)
[95383](https://github.com/flutter/flutter/pull/95383) Bump Kotlin version to the latest (tool, waiting for tree to go green)
[95387](https://github.com/flutter/flutter/pull/95387) Roll Engine from e38b6a958d58 to 0105a612e117 (2 revisions) (waiting for tree to go green)
[95399](https://github.com/flutter/flutter/pull/95399) Roll Engine from 0105a612e117 to 6a62d8e12d8d (2 revisions) (waiting for tree to go green)
[95407](https://github.com/flutter/flutter/pull/95407) Updated Stateless and Stateful widget docstrings (framework, waiting for tree to go green)
[95413](https://github.com/flutter/flutter/pull/95413) Roll Engine from 6a62d8e12d8d to 86bfc0a921f6 (1 revision) (waiting for tree to go green)
[95419](https://github.com/flutter/flutter/pull/95419) Roll Engine from 86bfc0a921f6 to a86f51231f7f (1 revision) (waiting for tree to go green)
[95427](https://github.com/flutter/flutter/pull/95427) Roll Engine from a86f51231f7f to 82ffcced5d1d (1 revision) (waiting for tree to go green)
[95428](https://github.com/flutter/flutter/pull/95428) Correct missing return statements in nullably-typed functions (team, tool, d: api docs, d: examples, waiting for tree to go green, documentation)
[95432](https://github.com/flutter/flutter/pull/95432) Fix alignment of matrix for Transform+filterQuality when offset (framework, waiting for tree to go green)
[95433](https://github.com/flutter/flutter/pull/95433) Migrate install command to null safety (tool, waiting for tree to go green, a: null-safety, tech-debt)
[95436](https://github.com/flutter/flutter/pull/95436) Roll Engine from 82ffcced5d1d to 66ea99d9525a (3 revisions) (waiting for tree to go green)
[95438](https://github.com/flutter/flutter/pull/95438) Migrate fuchsia_device to null safety (tool, waiting for tree to go green, a: null-safety, tech-debt)
[95440](https://github.com/flutter/flutter/pull/95440) Roll Engine from 66ea99d9525a to d0a5547c30e3 (1 revision) (waiting for tree to go green)
[95442](https://github.com/flutter/flutter/pull/95442) Migrate analyze commands to null safety (tool, waiting for tree to go green, a: null-safety, tech-debt)
[95443](https://github.com/flutter/flutter/pull/95443) Roll Engine from d0a5547c30e3 to d8c82c54695b (2 revisions) (waiting for tree to go green)
[95445](https://github.com/flutter/flutter/pull/95445) Roll Engine from d8c82c54695b to 9177b32b75a8 (2 revisions) (waiting for tree to go green)
[95452](https://github.com/flutter/flutter/pull/95452) Roll Engine from 9177b32b75a8 to ca7ec6b79c72 (1 revision) (waiting for tree to go green)
[95455](https://github.com/flutter/flutter/pull/95455) Roll Engine from ca7ec6b79c72 to 172c1f18da18 (1 revision) (waiting for tree to go green)
[95462](https://github.com/flutter/flutter/pull/95462) Roll Engine from 172c1f18da18 to 7206581e0e75 (1 revision) (waiting for tree to go green)
[95465](https://github.com/flutter/flutter/pull/95465) Roll Engine from 7206581e0e75 to 1db3b8333f59 (1 revision) (waiting for tree to go green)
[95571](https://github.com/flutter/flutter/pull/95571) Marks Mac module_test_ios to be unflaky (team, team: flakes, waiting for tree to go green, tech-debt)
[95583](https://github.com/flutter/flutter/pull/95583) Marks Mac_ios hot_mode_dev_cycle_ios__benchmark to be flaky (team, team: flakes, waiting for tree to go green, tech-debt)
[95587](https://github.com/flutter/flutter/pull/95587) Roll Engine from 1db3b8333f59 to abd81a1cbca6 (17 revisions) (waiting for tree to go green)
[95592](https://github.com/flutter/flutter/pull/95592) Roll Engine from abd81a1cbca6 to fd74157a3919 (2 revisions) (waiting for tree to go green)
[95595](https://github.com/flutter/flutter/pull/95595) Roll Engine from fd74157a3919 to ba525deef89c (1 revision) (waiting for tree to go green)
[95598](https://github.com/flutter/flutter/pull/95598) Fix precision error in RenderSliverFixedExtentBoxAdaptor assertion (framework, f: scrolling, waiting for tree to go green)
[95600](https://github.com/flutter/flutter/pull/95600) Roll Engine from ba525deef89c to 1e2857ab9bf3 (1 revision) (waiting for tree to go green)
[95601](https://github.com/flutter/flutter/pull/95601) Roll Plugins from 1a56bb2daea7 to 19468e0950f5 (12 revisions) (waiting for tree to go green)
[95602](https://github.com/flutter/flutter/pull/95602) Roll Engine from 1e2857ab9bf3 to 8fabdda44d92 (1 revision) (waiting for tree to go green)
[95603](https://github.com/flutter/flutter/pull/95603) Roll Engine from 8fabdda44d92 to 7c712286ee9c (2 revisions) (waiting for tree to go green)
[95605](https://github.com/flutter/flutter/pull/95605) Roll Engine from 7c712286ee9c to 880fcca63163 (1 revision) (waiting for tree to go green)
[95607](https://github.com/flutter/flutter/pull/95607) Roll Engine from 880fcca63163 to 7a89a5e414fd (1 revision) (waiting for tree to go green)
[95610](https://github.com/flutter/flutter/pull/95610) Roll Engine from 7a89a5e414fd to d3075cd08532 (2 revisions) (waiting for tree to go green)
[95613](https://github.com/flutter/flutter/pull/95613) Roll Engine from d3075cd08532 to 202e4a6d16bc (1 revision) (waiting for tree to go green)
[95615](https://github.com/flutter/flutter/pull/95615) Roll Engine from 202e4a6d16bc to 4aec3e6b2e59 (2 revisions) (waiting for tree to go green)
[95640](https://github.com/flutter/flutter/pull/95640) Roll Engine from 4aec3e6b2e59 to be1aa1791767 (4 revisions) (waiting for tree to go green)
[95642](https://github.com/flutter/flutter/pull/95642) Roll Engine from be1aa1791767 to ad9ed227e96e (3 revisions) (waiting for tree to go green)
[95643](https://github.com/flutter/flutter/pull/95643) Roll Engine from ad9ed227e96e to 9173dd136b2e (3 revisions) (waiting for tree to go green)
[95645](https://github.com/flutter/flutter/pull/95645) Roll Engine from 9173dd136b2e to 9c18bc7f5a27 (1 revision) (waiting for tree to go green)
[95646](https://github.com/flutter/flutter/pull/95646) Roll Engine from 9c18bc7f5a27 to 60ffcb5b8b07 (1 revision) (waiting for tree to go green)
[95651](https://github.com/flutter/flutter/pull/95651) Roll Engine from 60ffcb5b8b07 to f2c5426cdaba (3 revisions) (waiting for tree to go green)
[95655](https://github.com/flutter/flutter/pull/95655) Roll Engine from f2c5426cdaba to 4eabb883af01 (1 revision) (waiting for tree to go green)
[95657](https://github.com/flutter/flutter/pull/95657) Migrate flutter_device_manager to null safety (a: text input, tool, waiting for tree to go green, a: null-safety, tech-debt)
[95661](https://github.com/flutter/flutter/pull/95661) Roll Engine from 4eabb883af01 to d672ce894791 (1 revision) (waiting for tree to go green)
[95667](https://github.com/flutter/flutter/pull/95667) Roll Engine from d672ce894791 to 8d3bb639efb9 (1 revision) (waiting for tree to go green)
[95670](https://github.com/flutter/flutter/pull/95670) Roll Engine from 8d3bb639efb9 to 7e851070b1f9 (1 revision) (waiting for tree to go green)
[95675](https://github.com/flutter/flutter/pull/95675) Roll Engine from 7e851070b1f9 to c20fe9e4c737 (1 revision) (waiting for tree to go green)
[95687](https://github.com/flutter/flutter/pull/95687) Roll Plugins from 19468e0950f5 to 0619c3a9b81b (2 revisions) (waiting for tree to go green)
[95693](https://github.com/flutter/flutter/pull/95693) Roll Engine from c20fe9e4c737 to 1b06885982d7 (1 revision) (waiting for tree to go green)
[95698](https://github.com/flutter/flutter/pull/95698) Roll Engine from 1b06885982d7 to e44e58635e2b (2 revisions) (waiting for tree to go green)
[95701](https://github.com/flutter/flutter/pull/95701) Roll Engine from e44e58635e2b to 95d286af8d28 (1 revision) (waiting for tree to go green)
[95702](https://github.com/flutter/flutter/pull/95702) Roll Engine from 95d286af8d28 to fbd7237148f6 (1 revision) (waiting for tree to go green)
[95703](https://github.com/flutter/flutter/pull/95703) Roll Engine from fbd7237148f6 to 2235abc0aa08 (1 revision) (waiting for tree to go green)
[95715](https://github.com/flutter/flutter/pull/95715) Roll Engine from 2235abc0aa08 to cd29b32d5b71 (1 revision) (waiting for tree to go green)
[95718](https://github.com/flutter/flutter/pull/95718) Roll Engine from cd29b32d5b71 to 965c07a6e100 (2 revisions) (waiting for tree to go green)
[95739](https://github.com/flutter/flutter/pull/95739) Roll Engine from 965c07a6e100 to 984e9b02a065 (1 revision) (waiting for tree to go green)
[95740](https://github.com/flutter/flutter/pull/95740) Roll Plugins from 0619c3a9b81b to 6a9de4f5a7c0 (1 revision) (waiting for tree to go green)
[95742](https://github.com/flutter/flutter/pull/95742) Roll Engine from 984e9b02a065 to 5a68aa6b7eec (3 revisions) (waiting for tree to go green)
[95746](https://github.com/flutter/flutter/pull/95746) Roll Engine from 5a68aa6b7eec to 754f003f160c (2 revisions) (waiting for tree to go green)
[95747](https://github.com/flutter/flutter/pull/95747) Revert "[flutter_tools] [iOS] Change UIViewControllerBasedStatusBarAppearance to true to fix rotation status bar disappear in portrait" (tool, waiting for tree to go green)
[95750](https://github.com/flutter/flutter/pull/95750) Roll Engine from 754f003f160c to cd6a827fd5ff (2 revisions) (waiting for tree to go green)
[95752](https://github.com/flutter/flutter/pull/95752) Roll Engine from cd6a827fd5ff to d886735d670a (1 revision) (waiting for tree to go green)
[95755](https://github.com/flutter/flutter/pull/95755) Roll Engine from d886735d670a to aafac3b621d3 (2 revisions) (waiting for tree to go green)
[95758](https://github.com/flutter/flutter/pull/95758) Roll Engine from aafac3b621d3 to 50977bb0a6a4 (1 revision) (waiting for tree to go green)
[95761](https://github.com/flutter/flutter/pull/95761) Roll Engine from 50977bb0a6a4 to 7d14ab8eecc1 (1 revision) (waiting for tree to go green)
[95762](https://github.com/flutter/flutter/pull/95762) Roll Engine from 7d14ab8eecc1 to 0d2b59509620 (1 revision) (waiting for tree to go green)
[95763](https://github.com/flutter/flutter/pull/95763) Roll Engine from 0d2b59509620 to 35ea1e7e8d0d (1 revision) (waiting for tree to go green)
[95766](https://github.com/flutter/flutter/pull/95766) Roll Engine from 35ea1e7e8d0d to 67c960a18320 (2 revisions) (waiting for tree to go green)
[95769](https://github.com/flutter/flutter/pull/95769) Roll Engine from 67c960a18320 to 03657e076677 (1 revision) (waiting for tree to go green)
[95782](https://github.com/flutter/flutter/pull/95782) Roll Engine from 03657e076677 to e214edb8d86b (1 revision) (waiting for tree to go green)
[95786](https://github.com/flutter/flutter/pull/95786) Roll Engine from e214edb8d86b to 11580f44dd37 (1 revision) (waiting for tree to go green)
[95790](https://github.com/flutter/flutter/pull/95790) Roll Engine from 11580f44dd37 to 1650592d063c (1 revision) (waiting for tree to go green)
[95796](https://github.com/flutter/flutter/pull/95796) Roll Engine from 1650592d063c to 7e9e5c040cd5 (1 revision) (waiting for tree to go green)
[95801](https://github.com/flutter/flutter/pull/95801) Roll Engine from 7e9e5c040cd5 to 5d384374e499 (1 revision) (waiting for tree to go green)
[95808](https://github.com/flutter/flutter/pull/95808) Roll Engine from 5d384374e499 to 726588e9b012 (1 revision) (waiting for tree to go green)
[95816](https://github.com/flutter/flutter/pull/95816) Roll Engine from 726588e9b012 to 0391123465fc (2 revisions) (waiting for tree to go green)
[95820](https://github.com/flutter/flutter/pull/95820) Roll Engine from 0391123465fc to d56b72b11760 (1 revision) (waiting for tree to go green)
[95833](https://github.com/flutter/flutter/pull/95833) Roll Engine from d56b72b11760 to 8816e59dd411 (1 revision) (waiting for tree to go green)
[95839](https://github.com/flutter/flutter/pull/95839) Roll Engine from 8816e59dd411 to c4db1ff2e2a3 (1 revision) (waiting for tree to go green)
[95850](https://github.com/flutter/flutter/pull/95850) Roll Engine from c4db1ff2e2a3 to 3a1f8ac7293e (1 revision) (waiting for tree to go green)
[95873](https://github.com/flutter/flutter/pull/95873) Roll Engine from 3a1f8ac7293e to 8e8be166bb44 (1 revision) (waiting for tree to go green)
[95874](https://github.com/flutter/flutter/pull/95874) Roll Engine from 8e8be166bb44 to 92a6e67328b5 (1 revision) (waiting for tree to go green)
[95880](https://github.com/flutter/flutter/pull/95880) Roll Engine from 92a6e67328b5 to 2b6e5945f9e0 (1 revision) (waiting for tree to go green)
[95882](https://github.com/flutter/flutter/pull/95882) Roll Engine from 2b6e5945f9e0 to 31fcaf3ce4b7 (1 revision) (waiting for tree to go green)
[95887](https://github.com/flutter/flutter/pull/95887) Roll Engine from 31fcaf3ce4b7 to 961c28e189c1 (1 revision) (waiting for tree to go green)
[95892](https://github.com/flutter/flutter/pull/95892) Roll Engine from 961c28e189c1 to 01d19ceef477 (1 revision) (waiting for tree to go green)
#### cla: yes - 421 pull request(s)
[72919](https://github.com/flutter/flutter/pull/72919) Add CupertinoTabBar.height (severe: new feature, framework, cla: yes, f: cupertino, waiting for tree to go green)
[77103](https://github.com/flutter/flutter/pull/77103) [web] Allow the usage of url strategies without conditional imports (cla: yes, f: routes, platform-web, waiting for tree to go green)
[83860](https://github.com/flutter/flutter/pull/83860) Added `onDismiss` callback to ModalBarrier. (framework, f: material design, cla: yes, waiting for tree to go green)
[87643](https://github.com/flutter/flutter/pull/87643) Updated IconButton.iconSize to get value from theme (framework, f: material design, cla: yes, waiting for tree to go green)
[88362](https://github.com/flutter/flutter/pull/88362) [gen_l10n] retain full output file suffix (tool, cla: yes, will affect goldens)
[88508](https://github.com/flutter/flutter/pull/88508) Do not crash when dragging ReorderableListView with two fingers simultaneously (framework, f: material design, cla: yes, waiting for tree to go green)
[88800](https://github.com/flutter/flutter/pull/88800) Improve ProgressIndicator value range docs (framework, f: material design, cla: yes)
[89045](https://github.com/flutter/flutter/pull/89045) feat: enable flavor option on test command (tool, cla: yes, waiting for tree to go green)
[89226](https://github.com/flutter/flutter/pull/89226) [WillPopScope] handle new route if moved from one navigator to another (framework, f: material design, cla: yes)
[89511](https://github.com/flutter/flutter/pull/89511) Reland engine display features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[90157](https://github.com/flutter/flutter/pull/90157) Allow users to center align the floating label (framework, f: material design, cla: yes, will affect goldens)
[90178](https://github.com/flutter/flutter/pull/90178) update the scrollbar that support always show the track even not on hover (framework, f: material design, cla: yes, waiting for tree to go green)
[90461](https://github.com/flutter/flutter/pull/90461) Fixes zero route transition duration crash (framework, cla: yes, waiting for tree to go green)
[90608](https://github.com/flutter/flutter/pull/90608) RangeMaintainingScrollPhysics remove overscroll maintaining when grow (framework, f: scrolling, cla: yes, waiting for tree to go green)
[90684](https://github.com/flutter/flutter/pull/90684) Move text editing `Action`s to `EditableTextState` (team, framework, f: material design, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[90840](https://github.com/flutter/flutter/pull/90840) Windows home/end shortcuts (a: text input, framework, cla: yes)
[90932](https://github.com/flutter/flutter/pull/90932) Expose enableDrag property for showBottomSheet (framework, f: material design, cla: yes, waiting for tree to go green, will affect goldens)
[90936](https://github.com/flutter/flutter/pull/90936) Remove font-weight overrides from dartdoc (team, cla: yes, waiting for tree to go green)
[91458](https://github.com/flutter/flutter/pull/91458) skip 'generateLockfiles' for add-to-app project. (tool, cla: yes, waiting for tree to go green)
[91532](https://github.com/flutter/flutter/pull/91532) Allow to click through scrollbar when gestures are disabled (framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green)
[91590](https://github.com/flutter/flutter/pull/91590) add --extra-gen-snapshot-options support for build_aar command. (tool, cla: yes, waiting for tree to go green)
[91698](https://github.com/flutter/flutter/pull/91698) Fix text cursor or input can be outside of the text field (a: text input, framework, cla: yes, waiting for tree to go green, will affect goldens)
[91837](https://github.com/flutter/flutter/pull/91837) [ReorderableListView] Update doc with example to make it clear `proxyDecorator` can overriden to customise an item when it is being dragged. (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation)
[91959](https://github.com/flutter/flutter/pull/91959) Win32 template: Use {{projectName}} for FileDescription instead of {{description}} (tool, cla: yes, waiting for tree to go green)
[91987](https://github.com/flutter/flutter/pull/91987) Add `animationDuration` property to TabController (framework, f: material design, cla: yes, waiting for tree to go green)
[92031](https://github.com/flutter/flutter/pull/92031) Adds tool warning log level and command line options to fail on warning/error output (team, tool, cla: yes, waiting for tree to go green)
[92160](https://github.com/flutter/flutter/pull/92160) Add `expandedScale` to `FlexibleSpaceBar` (framework, f: material design, cla: yes, waiting for tree to go green)
[92172](https://github.com/flutter/flutter/pull/92172) [CupertinoActivityIndicator] Add `color` parameter (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[92197](https://github.com/flutter/flutter/pull/92197) Reland Remove BottomNavigationBarItem.title deprecation (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[92217](https://github.com/flutter/flutter/pull/92217) Fix reassemble in LiveTestWidgetsFlutterBinding (a: tests, framework, cla: yes)
[92255](https://github.com/flutter/flutter/pull/92255) [flutter_tools] Instruct compiler before processing bundle (tool, cla: yes)
[92297](https://github.com/flutter/flutter/pull/92297) Added widgets/AppModel (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[92343](https://github.com/flutter/flutter/pull/92343) Add scaleX and scaleY Parameters in Transform.Scale. (framework, cla: yes, waiting for tree to go green)
[92374](https://github.com/flutter/flutter/pull/92374) Removed no-shuffle tag and fixed leak in flutter_goldens_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green)
[92440](https://github.com/flutter/flutter/pull/92440) Allow Programmatic Control of Draggable Sheet (framework, f: scrolling, cla: yes, waiting for tree to go green)
[92451](https://github.com/flutter/flutter/pull/92451) Add warning for bumping Android SDK version to match plugins (tool, cla: yes, waiting for tree to go green)
[92480](https://github.com/flutter/flutter/pull/92480) [Cupertino] fix dark mode for `ContextMenuAction` (a: text input, framework, cla: yes, f: cupertino, waiting for tree to go green)
[92481](https://github.com/flutter/flutter/pull/92481) [Cupertino] Exclude border for last action item in `CupertinoContextMenu` (a: text input, framework, cla: yes, f: cupertino)
[92535](https://github.com/flutter/flutter/pull/92535) Reland: "Update outdated runners in the benchmarks folder (#91126)" (team, tool, cla: yes, waiting for tree to go green, integration_test)
[92593](https://github.com/flutter/flutter/pull/92593) Migrate test to moved FlutterPlayStoreSplitApplication (team, cla: yes, integration_test)
[92615](https://github.com/flutter/flutter/pull/92615) Fixes issue where navigating to new route breaks FocusNode of previou… (framework, cla: yes, waiting for tree to go green, f: focus)
[92630](https://github.com/flutter/flutter/pull/92630) Migrate to `process` 4.2.4 (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[92657](https://github.com/flutter/flutter/pull/92657) Fix a scrollbar crash bug (framework, f: scrolling, cla: yes, waiting for tree to go green)
[92733](https://github.com/flutter/flutter/pull/92733) Add the exported attribute to the Flutter Gallery manifest (team, cla: yes, waiting for tree to go green, integration_test)
[92738](https://github.com/flutter/flutter/pull/92738) Migrate emulators to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92745](https://github.com/flutter/flutter/pull/92745) Fix typo that is introduced in hotfix 2.5.x (a: text input, framework, f: material design, cla: yes)
[92753](https://github.com/flutter/flutter/pull/92753) [gen_l10n] Add support for adding placeholders inside select (tool, cla: yes, waiting for tree to go green)
[92758](https://github.com/flutter/flutter/pull/92758) Improve error message for uninitialized channel (framework, cla: yes, waiting for tree to go green)
[92808](https://github.com/flutter/flutter/pull/92808) feat: mirgate test_data/compile_error_project.dart to null safety (tool, cla: yes, waiting for tree to go green)
[92812](https://github.com/flutter/flutter/pull/92812) migrate integration.shard/vmservice_integration_test.dart to null safety (tool, cla: yes, waiting for tree to go green, integration_test)
[92822](https://github.com/flutter/flutter/pull/92822) Reland "Refactor ThemeData (#91497)" (part 1) (framework, f: material design, cla: yes)
[92849](https://github.com/flutter/flutter/pull/92849) Migrate tracing to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92857](https://github.com/flutter/flutter/pull/92857) Roll Engine from 43561d8820e0 to 8317c5eedb68 (2 revisions) (cla: yes, waiting for tree to go green)
[92860](https://github.com/flutter/flutter/pull/92860) Roll Engine from 8317c5eedb68 to 98e3216ab470 (1 revision) (cla: yes, waiting for tree to go green)
[92861](https://github.com/flutter/flutter/pull/92861) Remove globals_null_migrated.dart, move into globals.dart (a: text input, tool, cla: yes, waiting for tree to go green, integration_test, a: null-safety)
[92866](https://github.com/flutter/flutter/pull/92866) Roll Engine from 98e3216ab470 to 2ea889c9af5c (1 revision) (cla: yes, waiting for tree to go green)
[92868](https://github.com/flutter/flutter/pull/92868) Roll Engine from 2ea889c9af5c to 7797c76bb99c (1 revision) (cla: yes, waiting for tree to go green)
[92869](https://github.com/flutter/flutter/pull/92869) Migrate build_system targets to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92871](https://github.com/flutter/flutter/pull/92871) Migrate flutter_command to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92875](https://github.com/flutter/flutter/pull/92875) Roll Engine from 7797c76bb99c to a4e700eb0c8b (2 revisions) (cla: yes, waiting for tree to go green)
[92886](https://github.com/flutter/flutter/pull/92886) Roll Engine from a4e700eb0c8b to c674d2cbc6e0 (4 revisions) (cla: yes, waiting for tree to go green)
[92892](https://github.com/flutter/flutter/pull/92892) Roll Engine from c674d2cbc6e0 to 76b4caeafe75 (1 revision) (cla: yes, waiting for tree to go green)
[92901](https://github.com/flutter/flutter/pull/92901) Exit on deprecated v1 embedding when trying to run or build (team, tool, a: accessibility, cla: yes, waiting for tree to go green, integration_test)
[92904](https://github.com/flutter/flutter/pull/92904) Roll Engine from 76b4caeafe75 to 6095a1367846 (3 revisions) (cla: yes, waiting for tree to go green)
[92906](https://github.com/flutter/flutter/pull/92906) Add display features to MediaQuery (a: tests, severe: new feature, framework, cla: yes, waiting for tree to go green, a: layout)
[92916](https://github.com/flutter/flutter/pull/92916) Marks Mac_ios platform_view_ios__start_up to be unflaky (cla: yes, waiting for tree to go green)
[92918](https://github.com/flutter/flutter/pull/92918) Roll Engine from 6095a1367846 to 4dbdc0844425 (1 revision) (cla: yes, waiting for tree to go green)
[92923](https://github.com/flutter/flutter/pull/92923) Update flutter localizations. (f: material design, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[92924](https://github.com/flutter/flutter/pull/92924) Update packages (team, tool, cla: yes, waiting for tree to go green)
[92926](https://github.com/flutter/flutter/pull/92926) Revert "Roll Engine from 6095a1367846 to 4dbdc0844425 (1 revision) (#… (engine, cla: yes)
[92929](https://github.com/flutter/flutter/pull/92929) Fix a few prefer_const_declarations and avoid_redundant_argument_values. (a: text input, framework, f: material design, a: internationalization, cla: yes, f: cupertino)
[92930](https://github.com/flutter/flutter/pull/92930) [Material 3] Add optional indicator to Navigation Rail. (framework, f: material design, cla: yes, waiting for tree to go green)
[92932](https://github.com/flutter/flutter/pull/92932) Update docs to point to assets-for-api-docs cupertino css file (team, cla: yes, f: cupertino, d: api docs, waiting for tree to go green, documentation)
[92938](https://github.com/flutter/flutter/pull/92938) Skip codesigning during native macOS integration tests (team, cla: yes, waiting for tree to go green, integration_test)
[92940](https://github.com/flutter/flutter/pull/92940) TextField border gap padding improvement (framework, f: material design, cla: yes, waiting for tree to go green, will affect goldens)
[92945](https://github.com/flutter/flutter/pull/92945) [TextInput] send `setEditingState` before `show` to the text input plugin when switching input clients (a: text input, framework, cla: yes, waiting for tree to go green)
[92946](https://github.com/flutter/flutter/pull/92946) Add Help menu to macOS create template (team, tool, cla: yes, waiting for tree to go green, integration_test)
[92948](https://github.com/flutter/flutter/pull/92948) Remove globals_null_migrated.dart, move into globals.dart (tool, cla: yes, waiting for tree to go green)
[92950](https://github.com/flutter/flutter/pull/92950) Migrate channel, clean and a few other commands to null safety (tool, cla: yes, waiting for tree to go green)
[92952](https://github.com/flutter/flutter/pull/92952) Migrate doctor, format, and a few other commands to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92954](https://github.com/flutter/flutter/pull/92954) Roll Plugins from e51cc1df7b75 to 53fff22979d2 (7 revisions) (cla: yes, waiting for tree to go green)
[92955](https://github.com/flutter/flutter/pull/92955) Migrate custom_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92956](https://github.com/flutter/flutter/pull/92956) Migrate windows_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92957](https://github.com/flutter/flutter/pull/92957) migrate some file to null safety (tool, cla: yes, waiting for tree to go green)
[92970](https://github.com/flutter/flutter/pull/92970) Reland "Refactor ThemeData (#91497)" (part 2) (framework, f: material design, cla: yes, waiting for tree to go green)
[92975](https://github.com/flutter/flutter/pull/92975) Ensure the flutter_gen project is correctly created as part of "flutter create" (tool, cla: yes, waiting for tree to go green)
[92977](https://github.com/flutter/flutter/pull/92977) Roll Engine from 6095a1367846 to f08694a57857 (15 revisions) (cla: yes, waiting for tree to go green)
[92980](https://github.com/flutter/flutter/pull/92980) Roll Engine from f08694a57857 to 6ae304aeef1b (1 revision) (cla: yes, waiting for tree to go green)
[92984](https://github.com/flutter/flutter/pull/92984) Roll Engine from 6ae304aeef1b to 535f1c4c1c49 (2 revisions) (cla: yes, waiting for tree to go green)
[92989](https://github.com/flutter/flutter/pull/92989) Stop sending metrics to builder name (team, cla: yes, waiting for tree to go green, team: benchmark)
[92996](https://github.com/flutter/flutter/pull/92996) Roll Engine from 535f1c4c1c49 to e9d92561b9a7 (2 revisions) (cla: yes, waiting for tree to go green)
[93002](https://github.com/flutter/flutter/pull/93002) [web:tools] always use CanvasKit from the cache when building web apps (tool, cla: yes)
[93004](https://github.com/flutter/flutter/pull/93004) Roll Engine from e9d92561b9a7 to caf6d2997ddd (1 revision) (cla: yes, waiting for tree to go green)
[93005](https://github.com/flutter/flutter/pull/93005) Roll Plugins from 53fff22979d2 to 2e102b8a8c41 (1 revision) (cla: yes, waiting for tree to go green)
[93013](https://github.com/flutter/flutter/pull/93013) Marks Linux web_canvaskit_tests_0 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93014](https://github.com/flutter/flutter/pull/93014) Marks Linux web_canvaskit_tests_1 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93015](https://github.com/flutter/flutter/pull/93015) Marks Linux web_canvaskit_tests_2 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93016](https://github.com/flutter/flutter/pull/93016) Marks Linux web_canvaskit_tests_3 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93017](https://github.com/flutter/flutter/pull/93017) Marks Linux web_canvaskit_tests_4 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93018](https://github.com/flutter/flutter/pull/93018) Marks Linux web_canvaskit_tests_5 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93019](https://github.com/flutter/flutter/pull/93019) Marks Linux web_canvaskit_tests_6 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93020](https://github.com/flutter/flutter/pull/93020) Marks Linux web_canvaskit_tests_7_last to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93021](https://github.com/flutter/flutter/pull/93021) Marks Linux_android flutter_gallery__image_cache_memory to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93022](https://github.com/flutter/flutter/pull/93022) Marks Linux_android flutter_gallery__start_up to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93026](https://github.com/flutter/flutter/pull/93026) Skip overall_experience_test.dart: flutter run writes and clears pidfile appropriately (tool, cla: yes, waiting for tree to go green)
[93028](https://github.com/flutter/flutter/pull/93028) Roll Engine from caf6d2997ddd to fd0f83359dd8 (2 revisions) (cla: yes, waiting for tree to go green)
[93033](https://github.com/flutter/flutter/pull/93033) Roll Engine from fd0f83359dd8 to 4f5e2968b639 (1 revision) (cla: yes, waiting for tree to go green)
[93034](https://github.com/flutter/flutter/pull/93034) Replace text directionality control characters with escape sequences in the semantics_tester (framework, a: accessibility, cla: yes, waiting for tree to go green)
[93041](https://github.com/flutter/flutter/pull/93041) Suppress created file list for new "flutter create" projects (tool, cla: yes, waiting for tree to go green)
[93042](https://github.com/flutter/flutter/pull/93042) Roll Engine from 4f5e2968b639 to c70041c85134 (4 revisions) (cla: yes, waiting for tree to go green)
[93043](https://github.com/flutter/flutter/pull/93043) Roll Engine from c70041c85134 to bbc4615ecd63 (2 revisions) (cla: yes, waiting for tree to go green)
[93046](https://github.com/flutter/flutter/pull/93046) Roll Engine from bbc4615ecd63 to e28b5df18c97 (1 revision) (cla: yes, waiting for tree to go green)
[93051](https://github.com/flutter/flutter/pull/93051) Roll Engine from e28b5df18c97 to 32fff2f6e12b (1 revision) (cla: yes, waiting for tree to go green)
[93059](https://github.com/flutter/flutter/pull/93059) Add golden tests for default and overriden `expandedTitleScale` in `FlexibleSpaceBar` (framework, f: material design, cla: yes, waiting for tree to go green)
[93060](https://github.com/flutter/flutter/pull/93060) Roll Plugins from 2e102b8a8c41 to e39a584ab08e (1 revision) (cla: yes, waiting for tree to go green)
[93061](https://github.com/flutter/flutter/pull/93061) Roll Engine from 32fff2f6e12b to 5140e30cec13 (1 revision) (cla: yes, waiting for tree to go green)
[93065](https://github.com/flutter/flutter/pull/93065) Add DevTools version to `flutter --version` and `flutter doctor -v` output. (tool, cla: yes, waiting for tree to go green)
[93066](https://github.com/flutter/flutter/pull/93066) Roll Plugins from e39a584ab08e to d6ca8a368ce3 (1 revision) (cla: yes, waiting for tree to go green)
[93076](https://github.com/flutter/flutter/pull/93076) Use `FlutterError.reportError` instead of `debugPrint` for l10n warning (framework, cla: yes, waiting for tree to go green)
[93080](https://github.com/flutter/flutter/pull/93080) Dynamic logcat piping for deferred components test (team, cla: yes, waiting for tree to go green, integration_test)
[93082](https://github.com/flutter/flutter/pull/93082) [flutter_conductor] ensure release branch point is always tagged (team, cla: yes, waiting for tree to go green)
[93086](https://github.com/flutter/flutter/pull/93086) Improve tracing (team, framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green, integration_test)
[93087](https://github.com/flutter/flutter/pull/93087) In CupertinoIcons doc adopt diagram and fix broken glyph map link (framework, cla: yes, f: cupertino, d: api docs, waiting for tree to go green, documentation)
[93094](https://github.com/flutter/flutter/pull/93094) Update minimum required version to Xcode 12.3 (a: text input, tool, cla: yes, waiting for tree to go green, t: xcode)
[93098](https://github.com/flutter/flutter/pull/93098) Revert "Reland engine display features" (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93117](https://github.com/flutter/flutter/pull/93117) Reland Reland engine display features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93128](https://github.com/flutter/flutter/pull/93128) Remove comment on caching line metrics (a: text input, framework, cla: yes, waiting for tree to go green)
[93129](https://github.com/flutter/flutter/pull/93129) Use baseline value to get position in next line (a: text input, framework, cla: yes, waiting for tree to go green)
[93148](https://github.com/flutter/flutter/pull/93148) Pin to specific plugin versions (tool, cla: yes)
[93157](https://github.com/flutter/flutter/pull/93157) Roll Plugins from d6ca8a368ce3 to 27eda487859c (3 revisions) (cla: yes, waiting for tree to go green)
[93161](https://github.com/flutter/flutter/pull/93161) Revert "Added widgets/AppModel" (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[93165](https://github.com/flutter/flutter/pull/93165) Roll Plugins from 27eda487859c to 5bf7fb0360aa (1 revision) (cla: yes, waiting for tree to go green)
[93166](https://github.com/flutter/flutter/pull/93166) Do not rebuild when TickerMode changes (a: text input, framework, cla: yes, waiting for tree to go green)
[93168](https://github.com/flutter/flutter/pull/93168) [flutter_tools] Catch lack of flutter tools source missing (a: text input, tool, cla: yes)
[93170](https://github.com/flutter/flutter/pull/93170) Desktop edge scrolling (a: text input, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[93171](https://github.com/flutter/flutter/pull/93171) [flutter_conductor] Rewrite writeStateToFile to be in an overidable method. (team, cla: yes, waiting for tree to go green)
[93173](https://github.com/flutter/flutter/pull/93173) Bump Gallery version (team, cla: yes)
[93174](https://github.com/flutter/flutter/pull/93174) [web] add image decoder benchmark (team, cla: yes, waiting for tree to go green)
[93175](https://github.com/flutter/flutter/pull/93175) Added SharedAppData to the widgets library (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation, will affect goldens)
[93204](https://github.com/flutter/flutter/pull/93204) Revert "Reland Reland engine display features" (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93207](https://github.com/flutter/flutter/pull/93207) Revert "Bump Gallery version" (team, cla: yes)
[93223](https://github.com/flutter/flutter/pull/93223) Roll Engine from 5140e30cec13 to 469d6f1a09f4 (58 revisions) (cla: yes, waiting for tree to go green, will affect goldens)
[93228](https://github.com/flutter/flutter/pull/93228) Use num on plural (tool, cla: yes, will affect goldens)
[93240](https://github.com/flutter/flutter/pull/93240) Reland 3: Display Features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation, integration_test)
[93248](https://github.com/flutter/flutter/pull/93248) Fix scroll offset when caret larger than viewport (a: text input, framework, cla: yes)
[93251](https://github.com/flutter/flutter/pull/93251) Marks Linux_android flutter_gallery__start_up_delayed to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93252](https://github.com/flutter/flutter/pull/93252) Marks Mac_android run_release_test to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93254](https://github.com/flutter/flutter/pull/93254) Marks Mac_ios integration_ui_ios_textfield to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93255](https://github.com/flutter/flutter/pull/93255) Marks Mac_android android_semantics_integration_test to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93258](https://github.com/flutter/flutter/pull/93258) [ci.yaml] Mark roller flaky (cla: yes)
[93259](https://github.com/flutter/flutter/pull/93259) Support for MaterialTapTargetSize within ToggleButtons (framework, f: material design, cla: yes, waiting for tree to go green)
[93264](https://github.com/flutter/flutter/pull/93264) [conductor] add cleanContext (team, cla: yes, will affect goldens)
[93266](https://github.com/flutter/flutter/pull/93266) Mark web_canvaskit_tests_5 as flaky (cla: yes)
[93267](https://github.com/flutter/flutter/pull/93267) Force the color used by WidgetApp's Title to be fully opaque. (framework, cla: yes, waiting for tree to go green)
[93268](https://github.com/flutter/flutter/pull/93268) [web] exclude bitrotten context_menu_action_test.dart from CanvasKit shard (team, cla: yes)
[93271](https://github.com/flutter/flutter/pull/93271) Add Border customization to CheckboxListTile (reprise) (framework, f: material design, cla: yes)
[93273](https://github.com/flutter/flutter/pull/93273) Revert "mark flaky (#93266)" (cla: yes, waiting for tree to go green)
[93284](https://github.com/flutter/flutter/pull/93284) Roll Engine from 469d6f1a09f4 to 1ae721c0230e (11 revisions) (cla: yes, waiting for tree to go green)
[93293](https://github.com/flutter/flutter/pull/93293) Use adb variable instead of direct command (team, cla: yes, waiting for tree to go green, integration_test)
[93294](https://github.com/flutter/flutter/pull/93294) Roll Engine from 1ae721c0230e to 0b3ac9431351 (1 revision) (cla: yes, waiting for tree to go green)
[93296](https://github.com/flutter/flutter/pull/93296) Roll Engine from 0b3ac9431351 to 5fcc59bbc290 (2 revisions) (cla: yes, waiting for tree to go green)
[93299](https://github.com/flutter/flutter/pull/93299) Roll Engine from 5fcc59bbc290 to 162d8508f874 (2 revisions) (cla: yes, waiting for tree to go green)
[93306](https://github.com/flutter/flutter/pull/93306) Roll Engine from 162d8508f874 to 766f3a5bec7b (2 revisions) (cla: yes, waiting for tree to go green)
[93307](https://github.com/flutter/flutter/pull/93307) Track timeout from app run start in deferred components integration test (team, cla: yes, waiting for tree to go green, integration_test)
[93309](https://github.com/flutter/flutter/pull/93309) Roll Plugins from 5bf7fb0360aa to 638dd07f51fa (1 revision) (cla: yes, waiting for tree to go green)
[93323](https://github.com/flutter/flutter/pull/93323) Revert "Reland: "Update outdated runners in the benchmarks folder (#91126)"" (team, tool, cla: yes, integration_test)
[93327](https://github.com/flutter/flutter/pull/93327) Roll Engine from 766f3a5bec7b to 76bf5a1ad029 (5 revisions) (cla: yes, waiting for tree to go green)
[93341](https://github.com/flutter/flutter/pull/93341) Roll Plugins from 638dd07f51fa to 68d222342e39 (2 revisions) (cla: yes, waiting for tree to go green)
[93350](https://github.com/flutter/flutter/pull/93350) Fatten up multiple_flutters memory footprint (team, cla: yes)
[93351](https://github.com/flutter/flutter/pull/93351) Replaced the reference to `primaryVariant` in code example. (team, f: material design, cla: yes, d: api docs, d: examples, documentation)
[93353](https://github.com/flutter/flutter/pull/93353) Ignore upcoming warning for unnecessary override (tool, cla: yes, waiting for tree to go green)
[93354](https://github.com/flutter/flutter/pull/93354) Roll Plugins from 68d222342e39 to 1a2fbe878d86 (1 revision) (cla: yes, waiting for tree to go green)
[93356](https://github.com/flutter/flutter/pull/93356) Pin visual studio version used in the framework. (cla: yes, waiting for tree to go green)
[93365](https://github.com/flutter/flutter/pull/93365) Revert "Exit on deprecated v1 embedding when trying to run or build" (team, tool, a: accessibility, cla: yes, integration_test)
[93386](https://github.com/flutter/flutter/pull/93386) Reland "Exit on deprecated v1 embedding when trying to run or build (#92901)" (team, tool, a: accessibility, cla: yes, waiting for tree to go green, integration_test)
[93396](https://github.com/flutter/flutter/pull/93396) Deprecate `primaryColorBrightness` (a: text input, team, framework, f: material design, cla: yes, waiting for tree to go green, tech-debt)
[93401](https://github.com/flutter/flutter/pull/93401) Allow full locale to be generated from .arb files and remove `@@locale` matching .arb file name requirement (tool, cla: yes)
[93411](https://github.com/flutter/flutter/pull/93411) Disable pause-on-exceptions for (outgoing) isolates during hot restart (tool, cla: yes, waiting for tree to go green)
[93414](https://github.com/flutter/flutter/pull/93414) Roll Engine from 76bf5a1ad029 to 3af330d5c098 (27 revisions) (cla: yes, waiting for tree to go green)
[93419](https://github.com/flutter/flutter/pull/93419) Roll Plugins from 1a2fbe878d86 to d9d87e9f8809 (1 revision) (cla: yes, waiting for tree to go green)
[93421](https://github.com/flutter/flutter/pull/93421) Roll Engine from 3af330d5c098 to 5c1b2d9af0fd (4 revisions) (cla: yes, waiting for tree to go green)
[93424](https://github.com/flutter/flutter/pull/93424) Roll Plugins from d9d87e9f8809 to 0cfbe1779ecb (3 revisions) (cla: yes, waiting for tree to go green)
[93426](https://github.com/flutter/flutter/pull/93426) Add support for Visual Studio 2022 (tool, cla: yes, waiting for tree to go green)
[93427](https://github.com/flutter/flutter/pull/93427) Added Material 3 colors to ColorScheme. (team, framework, f: material design, cla: yes, integration_test, tech-debt)
[93428](https://github.com/flutter/flutter/pull/93428) Roll Engine from 5c1b2d9af0fd to e5f05693010f (3 revisions) (cla: yes, waiting for tree to go green)
[93434](https://github.com/flutter/flutter/pull/93434) Added useMaterial3 flag to ThemeData. (framework, f: material design, cla: yes, waiting for tree to go green)
[93435](https://github.com/flutter/flutter/pull/93435) Roll Plugins from 0cfbe1779ecb to 112fe4eb497a (2 revisions) (cla: yes, waiting for tree to go green)
[93436](https://github.com/flutter/flutter/pull/93436) Roll Engine from e5f05693010f to 6abca2895599 (1 revision) (cla: yes, waiting for tree to go green)
[93444](https://github.com/flutter/flutter/pull/93444) Roll Engine from 6abca2895599 to d5cadd28b0bf (3 revisions) (cla: yes, waiting for tree to go green)
[93447](https://github.com/flutter/flutter/pull/93447) Roll Plugins from 112fe4eb497a to d09abd526375 (2 revisions) (cla: yes, waiting for tree to go green)
[93448](https://github.com/flutter/flutter/pull/93448) [flutter_releases] Flutter beta 2.8.0-3.1.pre Framework Cherrypicks (team, framework, engine, f: material design, cla: yes, d: api docs, d: examples, documentation)
[93452](https://github.com/flutter/flutter/pull/93452) ChipThemeData is now conventional (framework, f: material design, cla: yes, waiting for tree to go green)
[93458](https://github.com/flutter/flutter/pull/93458) Roll Plugins from d09abd526375 to d22be768e9d5 (1 revision) (cla: yes, waiting for tree to go green)
[93463](https://github.com/flutter/flutter/pull/93463) API to generate a ColorScheme from a single seed color. (team, framework, f: material design, cla: yes, waiting for tree to go green, integration_test)
[93478](https://github.com/flutter/flutter/pull/93478) Add `splashRadius` property to `IconTheme` (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[93480](https://github.com/flutter/flutter/pull/93480) Add InputDecorator label color on error examples (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[93483](https://github.com/flutter/flutter/pull/93483) Fix typo in Shortcuts doc comment (framework, cla: yes, d: api docs, documentation)
[93484](https://github.com/flutter/flutter/pull/93484) Roll Plugins from d22be768e9d5 to a103bcd3327e (1 revision) (cla: yes, waiting for tree to go green)
[93487](https://github.com/flutter/flutter/pull/93487) Roll Engine from d5cadd28b0bf to 2a76e06247df (9 revisions) (cla: yes, waiting for tree to go green)
[93490](https://github.com/flutter/flutter/pull/93490) Marks Mac_android run_release_test to be flaky (cla: yes, waiting for tree to go green)
[93492](https://github.com/flutter/flutter/pull/93492) fix: remove useless type checks (tool, cla: yes, waiting for tree to go green)
[93496](https://github.com/flutter/flutter/pull/93496) Roll Engine from 2a76e06247df to 26b3c41ad795 (2 revisions) (cla: yes, waiting for tree to go green)
[93499](https://github.com/flutter/flutter/pull/93499) Use navigator instead of overlay as TickerProvider for ModalBottomSheet (framework, f: material design, cla: yes, waiting for tree to go green)
[93503](https://github.com/flutter/flutter/pull/93503) Roll Engine from 26b3c41ad795 to aaacb670af16 (1 revision) (cla: yes, waiting for tree to go green)
[93507](https://github.com/flutter/flutter/pull/93507) Remove shade50 getter from MaterialAccentColor (framework, f: material design, cla: yes, waiting for tree to go green)
[93509](https://github.com/flutter/flutter/pull/93509) Add `CupertinoDatePicker` Interactive Example (team, framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[93510](https://github.com/flutter/flutter/pull/93510) Roll Engine from aaacb670af16 to e022c9283c40 (4 revisions) (cla: yes, waiting for tree to go green, will affect goldens)
[93514](https://github.com/flutter/flutter/pull/93514) [flutter_conductor] allow --force to override validations on start sub-command (team, cla: yes, waiting for tree to go green)
[93516](https://github.com/flutter/flutter/pull/93516) Close tree if unapproved golden images get in (a: tests, team, framework, cla: yes, waiting for tree to go green, a: error message, team: infra)
[93518](https://github.com/flutter/flutter/pull/93518) Revert "Reland "Exit on deprecated v1 embedding when trying to run or… (team, tool, a: accessibility, cla: yes, integration_test)
[93528](https://github.com/flutter/flutter/pull/93528) Add a test to verify that we only link to real issue templates (team, tool, cla: yes, waiting for tree to go green)
[93536](https://github.com/flutter/flutter/pull/93536) Fix typo in AnimatedWidgetBaseState (framework, a: animation, cla: yes, waiting for tree to go green)
[93555](https://github.com/flutter/flutter/pull/93555) Restore Cache.flutterRoot after overriding it in a test (tool, cla: yes)
[93556](https://github.com/flutter/flutter/pull/93556) Ad-hoc codesign Flutter.framework when code signing is disabled (platform-ios, tool, cla: yes, waiting for tree to go green)
[93560](https://github.com/flutter/flutter/pull/93560) Roll Plugins from a103bcd3327e to ace9e78bd3c3 (2 revisions) (cla: yes, waiting for tree to go green)
[93563](https://github.com/flutter/flutter/pull/93563) Roll Engine from e022c9283c40 to 701d66d109e2 (16 revisions) (cla: yes, waiting for tree to go green)
[93566](https://github.com/flutter/flutter/pull/93566) Reland "Exit on deprecated v1 embedding when trying to run or build" (#92901) (team, tool, a: accessibility, cla: yes, waiting for tree to go green, integration_test)
[93568](https://github.com/flutter/flutter/pull/93568) Roll Engine from 701d66d109e2 to 85e06f206389 (3 revisions) (cla: yes, waiting for tree to go green)
[93572](https://github.com/flutter/flutter/pull/93572) Roll Engine from 85e06f206389 to c19137fd56fb (1 revision) (cla: yes, waiting for tree to go green)
[93574](https://github.com/flutter/flutter/pull/93574) Roll Engine from c19137fd56fb to ea8386ff6547 (2 revisions) (cla: yes, waiting for tree to go green)
[93578](https://github.com/flutter/flutter/pull/93578) Handle empty text with no line metrics in RenderEditable._lineNumberFor (framework, cla: yes, waiting for tree to go green)
[93579](https://github.com/flutter/flutter/pull/93579) Roll Engine from ea8386ff6547 to 140bd9399e63 (1 revision) (cla: yes, waiting for tree to go green)
[93580](https://github.com/flutter/flutter/pull/93580) [flutter_conductor] implement requiredLocalBranches (team, cla: yes, waiting for tree to go green)
[93587](https://github.com/flutter/flutter/pull/93587) Roll Plugins from ace9e78bd3c3 to 8a95012fb037 (1 revision) (cla: yes, waiting for tree to go green)
[93592](https://github.com/flutter/flutter/pull/93592) Requiring data preserves the stackTrace (framework, cla: yes, waiting for tree to go green)
[93600](https://github.com/flutter/flutter/pull/93600) fix: inline templatized see also (framework, f: material design, cla: yes, d: api docs, waiting for tree to go green, documentation)
[93604](https://github.com/flutter/flutter/pull/93604) Fixed leak and removed no-shuffle tag in window_test.dart (a: tests, framework, cla: yes, waiting for tree to go green)
[93625](https://github.com/flutter/flutter/pull/93625) Add `CupertinoButton` interactive example (team, framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[93628](https://github.com/flutter/flutter/pull/93628) Roll Plugins from 8a95012fb037 to 31268aabbaa9 (1 revision) (cla: yes, waiting for tree to go green)
[93664](https://github.com/flutter/flutter/pull/93664) Marks Mac native_ui_tests_macos to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93675](https://github.com/flutter/flutter/pull/93675) Roll Engine from 140bd9399e63 to 2962099077b3 (26 revisions) (cla: yes, waiting for tree to go green)
[93684](https://github.com/flutter/flutter/pull/93684) [devicelab] Add hot reload tests to presubmit (team, cla: yes, waiting for tree to go green)
[93692](https://github.com/flutter/flutter/pull/93692) [Web] Detect when running under Dart HHH Web and skip tests under investigation (team, framework, cla: yes, waiting for tree to go green)
[93693](https://github.com/flutter/flutter/pull/93693) Fix CallbackShortcuts to only call shortcuts when triggered (framework, cla: yes, waiting for tree to go green)
[93694](https://github.com/flutter/flutter/pull/93694) Roll Plugins from 31268aabbaa9 to 1e85f320695d (9 revisions) (cla: yes, waiting for tree to go green, warning: land on red to fix tree breakage)
[93716](https://github.com/flutter/flutter/pull/93716) Request focus in `onTap` callback from `DropdownButton` (framework, f: material design, cla: yes, waiting for tree to go green)
[93722](https://github.com/flutter/flutter/pull/93722) Skip negative web image test (a: text input, framework, cla: yes)
[93725](https://github.com/flutter/flutter/pull/93725) [Material 3] Update TextTheme to have M3 names for styles (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[93735](https://github.com/flutter/flutter/pull/93735) fix: removed unnecessary checks (tool, cla: yes, waiting for tree to go green)
[93740](https://github.com/flutter/flutter/pull/93740) Skip web golden test that is not supported (a: tests, a: text input, team, framework, f: material design, cla: yes, tech-debt)
[93749](https://github.com/flutter/flutter/pull/93749) Fix analysis error in icon button test (framework, f: material design, cla: yes)
[93761](https://github.com/flutter/flutter/pull/93761) Roll Plugins from 1e85f320695d to e6ff3527c3c1 (1 revision) (cla: yes, waiting for tree to go green)
[93769](https://github.com/flutter/flutter/pull/93769) Roll Engine from 2962099077b3 to ace1f5f2997b (13 revisions) (cla: yes, waiting for tree to go green)
[93775](https://github.com/flutter/flutter/pull/93775) Roll Engine from ace1f5f2997b to 47828a664fd7 (2 revisions) (cla: yes, waiting for tree to go green)
[93788](https://github.com/flutter/flutter/pull/93788) Roll Plugins from e6ff3527c3c1 to 4ccc90493235 (2 revisions) (cla: yes, waiting for tree to go green)
[93789](https://github.com/flutter/flutter/pull/93789) Roll Engine from 47828a664fd7 to 88644c8dcb45 (1 revision) (cla: yes, waiting for tree to go green)
[93796](https://github.com/flutter/flutter/pull/93796) Roll Engine from 88644c8dcb45 to 6e2aafeb4b50 (2 revisions) (cla: yes, waiting for tree to go green)
[93797](https://github.com/flutter/flutter/pull/93797) Revert "ChipThemeData is now conventional" (framework, f: material design, cla: yes, waiting for tree to go green)
[93799](https://github.com/flutter/flutter/pull/93799) Add Ink.image clip examples (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[93802](https://github.com/flutter/flutter/pull/93802) Roll Plugins from 4ccc90493235 to 8f55fb68d0e9 (1 revision) (cla: yes, waiting for tree to go green)
[93805](https://github.com/flutter/flutter/pull/93805) Marks Linux_android image_list_jit_reported_duration to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93806](https://github.com/flutter/flutter/pull/93806) Revert "Allow full locale to be generated from .arb files and remove `@@locale` matching .arb file name requirement" (tool, cla: yes)
[93808](https://github.com/flutter/flutter/pull/93808) Roll Engine from 6e2aafeb4b50 to d389ae475cde (2 revisions) (cla: yes, waiting for tree to go green)
[93815](https://github.com/flutter/flutter/pull/93815) Roll Engine from d389ae475cde to 29ea28d67b2d (1 revision) (cla: yes, waiting for tree to go green)
[93820](https://github.com/flutter/flutter/pull/93820) Roll Engine from 29ea28d67b2d to c30375b830ef (1 revision) (cla: yes, waiting for tree to go green)
[93832](https://github.com/flutter/flutter/pull/93832) Roll Plugins from 8f55fb68d0e9 to 88c69ed86147 (1 revision) (cla: yes, waiting for tree to go green)
[93835](https://github.com/flutter/flutter/pull/93835) Shift tap gesture (a: text input, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, will affect goldens)
[93836](https://github.com/flutter/flutter/pull/93836) Roll Plugins from 88c69ed86147 to 349a858048db (1 revision) (cla: yes, waiting for tree to go green)
[93839](https://github.com/flutter/flutter/pull/93839) Roll Engine from c30375b830ef to a3ef1d5351f4 (5 revisions) (cla: yes, waiting for tree to go green)
[93841](https://github.com/flutter/flutter/pull/93841) [flutter_releases] Flutter beta 2.8.0-3.2.pre Framework Cherrypicks (tool, engine, cla: yes)
[93845](https://github.com/flutter/flutter/pull/93845) Roll Engine from a3ef1d5351f4 to d3dcd41c9490 (4 revisions) (cla: yes, waiting for tree to go green)
[93863](https://github.com/flutter/flutter/pull/93863) Improve `update_icons.dart` script (team, framework, f: material design, cla: yes)
[93869](https://github.com/flutter/flutter/pull/93869) Skip links in MinimumTapTargetGuideline. (a: tests, framework, a: accessibility, cla: yes, waiting for tree to go green)
[93870](https://github.com/flutter/flutter/pull/93870) [DAP] Add a custom event to pass flutter.serviceExtensionStateChanged… (tool, cla: yes, waiting for tree to go green)
[93875](https://github.com/flutter/flutter/pull/93875) [CupertinoTextField] Add missing focus listener (a: text input, framework, cla: yes, f: cupertino, waiting for tree to go green, will affect goldens)
[93876](https://github.com/flutter/flutter/pull/93876) Force the a11y focus on textfield in android semantics integration test (team, a: accessibility, cla: yes, waiting for tree to go green, integration_test)
[93877](https://github.com/flutter/flutter/pull/93877) [conductor] Add global constants and startContext checkoutpath getter (team, cla: yes, waiting for tree to go green)
[93886](https://github.com/flutter/flutter/pull/93886) Roll Plugins from 349a858048db to 58d215dd926c (2 revisions) (cla: yes, waiting for tree to go green)
[93894](https://github.com/flutter/flutter/pull/93894) Update the MaterialStateProperty "see also" lists (framework, f: material design, cla: yes, waiting for tree to go green)
[93896](https://github.com/flutter/flutter/pull/93896) [flutter_conductor] Conductor prompt refactor (a: text input, team, cla: yes, waiting for tree to go green)
[93897](https://github.com/flutter/flutter/pull/93897) RawKeyboard synthesizes key pressing state for modifier (framework, cla: yes, waiting for tree to go green)
[93904](https://github.com/flutter/flutter/pull/93904) Roll Plugins from 58d215dd926c to cbe6449216d0 (6 revisions) (cla: yes, waiting for tree to go green)
[93922](https://github.com/flutter/flutter/pull/93922) Fix bottom sheet assertion on switching with multiple controllers (framework, f: material design, cla: yes, waiting for tree to go green)
[93925](https://github.com/flutter/flutter/pull/93925) Revert "TextField border gap padding improvement" (framework, f: material design, cla: yes)
[93933](https://github.com/flutter/flutter/pull/93933) [unrevert] TextField border gap padding improvement (framework, f: material design, cla: yes, waiting for tree to go green, will affect goldens)
[93935](https://github.com/flutter/flutter/pull/93935) Roll Plugins from cbe6449216d0 to d237127bb775 (2 revisions) (cla: yes, waiting for tree to go green)
[93940](https://github.com/flutter/flutter/pull/93940) Roll Plugins from d237127bb775 to fe1a3c49f299 (1 revision) (cla: yes, waiting for tree to go green)
[93941](https://github.com/flutter/flutter/pull/93941) Roll Engine from d3dcd41c9490 to 64b13b8eff25 (29 revisions) (cla: yes, waiting for tree to go green)
[93948](https://github.com/flutter/flutter/pull/93948) De-flake web tool tests (tool, cla: yes, waiting for tree to go green)
[93950](https://github.com/flutter/flutter/pull/93950) Roll Plugins from fe1a3c49f299 to e5156e9ab70a (1 revision) (cla: yes, waiting for tree to go green)
[93954](https://github.com/flutter/flutter/pull/93954) Master analyze_base.dart to null-safety (tool, cla: yes, waiting for tree to go green)
[93976](https://github.com/flutter/flutter/pull/93976) Revert "Roll Engine from d3dcd41c9490 to 64b13b8eff25 (29 revisions)" (engine, cla: yes)
[93978](https://github.com/flutter/flutter/pull/93978) Roll Plugins from e5156e9ab70a to 55e246bfa0fd (2 revisions) (cla: yes, waiting for tree to go green)
[93985](https://github.com/flutter/flutter/pull/93985) Roll Gallery for compatibility with the latest Gradle dependencies (team, cla: yes)
[93988](https://github.com/flutter/flutter/pull/93988) Roll Engine from 30eb4d6974f6 to 654a706d98d6 (1 revision) (cla: yes, waiting for tree to go green)
[93989](https://github.com/flutter/flutter/pull/93989) Roll Engine from 654a706d98d6 to ddb8b94eebee (3 revisions) (cla: yes, waiting for tree to go green)
[94000](https://github.com/flutter/flutter/pull/94000) Roll Engine from ddb8b94eebee to ad00d128332e (1 revision) (cla: yes, waiting for tree to go green)
[94012](https://github.com/flutter/flutter/pull/94012) [flutter_tools] Remove --enable-background-compilation (tool, cla: yes, waiting for tree to go green)
[94029](https://github.com/flutter/flutter/pull/94029) Marks Linux deferred components to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94033](https://github.com/flutter/flutter/pull/94033) Marks Linux android views to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94035](https://github.com/flutter/flutter/pull/94035) Marks Linux_android image_list_reported_duration to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94037](https://github.com/flutter/flutter/pull/94037) Marks Linux_android flutter_gallery__back_button_memory to be flaky (cla: yes, waiting for tree to go green)
[94054](https://github.com/flutter/flutter/pull/94054) Roll Plugins from 55e246bfa0fd to 7f9baddb9650 (1 revision) (cla: yes, waiting for tree to go green)
[94055](https://github.com/flutter/flutter/pull/94055) Roll Engine from ad00d128332e to c9a8a868a294 (1 revision) (cla: yes, waiting for tree to go green)
[94061](https://github.com/flutter/flutter/pull/94061) Roll Engine from c9a8a868a294 to fd3416c3edb5 (1 revision) (cla: yes, waiting for tree to go green)
[94062](https://github.com/flutter/flutter/pull/94062) Roll Engine from fd3416c3edb5 to fd1151a43bb6 (2 revisions) (cla: yes, waiting for tree to go green)
[94067](https://github.com/flutter/flutter/pull/94067) make .prompt() async (a: text input, team, cla: yes, waiting for tree to go green)
[94077](https://github.com/flutter/flutter/pull/94077) Mixin for slotted RenderObjectWidgets and RenderBox (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[94082](https://github.com/flutter/flutter/pull/94082) Roll Engine from fd1151a43bb6 to 147824762f95 (8 revisions) (cla: yes, waiting for tree to go green)
[94084](https://github.com/flutter/flutter/pull/94084) Update Xcode toolsVersion encoded in generated Main.storyboard (team, platform-ios, tool, cla: yes, d: api docs, d: examples, waiting for tree to go green, t: xcode, documentation, integration_test)
[94085](https://github.com/flutter/flutter/pull/94085) Roll Engine from 147824762f95 to 7d4107a84dfc (3 revisions) (cla: yes, waiting for tree to go green)
[94087](https://github.com/flutter/flutter/pull/94087) Roll Plugins from 7f9baddb9650 to bb65f91d3f3d (2 revisions) (cla: yes, waiting for tree to go green)
[94088](https://github.com/flutter/flutter/pull/94088) Roll Engine from 7d4107a84dfc to 5e2be18695cc (1 revision) (cla: yes, waiting for tree to go green)
[94089](https://github.com/flutter/flutter/pull/94089) Roll Engine from 5e2be18695cc to f4cb61cefccc (1 revision) (cla: yes, waiting for tree to go green)
[94091](https://github.com/flutter/flutter/pull/94091) Roll Engine from f4cb61cefccc to 2cc81657bca7 (1 revision) (cla: yes, waiting for tree to go green)
[94114](https://github.com/flutter/flutter/pull/94114) Roll Plugins from bb65f91d3f3d to a10b89e42d5a (1 revision) (cla: yes, waiting for tree to go green)
[94118](https://github.com/flutter/flutter/pull/94118) Roll Engine from 2cc81657bca7 to f619d6a70da4 (2 revisions) (cla: yes, waiting for tree to go green)
[94119](https://github.com/flutter/flutter/pull/94119) Roll Plugins from a10b89e42d5a to e13a46942cff (1 revision) (cla: yes, waiting for tree to go green)
[94121](https://github.com/flutter/flutter/pull/94121) Roll Engine from f619d6a70da4 to 41b8e57bc493 (2 revisions) (cla: yes, waiting for tree to go green)
[94124](https://github.com/flutter/flutter/pull/94124) dev: Drop domain verification file (team, cla: yes, waiting for tree to go green)
[94126](https://github.com/flutter/flutter/pull/94126) [conductor] RunContext to CleanContext (team, cla: yes, waiting for tree to go green)
[94131](https://github.com/flutter/flutter/pull/94131) Roll Plugins from e13a46942cff to a157a0a1f7b2 (1 revision) (cla: yes, waiting for tree to go green)
[94133](https://github.com/flutter/flutter/pull/94133) Roll Engine from 41b8e57bc493 to 3c99ee531f7b (2 revisions) (cla: yes, waiting for tree to go green)
[94135](https://github.com/flutter/flutter/pull/94135) Roll Engine from 3c99ee531f7b to 635b4202d70d (1 revision) (cla: yes, waiting for tree to go green)
[94136](https://github.com/flutter/flutter/pull/94136) Roll Engine from 635b4202d70d to 539239e25662 (4 revisions) (cla: yes, waiting for tree to go green)
[94137](https://github.com/flutter/flutter/pull/94137) make CIPD url customizable using FLUTTER_STORAGE_BASE_URL (tool, cla: yes, waiting for tree to go green)
[94138](https://github.com/flutter/flutter/pull/94138) Roll Engine from 539239e25662 to 4b1d78603d70 (1 revision) (cla: yes, waiting for tree to go green)
[94139](https://github.com/flutter/flutter/pull/94139) Roll Plugins from a157a0a1f7b2 to aa8095470117 (1 revision) (cla: yes, waiting for tree to go green)
[94164](https://github.com/flutter/flutter/pull/94164) Revert "Update Xcode toolsVersion encoded in generated Main.storyboard" (team, tool, cla: yes, d: api docs, d: examples, documentation, integration_test)
[94167](https://github.com/flutter/flutter/pull/94167) ✏️ Correct test description for a non-draggable item (framework, cla: yes, waiting for tree to go green)
[94171](https://github.com/flutter/flutter/pull/94171) Roll Engine from 4b1d78603d70 to 9be4b8b9bcc9 (8 revisions) (cla: yes, waiting for tree to go green)
[94172](https://github.com/flutter/flutter/pull/94172) Roll packages, remove unnecessary overrides (team, tool, cla: yes, waiting for tree to go green)
[94176](https://github.com/flutter/flutter/pull/94176) Revert "Roll Engine from 4b1d78603d70 to 9be4b8b9bcc9 (8 revisions)" (engine, cla: yes)
[94178](https://github.com/flutter/flutter/pull/94178) [tool] verify download URLs; docs for base URLs (tool, cla: yes)
[94179](https://github.com/flutter/flutter/pull/94179) Reland "ChipThemeData is now conventional" (framework, f: material design, cla: yes)
[94180](https://github.com/flutter/flutter/pull/94180) Mark fixed Mac_android tests unflaky (cla: yes, waiting for tree to go green, team: infra)
[94182](https://github.com/flutter/flutter/pull/94182) Cherrypick a Dart roll to unblock internal roll. (engine, cla: yes)
[94186](https://github.com/flutter/flutter/pull/94186) Roll Engine from 4b1d78603d70 to fda916690b43 (16 revisions) (cla: yes, waiting for tree to go green)
[94188](https://github.com/flutter/flutter/pull/94188) [ci.yaml] Add release branch regex (team, cla: yes, waiting for tree to go green, team: infra)
[94189](https://github.com/flutter/flutter/pull/94189) Roll Plugins from aa8095470117 to a44ca2f238b1 (1 revision) (cla: yes, waiting for tree to go green)
[94190](https://github.com/flutter/flutter/pull/94190) Avoid using watchOS SDK in CI tests (team, platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[94191](https://github.com/flutter/flutter/pull/94191) Roll Engine from fda916690b43 to e99aba6a3807 (3 revisions) (cla: yes, waiting for tree to go green)
[94196](https://github.com/flutter/flutter/pull/94196) Roll Engine from e99aba6a3807 to a01a5decdb1f (4 revisions) (cla: yes, waiting for tree to go green)
[94220](https://github.com/flutter/flutter/pull/94220) [conductor] channel constants refactor (team, cla: yes, waiting for tree to go green)
[94257](https://github.com/flutter/flutter/pull/94257) Roll Engine from a01a5decdb1f to ff847e4e05a5 (14 revisions) (cla: yes, waiting for tree to go green)
[94258](https://github.com/flutter/flutter/pull/94258) Roll Engine from ff847e4e05a5 to b12306aef47a (1 revision) (cla: yes, waiting for tree to go green)
[94276](https://github.com/flutter/flutter/pull/94276) Roll Engine from b12306aef47a to 4c42af367683 (2 revisions) (cla: yes, waiting for tree to go green)
[94278](https://github.com/flutter/flutter/pull/94278) Roll Engine from 4c42af367683 to 8f9a85509f69 (1 revision) (cla: yes, waiting for tree to go green)
[94280](https://github.com/flutter/flutter/pull/94280) Ensure the engineLayer is disposed when an OpacityLayer is disabled (framework, cla: yes, waiting for tree to go green, will affect goldens)
[94296](https://github.com/flutter/flutter/pull/94296) Roll Engine from 8f9a85509f69 to 70e9a90b5ae7 (1 revision) (cla: yes, waiting for tree to go green)
[94298](https://github.com/flutter/flutter/pull/94298) Roll Engine from 70e9a90b5ae7 to ec8ffb8cbe03 (1 revision) (cla: yes, waiting for tree to go green)
[94302](https://github.com/flutter/flutter/pull/94302) Roll Engine from ec8ffb8cbe03 to dfad9b7f33b1 (1 revision) (cla: yes, waiting for tree to go green)
[94308](https://github.com/flutter/flutter/pull/94308) Roll Engine from dfad9b7f33b1 to 4536092a7f56 (2 revisions) (cla: yes, waiting for tree to go green)
[94310](https://github.com/flutter/flutter/pull/94310) Fix a stream lifecycle bug in CustomDeviceLogReader (tool, cla: yes, waiting for tree to go green)
[94312](https://github.com/flutter/flutter/pull/94312) Roll Plugins from a44ca2f238b1 to a9f34a1d528c (2 revisions) (cla: yes, waiting for tree to go green)
[94313](https://github.com/flutter/flutter/pull/94313) Roll Plugins from a9f34a1d528c to 1e2ffdb006e6 (1 revision) (cla: yes, waiting for tree to go green)
[94314](https://github.com/flutter/flutter/pull/94314) Roll Engine from 4536092a7f56 to 7ba215c2c6a0 (1 revision) (cla: yes, waiting for tree to go green)
[94335](https://github.com/flutter/flutter/pull/94335) Don't treat stderr output as failures during DAP test teardown (tool, cla: yes, waiting for tree to go green)
[94339](https://github.com/flutter/flutter/pull/94339) Change the TabController should make both TabBar and TabBarView return to the initial index (framework, f: material design, cla: yes, waiting for tree to go green)
[94342](https://github.com/flutter/flutter/pull/94342) Fix typo / line wrapping in `team.dart` (framework, cla: yes, f: gestures, waiting for tree to go green)
[94357](https://github.com/flutter/flutter/pull/94357) Serve assets with correct content-type header value (tool, cla: yes, waiting for tree to go green)
[94365](https://github.com/flutter/flutter/pull/94365) Add failing test to close the tree for #94356 (tool, cla: yes)
[94374](https://github.com/flutter/flutter/pull/94374) Update plugin lint test for federated url_launcher plugin (a: tests, team, cla: yes)
[94375](https://github.com/flutter/flutter/pull/94375) Roll Plugins from 1e2ffdb006e6 to 6bc9a2bd62e5 (5 revisions) (cla: yes)
[94377](https://github.com/flutter/flutter/pull/94377) Added material_color_utilities as a dependency for flutter package. (team, cla: yes, waiting for tree to go green)
[94380](https://github.com/flutter/flutter/pull/94380) [ci.yaml] Update ios_32 host to monterey (cla: yes, waiting for tree to go green)
[94385](https://github.com/flutter/flutter/pull/94385) Detect additional ARM ffi CocoaPods error (platform-ios, tool, cla: yes, waiting for tree to go green)
[94386](https://github.com/flutter/flutter/pull/94386) Revert "Fix scroll offset when caret larger than viewport" (a: text input, framework, cla: yes)
[94390](https://github.com/flutter/flutter/pull/94390) Add post-submit failing test to close the tree for #94356 (team, tool, cla: yes)
[94391](https://github.com/flutter/flutter/pull/94391) Add ability to wrap text messages in a box (tool, cla: yes, waiting for tree to go green)
[94424](https://github.com/flutter/flutter/pull/94424) Update outdated macros (a: text input, framework, a: animation, f: material design, cla: yes, waiting for tree to go green)
[94432](https://github.com/flutter/flutter/pull/94432) [macOS] RawKeyboardDataMacos properly handles multi-char characters (framework, cla: yes)
[94435](https://github.com/flutter/flutter/pull/94435) Roll Engine from 7ba215c2c6a0 to f37334353f48 (25 revisions) (cla: yes, waiting for tree to go green)
[94436](https://github.com/flutter/flutter/pull/94436) Reopen the tree by fixing flavors_test (team, cla: yes)
[94442](https://github.com/flutter/flutter/pull/94442) Roll Engine from f37334353f48 to c2fcadef89ad (6 revisions) (cla: yes, waiting for tree to go green)
[94447](https://github.com/flutter/flutter/pull/94447) Opacity Peephole optimization benchmarks (a: text input, team, cla: yes, waiting for tree to go green)
[94454](https://github.com/flutter/flutter/pull/94454) [Windows, Keyboard] Fix logical key for PrintScreen (team, framework, cla: yes, waiting for tree to go green)
[94473](https://github.com/flutter/flutter/pull/94473) Roll Plugins from 6bc9a2bd62e5 to 71496dcdf09d (5 revisions) (cla: yes, waiting for tree to go green)
[94475](https://github.com/flutter/flutter/pull/94475) Add support for executing custom tools in place of Flutter for DAP (tool, cla: yes, waiting for tree to go green)
[94482](https://github.com/flutter/flutter/pull/94482) Revert "Add `splashRadius` property to `IconTheme` (#93478)" (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[94489](https://github.com/flutter/flutter/pull/94489) MinimumTextContrastGuideline should exclude disabled component (a: tests, framework, a: accessibility, cla: yes, waiting for tree to go green)
[94490](https://github.com/flutter/flutter/pull/94490) [flutter_releases] Flutter beta 2.8.0-3.3.pre Framework Cherrypicks (team, tool, engine, cla: yes)
[94493](https://github.com/flutter/flutter/pull/94493) SelectableText keep alive only when it has selection (a: text input, framework, f: material design, cla: yes)
[94496](https://github.com/flutter/flutter/pull/94496) Use `EnumName.name` where possible. (a: text input, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, f: focus)
[94501](https://github.com/flutter/flutter/pull/94501) Revert "Marks Linux_android image_list_jit_reported_duration to be flaky" (cla: yes, waiting for tree to go green)
[94506](https://github.com/flutter/flutter/pull/94506) [flutter_conductor] catch and warn when pushing working branch to mirror (team, cla: yes, waiting for tree to go green)
[94519](https://github.com/flutter/flutter/pull/94519) Roll Engine from c2fcadef89ad to 62113c4f5c8c (13 revisions) (cla: yes)
[94525](https://github.com/flutter/flutter/pull/94525) Roll Engine from 62113c4f5c8c to 888f4c0fc632 (2 revisions) (cla: yes, waiting for tree to go green)
[94533](https://github.com/flutter/flutter/pull/94533) Roll Engine from 888f4c0fc632 to a7307ad4f636 (1 revision) (cla: yes, waiting for tree to go green)
[94550](https://github.com/flutter/flutter/pull/94550) Roll Plugins from 71496dcdf09d to 702fada379f3 (1 revision) (cla: yes, waiting for tree to go green)
[94555](https://github.com/flutter/flutter/pull/94555) Mark Mac_android run_release_test flaky (cla: yes)
[94559](https://github.com/flutter/flutter/pull/94559) Roll Engine from a7307ad4f636 to bf03e123ab44 (1 revision) (cla: yes, waiting for tree to go green)
[94560](https://github.com/flutter/flutter/pull/94560) Roll Plugins from 702fada379f3 to 936257f69eb2 (1 revision) (cla: yes, waiting for tree to go green)
[94564](https://github.com/flutter/flutter/pull/94564) Revert "Fixes zero route transition duration crash (#90461)" (framework, cla: yes, f: routes)
[94565](https://github.com/flutter/flutter/pull/94565) Roll Engine from bf03e123ab44 to 4ad99b04ccf4 (1 revision) (cla: yes, waiting for tree to go green)
[94568](https://github.com/flutter/flutter/pull/94568) Improve the error message when calling `Image.file` on web (framework, cla: yes, a: quality, waiting for tree to go green, a: error message)
[94569](https://github.com/flutter/flutter/pull/94569) Roll Engine from 4ad99b04ccf4 to 128fd65b005a (1 revision) (cla: yes, waiting for tree to go green)
[94572](https://github.com/flutter/flutter/pull/94572) Roll Plugins from 936257f69eb2 to 509d3e25cc2d (1 revision) (cla: yes, waiting for tree to go green)
[94573](https://github.com/flutter/flutter/pull/94573) Roll Engine from 128fd65b005a to 1a76ac24c509 (2 revisions) (cla: yes, waiting for tree to go green)
[94575](https://github.com/flutter/flutter/pull/94575) Reland "Fixes zero route transition duration crash" (framework, cla: yes, f: routes)
[94583](https://github.com/flutter/flutter/pull/94583) Update CODE_OF_CONDUCT.md (cla: yes, waiting for tree to go green)
[94584](https://github.com/flutter/flutter/pull/94584) [FlutterDriver] minor nullability fixes (a: tests, framework, cla: yes)
[94590](https://github.com/flutter/flutter/pull/94590) Roll Plugins from 509d3e25cc2d to e5fc8b516d73 (1 revision) (cla: yes, waiting for tree to go green)
[94597](https://github.com/flutter/flutter/pull/94597) [flutter_tools] Fix incorrect todo (tool, cla: yes, waiting for tree to go green)
[94603](https://github.com/flutter/flutter/pull/94603) Roll packages to pick up new platform package (team, cla: yes)
[94611](https://github.com/flutter/flutter/pull/94611) Revert "Roll Engine from 128fd65b005a to 1a76ac24c509 (2 revisions)" (engine, cla: yes)
[94613](https://github.com/flutter/flutter/pull/94613) fix small typo in doc of SingleChildScrollView (framework, f: scrolling, cla: yes, waiting for tree to go green)
[94614](https://github.com/flutter/flutter/pull/94614) Roll Engine from 128fd65b005a to 9f31d4f90bde (22 revisions) (cla: yes, waiting for tree to go green)
[94620](https://github.com/flutter/flutter/pull/94620) Revert "Mixin for slotted RenderObjectWidgets and RenderBox" (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation)
[94624](https://github.com/flutter/flutter/pull/94624) Make chip test not depend on child order (framework, f: material design, cla: yes, waiting for tree to go green)
[94628](https://github.com/flutter/flutter/pull/94628) Roll Plugins from e5fc8b516d73 to 178e3652ff52 (1 revision) (cla: yes, waiting for tree to go green)
[94629](https://github.com/flutter/flutter/pull/94629) Replace dynamic with Object? in SystemChannels (framework, cla: yes, waiting for tree to go green)
[94632](https://github.com/flutter/flutter/pull/94632) Reland "Mixin for slotted RenderObjectWidgets and RenderBox (#94077)" (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[94634](https://github.com/flutter/flutter/pull/94634) Update dwds and other packages (team, tool, cla: yes, waiting for tree to go green)
[94636](https://github.com/flutter/flutter/pull/94636) Add reason logging to v1 embedding warning message (tool, cla: yes)
[94639](https://github.com/flutter/flutter/pull/94639) Roll Engine from 9f31d4f90bde to 2ba2cce55f61 (6 revisions) (cla: yes, waiting for tree to go green)
[94668](https://github.com/flutter/flutter/pull/94668) Roll Plugins from 178e3652ff52 to c32b27bcb382 (1 revision) (cla: yes, waiting for tree to go green)
[94678](https://github.com/flutter/flutter/pull/94678) Roll Plugins from c32b27bcb382 to 40572a707656 (1 revision) (cla: yes, waiting for tree to go green)
[94683](https://github.com/flutter/flutter/pull/94683) Roll Engine from 2ba2cce55f61 to 2033de48948d (11 revisions) (cla: yes, waiting for tree to go green)
[94685](https://github.com/flutter/flutter/pull/94685) Roll Engine from 2033de48948d to e105c73dd123 (1 revision) (cla: yes, waiting for tree to go green)
[94686](https://github.com/flutter/flutter/pull/94686) Roll Engine from e105c73dd123 to df8c30b9066f (1 revision) (cla: yes, waiting for tree to go green)
[94690](https://github.com/flutter/flutter/pull/94690) Roll Engine from df8c30b9066f to ba38209e2104 (1 revision) (cla: yes, waiting for tree to go green)
[94696](https://github.com/flutter/flutter/pull/94696) Roll Engine from ba38209e2104 to 68d320d44973 (1 revision) (cla: yes, waiting for tree to go green)
[94727](https://github.com/flutter/flutter/pull/94727) Marks Linux_android image_list_reported_duration to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94731](https://github.com/flutter/flutter/pull/94731) Marks Mac_android android_semantics_integration_test to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94733](https://github.com/flutter/flutter/pull/94733) Marks Mac module_test_ios to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94739](https://github.com/flutter/flutter/pull/94739) [web] Stop using web experiments in benchmarks (a: text input, team, cla: yes, platform-web, waiting for tree to go green, team: benchmark)
[94743](https://github.com/flutter/flutter/pull/94743) Revert "Ensure the engineLayer is disposed when an OpacityLayer is disabled" (framework, cla: yes)
[94746](https://github.com/flutter/flutter/pull/94746) Roll Plugins from 40572a707656 to afc0ad215416 (1 revision) (cla: yes, waiting for tree to go green)
[94747](https://github.com/flutter/flutter/pull/94747) Xcode error message (tool, cla: yes, waiting for tree to go green)
[94749](https://github.com/flutter/flutter/pull/94749) Roll Engine from 68d320d44973 to 66a281107bcf (4 revisions) (cla: yes, waiting for tree to go green)
#### framework - 144 pull request(s)
[72919](https://github.com/flutter/flutter/pull/72919) Add CupertinoTabBar.height (severe: new feature, framework, cla: yes, f: cupertino, waiting for tree to go green)
[83860](https://github.com/flutter/flutter/pull/83860) Added `onDismiss` callback to ModalBarrier. (framework, f: material design, cla: yes, waiting for tree to go green)
[87643](https://github.com/flutter/flutter/pull/87643) Updated IconButton.iconSize to get value from theme (framework, f: material design, cla: yes, waiting for tree to go green)
[88508](https://github.com/flutter/flutter/pull/88508) Do not crash when dragging ReorderableListView with two fingers simultaneously (framework, f: material design, cla: yes, waiting for tree to go green)
[88800](https://github.com/flutter/flutter/pull/88800) Improve ProgressIndicator value range docs (framework, f: material design, cla: yes)
[89226](https://github.com/flutter/flutter/pull/89226) [WillPopScope] handle new route if moved from one navigator to another (framework, f: material design, cla: yes)
[90157](https://github.com/flutter/flutter/pull/90157) Allow users to center align the floating label (framework, f: material design, cla: yes, will affect goldens)
[90178](https://github.com/flutter/flutter/pull/90178) update the scrollbar that support always show the track even not on hover (framework, f: material design, cla: yes, waiting for tree to go green)
[90461](https://github.com/flutter/flutter/pull/90461) Fixes zero route transition duration crash (framework, cla: yes, waiting for tree to go green)
[90608](https://github.com/flutter/flutter/pull/90608) RangeMaintainingScrollPhysics remove overscroll maintaining when grow (framework, f: scrolling, cla: yes, waiting for tree to go green)
[90684](https://github.com/flutter/flutter/pull/90684) Move text editing `Action`s to `EditableTextState` (team, framework, f: material design, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[90840](https://github.com/flutter/flutter/pull/90840) Windows home/end shortcuts (a: text input, framework, cla: yes)
[90932](https://github.com/flutter/flutter/pull/90932) Expose enableDrag property for showBottomSheet (framework, f: material design, cla: yes, waiting for tree to go green, will affect goldens)
[91532](https://github.com/flutter/flutter/pull/91532) Allow to click through scrollbar when gestures are disabled (framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green)
[91698](https://github.com/flutter/flutter/pull/91698) Fix text cursor or input can be outside of the text field (a: text input, framework, cla: yes, waiting for tree to go green, will affect goldens)
[91837](https://github.com/flutter/flutter/pull/91837) [ReorderableListView] Update doc with example to make it clear `proxyDecorator` can overriden to customise an item when it is being dragged. (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation)
[91987](https://github.com/flutter/flutter/pull/91987) Add `animationDuration` property to TabController (framework, f: material design, cla: yes, waiting for tree to go green)
[92160](https://github.com/flutter/flutter/pull/92160) Add `expandedScale` to `FlexibleSpaceBar` (framework, f: material design, cla: yes, waiting for tree to go green)
[92172](https://github.com/flutter/flutter/pull/92172) [CupertinoActivityIndicator] Add `color` parameter (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[92197](https://github.com/flutter/flutter/pull/92197) Reland Remove BottomNavigationBarItem.title deprecation (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[92217](https://github.com/flutter/flutter/pull/92217) Fix reassemble in LiveTestWidgetsFlutterBinding (a: tests, framework, cla: yes)
[92297](https://github.com/flutter/flutter/pull/92297) Added widgets/AppModel (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[92343](https://github.com/flutter/flutter/pull/92343) Add scaleX and scaleY Parameters in Transform.Scale. (framework, cla: yes, waiting for tree to go green)
[92374](https://github.com/flutter/flutter/pull/92374) Removed no-shuffle tag and fixed leak in flutter_goldens_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green)
[92440](https://github.com/flutter/flutter/pull/92440) Allow Programmatic Control of Draggable Sheet (framework, f: scrolling, cla: yes, waiting for tree to go green)
[92480](https://github.com/flutter/flutter/pull/92480) [Cupertino] fix dark mode for `ContextMenuAction` (a: text input, framework, cla: yes, f: cupertino, waiting for tree to go green)
[92481](https://github.com/flutter/flutter/pull/92481) [Cupertino] Exclude border for last action item in `CupertinoContextMenu` (a: text input, framework, cla: yes, f: cupertino)
[92615](https://github.com/flutter/flutter/pull/92615) Fixes issue where navigating to new route breaks FocusNode of previou… (framework, cla: yes, waiting for tree to go green, f: focus)
[92630](https://github.com/flutter/flutter/pull/92630) Migrate to `process` 4.2.4 (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[92657](https://github.com/flutter/flutter/pull/92657) Fix a scrollbar crash bug (framework, f: scrolling, cla: yes, waiting for tree to go green)
[92745](https://github.com/flutter/flutter/pull/92745) Fix typo that is introduced in hotfix 2.5.x (a: text input, framework, f: material design, cla: yes)
[92758](https://github.com/flutter/flutter/pull/92758) Improve error message for uninitialized channel (framework, cla: yes, waiting for tree to go green)
[92822](https://github.com/flutter/flutter/pull/92822) Reland "Refactor ThemeData (#91497)" (part 1) (framework, f: material design, cla: yes)
[92906](https://github.com/flutter/flutter/pull/92906) Add display features to MediaQuery (a: tests, severe: new feature, framework, cla: yes, waiting for tree to go green, a: layout)
[92929](https://github.com/flutter/flutter/pull/92929) Fix a few prefer_const_declarations and avoid_redundant_argument_values. (a: text input, framework, f: material design, a: internationalization, cla: yes, f: cupertino)
[92930](https://github.com/flutter/flutter/pull/92930) [Material 3] Add optional indicator to Navigation Rail. (framework, f: material design, cla: yes, waiting for tree to go green)
[92940](https://github.com/flutter/flutter/pull/92940) TextField border gap padding improvement (framework, f: material design, cla: yes, waiting for tree to go green, will affect goldens)
[92945](https://github.com/flutter/flutter/pull/92945) [TextInput] send `setEditingState` before `show` to the text input plugin when switching input clients (a: text input, framework, cla: yes, waiting for tree to go green)
[92970](https://github.com/flutter/flutter/pull/92970) Reland "Refactor ThemeData (#91497)" (part 2) (framework, f: material design, cla: yes, waiting for tree to go green)
[93034](https://github.com/flutter/flutter/pull/93034) Replace text directionality control characters with escape sequences in the semantics_tester (framework, a: accessibility, cla: yes, waiting for tree to go green)
[93059](https://github.com/flutter/flutter/pull/93059) Add golden tests for default and overriden `expandedTitleScale` in `FlexibleSpaceBar` (framework, f: material design, cla: yes, waiting for tree to go green)
[93076](https://github.com/flutter/flutter/pull/93076) Use `FlutterError.reportError` instead of `debugPrint` for l10n warning (framework, cla: yes, waiting for tree to go green)
[93086](https://github.com/flutter/flutter/pull/93086) Improve tracing (team, framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green, integration_test)
[93087](https://github.com/flutter/flutter/pull/93087) In CupertinoIcons doc adopt diagram and fix broken glyph map link (framework, cla: yes, f: cupertino, d: api docs, waiting for tree to go green, documentation)
[93128](https://github.com/flutter/flutter/pull/93128) Remove comment on caching line metrics (a: text input, framework, cla: yes, waiting for tree to go green)
[93129](https://github.com/flutter/flutter/pull/93129) Use baseline value to get position in next line (a: text input, framework, cla: yes, waiting for tree to go green)
[93161](https://github.com/flutter/flutter/pull/93161) Revert "Added widgets/AppModel" (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[93166](https://github.com/flutter/flutter/pull/93166) Do not rebuild when TickerMode changes (a: text input, framework, cla: yes, waiting for tree to go green)
[93170](https://github.com/flutter/flutter/pull/93170) Desktop edge scrolling (a: text input, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[93175](https://github.com/flutter/flutter/pull/93175) Added SharedAppData to the widgets library (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation, will affect goldens)
[93248](https://github.com/flutter/flutter/pull/93248) Fix scroll offset when caret larger than viewport (a: text input, framework, cla: yes)
[93259](https://github.com/flutter/flutter/pull/93259) Support for MaterialTapTargetSize within ToggleButtons (framework, f: material design, cla: yes, waiting for tree to go green)
[93267](https://github.com/flutter/flutter/pull/93267) Force the color used by WidgetApp's Title to be fully opaque. (framework, cla: yes, waiting for tree to go green)
[93271](https://github.com/flutter/flutter/pull/93271) Add Border customization to CheckboxListTile (reprise) (framework, f: material design, cla: yes)
[93396](https://github.com/flutter/flutter/pull/93396) Deprecate `primaryColorBrightness` (a: text input, team, framework, f: material design, cla: yes, waiting for tree to go green, tech-debt)
[93427](https://github.com/flutter/flutter/pull/93427) Added Material 3 colors to ColorScheme. (team, framework, f: material design, cla: yes, integration_test, tech-debt)
[93434](https://github.com/flutter/flutter/pull/93434) Added useMaterial3 flag to ThemeData. (framework, f: material design, cla: yes, waiting for tree to go green)
[93448](https://github.com/flutter/flutter/pull/93448) [flutter_releases] Flutter beta 2.8.0-3.1.pre Framework Cherrypicks (team, framework, engine, f: material design, cla: yes, d: api docs, d: examples, documentation)
[93452](https://github.com/flutter/flutter/pull/93452) ChipThemeData is now conventional (framework, f: material design, cla: yes, waiting for tree to go green)
[93463](https://github.com/flutter/flutter/pull/93463) API to generate a ColorScheme from a single seed color. (team, framework, f: material design, cla: yes, waiting for tree to go green, integration_test)
[93478](https://github.com/flutter/flutter/pull/93478) Add `splashRadius` property to `IconTheme` (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[93480](https://github.com/flutter/flutter/pull/93480) Add InputDecorator label color on error examples (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[93483](https://github.com/flutter/flutter/pull/93483) Fix typo in Shortcuts doc comment (framework, cla: yes, d: api docs, documentation)
[93499](https://github.com/flutter/flutter/pull/93499) Use navigator instead of overlay as TickerProvider for ModalBottomSheet (framework, f: material design, cla: yes, waiting for tree to go green)
[93507](https://github.com/flutter/flutter/pull/93507) Remove shade50 getter from MaterialAccentColor (framework, f: material design, cla: yes, waiting for tree to go green)
[93509](https://github.com/flutter/flutter/pull/93509) Add `CupertinoDatePicker` Interactive Example (team, framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[93516](https://github.com/flutter/flutter/pull/93516) Close tree if unapproved golden images get in (a: tests, team, framework, cla: yes, waiting for tree to go green, a: error message, team: infra)
[93536](https://github.com/flutter/flutter/pull/93536) Fix typo in AnimatedWidgetBaseState (framework, a: animation, cla: yes, waiting for tree to go green)
[93578](https://github.com/flutter/flutter/pull/93578) Handle empty text with no line metrics in RenderEditable._lineNumberFor (framework, cla: yes, waiting for tree to go green)
[93592](https://github.com/flutter/flutter/pull/93592) Requiring data preserves the stackTrace (framework, cla: yes, waiting for tree to go green)
[93600](https://github.com/flutter/flutter/pull/93600) fix: inline templatized see also (framework, f: material design, cla: yes, d: api docs, waiting for tree to go green, documentation)
[93604](https://github.com/flutter/flutter/pull/93604) Fixed leak and removed no-shuffle tag in window_test.dart (a: tests, framework, cla: yes, waiting for tree to go green)
[93625](https://github.com/flutter/flutter/pull/93625) Add `CupertinoButton` interactive example (team, framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[93692](https://github.com/flutter/flutter/pull/93692) [Web] Detect when running under Dart HHH Web and skip tests under investigation (team, framework, cla: yes, waiting for tree to go green)
[93693](https://github.com/flutter/flutter/pull/93693) Fix CallbackShortcuts to only call shortcuts when triggered (framework, cla: yes, waiting for tree to go green)
[93716](https://github.com/flutter/flutter/pull/93716) Request focus in `onTap` callback from `DropdownButton` (framework, f: material design, cla: yes, waiting for tree to go green)
[93722](https://github.com/flutter/flutter/pull/93722) Skip negative web image test (a: text input, framework, cla: yes)
[93725](https://github.com/flutter/flutter/pull/93725) [Material 3] Update TextTheme to have M3 names for styles (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[93740](https://github.com/flutter/flutter/pull/93740) Skip web golden test that is not supported (a: tests, a: text input, team, framework, f: material design, cla: yes, tech-debt)
[93749](https://github.com/flutter/flutter/pull/93749) Fix analysis error in icon button test (framework, f: material design, cla: yes)
[93797](https://github.com/flutter/flutter/pull/93797) Revert "ChipThemeData is now conventional" (framework, f: material design, cla: yes, waiting for tree to go green)
[93799](https://github.com/flutter/flutter/pull/93799) Add Ink.image clip examples (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[93835](https://github.com/flutter/flutter/pull/93835) Shift tap gesture (a: text input, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, will affect goldens)
[93863](https://github.com/flutter/flutter/pull/93863) Improve `update_icons.dart` script (team, framework, f: material design, cla: yes)
[93869](https://github.com/flutter/flutter/pull/93869) Skip links in MinimumTapTargetGuideline. (a: tests, framework, a: accessibility, cla: yes, waiting for tree to go green)
[93875](https://github.com/flutter/flutter/pull/93875) [CupertinoTextField] Add missing focus listener (a: text input, framework, cla: yes, f: cupertino, waiting for tree to go green, will affect goldens)
[93894](https://github.com/flutter/flutter/pull/93894) Update the MaterialStateProperty "see also" lists (framework, f: material design, cla: yes, waiting for tree to go green)
[93897](https://github.com/flutter/flutter/pull/93897) RawKeyboard synthesizes key pressing state for modifier (framework, cla: yes, waiting for tree to go green)
[93922](https://github.com/flutter/flutter/pull/93922) Fix bottom sheet assertion on switching with multiple controllers (framework, f: material design, cla: yes, waiting for tree to go green)
[93925](https://github.com/flutter/flutter/pull/93925) Revert "TextField border gap padding improvement" (framework, f: material design, cla: yes)
[93933](https://github.com/flutter/flutter/pull/93933) [unrevert] TextField border gap padding improvement (framework, f: material design, cla: yes, waiting for tree to go green, will affect goldens)
[94077](https://github.com/flutter/flutter/pull/94077) Mixin for slotted RenderObjectWidgets and RenderBox (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[94167](https://github.com/flutter/flutter/pull/94167) ✏️ Correct test description for a non-draggable item (framework, cla: yes, waiting for tree to go green)
[94179](https://github.com/flutter/flutter/pull/94179) Reland "ChipThemeData is now conventional" (framework, f: material design, cla: yes)
[94280](https://github.com/flutter/flutter/pull/94280) Ensure the engineLayer is disposed when an OpacityLayer is disabled (framework, cla: yes, waiting for tree to go green, will affect goldens)
[94339](https://github.com/flutter/flutter/pull/94339) Change the TabController should make both TabBar and TabBarView return to the initial index (framework, f: material design, cla: yes, waiting for tree to go green)
[94342](https://github.com/flutter/flutter/pull/94342) Fix typo / line wrapping in `team.dart` (framework, cla: yes, f: gestures, waiting for tree to go green)
[94386](https://github.com/flutter/flutter/pull/94386) Revert "Fix scroll offset when caret larger than viewport" (a: text input, framework, cla: yes)
[94424](https://github.com/flutter/flutter/pull/94424) Update outdated macros (a: text input, framework, a: animation, f: material design, cla: yes, waiting for tree to go green)
[94432](https://github.com/flutter/flutter/pull/94432) [macOS] RawKeyboardDataMacos properly handles multi-char characters (framework, cla: yes)
[94454](https://github.com/flutter/flutter/pull/94454) [Windows, Keyboard] Fix logical key for PrintScreen (team, framework, cla: yes, waiting for tree to go green)
[94482](https://github.com/flutter/flutter/pull/94482) Revert "Add `splashRadius` property to `IconTheme` (#93478)" (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[94489](https://github.com/flutter/flutter/pull/94489) MinimumTextContrastGuideline should exclude disabled component (a: tests, framework, a: accessibility, cla: yes, waiting for tree to go green)
[94493](https://github.com/flutter/flutter/pull/94493) SelectableText keep alive only when it has selection (a: text input, framework, f: material design, cla: yes)
[94496](https://github.com/flutter/flutter/pull/94496) Use `EnumName.name` where possible. (a: text input, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, f: focus)
[94564](https://github.com/flutter/flutter/pull/94564) Revert "Fixes zero route transition duration crash (#90461)" (framework, cla: yes, f: routes)
[94568](https://github.com/flutter/flutter/pull/94568) Improve the error message when calling `Image.file` on web (framework, cla: yes, a: quality, waiting for tree to go green, a: error message)
[94575](https://github.com/flutter/flutter/pull/94575) Reland "Fixes zero route transition duration crash" (framework, cla: yes, f: routes)
[94584](https://github.com/flutter/flutter/pull/94584) [FlutterDriver] minor nullability fixes (a: tests, framework, cla: yes)
[94613](https://github.com/flutter/flutter/pull/94613) fix small typo in doc of SingleChildScrollView (framework, f: scrolling, cla: yes, waiting for tree to go green)
[94620](https://github.com/flutter/flutter/pull/94620) Revert "Mixin for slotted RenderObjectWidgets and RenderBox" (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation)
[94624](https://github.com/flutter/flutter/pull/94624) Make chip test not depend on child order (framework, f: material design, cla: yes, waiting for tree to go green)
[94629](https://github.com/flutter/flutter/pull/94629) Replace dynamic with Object? in SystemChannels (framework, cla: yes, waiting for tree to go green)
[94632](https://github.com/flutter/flutter/pull/94632) Reland "Mixin for slotted RenderObjectWidgets and RenderBox (#94077)" (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[94743](https://github.com/flutter/flutter/pull/94743) Revert "Ensure the engineLayer is disposed when an OpacityLayer is disabled" (framework, cla: yes)
[94760](https://github.com/flutter/flutter/pull/94760) Add null return statements to nullable functions with implicit returns (a: text input, framework, f: material design, waiting for tree to go green)
[94772](https://github.com/flutter/flutter/pull/94772) Prefer .of to .from (framework, a: animation, f: material design, a: accessibility, f: scrolling, f: cupertino, f: routes, f: gestures, f: focus)
[94805](https://github.com/flutter/flutter/pull/94805) Improves a test in `calendar_date_picker_test.dart` (framework, f: material design, waiting for tree to go green)
[94811](https://github.com/flutter/flutter/pull/94811) Remove `ClipRect` from Snackbar (framework, f: material design, waiting for tree to go green, will affect goldens)
[94818](https://github.com/flutter/flutter/pull/94818) Corrected a ChipTheme labelStyle corner case (framework, f: material design, waiting for tree to go green)
[94827](https://github.com/flutter/flutter/pull/94827) [RawKeyboard, Web, macOS] Upper keys should generate lower logical keys (a: tests, framework, waiting for tree to go green)
[94834](https://github.com/flutter/flutter/pull/94834) Add explicit null returns in flutter/test (a: text input, framework, f: material design, f: scrolling, f: cupertino, f: routes, waiting for tree to go green)
[94898](https://github.com/flutter/flutter/pull/94898) Windows: Focus text field on gaining a11y focus (a: text input, framework, f: material design, f: cupertino, waiting for tree to go green)
[94902](https://github.com/flutter/flutter/pull/94902) Remove chunk event subscription when disposing a MultiFrameImageStreamCompleter (framework)
[94911](https://github.com/flutter/flutter/pull/94911) [framework] dont allocate forgotten children set in profile/release mode (team, framework, waiting for tree to go green)
[94966](https://github.com/flutter/flutter/pull/94966) Delete and Backspace shortcuts accept optional Shift modifier (a: text input, framework, waiting for tree to go green)
[95003](https://github.com/flutter/flutter/pull/95003) [flutter_test] Fix incorrect missed budget count (a: tests, framework, waiting for tree to go green)
[95007](https://github.com/flutter/flutter/pull/95007) [Fonts] Update icons (framework, f: material design)
[95044](https://github.com/flutter/flutter/pull/95044) Fix some issues with samples (team, framework, f: material design, f: scrolling, d: api docs, d: examples, waiting for tree to go green, documentation)
[95050](https://github.com/flutter/flutter/pull/95050) Ban sync*/async* from user facing code (team, tool, framework, a: animation, f: material design, f: scrolling, f: cupertino, d: api docs, d: examples, f: routes, f: gestures, documentation, f: focus)
[95055](https://github.com/flutter/flutter/pull/95055) Initialize the Skia client more efficiently (a: tests, team, framework, team: flakes, waiting for tree to go green, team: presubmit flakes, tech-debt, infra auto flake)
[95130](https://github.com/flutter/flutter/pull/95130) Rewrite license code to avoid async* (framework)
[95146](https://github.com/flutter/flutter/pull/95146) Document Update: Outlined_button.dart (framework, f: material design, d: api docs, waiting for tree to go green, documentation)
[95175](https://github.com/flutter/flutter/pull/95175) Update color scheme seed generation to use color utils package (team, framework, f: material design)
[95286](https://github.com/flutter/flutter/pull/95286) Improve sync*/async* opt outs (team, framework, d: api docs, d: examples, documentation)
[95288](https://github.com/flutter/flutter/pull/95288) Fix Typo (framework, waiting for tree to go green)
[95295](https://github.com/flutter/flutter/pull/95295) Windows: Focus slider on gaining a11y focus (framework, f: material design, waiting for tree to go green)
[95303](https://github.com/flutter/flutter/pull/95303) Update configurations to match the current test beds. (team, tool, framework, engine, f: material design, a: accessibility, d: api docs, d: examples, documentation)
[95390](https://github.com/flutter/flutter/pull/95390) PaginatedDataTable fills more than the available size of its card, making it needlessly scroll horizontally 2 (framework, f: material design)
[95407](https://github.com/flutter/flutter/pull/95407) Updated Stateless and Stateful widget docstrings (framework, waiting for tree to go green)
[95432](https://github.com/flutter/flutter/pull/95432) Fix alignment of matrix for Transform+filterQuality when offset (framework, waiting for tree to go green)
[95598](https://github.com/flutter/flutter/pull/95598) Fix precision error in RenderSliverFixedExtentBoxAdaptor assertion (framework, f: scrolling, waiting for tree to go green)
[95690](https://github.com/flutter/flutter/pull/95690) Add missing return null to default_text_editing_shortcuts.dart (a: text input, framework)
[95692](https://github.com/flutter/flutter/pull/95692) Compute the total time spent on UI thread for GC (a: tests, framework)
#### team - 130 pull request(s)
[89511](https://github.com/flutter/flutter/pull/89511) Reland engine display features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[90684](https://github.com/flutter/flutter/pull/90684) Move text editing `Action`s to `EditableTextState` (team, framework, f: material design, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[90936](https://github.com/flutter/flutter/pull/90936) Remove font-weight overrides from dartdoc (team, cla: yes, waiting for tree to go green)
[91837](https://github.com/flutter/flutter/pull/91837) [ReorderableListView] Update doc with example to make it clear `proxyDecorator` can overriden to customise an item when it is being dragged. (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation)
[92031](https://github.com/flutter/flutter/pull/92031) Adds tool warning log level and command line options to fail on warning/error output (team, tool, cla: yes, waiting for tree to go green)
[92297](https://github.com/flutter/flutter/pull/92297) Added widgets/AppModel (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[92374](https://github.com/flutter/flutter/pull/92374) Removed no-shuffle tag and fixed leak in flutter_goldens_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green)
[92535](https://github.com/flutter/flutter/pull/92535) Reland: "Update outdated runners in the benchmarks folder (#91126)" (team, tool, cla: yes, waiting for tree to go green, integration_test)
[92593](https://github.com/flutter/flutter/pull/92593) Migrate test to moved FlutterPlayStoreSplitApplication (team, cla: yes, integration_test)
[92630](https://github.com/flutter/flutter/pull/92630) Migrate to `process` 4.2.4 (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[92733](https://github.com/flutter/flutter/pull/92733) Add the exported attribute to the Flutter Gallery manifest (team, cla: yes, waiting for tree to go green, integration_test)
[92901](https://github.com/flutter/flutter/pull/92901) Exit on deprecated v1 embedding when trying to run or build (team, tool, a: accessibility, cla: yes, waiting for tree to go green, integration_test)
[92924](https://github.com/flutter/flutter/pull/92924) Update packages (team, tool, cla: yes, waiting for tree to go green)
[92932](https://github.com/flutter/flutter/pull/92932) Update docs to point to assets-for-api-docs cupertino css file (team, cla: yes, f: cupertino, d: api docs, waiting for tree to go green, documentation)
[92938](https://github.com/flutter/flutter/pull/92938) Skip codesigning during native macOS integration tests (team, cla: yes, waiting for tree to go green, integration_test)
[92946](https://github.com/flutter/flutter/pull/92946) Add Help menu to macOS create template (team, tool, cla: yes, waiting for tree to go green, integration_test)
[92989](https://github.com/flutter/flutter/pull/92989) Stop sending metrics to builder name (team, cla: yes, waiting for tree to go green, team: benchmark)
[93013](https://github.com/flutter/flutter/pull/93013) Marks Linux web_canvaskit_tests_0 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93014](https://github.com/flutter/flutter/pull/93014) Marks Linux web_canvaskit_tests_1 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93015](https://github.com/flutter/flutter/pull/93015) Marks Linux web_canvaskit_tests_2 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93016](https://github.com/flutter/flutter/pull/93016) Marks Linux web_canvaskit_tests_3 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93017](https://github.com/flutter/flutter/pull/93017) Marks Linux web_canvaskit_tests_4 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93018](https://github.com/flutter/flutter/pull/93018) Marks Linux web_canvaskit_tests_5 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93019](https://github.com/flutter/flutter/pull/93019) Marks Linux web_canvaskit_tests_6 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93020](https://github.com/flutter/flutter/pull/93020) Marks Linux web_canvaskit_tests_7_last to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93021](https://github.com/flutter/flutter/pull/93021) Marks Linux_android flutter_gallery__image_cache_memory to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93022](https://github.com/flutter/flutter/pull/93022) Marks Linux_android flutter_gallery__start_up to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93080](https://github.com/flutter/flutter/pull/93080) Dynamic logcat piping for deferred components test (team, cla: yes, waiting for tree to go green, integration_test)
[93082](https://github.com/flutter/flutter/pull/93082) [flutter_conductor] ensure release branch point is always tagged (team, cla: yes, waiting for tree to go green)
[93086](https://github.com/flutter/flutter/pull/93086) Improve tracing (team, framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green, integration_test)
[93098](https://github.com/flutter/flutter/pull/93098) Revert "Reland engine display features" (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93117](https://github.com/flutter/flutter/pull/93117) Reland Reland engine display features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93161](https://github.com/flutter/flutter/pull/93161) Revert "Added widgets/AppModel" (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[93171](https://github.com/flutter/flutter/pull/93171) [flutter_conductor] Rewrite writeStateToFile to be in an overidable method. (team, cla: yes, waiting for tree to go green)
[93173](https://github.com/flutter/flutter/pull/93173) Bump Gallery version (team, cla: yes)
[93174](https://github.com/flutter/flutter/pull/93174) [web] add image decoder benchmark (team, cla: yes, waiting for tree to go green)
[93175](https://github.com/flutter/flutter/pull/93175) Added SharedAppData to the widgets library (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation, will affect goldens)
[93204](https://github.com/flutter/flutter/pull/93204) Revert "Reland Reland engine display features" (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93207](https://github.com/flutter/flutter/pull/93207) Revert "Bump Gallery version" (team, cla: yes)
[93240](https://github.com/flutter/flutter/pull/93240) Reland 3: Display Features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation, integration_test)
[93251](https://github.com/flutter/flutter/pull/93251) Marks Linux_android flutter_gallery__start_up_delayed to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93252](https://github.com/flutter/flutter/pull/93252) Marks Mac_android run_release_test to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93254](https://github.com/flutter/flutter/pull/93254) Marks Mac_ios integration_ui_ios_textfield to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93255](https://github.com/flutter/flutter/pull/93255) Marks Mac_android android_semantics_integration_test to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93264](https://github.com/flutter/flutter/pull/93264) [conductor] add cleanContext (team, cla: yes, will affect goldens)
[93268](https://github.com/flutter/flutter/pull/93268) [web] exclude bitrotten context_menu_action_test.dart from CanvasKit shard (team, cla: yes)
[93293](https://github.com/flutter/flutter/pull/93293) Use adb variable instead of direct command (team, cla: yes, waiting for tree to go green, integration_test)
[93307](https://github.com/flutter/flutter/pull/93307) Track timeout from app run start in deferred components integration test (team, cla: yes, waiting for tree to go green, integration_test)
[93323](https://github.com/flutter/flutter/pull/93323) Revert "Reland: "Update outdated runners in the benchmarks folder (#91126)"" (team, tool, cla: yes, integration_test)
[93350](https://github.com/flutter/flutter/pull/93350) Fatten up multiple_flutters memory footprint (team, cla: yes)
[93351](https://github.com/flutter/flutter/pull/93351) Replaced the reference to `primaryVariant` in code example. (team, f: material design, cla: yes, d: api docs, d: examples, documentation)
[93365](https://github.com/flutter/flutter/pull/93365) Revert "Exit on deprecated v1 embedding when trying to run or build" (team, tool, a: accessibility, cla: yes, integration_test)
[93386](https://github.com/flutter/flutter/pull/93386) Reland "Exit on deprecated v1 embedding when trying to run or build (#92901)" (team, tool, a: accessibility, cla: yes, waiting for tree to go green, integration_test)
[93396](https://github.com/flutter/flutter/pull/93396) Deprecate `primaryColorBrightness` (a: text input, team, framework, f: material design, cla: yes, waiting for tree to go green, tech-debt)
[93427](https://github.com/flutter/flutter/pull/93427) Added Material 3 colors to ColorScheme. (team, framework, f: material design, cla: yes, integration_test, tech-debt)
[93448](https://github.com/flutter/flutter/pull/93448) [flutter_releases] Flutter beta 2.8.0-3.1.pre Framework Cherrypicks (team, framework, engine, f: material design, cla: yes, d: api docs, d: examples, documentation)
[93463](https://github.com/flutter/flutter/pull/93463) API to generate a ColorScheme from a single seed color. (team, framework, f: material design, cla: yes, waiting for tree to go green, integration_test)
[93480](https://github.com/flutter/flutter/pull/93480) Add InputDecorator label color on error examples (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[93509](https://github.com/flutter/flutter/pull/93509) Add `CupertinoDatePicker` Interactive Example (team, framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[93514](https://github.com/flutter/flutter/pull/93514) [flutter_conductor] allow --force to override validations on start sub-command (team, cla: yes, waiting for tree to go green)
[93516](https://github.com/flutter/flutter/pull/93516) Close tree if unapproved golden images get in (a: tests, team, framework, cla: yes, waiting for tree to go green, a: error message, team: infra)
[93518](https://github.com/flutter/flutter/pull/93518) Revert "Reland "Exit on deprecated v1 embedding when trying to run or… (team, tool, a: accessibility, cla: yes, integration_test)
[93528](https://github.com/flutter/flutter/pull/93528) Add a test to verify that we only link to real issue templates (team, tool, cla: yes, waiting for tree to go green)
[93566](https://github.com/flutter/flutter/pull/93566) Reland "Exit on deprecated v1 embedding when trying to run or build" (#92901) (team, tool, a: accessibility, cla: yes, waiting for tree to go green, integration_test)
[93580](https://github.com/flutter/flutter/pull/93580) [flutter_conductor] implement requiredLocalBranches (team, cla: yes, waiting for tree to go green)
[93625](https://github.com/flutter/flutter/pull/93625) Add `CupertinoButton` interactive example (team, framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[93664](https://github.com/flutter/flutter/pull/93664) Marks Mac native_ui_tests_macos to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93684](https://github.com/flutter/flutter/pull/93684) [devicelab] Add hot reload tests to presubmit (team, cla: yes, waiting for tree to go green)
[93692](https://github.com/flutter/flutter/pull/93692) [Web] Detect when running under Dart HHH Web and skip tests under investigation (team, framework, cla: yes, waiting for tree to go green)
[93740](https://github.com/flutter/flutter/pull/93740) Skip web golden test that is not supported (a: tests, a: text input, team, framework, f: material design, cla: yes, tech-debt)
[93799](https://github.com/flutter/flutter/pull/93799) Add Ink.image clip examples (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[93805](https://github.com/flutter/flutter/pull/93805) Marks Linux_android image_list_jit_reported_duration to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93863](https://github.com/flutter/flutter/pull/93863) Improve `update_icons.dart` script (team, framework, f: material design, cla: yes)
[93876](https://github.com/flutter/flutter/pull/93876) Force the a11y focus on textfield in android semantics integration test (team, a: accessibility, cla: yes, waiting for tree to go green, integration_test)
[93877](https://github.com/flutter/flutter/pull/93877) [conductor] Add global constants and startContext checkoutpath getter (team, cla: yes, waiting for tree to go green)
[93896](https://github.com/flutter/flutter/pull/93896) [flutter_conductor] Conductor prompt refactor (a: text input, team, cla: yes, waiting for tree to go green)
[93985](https://github.com/flutter/flutter/pull/93985) Roll Gallery for compatibility with the latest Gradle dependencies (team, cla: yes)
[94029](https://github.com/flutter/flutter/pull/94029) Marks Linux deferred components to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94033](https://github.com/flutter/flutter/pull/94033) Marks Linux android views to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94035](https://github.com/flutter/flutter/pull/94035) Marks Linux_android image_list_reported_duration to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94067](https://github.com/flutter/flutter/pull/94067) make .prompt() async (a: text input, team, cla: yes, waiting for tree to go green)
[94077](https://github.com/flutter/flutter/pull/94077) Mixin for slotted RenderObjectWidgets and RenderBox (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[94084](https://github.com/flutter/flutter/pull/94084) Update Xcode toolsVersion encoded in generated Main.storyboard (team, platform-ios, tool, cla: yes, d: api docs, d: examples, waiting for tree to go green, t: xcode, documentation, integration_test)
[94124](https://github.com/flutter/flutter/pull/94124) dev: Drop domain verification file (team, cla: yes, waiting for tree to go green)
[94126](https://github.com/flutter/flutter/pull/94126) [conductor] RunContext to CleanContext (team, cla: yes, waiting for tree to go green)
[94164](https://github.com/flutter/flutter/pull/94164) Revert "Update Xcode toolsVersion encoded in generated Main.storyboard" (team, tool, cla: yes, d: api docs, d: examples, documentation, integration_test)
[94172](https://github.com/flutter/flutter/pull/94172) Roll packages, remove unnecessary overrides (team, tool, cla: yes, waiting for tree to go green)
[94188](https://github.com/flutter/flutter/pull/94188) [ci.yaml] Add release branch regex (team, cla: yes, waiting for tree to go green, team: infra)
[94190](https://github.com/flutter/flutter/pull/94190) Avoid using watchOS SDK in CI tests (team, platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[94220](https://github.com/flutter/flutter/pull/94220) [conductor] channel constants refactor (team, cla: yes, waiting for tree to go green)
[94374](https://github.com/flutter/flutter/pull/94374) Update plugin lint test for federated url_launcher plugin (a: tests, team, cla: yes)
[94377](https://github.com/flutter/flutter/pull/94377) Added material_color_utilities as a dependency for flutter package. (team, cla: yes, waiting for tree to go green)
[94390](https://github.com/flutter/flutter/pull/94390) Add post-submit failing test to close the tree for #94356 (team, tool, cla: yes)
[94436](https://github.com/flutter/flutter/pull/94436) Reopen the tree by fixing flavors_test (team, cla: yes)
[94447](https://github.com/flutter/flutter/pull/94447) Opacity Peephole optimization benchmarks (a: text input, team, cla: yes, waiting for tree to go green)
[94454](https://github.com/flutter/flutter/pull/94454) [Windows, Keyboard] Fix logical key for PrintScreen (team, framework, cla: yes, waiting for tree to go green)
[94490](https://github.com/flutter/flutter/pull/94490) [flutter_releases] Flutter beta 2.8.0-3.3.pre Framework Cherrypicks (team, tool, engine, cla: yes)
[94496](https://github.com/flutter/flutter/pull/94496) Use `EnumName.name` where possible. (a: text input, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, f: focus)
[94506](https://github.com/flutter/flutter/pull/94506) [flutter_conductor] catch and warn when pushing working branch to mirror (team, cla: yes, waiting for tree to go green)
[94603](https://github.com/flutter/flutter/pull/94603) Roll packages to pick up new platform package (team, cla: yes)
[94620](https://github.com/flutter/flutter/pull/94620) Revert "Mixin for slotted RenderObjectWidgets and RenderBox" (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation)
[94632](https://github.com/flutter/flutter/pull/94632) Reland "Mixin for slotted RenderObjectWidgets and RenderBox (#94077)" (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[94634](https://github.com/flutter/flutter/pull/94634) Update dwds and other packages (team, tool, cla: yes, waiting for tree to go green)
[94727](https://github.com/flutter/flutter/pull/94727) Marks Linux_android image_list_reported_duration to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94731](https://github.com/flutter/flutter/pull/94731) Marks Mac_android android_semantics_integration_test to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94733](https://github.com/flutter/flutter/pull/94733) Marks Mac module_test_ios to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94739](https://github.com/flutter/flutter/pull/94739) [web] Stop using web experiments in benchmarks (a: text input, team, cla: yes, platform-web, waiting for tree to go green, team: benchmark)
[94770](https://github.com/flutter/flutter/pull/94770) [flutter_conductor] Support publishing to multiple channels (team, waiting for tree to go green)
[94875](https://github.com/flutter/flutter/pull/94875) Fix android semantics integration test flakiness (team, a: accessibility, waiting for tree to go green)
[94878](https://github.com/flutter/flutter/pull/94878) Fix ios module test typo (team, waiting for tree to go green)
[94879](https://github.com/flutter/flutter/pull/94879) Attempt to mitigate flakiness around devtools (team, tool, waiting for tree to go green)
[94885](https://github.com/flutter/flutter/pull/94885) [test] log stack trace on errors, to improve diagnostics on #89243 (team, waiting for tree to go green)
[94911](https://github.com/flutter/flutter/pull/94911) [framework] dont allocate forgotten children set in profile/release mode (team, framework, waiting for tree to go green)
[94950](https://github.com/flutter/flutter/pull/94950) [flutter_conductor] Update conductor readme (team)
[94957](https://github.com/flutter/flutter/pull/94957) fix lateinitialization error in devicelab-runner (team, waiting for tree to go green)
[94980](https://github.com/flutter/flutter/pull/94980) Rename devicelab catalina tests (team, waiting for tree to go green)
[95044](https://github.com/flutter/flutter/pull/95044) Fix some issues with samples (team, framework, f: material design, f: scrolling, d: api docs, d: examples, waiting for tree to go green, documentation)
[95047](https://github.com/flutter/flutter/pull/95047) Fixes semantics_perf_test.dart after profile fixes (team, a: accessibility, waiting for tree to go green)
[95050](https://github.com/flutter/flutter/pull/95050) Ban sync*/async* from user facing code (team, tool, framework, a: animation, f: material design, f: scrolling, f: cupertino, d: api docs, d: examples, f: routes, f: gestures, documentation, f: focus)
[95055](https://github.com/flutter/flutter/pull/95055) Initialize the Skia client more efficiently (a: tests, team, framework, team: flakes, waiting for tree to go green, team: presubmit flakes, tech-debt, infra auto flake)
[95103](https://github.com/flutter/flutter/pull/95103) Adds a home method to device classes. (team, waiting for tree to go green)
[95174](https://github.com/flutter/flutter/pull/95174) Respect `--dart-sdk` parameter when running analyze.dart tests. (team, waiting for tree to go green)
[95175](https://github.com/flutter/flutter/pull/95175) Update color scheme seed generation to use color utils package (team, framework, f: material design)
[95207](https://github.com/flutter/flutter/pull/95207) Temporarily skip Gradle warning: Mapping new NS (team)
[95286](https://github.com/flutter/flutter/pull/95286) Improve sync*/async* opt outs (team, framework, d: api docs, d: examples, documentation)
[95303](https://github.com/flutter/flutter/pull/95303) Update configurations to match the current test beds. (team, tool, framework, engine, f: material design, a: accessibility, d: api docs, d: examples, documentation)
[95349](https://github.com/flutter/flutter/pull/95349) [flutter_conductor] support commits past tagged stable release (team, waiting for tree to go green, warning: land on red to fix tree breakage)
[95428](https://github.com/flutter/flutter/pull/95428) Correct missing return statements in nullably-typed functions (team, tool, d: api docs, d: examples, waiting for tree to go green, documentation)
[95571](https://github.com/flutter/flutter/pull/95571) Marks Mac module_test_ios to be unflaky (team, team: flakes, waiting for tree to go green, tech-debt)
[95583](https://github.com/flutter/flutter/pull/95583) Marks Mac_ios hot_mode_dev_cycle_ios__benchmark to be flaky (team, team: flakes, waiting for tree to go green, tech-debt)
#### tool - 105 pull request(s)
[88362](https://github.com/flutter/flutter/pull/88362) [gen_l10n] retain full output file suffix (tool, cla: yes, will affect goldens)
[89045](https://github.com/flutter/flutter/pull/89045) feat: enable flavor option on test command (tool, cla: yes, waiting for tree to go green)
[89511](https://github.com/flutter/flutter/pull/89511) Reland engine display features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[91458](https://github.com/flutter/flutter/pull/91458) skip 'generateLockfiles' for add-to-app project. (tool, cla: yes, waiting for tree to go green)
[91590](https://github.com/flutter/flutter/pull/91590) add --extra-gen-snapshot-options support for build_aar command. (tool, cla: yes, waiting for tree to go green)
[91959](https://github.com/flutter/flutter/pull/91959) Win32 template: Use {{projectName}} for FileDescription instead of {{description}} (tool, cla: yes, waiting for tree to go green)
[92031](https://github.com/flutter/flutter/pull/92031) Adds tool warning log level and command line options to fail on warning/error output (team, tool, cla: yes, waiting for tree to go green)
[92255](https://github.com/flutter/flutter/pull/92255) [flutter_tools] Instruct compiler before processing bundle (tool, cla: yes)
[92451](https://github.com/flutter/flutter/pull/92451) Add warning for bumping Android SDK version to match plugins (tool, cla: yes, waiting for tree to go green)
[92535](https://github.com/flutter/flutter/pull/92535) Reland: "Update outdated runners in the benchmarks folder (#91126)" (team, tool, cla: yes, waiting for tree to go green, integration_test)
[92630](https://github.com/flutter/flutter/pull/92630) Migrate to `process` 4.2.4 (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[92738](https://github.com/flutter/flutter/pull/92738) Migrate emulators to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92753](https://github.com/flutter/flutter/pull/92753) [gen_l10n] Add support for adding placeholders inside select (tool, cla: yes, waiting for tree to go green)
[92808](https://github.com/flutter/flutter/pull/92808) feat: mirgate test_data/compile_error_project.dart to null safety (tool, cla: yes, waiting for tree to go green)
[92812](https://github.com/flutter/flutter/pull/92812) migrate integration.shard/vmservice_integration_test.dart to null safety (tool, cla: yes, waiting for tree to go green, integration_test)
[92849](https://github.com/flutter/flutter/pull/92849) Migrate tracing to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92861](https://github.com/flutter/flutter/pull/92861) Remove globals_null_migrated.dart, move into globals.dart (a: text input, tool, cla: yes, waiting for tree to go green, integration_test, a: null-safety)
[92869](https://github.com/flutter/flutter/pull/92869) Migrate build_system targets to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92871](https://github.com/flutter/flutter/pull/92871) Migrate flutter_command to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92901](https://github.com/flutter/flutter/pull/92901) Exit on deprecated v1 embedding when trying to run or build (team, tool, a: accessibility, cla: yes, waiting for tree to go green, integration_test)
[92924](https://github.com/flutter/flutter/pull/92924) Update packages (team, tool, cla: yes, waiting for tree to go green)
[92946](https://github.com/flutter/flutter/pull/92946) Add Help menu to macOS create template (team, tool, cla: yes, waiting for tree to go green, integration_test)
[92948](https://github.com/flutter/flutter/pull/92948) Remove globals_null_migrated.dart, move into globals.dart (tool, cla: yes, waiting for tree to go green)
[92950](https://github.com/flutter/flutter/pull/92950) Migrate channel, clean and a few other commands to null safety (tool, cla: yes, waiting for tree to go green)
[92952](https://github.com/flutter/flutter/pull/92952) Migrate doctor, format, and a few other commands to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92955](https://github.com/flutter/flutter/pull/92955) Migrate custom_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92956](https://github.com/flutter/flutter/pull/92956) Migrate windows_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92957](https://github.com/flutter/flutter/pull/92957) migrate some file to null safety (tool, cla: yes, waiting for tree to go green)
[92975](https://github.com/flutter/flutter/pull/92975) Ensure the flutter_gen project is correctly created as part of "flutter create" (tool, cla: yes, waiting for tree to go green)
[93002](https://github.com/flutter/flutter/pull/93002) [web:tools] always use CanvasKit from the cache when building web apps (tool, cla: yes)
[93026](https://github.com/flutter/flutter/pull/93026) Skip overall_experience_test.dart: flutter run writes and clears pidfile appropriately (tool, cla: yes, waiting for tree to go green)
[93041](https://github.com/flutter/flutter/pull/93041) Suppress created file list for new "flutter create" projects (tool, cla: yes, waiting for tree to go green)
[93065](https://github.com/flutter/flutter/pull/93065) Add DevTools version to `flutter --version` and `flutter doctor -v` output. (tool, cla: yes, waiting for tree to go green)
[93094](https://github.com/flutter/flutter/pull/93094) Update minimum required version to Xcode 12.3 (a: text input, tool, cla: yes, waiting for tree to go green, t: xcode)
[93098](https://github.com/flutter/flutter/pull/93098) Revert "Reland engine display features" (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93117](https://github.com/flutter/flutter/pull/93117) Reland Reland engine display features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93148](https://github.com/flutter/flutter/pull/93148) Pin to specific plugin versions (tool, cla: yes)
[93168](https://github.com/flutter/flutter/pull/93168) [flutter_tools] Catch lack of flutter tools source missing (a: text input, tool, cla: yes)
[93204](https://github.com/flutter/flutter/pull/93204) Revert "Reland Reland engine display features" (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93228](https://github.com/flutter/flutter/pull/93228) Use num on plural (tool, cla: yes, will affect goldens)
[93240](https://github.com/flutter/flutter/pull/93240) Reland 3: Display Features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation, integration_test)
[93323](https://github.com/flutter/flutter/pull/93323) Revert "Reland: "Update outdated runners in the benchmarks folder (#91126)"" (team, tool, cla: yes, integration_test)
[93353](https://github.com/flutter/flutter/pull/93353) Ignore upcoming warning for unnecessary override (tool, cla: yes, waiting for tree to go green)
[93365](https://github.com/flutter/flutter/pull/93365) Revert "Exit on deprecated v1 embedding when trying to run or build" (team, tool, a: accessibility, cla: yes, integration_test)
[93386](https://github.com/flutter/flutter/pull/93386) Reland "Exit on deprecated v1 embedding when trying to run or build (#92901)" (team, tool, a: accessibility, cla: yes, waiting for tree to go green, integration_test)
[93401](https://github.com/flutter/flutter/pull/93401) Allow full locale to be generated from .arb files and remove `@@locale` matching .arb file name requirement (tool, cla: yes)
[93411](https://github.com/flutter/flutter/pull/93411) Disable pause-on-exceptions for (outgoing) isolates during hot restart (tool, cla: yes, waiting for tree to go green)
[93426](https://github.com/flutter/flutter/pull/93426) Add support for Visual Studio 2022 (tool, cla: yes, waiting for tree to go green)
[93492](https://github.com/flutter/flutter/pull/93492) fix: remove useless type checks (tool, cla: yes, waiting for tree to go green)
[93518](https://github.com/flutter/flutter/pull/93518) Revert "Reland "Exit on deprecated v1 embedding when trying to run or… (team, tool, a: accessibility, cla: yes, integration_test)
[93528](https://github.com/flutter/flutter/pull/93528) Add a test to verify that we only link to real issue templates (team, tool, cla: yes, waiting for tree to go green)
[93555](https://github.com/flutter/flutter/pull/93555) Restore Cache.flutterRoot after overriding it in a test (tool, cla: yes)
[93556](https://github.com/flutter/flutter/pull/93556) Ad-hoc codesign Flutter.framework when code signing is disabled (platform-ios, tool, cla: yes, waiting for tree to go green)
[93566](https://github.com/flutter/flutter/pull/93566) Reland "Exit on deprecated v1 embedding when trying to run or build" (#92901) (team, tool, a: accessibility, cla: yes, waiting for tree to go green, integration_test)
[93735](https://github.com/flutter/flutter/pull/93735) fix: removed unnecessary checks (tool, cla: yes, waiting for tree to go green)
[93806](https://github.com/flutter/flutter/pull/93806) Revert "Allow full locale to be generated from .arb files and remove `@@locale` matching .arb file name requirement" (tool, cla: yes)
[93841](https://github.com/flutter/flutter/pull/93841) [flutter_releases] Flutter beta 2.8.0-3.2.pre Framework Cherrypicks (tool, engine, cla: yes)
[93870](https://github.com/flutter/flutter/pull/93870) [DAP] Add a custom event to pass flutter.serviceExtensionStateChanged… (tool, cla: yes, waiting for tree to go green)
[93948](https://github.com/flutter/flutter/pull/93948) De-flake web tool tests (tool, cla: yes, waiting for tree to go green)
[93954](https://github.com/flutter/flutter/pull/93954) Master analyze_base.dart to null-safety (tool, cla: yes, waiting for tree to go green)
[94012](https://github.com/flutter/flutter/pull/94012) [flutter_tools] Remove --enable-background-compilation (tool, cla: yes, waiting for tree to go green)
[94084](https://github.com/flutter/flutter/pull/94084) Update Xcode toolsVersion encoded in generated Main.storyboard (team, platform-ios, tool, cla: yes, d: api docs, d: examples, waiting for tree to go green, t: xcode, documentation, integration_test)
[94137](https://github.com/flutter/flutter/pull/94137) make CIPD url customizable using FLUTTER_STORAGE_BASE_URL (tool, cla: yes, waiting for tree to go green)
[94164](https://github.com/flutter/flutter/pull/94164) Revert "Update Xcode toolsVersion encoded in generated Main.storyboard" (team, tool, cla: yes, d: api docs, d: examples, documentation, integration_test)
[94172](https://github.com/flutter/flutter/pull/94172) Roll packages, remove unnecessary overrides (team, tool, cla: yes, waiting for tree to go green)
[94178](https://github.com/flutter/flutter/pull/94178) [tool] verify download URLs; docs for base URLs (tool, cla: yes)
[94190](https://github.com/flutter/flutter/pull/94190) Avoid using watchOS SDK in CI tests (team, platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[94310](https://github.com/flutter/flutter/pull/94310) Fix a stream lifecycle bug in CustomDeviceLogReader (tool, cla: yes, waiting for tree to go green)
[94335](https://github.com/flutter/flutter/pull/94335) Don't treat stderr output as failures during DAP test teardown (tool, cla: yes, waiting for tree to go green)
[94357](https://github.com/flutter/flutter/pull/94357) Serve assets with correct content-type header value (tool, cla: yes, waiting for tree to go green)
[94365](https://github.com/flutter/flutter/pull/94365) Add failing test to close the tree for #94356 (tool, cla: yes)
[94385](https://github.com/flutter/flutter/pull/94385) Detect additional ARM ffi CocoaPods error (platform-ios, tool, cla: yes, waiting for tree to go green)
[94390](https://github.com/flutter/flutter/pull/94390) Add post-submit failing test to close the tree for #94356 (team, tool, cla: yes)
[94391](https://github.com/flutter/flutter/pull/94391) Add ability to wrap text messages in a box (tool, cla: yes, waiting for tree to go green)
[94475](https://github.com/flutter/flutter/pull/94475) Add support for executing custom tools in place of Flutter for DAP (tool, cla: yes, waiting for tree to go green)
[94490](https://github.com/flutter/flutter/pull/94490) [flutter_releases] Flutter beta 2.8.0-3.3.pre Framework Cherrypicks (team, tool, engine, cla: yes)
[94597](https://github.com/flutter/flutter/pull/94597) [flutter_tools] Fix incorrect todo (tool, cla: yes, waiting for tree to go green)
[94634](https://github.com/flutter/flutter/pull/94634) Update dwds and other packages (team, tool, cla: yes, waiting for tree to go green)
[94636](https://github.com/flutter/flutter/pull/94636) Add reason logging to v1 embedding warning message (tool, cla: yes)
[94747](https://github.com/flutter/flutter/pull/94747) Xcode error message (tool, cla: yes, waiting for tree to go green)
[94769](https://github.com/flutter/flutter/pull/94769) Short circuit v1 deprecation warning on plugin projects (tool)
[94820](https://github.com/flutter/flutter/pull/94820) Add more detail to error messages (tool, waiting for tree to go green)
[94863](https://github.com/flutter/flutter/pull/94863) Use XML format in PlistParser (tool)
[94879](https://github.com/flutter/flutter/pull/94879) Attempt to mitigate flakiness around devtools (team, tool, waiting for tree to go green)
[95033](https://github.com/flutter/flutter/pull/95033) Removed unused method `packagesFile` from `ApplicationPackage`. (tool)
[95050](https://github.com/flutter/flutter/pull/95050) Ban sync*/async* from user facing code (team, tool, framework, a: animation, f: material design, f: scrolling, f: cupertino, d: api docs, d: examples, f: routes, f: gestures, documentation, f: focus)
[95054](https://github.com/flutter/flutter/pull/95054) [tool] XCResult also parses "url" in xcresult bundle (tool, waiting for tree to go green)
[95056](https://github.com/flutter/flutter/pull/95056) [flutter_tools] Refactor checkVersionFreshness (tool, waiting for tree to go green)
[95159](https://github.com/flutter/flutter/pull/95159) feat(flutter_tools): Added proxy validator IPV6 loopback check (tool)
[95225](https://github.com/flutter/flutter/pull/95225) Apply the Kotlin plugin in a java project (tool, waiting for tree to go green)
[95273](https://github.com/flutter/flutter/pull/95273) [tool] xcresult issue discarder (tool, waiting for tree to go green)
[95293](https://github.com/flutter/flutter/pull/95293) Build Flutter iOS plugins with all valid architectures (platform-ios, tool, waiting for tree to go green, t: xcode)
[95303](https://github.com/flutter/flutter/pull/95303) Update configurations to match the current test beds. (team, tool, framework, engine, f: material design, a: accessibility, d: api docs, d: examples, documentation)
[95375](https://github.com/flutter/flutter/pull/95375) [flutter_releases] Flutter stable 2.8.1 Framework Cherrypicks (tool, engine)
[95383](https://github.com/flutter/flutter/pull/95383) Bump Kotlin version to the latest (tool, waiting for tree to go green)
[95386](https://github.com/flutter/flutter/pull/95386) feat(flutter_tools): Added doctor host validation feat (tool)
[95418](https://github.com/flutter/flutter/pull/95418) Add an option for flutter daemon to listen on a TCP port (tool)
[95428](https://github.com/flutter/flutter/pull/95428) Correct missing return statements in nullably-typed functions (team, tool, d: api docs, d: examples, waiting for tree to go green, documentation)
[95433](https://github.com/flutter/flutter/pull/95433) Migrate install command to null safety (tool, waiting for tree to go green, a: null-safety, tech-debt)
[95438](https://github.com/flutter/flutter/pull/95438) Migrate fuchsia_device to null safety (tool, waiting for tree to go green, a: null-safety, tech-debt)
[95442](https://github.com/flutter/flutter/pull/95442) Migrate analyze commands to null safety (tool, waiting for tree to go green, a: null-safety, tech-debt)
[95657](https://github.com/flutter/flutter/pull/95657) Migrate flutter_device_manager to null safety (a: text input, tool, waiting for tree to go green, a: null-safety, tech-debt)
[95686](https://github.com/flutter/flutter/pull/95686) Revert "Add an option for flutter daemon to listen on a TCP port" (tool)
[95689](https://github.com/flutter/flutter/pull/95689) Reland "Add an option for flutter daemon to listen on a TCP port (#95418)" (tool)
[95747](https://github.com/flutter/flutter/pull/95747) Revert "[flutter_tools] [iOS] Change UIViewControllerBasedStatusBarAppearance to true to fix rotation status bar disappear in portrait" (tool, waiting for tree to go green)
#### f: material design - 79 pull request(s)
[83860](https://github.com/flutter/flutter/pull/83860) Added `onDismiss` callback to ModalBarrier. (framework, f: material design, cla: yes, waiting for tree to go green)
[87643](https://github.com/flutter/flutter/pull/87643) Updated IconButton.iconSize to get value from theme (framework, f: material design, cla: yes, waiting for tree to go green)
[88508](https://github.com/flutter/flutter/pull/88508) Do not crash when dragging ReorderableListView with two fingers simultaneously (framework, f: material design, cla: yes, waiting for tree to go green)
[88800](https://github.com/flutter/flutter/pull/88800) Improve ProgressIndicator value range docs (framework, f: material design, cla: yes)
[89226](https://github.com/flutter/flutter/pull/89226) [WillPopScope] handle new route if moved from one navigator to another (framework, f: material design, cla: yes)
[90157](https://github.com/flutter/flutter/pull/90157) Allow users to center align the floating label (framework, f: material design, cla: yes, will affect goldens)
[90178](https://github.com/flutter/flutter/pull/90178) update the scrollbar that support always show the track even not on hover (framework, f: material design, cla: yes, waiting for tree to go green)
[90684](https://github.com/flutter/flutter/pull/90684) Move text editing `Action`s to `EditableTextState` (team, framework, f: material design, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[90932](https://github.com/flutter/flutter/pull/90932) Expose enableDrag property for showBottomSheet (framework, f: material design, cla: yes, waiting for tree to go green, will affect goldens)
[91532](https://github.com/flutter/flutter/pull/91532) Allow to click through scrollbar when gestures are disabled (framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green)
[91837](https://github.com/flutter/flutter/pull/91837) [ReorderableListView] Update doc with example to make it clear `proxyDecorator` can overriden to customise an item when it is being dragged. (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation)
[91987](https://github.com/flutter/flutter/pull/91987) Add `animationDuration` property to TabController (framework, f: material design, cla: yes, waiting for tree to go green)
[92160](https://github.com/flutter/flutter/pull/92160) Add `expandedScale` to `FlexibleSpaceBar` (framework, f: material design, cla: yes, waiting for tree to go green)
[92172](https://github.com/flutter/flutter/pull/92172) [CupertinoActivityIndicator] Add `color` parameter (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[92197](https://github.com/flutter/flutter/pull/92197) Reland Remove BottomNavigationBarItem.title deprecation (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[92297](https://github.com/flutter/flutter/pull/92297) Added widgets/AppModel (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[92745](https://github.com/flutter/flutter/pull/92745) Fix typo that is introduced in hotfix 2.5.x (a: text input, framework, f: material design, cla: yes)
[92822](https://github.com/flutter/flutter/pull/92822) Reland "Refactor ThemeData (#91497)" (part 1) (framework, f: material design, cla: yes)
[92923](https://github.com/flutter/flutter/pull/92923) Update flutter localizations. (f: material design, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[92929](https://github.com/flutter/flutter/pull/92929) Fix a few prefer_const_declarations and avoid_redundant_argument_values. (a: text input, framework, f: material design, a: internationalization, cla: yes, f: cupertino)
[92930](https://github.com/flutter/flutter/pull/92930) [Material 3] Add optional indicator to Navigation Rail. (framework, f: material design, cla: yes, waiting for tree to go green)
[92940](https://github.com/flutter/flutter/pull/92940) TextField border gap padding improvement (framework, f: material design, cla: yes, waiting for tree to go green, will affect goldens)
[92970](https://github.com/flutter/flutter/pull/92970) Reland "Refactor ThemeData (#91497)" (part 2) (framework, f: material design, cla: yes, waiting for tree to go green)
[93059](https://github.com/flutter/flutter/pull/93059) Add golden tests for default and overriden `expandedTitleScale` in `FlexibleSpaceBar` (framework, f: material design, cla: yes, waiting for tree to go green)
[93086](https://github.com/flutter/flutter/pull/93086) Improve tracing (team, framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green, integration_test)
[93161](https://github.com/flutter/flutter/pull/93161) Revert "Added widgets/AppModel" (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[93170](https://github.com/flutter/flutter/pull/93170) Desktop edge scrolling (a: text input, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[93175](https://github.com/flutter/flutter/pull/93175) Added SharedAppData to the widgets library (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation, will affect goldens)
[93259](https://github.com/flutter/flutter/pull/93259) Support for MaterialTapTargetSize within ToggleButtons (framework, f: material design, cla: yes, waiting for tree to go green)
[93271](https://github.com/flutter/flutter/pull/93271) Add Border customization to CheckboxListTile (reprise) (framework, f: material design, cla: yes)
[93351](https://github.com/flutter/flutter/pull/93351) Replaced the reference to `primaryVariant` in code example. (team, f: material design, cla: yes, d: api docs, d: examples, documentation)
[93396](https://github.com/flutter/flutter/pull/93396) Deprecate `primaryColorBrightness` (a: text input, team, framework, f: material design, cla: yes, waiting for tree to go green, tech-debt)
[93427](https://github.com/flutter/flutter/pull/93427) Added Material 3 colors to ColorScheme. (team, framework, f: material design, cla: yes, integration_test, tech-debt)
[93434](https://github.com/flutter/flutter/pull/93434) Added useMaterial3 flag to ThemeData. (framework, f: material design, cla: yes, waiting for tree to go green)
[93448](https://github.com/flutter/flutter/pull/93448) [flutter_releases] Flutter beta 2.8.0-3.1.pre Framework Cherrypicks (team, framework, engine, f: material design, cla: yes, d: api docs, d: examples, documentation)
[93452](https://github.com/flutter/flutter/pull/93452) ChipThemeData is now conventional (framework, f: material design, cla: yes, waiting for tree to go green)
[93463](https://github.com/flutter/flutter/pull/93463) API to generate a ColorScheme from a single seed color. (team, framework, f: material design, cla: yes, waiting for tree to go green, integration_test)
[93478](https://github.com/flutter/flutter/pull/93478) Add `splashRadius` property to `IconTheme` (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[93480](https://github.com/flutter/flutter/pull/93480) Add InputDecorator label color on error examples (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[93499](https://github.com/flutter/flutter/pull/93499) Use navigator instead of overlay as TickerProvider for ModalBottomSheet (framework, f: material design, cla: yes, waiting for tree to go green)
[93507](https://github.com/flutter/flutter/pull/93507) Remove shade50 getter from MaterialAccentColor (framework, f: material design, cla: yes, waiting for tree to go green)
[93600](https://github.com/flutter/flutter/pull/93600) fix: inline templatized see also (framework, f: material design, cla: yes, d: api docs, waiting for tree to go green, documentation)
[93716](https://github.com/flutter/flutter/pull/93716) Request focus in `onTap` callback from `DropdownButton` (framework, f: material design, cla: yes, waiting for tree to go green)
[93725](https://github.com/flutter/flutter/pull/93725) [Material 3] Update TextTheme to have M3 names for styles (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[93740](https://github.com/flutter/flutter/pull/93740) Skip web golden test that is not supported (a: tests, a: text input, team, framework, f: material design, cla: yes, tech-debt)
[93749](https://github.com/flutter/flutter/pull/93749) Fix analysis error in icon button test (framework, f: material design, cla: yes)
[93797](https://github.com/flutter/flutter/pull/93797) Revert "ChipThemeData is now conventional" (framework, f: material design, cla: yes, waiting for tree to go green)
[93799](https://github.com/flutter/flutter/pull/93799) Add Ink.image clip examples (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[93835](https://github.com/flutter/flutter/pull/93835) Shift tap gesture (a: text input, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, will affect goldens)
[93863](https://github.com/flutter/flutter/pull/93863) Improve `update_icons.dart` script (team, framework, f: material design, cla: yes)
[93894](https://github.com/flutter/flutter/pull/93894) Update the MaterialStateProperty "see also" lists (framework, f: material design, cla: yes, waiting for tree to go green)
[93922](https://github.com/flutter/flutter/pull/93922) Fix bottom sheet assertion on switching with multiple controllers (framework, f: material design, cla: yes, waiting for tree to go green)
[93925](https://github.com/flutter/flutter/pull/93925) Revert "TextField border gap padding improvement" (framework, f: material design, cla: yes)
[93933](https://github.com/flutter/flutter/pull/93933) [unrevert] TextField border gap padding improvement (framework, f: material design, cla: yes, waiting for tree to go green, will affect goldens)
[94077](https://github.com/flutter/flutter/pull/94077) Mixin for slotted RenderObjectWidgets and RenderBox (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[94179](https://github.com/flutter/flutter/pull/94179) Reland "ChipThemeData is now conventional" (framework, f: material design, cla: yes)
[94339](https://github.com/flutter/flutter/pull/94339) Change the TabController should make both TabBar and TabBarView return to the initial index (framework, f: material design, cla: yes, waiting for tree to go green)
[94424](https://github.com/flutter/flutter/pull/94424) Update outdated macros (a: text input, framework, a: animation, f: material design, cla: yes, waiting for tree to go green)
[94482](https://github.com/flutter/flutter/pull/94482) Revert "Add `splashRadius` property to `IconTheme` (#93478)" (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[94493](https://github.com/flutter/flutter/pull/94493) SelectableText keep alive only when it has selection (a: text input, framework, f: material design, cla: yes)
[94496](https://github.com/flutter/flutter/pull/94496) Use `EnumName.name` where possible. (a: text input, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, f: focus)
[94620](https://github.com/flutter/flutter/pull/94620) Revert "Mixin for slotted RenderObjectWidgets and RenderBox" (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation)
[94624](https://github.com/flutter/flutter/pull/94624) Make chip test not depend on child order (framework, f: material design, cla: yes, waiting for tree to go green)
[94632](https://github.com/flutter/flutter/pull/94632) Reland "Mixin for slotted RenderObjectWidgets and RenderBox (#94077)" (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[94760](https://github.com/flutter/flutter/pull/94760) Add null return statements to nullable functions with implicit returns (a: text input, framework, f: material design, waiting for tree to go green)
[94772](https://github.com/flutter/flutter/pull/94772) Prefer .of to .from (framework, a: animation, f: material design, a: accessibility, f: scrolling, f: cupertino, f: routes, f: gestures, f: focus)
[94805](https://github.com/flutter/flutter/pull/94805) Improves a test in `calendar_date_picker_test.dart` (framework, f: material design, waiting for tree to go green)
[94811](https://github.com/flutter/flutter/pull/94811) Remove `ClipRect` from Snackbar (framework, f: material design, waiting for tree to go green, will affect goldens)
[94818](https://github.com/flutter/flutter/pull/94818) Corrected a ChipTheme labelStyle corner case (framework, f: material design, waiting for tree to go green)
[94834](https://github.com/flutter/flutter/pull/94834) Add explicit null returns in flutter/test (a: text input, framework, f: material design, f: scrolling, f: cupertino, f: routes, waiting for tree to go green)
[94898](https://github.com/flutter/flutter/pull/94898) Windows: Focus text field on gaining a11y focus (a: text input, framework, f: material design, f: cupertino, waiting for tree to go green)
[95007](https://github.com/flutter/flutter/pull/95007) [Fonts] Update icons (framework, f: material design)
[95044](https://github.com/flutter/flutter/pull/95044) Fix some issues with samples (team, framework, f: material design, f: scrolling, d: api docs, d: examples, waiting for tree to go green, documentation)
[95050](https://github.com/flutter/flutter/pull/95050) Ban sync*/async* from user facing code (team, tool, framework, a: animation, f: material design, f: scrolling, f: cupertino, d: api docs, d: examples, f: routes, f: gestures, documentation, f: focus)
[95146](https://github.com/flutter/flutter/pull/95146) Document Update: Outlined_button.dart (framework, f: material design, d: api docs, waiting for tree to go green, documentation)
[95175](https://github.com/flutter/flutter/pull/95175) Update color scheme seed generation to use color utils package (team, framework, f: material design)
[95295](https://github.com/flutter/flutter/pull/95295) Windows: Focus slider on gaining a11y focus (framework, f: material design, waiting for tree to go green)
[95303](https://github.com/flutter/flutter/pull/95303) Update configurations to match the current test beds. (team, tool, framework, engine, f: material design, a: accessibility, d: api docs, d: examples, documentation)
[95390](https://github.com/flutter/flutter/pull/95390) PaginatedDataTable fills more than the available size of its card, making it needlessly scroll horizontally 2 (framework, f: material design)
#### tech-debt - 39 pull request(s)
[92738](https://github.com/flutter/flutter/pull/92738) Migrate emulators to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92849](https://github.com/flutter/flutter/pull/92849) Migrate tracing to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92869](https://github.com/flutter/flutter/pull/92869) Migrate build_system targets to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92871](https://github.com/flutter/flutter/pull/92871) Migrate flutter_command to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92952](https://github.com/flutter/flutter/pull/92952) Migrate doctor, format, and a few other commands to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92955](https://github.com/flutter/flutter/pull/92955) Migrate custom_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92956](https://github.com/flutter/flutter/pull/92956) Migrate windows_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[93013](https://github.com/flutter/flutter/pull/93013) Marks Linux web_canvaskit_tests_0 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93014](https://github.com/flutter/flutter/pull/93014) Marks Linux web_canvaskit_tests_1 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93015](https://github.com/flutter/flutter/pull/93015) Marks Linux web_canvaskit_tests_2 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93016](https://github.com/flutter/flutter/pull/93016) Marks Linux web_canvaskit_tests_3 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93017](https://github.com/flutter/flutter/pull/93017) Marks Linux web_canvaskit_tests_4 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93018](https://github.com/flutter/flutter/pull/93018) Marks Linux web_canvaskit_tests_5 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93019](https://github.com/flutter/flutter/pull/93019) Marks Linux web_canvaskit_tests_6 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93020](https://github.com/flutter/flutter/pull/93020) Marks Linux web_canvaskit_tests_7_last to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93021](https://github.com/flutter/flutter/pull/93021) Marks Linux_android flutter_gallery__image_cache_memory to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93022](https://github.com/flutter/flutter/pull/93022) Marks Linux_android flutter_gallery__start_up to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93251](https://github.com/flutter/flutter/pull/93251) Marks Linux_android flutter_gallery__start_up_delayed to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93252](https://github.com/flutter/flutter/pull/93252) Marks Mac_android run_release_test to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93254](https://github.com/flutter/flutter/pull/93254) Marks Mac_ios integration_ui_ios_textfield to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93255](https://github.com/flutter/flutter/pull/93255) Marks Mac_android android_semantics_integration_test to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93396](https://github.com/flutter/flutter/pull/93396) Deprecate `primaryColorBrightness` (a: text input, team, framework, f: material design, cla: yes, waiting for tree to go green, tech-debt)
[93427](https://github.com/flutter/flutter/pull/93427) Added Material 3 colors to ColorScheme. (team, framework, f: material design, cla: yes, integration_test, tech-debt)
[93664](https://github.com/flutter/flutter/pull/93664) Marks Mac native_ui_tests_macos to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93740](https://github.com/flutter/flutter/pull/93740) Skip web golden test that is not supported (a: tests, a: text input, team, framework, f: material design, cla: yes, tech-debt)
[93805](https://github.com/flutter/flutter/pull/93805) Marks Linux_android image_list_jit_reported_duration to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94029](https://github.com/flutter/flutter/pull/94029) Marks Linux deferred components to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94033](https://github.com/flutter/flutter/pull/94033) Marks Linux android views to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94035](https://github.com/flutter/flutter/pull/94035) Marks Linux_android image_list_reported_duration to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94727](https://github.com/flutter/flutter/pull/94727) Marks Linux_android image_list_reported_duration to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94731](https://github.com/flutter/flutter/pull/94731) Marks Mac_android android_semantics_integration_test to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94733](https://github.com/flutter/flutter/pull/94733) Marks Mac module_test_ios to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[95055](https://github.com/flutter/flutter/pull/95055) Initialize the Skia client more efficiently (a: tests, team, framework, team: flakes, waiting for tree to go green, team: presubmit flakes, tech-debt, infra auto flake)
[95433](https://github.com/flutter/flutter/pull/95433) Migrate install command to null safety (tool, waiting for tree to go green, a: null-safety, tech-debt)
[95438](https://github.com/flutter/flutter/pull/95438) Migrate fuchsia_device to null safety (tool, waiting for tree to go green, a: null-safety, tech-debt)
[95442](https://github.com/flutter/flutter/pull/95442) Migrate analyze commands to null safety (tool, waiting for tree to go green, a: null-safety, tech-debt)
[95571](https://github.com/flutter/flutter/pull/95571) Marks Mac module_test_ios to be unflaky (team, team: flakes, waiting for tree to go green, tech-debt)
[95583](https://github.com/flutter/flutter/pull/95583) Marks Mac_ios hot_mode_dev_cycle_ios__benchmark to be flaky (team, team: flakes, waiting for tree to go green, tech-debt)
[95657](https://github.com/flutter/flutter/pull/95657) Migrate flutter_device_manager to null safety (a: text input, tool, waiting for tree to go green, a: null-safety, tech-debt)
#### a: text input - 35 pull request(s)
[90840](https://github.com/flutter/flutter/pull/90840) Windows home/end shortcuts (a: text input, framework, cla: yes)
[91698](https://github.com/flutter/flutter/pull/91698) Fix text cursor or input can be outside of the text field (a: text input, framework, cla: yes, waiting for tree to go green, will affect goldens)
[92480](https://github.com/flutter/flutter/pull/92480) [Cupertino] fix dark mode for `ContextMenuAction` (a: text input, framework, cla: yes, f: cupertino, waiting for tree to go green)
[92481](https://github.com/flutter/flutter/pull/92481) [Cupertino] Exclude border for last action item in `CupertinoContextMenu` (a: text input, framework, cla: yes, f: cupertino)
[92745](https://github.com/flutter/flutter/pull/92745) Fix typo that is introduced in hotfix 2.5.x (a: text input, framework, f: material design, cla: yes)
[92861](https://github.com/flutter/flutter/pull/92861) Remove globals_null_migrated.dart, move into globals.dart (a: text input, tool, cla: yes, waiting for tree to go green, integration_test, a: null-safety)
[92929](https://github.com/flutter/flutter/pull/92929) Fix a few prefer_const_declarations and avoid_redundant_argument_values. (a: text input, framework, f: material design, a: internationalization, cla: yes, f: cupertino)
[92945](https://github.com/flutter/flutter/pull/92945) [TextInput] send `setEditingState` before `show` to the text input plugin when switching input clients (a: text input, framework, cla: yes, waiting for tree to go green)
[93094](https://github.com/flutter/flutter/pull/93094) Update minimum required version to Xcode 12.3 (a: text input, tool, cla: yes, waiting for tree to go green, t: xcode)
[93128](https://github.com/flutter/flutter/pull/93128) Remove comment on caching line metrics (a: text input, framework, cla: yes, waiting for tree to go green)
[93129](https://github.com/flutter/flutter/pull/93129) Use baseline value to get position in next line (a: text input, framework, cla: yes, waiting for tree to go green)
[93166](https://github.com/flutter/flutter/pull/93166) Do not rebuild when TickerMode changes (a: text input, framework, cla: yes, waiting for tree to go green)
[93168](https://github.com/flutter/flutter/pull/93168) [flutter_tools] Catch lack of flutter tools source missing (a: text input, tool, cla: yes)
[93170](https://github.com/flutter/flutter/pull/93170) Desktop edge scrolling (a: text input, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[93248](https://github.com/flutter/flutter/pull/93248) Fix scroll offset when caret larger than viewport (a: text input, framework, cla: yes)
[93396](https://github.com/flutter/flutter/pull/93396) Deprecate `primaryColorBrightness` (a: text input, team, framework, f: material design, cla: yes, waiting for tree to go green, tech-debt)
[93722](https://github.com/flutter/flutter/pull/93722) Skip negative web image test (a: text input, framework, cla: yes)
[93725](https://github.com/flutter/flutter/pull/93725) [Material 3] Update TextTheme to have M3 names for styles (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[93740](https://github.com/flutter/flutter/pull/93740) Skip web golden test that is not supported (a: tests, a: text input, team, framework, f: material design, cla: yes, tech-debt)
[93835](https://github.com/flutter/flutter/pull/93835) Shift tap gesture (a: text input, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, will affect goldens)
[93875](https://github.com/flutter/flutter/pull/93875) [CupertinoTextField] Add missing focus listener (a: text input, framework, cla: yes, f: cupertino, waiting for tree to go green, will affect goldens)
[93896](https://github.com/flutter/flutter/pull/93896) [flutter_conductor] Conductor prompt refactor (a: text input, team, cla: yes, waiting for tree to go green)
[94067](https://github.com/flutter/flutter/pull/94067) make .prompt() async (a: text input, team, cla: yes, waiting for tree to go green)
[94386](https://github.com/flutter/flutter/pull/94386) Revert "Fix scroll offset when caret larger than viewport" (a: text input, framework, cla: yes)
[94424](https://github.com/flutter/flutter/pull/94424) Update outdated macros (a: text input, framework, a: animation, f: material design, cla: yes, waiting for tree to go green)
[94447](https://github.com/flutter/flutter/pull/94447) Opacity Peephole optimization benchmarks (a: text input, team, cla: yes, waiting for tree to go green)
[94493](https://github.com/flutter/flutter/pull/94493) SelectableText keep alive only when it has selection (a: text input, framework, f: material design, cla: yes)
[94496](https://github.com/flutter/flutter/pull/94496) Use `EnumName.name` where possible. (a: text input, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, f: focus)
[94739](https://github.com/flutter/flutter/pull/94739) [web] Stop using web experiments in benchmarks (a: text input, team, cla: yes, platform-web, waiting for tree to go green, team: benchmark)
[94760](https://github.com/flutter/flutter/pull/94760) Add null return statements to nullable functions with implicit returns (a: text input, framework, f: material design, waiting for tree to go green)
[94834](https://github.com/flutter/flutter/pull/94834) Add explicit null returns in flutter/test (a: text input, framework, f: material design, f: scrolling, f: cupertino, f: routes, waiting for tree to go green)
[94898](https://github.com/flutter/flutter/pull/94898) Windows: Focus text field on gaining a11y focus (a: text input, framework, f: material design, f: cupertino, waiting for tree to go green)
[94966](https://github.com/flutter/flutter/pull/94966) Delete and Backspace shortcuts accept optional Shift modifier (a: text input, framework, waiting for tree to go green)
[95657](https://github.com/flutter/flutter/pull/95657) Migrate flutter_device_manager to null safety (a: text input, tool, waiting for tree to go green, a: null-safety, tech-debt)
[95690](https://github.com/flutter/flutter/pull/95690) Add missing return null to default_text_editing_shortcuts.dart (a: text input, framework)
#### d: api docs - 31 pull request(s)
[89511](https://github.com/flutter/flutter/pull/89511) Reland engine display features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[91837](https://github.com/flutter/flutter/pull/91837) [ReorderableListView] Update doc with example to make it clear `proxyDecorator` can overriden to customise an item when it is being dragged. (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation)
[92297](https://github.com/flutter/flutter/pull/92297) Added widgets/AppModel (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[92932](https://github.com/flutter/flutter/pull/92932) Update docs to point to assets-for-api-docs cupertino css file (team, cla: yes, f: cupertino, d: api docs, waiting for tree to go green, documentation)
[93087](https://github.com/flutter/flutter/pull/93087) In CupertinoIcons doc adopt diagram and fix broken glyph map link (framework, cla: yes, f: cupertino, d: api docs, waiting for tree to go green, documentation)
[93098](https://github.com/flutter/flutter/pull/93098) Revert "Reland engine display features" (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93117](https://github.com/flutter/flutter/pull/93117) Reland Reland engine display features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93161](https://github.com/flutter/flutter/pull/93161) Revert "Added widgets/AppModel" (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[93175](https://github.com/flutter/flutter/pull/93175) Added SharedAppData to the widgets library (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation, will affect goldens)
[93204](https://github.com/flutter/flutter/pull/93204) Revert "Reland Reland engine display features" (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93240](https://github.com/flutter/flutter/pull/93240) Reland 3: Display Features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation, integration_test)
[93351](https://github.com/flutter/flutter/pull/93351) Replaced the reference to `primaryVariant` in code example. (team, f: material design, cla: yes, d: api docs, d: examples, documentation)
[93448](https://github.com/flutter/flutter/pull/93448) [flutter_releases] Flutter beta 2.8.0-3.1.pre Framework Cherrypicks (team, framework, engine, f: material design, cla: yes, d: api docs, d: examples, documentation)
[93480](https://github.com/flutter/flutter/pull/93480) Add InputDecorator label color on error examples (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[93483](https://github.com/flutter/flutter/pull/93483) Fix typo in Shortcuts doc comment (framework, cla: yes, d: api docs, documentation)
[93509](https://github.com/flutter/flutter/pull/93509) Add `CupertinoDatePicker` Interactive Example (team, framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[93600](https://github.com/flutter/flutter/pull/93600) fix: inline templatized see also (framework, f: material design, cla: yes, d: api docs, waiting for tree to go green, documentation)
[93625](https://github.com/flutter/flutter/pull/93625) Add `CupertinoButton` interactive example (team, framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[93799](https://github.com/flutter/flutter/pull/93799) Add Ink.image clip examples (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[94077](https://github.com/flutter/flutter/pull/94077) Mixin for slotted RenderObjectWidgets and RenderBox (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[94084](https://github.com/flutter/flutter/pull/94084) Update Xcode toolsVersion encoded in generated Main.storyboard (team, platform-ios, tool, cla: yes, d: api docs, d: examples, waiting for tree to go green, t: xcode, documentation, integration_test)
[94164](https://github.com/flutter/flutter/pull/94164) Revert "Update Xcode toolsVersion encoded in generated Main.storyboard" (team, tool, cla: yes, d: api docs, d: examples, documentation, integration_test)
[94496](https://github.com/flutter/flutter/pull/94496) Use `EnumName.name` where possible. (a: text input, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, f: focus)
[94620](https://github.com/flutter/flutter/pull/94620) Revert "Mixin for slotted RenderObjectWidgets and RenderBox" (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation)
[94632](https://github.com/flutter/flutter/pull/94632) Reland "Mixin for slotted RenderObjectWidgets and RenderBox (#94077)" (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[95044](https://github.com/flutter/flutter/pull/95044) Fix some issues with samples (team, framework, f: material design, f: scrolling, d: api docs, d: examples, waiting for tree to go green, documentation)
[95050](https://github.com/flutter/flutter/pull/95050) Ban sync*/async* from user facing code (team, tool, framework, a: animation, f: material design, f: scrolling, f: cupertino, d: api docs, d: examples, f: routes, f: gestures, documentation, f: focus)
[95146](https://github.com/flutter/flutter/pull/95146) Document Update: Outlined_button.dart (framework, f: material design, d: api docs, waiting for tree to go green, documentation)
[95286](https://github.com/flutter/flutter/pull/95286) Improve sync*/async* opt outs (team, framework, d: api docs, d: examples, documentation)
[95303](https://github.com/flutter/flutter/pull/95303) Update configurations to match the current test beds. (team, tool, framework, engine, f: material design, a: accessibility, d: api docs, d: examples, documentation)
[95428](https://github.com/flutter/flutter/pull/95428) Correct missing return statements in nullably-typed functions (team, tool, d: api docs, d: examples, waiting for tree to go green, documentation)
#### documentation - 31 pull request(s)
[89511](https://github.com/flutter/flutter/pull/89511) Reland engine display features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[91837](https://github.com/flutter/flutter/pull/91837) [ReorderableListView] Update doc with example to make it clear `proxyDecorator` can overriden to customise an item when it is being dragged. (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation)
[92297](https://github.com/flutter/flutter/pull/92297) Added widgets/AppModel (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[92932](https://github.com/flutter/flutter/pull/92932) Update docs to point to assets-for-api-docs cupertino css file (team, cla: yes, f: cupertino, d: api docs, waiting for tree to go green, documentation)
[93087](https://github.com/flutter/flutter/pull/93087) In CupertinoIcons doc adopt diagram and fix broken glyph map link (framework, cla: yes, f: cupertino, d: api docs, waiting for tree to go green, documentation)
[93098](https://github.com/flutter/flutter/pull/93098) Revert "Reland engine display features" (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93117](https://github.com/flutter/flutter/pull/93117) Reland Reland engine display features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93161](https://github.com/flutter/flutter/pull/93161) Revert "Added widgets/AppModel" (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[93175](https://github.com/flutter/flutter/pull/93175) Added SharedAppData to the widgets library (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation, will affect goldens)
[93204](https://github.com/flutter/flutter/pull/93204) Revert "Reland Reland engine display features" (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93240](https://github.com/flutter/flutter/pull/93240) Reland 3: Display Features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation, integration_test)
[93351](https://github.com/flutter/flutter/pull/93351) Replaced the reference to `primaryVariant` in code example. (team, f: material design, cla: yes, d: api docs, d: examples, documentation)
[93448](https://github.com/flutter/flutter/pull/93448) [flutter_releases] Flutter beta 2.8.0-3.1.pre Framework Cherrypicks (team, framework, engine, f: material design, cla: yes, d: api docs, d: examples, documentation)
[93480](https://github.com/flutter/flutter/pull/93480) Add InputDecorator label color on error examples (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[93483](https://github.com/flutter/flutter/pull/93483) Fix typo in Shortcuts doc comment (framework, cla: yes, d: api docs, documentation)
[93509](https://github.com/flutter/flutter/pull/93509) Add `CupertinoDatePicker` Interactive Example (team, framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[93600](https://github.com/flutter/flutter/pull/93600) fix: inline templatized see also (framework, f: material design, cla: yes, d: api docs, waiting for tree to go green, documentation)
[93625](https://github.com/flutter/flutter/pull/93625) Add `CupertinoButton` interactive example (team, framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[93799](https://github.com/flutter/flutter/pull/93799) Add Ink.image clip examples (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[94077](https://github.com/flutter/flutter/pull/94077) Mixin for slotted RenderObjectWidgets and RenderBox (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[94084](https://github.com/flutter/flutter/pull/94084) Update Xcode toolsVersion encoded in generated Main.storyboard (team, platform-ios, tool, cla: yes, d: api docs, d: examples, waiting for tree to go green, t: xcode, documentation, integration_test)
[94164](https://github.com/flutter/flutter/pull/94164) Revert "Update Xcode toolsVersion encoded in generated Main.storyboard" (team, tool, cla: yes, d: api docs, d: examples, documentation, integration_test)
[94496](https://github.com/flutter/flutter/pull/94496) Use `EnumName.name` where possible. (a: text input, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, f: focus)
[94620](https://github.com/flutter/flutter/pull/94620) Revert "Mixin for slotted RenderObjectWidgets and RenderBox" (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation)
[94632](https://github.com/flutter/flutter/pull/94632) Reland "Mixin for slotted RenderObjectWidgets and RenderBox (#94077)" (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[95044](https://github.com/flutter/flutter/pull/95044) Fix some issues with samples (team, framework, f: material design, f: scrolling, d: api docs, d: examples, waiting for tree to go green, documentation)
[95050](https://github.com/flutter/flutter/pull/95050) Ban sync*/async* from user facing code (team, tool, framework, a: animation, f: material design, f: scrolling, f: cupertino, d: api docs, d: examples, f: routes, f: gestures, documentation, f: focus)
[95146](https://github.com/flutter/flutter/pull/95146) Document Update: Outlined_button.dart (framework, f: material design, d: api docs, waiting for tree to go green, documentation)
[95286](https://github.com/flutter/flutter/pull/95286) Improve sync*/async* opt outs (team, framework, d: api docs, d: examples, documentation)
[95303](https://github.com/flutter/flutter/pull/95303) Update configurations to match the current test beds. (team, tool, framework, engine, f: material design, a: accessibility, d: api docs, d: examples, documentation)
[95428](https://github.com/flutter/flutter/pull/95428) Correct missing return statements in nullably-typed functions (team, tool, d: api docs, d: examples, waiting for tree to go green, documentation)
#### d: examples - 27 pull request(s)
[89511](https://github.com/flutter/flutter/pull/89511) Reland engine display features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[90684](https://github.com/flutter/flutter/pull/90684) Move text editing `Action`s to `EditableTextState` (team, framework, f: material design, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[91837](https://github.com/flutter/flutter/pull/91837) [ReorderableListView] Update doc with example to make it clear `proxyDecorator` can overriden to customise an item when it is being dragged. (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation)
[92297](https://github.com/flutter/flutter/pull/92297) Added widgets/AppModel (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[93098](https://github.com/flutter/flutter/pull/93098) Revert "Reland engine display features" (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93117](https://github.com/flutter/flutter/pull/93117) Reland Reland engine display features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93161](https://github.com/flutter/flutter/pull/93161) Revert "Added widgets/AppModel" (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[93175](https://github.com/flutter/flutter/pull/93175) Added SharedAppData to the widgets library (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation, will affect goldens)
[93204](https://github.com/flutter/flutter/pull/93204) Revert "Reland Reland engine display features" (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93240](https://github.com/flutter/flutter/pull/93240) Reland 3: Display Features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation, integration_test)
[93351](https://github.com/flutter/flutter/pull/93351) Replaced the reference to `primaryVariant` in code example. (team, f: material design, cla: yes, d: api docs, d: examples, documentation)
[93448](https://github.com/flutter/flutter/pull/93448) [flutter_releases] Flutter beta 2.8.0-3.1.pre Framework Cherrypicks (team, framework, engine, f: material design, cla: yes, d: api docs, d: examples, documentation)
[93480](https://github.com/flutter/flutter/pull/93480) Add InputDecorator label color on error examples (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[93509](https://github.com/flutter/flutter/pull/93509) Add `CupertinoDatePicker` Interactive Example (team, framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[93625](https://github.com/flutter/flutter/pull/93625) Add `CupertinoButton` interactive example (team, framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[93799](https://github.com/flutter/flutter/pull/93799) Add Ink.image clip examples (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[94077](https://github.com/flutter/flutter/pull/94077) Mixin for slotted RenderObjectWidgets and RenderBox (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[94084](https://github.com/flutter/flutter/pull/94084) Update Xcode toolsVersion encoded in generated Main.storyboard (team, platform-ios, tool, cla: yes, d: api docs, d: examples, waiting for tree to go green, t: xcode, documentation, integration_test)
[94164](https://github.com/flutter/flutter/pull/94164) Revert "Update Xcode toolsVersion encoded in generated Main.storyboard" (team, tool, cla: yes, d: api docs, d: examples, documentation, integration_test)
[94496](https://github.com/flutter/flutter/pull/94496) Use `EnumName.name` where possible. (a: text input, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, f: focus)
[94620](https://github.com/flutter/flutter/pull/94620) Revert "Mixin for slotted RenderObjectWidgets and RenderBox" (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation)
[94632](https://github.com/flutter/flutter/pull/94632) Reland "Mixin for slotted RenderObjectWidgets and RenderBox (#94077)" (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[95044](https://github.com/flutter/flutter/pull/95044) Fix some issues with samples (team, framework, f: material design, f: scrolling, d: api docs, d: examples, waiting for tree to go green, documentation)
[95050](https://github.com/flutter/flutter/pull/95050) Ban sync*/async* from user facing code (team, tool, framework, a: animation, f: material design, f: scrolling, f: cupertino, d: api docs, d: examples, f: routes, f: gestures, documentation, f: focus)
[95286](https://github.com/flutter/flutter/pull/95286) Improve sync*/async* opt outs (team, framework, d: api docs, d: examples, documentation)
[95303](https://github.com/flutter/flutter/pull/95303) Update configurations to match the current test beds. (team, tool, framework, engine, f: material design, a: accessibility, d: api docs, d: examples, documentation)
[95428](https://github.com/flutter/flutter/pull/95428) Correct missing return statements in nullably-typed functions (team, tool, d: api docs, d: examples, waiting for tree to go green, documentation)
#### integration_test - 27 pull request(s)
[89511](https://github.com/flutter/flutter/pull/89511) Reland engine display features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[92535](https://github.com/flutter/flutter/pull/92535) Reland: "Update outdated runners in the benchmarks folder (#91126)" (team, tool, cla: yes, waiting for tree to go green, integration_test)
[92593](https://github.com/flutter/flutter/pull/92593) Migrate test to moved FlutterPlayStoreSplitApplication (team, cla: yes, integration_test)
[92733](https://github.com/flutter/flutter/pull/92733) Add the exported attribute to the Flutter Gallery manifest (team, cla: yes, waiting for tree to go green, integration_test)
[92812](https://github.com/flutter/flutter/pull/92812) migrate integration.shard/vmservice_integration_test.dart to null safety (tool, cla: yes, waiting for tree to go green, integration_test)
[92861](https://github.com/flutter/flutter/pull/92861) Remove globals_null_migrated.dart, move into globals.dart (a: text input, tool, cla: yes, waiting for tree to go green, integration_test, a: null-safety)
[92901](https://github.com/flutter/flutter/pull/92901) Exit on deprecated v1 embedding when trying to run or build (team, tool, a: accessibility, cla: yes, waiting for tree to go green, integration_test)
[92938](https://github.com/flutter/flutter/pull/92938) Skip codesigning during native macOS integration tests (team, cla: yes, waiting for tree to go green, integration_test)
[92946](https://github.com/flutter/flutter/pull/92946) Add Help menu to macOS create template (team, tool, cla: yes, waiting for tree to go green, integration_test)
[93080](https://github.com/flutter/flutter/pull/93080) Dynamic logcat piping for deferred components test (team, cla: yes, waiting for tree to go green, integration_test)
[93086](https://github.com/flutter/flutter/pull/93086) Improve tracing (team, framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green, integration_test)
[93098](https://github.com/flutter/flutter/pull/93098) Revert "Reland engine display features" (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93117](https://github.com/flutter/flutter/pull/93117) Reland Reland engine display features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93204](https://github.com/flutter/flutter/pull/93204) Revert "Reland Reland engine display features" (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93240](https://github.com/flutter/flutter/pull/93240) Reland 3: Display Features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation, integration_test)
[93293](https://github.com/flutter/flutter/pull/93293) Use adb variable instead of direct command (team, cla: yes, waiting for tree to go green, integration_test)
[93307](https://github.com/flutter/flutter/pull/93307) Track timeout from app run start in deferred components integration test (team, cla: yes, waiting for tree to go green, integration_test)
[93323](https://github.com/flutter/flutter/pull/93323) Revert "Reland: "Update outdated runners in the benchmarks folder (#91126)"" (team, tool, cla: yes, integration_test)
[93365](https://github.com/flutter/flutter/pull/93365) Revert "Exit on deprecated v1 embedding when trying to run or build" (team, tool, a: accessibility, cla: yes, integration_test)
[93386](https://github.com/flutter/flutter/pull/93386) Reland "Exit on deprecated v1 embedding when trying to run or build (#92901)" (team, tool, a: accessibility, cla: yes, waiting for tree to go green, integration_test)
[93427](https://github.com/flutter/flutter/pull/93427) Added Material 3 colors to ColorScheme. (team, framework, f: material design, cla: yes, integration_test, tech-debt)
[93463](https://github.com/flutter/flutter/pull/93463) API to generate a ColorScheme from a single seed color. (team, framework, f: material design, cla: yes, waiting for tree to go green, integration_test)
[93518](https://github.com/flutter/flutter/pull/93518) Revert "Reland "Exit on deprecated v1 embedding when trying to run or… (team, tool, a: accessibility, cla: yes, integration_test)
[93566](https://github.com/flutter/flutter/pull/93566) Reland "Exit on deprecated v1 embedding when trying to run or build" (#92901) (team, tool, a: accessibility, cla: yes, waiting for tree to go green, integration_test)
[93876](https://github.com/flutter/flutter/pull/93876) Force the a11y focus on textfield in android semantics integration test (team, a: accessibility, cla: yes, waiting for tree to go green, integration_test)
[94084](https://github.com/flutter/flutter/pull/94084) Update Xcode toolsVersion encoded in generated Main.storyboard (team, platform-ios, tool, cla: yes, d: api docs, d: examples, waiting for tree to go green, t: xcode, documentation, integration_test)
[94164](https://github.com/flutter/flutter/pull/94164) Revert "Update Xcode toolsVersion encoded in generated Main.storyboard" (team, tool, cla: yes, d: api docs, d: examples, documentation, integration_test)
#### team: flakes - 25 pull request(s)
[93013](https://github.com/flutter/flutter/pull/93013) Marks Linux web_canvaskit_tests_0 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93014](https://github.com/flutter/flutter/pull/93014) Marks Linux web_canvaskit_tests_1 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93015](https://github.com/flutter/flutter/pull/93015) Marks Linux web_canvaskit_tests_2 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93016](https://github.com/flutter/flutter/pull/93016) Marks Linux web_canvaskit_tests_3 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93017](https://github.com/flutter/flutter/pull/93017) Marks Linux web_canvaskit_tests_4 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93018](https://github.com/flutter/flutter/pull/93018) Marks Linux web_canvaskit_tests_5 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93019](https://github.com/flutter/flutter/pull/93019) Marks Linux web_canvaskit_tests_6 to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93020](https://github.com/flutter/flutter/pull/93020) Marks Linux web_canvaskit_tests_7_last to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93021](https://github.com/flutter/flutter/pull/93021) Marks Linux_android flutter_gallery__image_cache_memory to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93022](https://github.com/flutter/flutter/pull/93022) Marks Linux_android flutter_gallery__start_up to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93251](https://github.com/flutter/flutter/pull/93251) Marks Linux_android flutter_gallery__start_up_delayed to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93252](https://github.com/flutter/flutter/pull/93252) Marks Mac_android run_release_test to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93254](https://github.com/flutter/flutter/pull/93254) Marks Mac_ios integration_ui_ios_textfield to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93255](https://github.com/flutter/flutter/pull/93255) Marks Mac_android android_semantics_integration_test to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93664](https://github.com/flutter/flutter/pull/93664) Marks Mac native_ui_tests_macos to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[93805](https://github.com/flutter/flutter/pull/93805) Marks Linux_android image_list_jit_reported_duration to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94029](https://github.com/flutter/flutter/pull/94029) Marks Linux deferred components to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94033](https://github.com/flutter/flutter/pull/94033) Marks Linux android views to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94035](https://github.com/flutter/flutter/pull/94035) Marks Linux_android image_list_reported_duration to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94727](https://github.com/flutter/flutter/pull/94727) Marks Linux_android image_list_reported_duration to be unflaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94731](https://github.com/flutter/flutter/pull/94731) Marks Mac_android android_semantics_integration_test to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[94733](https://github.com/flutter/flutter/pull/94733) Marks Mac module_test_ios to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[95055](https://github.com/flutter/flutter/pull/95055) Initialize the Skia client more efficiently (a: tests, team, framework, team: flakes, waiting for tree to go green, team: presubmit flakes, tech-debt, infra auto flake)
[95571](https://github.com/flutter/flutter/pull/95571) Marks Mac module_test_ios to be unflaky (team, team: flakes, waiting for tree to go green, tech-debt)
[95583](https://github.com/flutter/flutter/pull/95583) Marks Mac_ios hot_mode_dev_cycle_ios__benchmark to be flaky (team, team: flakes, waiting for tree to go green, tech-debt)
#### f: cupertino - 22 pull request(s)
[72919](https://github.com/flutter/flutter/pull/72919) Add CupertinoTabBar.height (severe: new feature, framework, cla: yes, f: cupertino, waiting for tree to go green)
[90684](https://github.com/flutter/flutter/pull/90684) Move text editing `Action`s to `EditableTextState` (team, framework, f: material design, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[92172](https://github.com/flutter/flutter/pull/92172) [CupertinoActivityIndicator] Add `color` parameter (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[92197](https://github.com/flutter/flutter/pull/92197) Reland Remove BottomNavigationBarItem.title deprecation (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[92480](https://github.com/flutter/flutter/pull/92480) [Cupertino] fix dark mode for `ContextMenuAction` (a: text input, framework, cla: yes, f: cupertino, waiting for tree to go green)
[92481](https://github.com/flutter/flutter/pull/92481) [Cupertino] Exclude border for last action item in `CupertinoContextMenu` (a: text input, framework, cla: yes, f: cupertino)
[92923](https://github.com/flutter/flutter/pull/92923) Update flutter localizations. (f: material design, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[92929](https://github.com/flutter/flutter/pull/92929) Fix a few prefer_const_declarations and avoid_redundant_argument_values. (a: text input, framework, f: material design, a: internationalization, cla: yes, f: cupertino)
[92932](https://github.com/flutter/flutter/pull/92932) Update docs to point to assets-for-api-docs cupertino css file (team, cla: yes, f: cupertino, d: api docs, waiting for tree to go green, documentation)
[93087](https://github.com/flutter/flutter/pull/93087) In CupertinoIcons doc adopt diagram and fix broken glyph map link (framework, cla: yes, f: cupertino, d: api docs, waiting for tree to go green, documentation)
[93170](https://github.com/flutter/flutter/pull/93170) Desktop edge scrolling (a: text input, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[93478](https://github.com/flutter/flutter/pull/93478) Add `splashRadius` property to `IconTheme` (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[93509](https://github.com/flutter/flutter/pull/93509) Add `CupertinoDatePicker` Interactive Example (team, framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[93625](https://github.com/flutter/flutter/pull/93625) Add `CupertinoButton` interactive example (team, framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[93835](https://github.com/flutter/flutter/pull/93835) Shift tap gesture (a: text input, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, will affect goldens)
[93875](https://github.com/flutter/flutter/pull/93875) [CupertinoTextField] Add missing focus listener (a: text input, framework, cla: yes, f: cupertino, waiting for tree to go green, will affect goldens)
[94482](https://github.com/flutter/flutter/pull/94482) Revert "Add `splashRadius` property to `IconTheme` (#93478)" (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[94496](https://github.com/flutter/flutter/pull/94496) Use `EnumName.name` where possible. (a: text input, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, f: focus)
[94772](https://github.com/flutter/flutter/pull/94772) Prefer .of to .from (framework, a: animation, f: material design, a: accessibility, f: scrolling, f: cupertino, f: routes, f: gestures, f: focus)
[94834](https://github.com/flutter/flutter/pull/94834) Add explicit null returns in flutter/test (a: text input, framework, f: material design, f: scrolling, f: cupertino, f: routes, waiting for tree to go green)
[94898](https://github.com/flutter/flutter/pull/94898) Windows: Focus text field on gaining a11y focus (a: text input, framework, f: material design, f: cupertino, waiting for tree to go green)
[95050](https://github.com/flutter/flutter/pull/95050) Ban sync*/async* from user facing code (team, tool, framework, a: animation, f: material design, f: scrolling, f: cupertino, d: api docs, d: examples, f: routes, f: gestures, documentation, f: focus)
#### a: accessibility - 19 pull request(s)
[89511](https://github.com/flutter/flutter/pull/89511) Reland engine display features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[92901](https://github.com/flutter/flutter/pull/92901) Exit on deprecated v1 embedding when trying to run or build (team, tool, a: accessibility, cla: yes, waiting for tree to go green, integration_test)
[93034](https://github.com/flutter/flutter/pull/93034) Replace text directionality control characters with escape sequences in the semantics_tester (framework, a: accessibility, cla: yes, waiting for tree to go green)
[93098](https://github.com/flutter/flutter/pull/93098) Revert "Reland engine display features" (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93117](https://github.com/flutter/flutter/pull/93117) Reland Reland engine display features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93204](https://github.com/flutter/flutter/pull/93204) Revert "Reland Reland engine display features" (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93240](https://github.com/flutter/flutter/pull/93240) Reland 3: Display Features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation, integration_test)
[93365](https://github.com/flutter/flutter/pull/93365) Revert "Exit on deprecated v1 embedding when trying to run or build" (team, tool, a: accessibility, cla: yes, integration_test)
[93386](https://github.com/flutter/flutter/pull/93386) Reland "Exit on deprecated v1 embedding when trying to run or build (#92901)" (team, tool, a: accessibility, cla: yes, waiting for tree to go green, integration_test)
[93518](https://github.com/flutter/flutter/pull/93518) Revert "Reland "Exit on deprecated v1 embedding when trying to run or… (team, tool, a: accessibility, cla: yes, integration_test)
[93566](https://github.com/flutter/flutter/pull/93566) Reland "Exit on deprecated v1 embedding when trying to run or build" (#92901) (team, tool, a: accessibility, cla: yes, waiting for tree to go green, integration_test)
[93869](https://github.com/flutter/flutter/pull/93869) Skip links in MinimumTapTargetGuideline. (a: tests, framework, a: accessibility, cla: yes, waiting for tree to go green)
[93876](https://github.com/flutter/flutter/pull/93876) Force the a11y focus on textfield in android semantics integration test (team, a: accessibility, cla: yes, waiting for tree to go green, integration_test)
[94489](https://github.com/flutter/flutter/pull/94489) MinimumTextContrastGuideline should exclude disabled component (a: tests, framework, a: accessibility, cla: yes, waiting for tree to go green)
[94496](https://github.com/flutter/flutter/pull/94496) Use `EnumName.name` where possible. (a: text input, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, f: focus)
[94772](https://github.com/flutter/flutter/pull/94772) Prefer .of to .from (framework, a: animation, f: material design, a: accessibility, f: scrolling, f: cupertino, f: routes, f: gestures, f: focus)
[94875](https://github.com/flutter/flutter/pull/94875) Fix android semantics integration test flakiness (team, a: accessibility, waiting for tree to go green)
[95047](https://github.com/flutter/flutter/pull/95047) Fixes semantics_perf_test.dart after profile fixes (team, a: accessibility, waiting for tree to go green)
[95303](https://github.com/flutter/flutter/pull/95303) Update configurations to match the current test beds. (team, tool, framework, engine, f: material design, a: accessibility, d: api docs, d: examples, documentation)
#### engine - 17 pull request(s)
[89511](https://github.com/flutter/flutter/pull/89511) Reland engine display features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[92926](https://github.com/flutter/flutter/pull/92926) Revert "Roll Engine from 6095a1367846 to 4dbdc0844425 (1 revision) (#… (engine, cla: yes)
[93098](https://github.com/flutter/flutter/pull/93098) Revert "Reland engine display features" (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93117](https://github.com/flutter/flutter/pull/93117) Reland Reland engine display features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93204](https://github.com/flutter/flutter/pull/93204) Revert "Reland Reland engine display features" (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[93240](https://github.com/flutter/flutter/pull/93240) Reland 3: Display Features (team, tool, engine, a: accessibility, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation, integration_test)
[93448](https://github.com/flutter/flutter/pull/93448) [flutter_releases] Flutter beta 2.8.0-3.1.pre Framework Cherrypicks (team, framework, engine, f: material design, cla: yes, d: api docs, d: examples, documentation)
[93841](https://github.com/flutter/flutter/pull/93841) [flutter_releases] Flutter beta 2.8.0-3.2.pre Framework Cherrypicks (tool, engine, cla: yes)
[93976](https://github.com/flutter/flutter/pull/93976) Revert "Roll Engine from d3dcd41c9490 to 64b13b8eff25 (29 revisions)" (engine, cla: yes)
[94176](https://github.com/flutter/flutter/pull/94176) Revert "Roll Engine from 4b1d78603d70 to 9be4b8b9bcc9 (8 revisions)" (engine, cla: yes)
[94182](https://github.com/flutter/flutter/pull/94182) Cherrypick a Dart roll to unblock internal roll. (engine, cla: yes)
[94490](https://github.com/flutter/flutter/pull/94490) [flutter_releases] Flutter beta 2.8.0-3.3.pre Framework Cherrypicks (team, tool, engine, cla: yes)
[94611](https://github.com/flutter/flutter/pull/94611) Revert "Roll Engine from 128fd65b005a to 1a76ac24c509 (2 revisions)" (engine, cla: yes)
[94889](https://github.com/flutter/flutter/pull/94889) [flutter_releases] Flutter stable 2.8.0 Framework Cherrypicks (engine)
[95275](https://github.com/flutter/flutter/pull/95275) [flutter_releases] Flutter beta 2.9.0-0.1.pre Framework Cherrypicks (engine)
[95303](https://github.com/flutter/flutter/pull/95303) Update configurations to match the current test beds. (team, tool, framework, engine, f: material design, a: accessibility, d: api docs, d: examples, documentation)
[95375](https://github.com/flutter/flutter/pull/95375) [flutter_releases] Flutter stable 2.8.1 Framework Cherrypicks (tool, engine)
#### a: tests - 15 pull request(s)
[92217](https://github.com/flutter/flutter/pull/92217) Fix reassemble in LiveTestWidgetsFlutterBinding (a: tests, framework, cla: yes)
[92374](https://github.com/flutter/flutter/pull/92374) Removed no-shuffle tag and fixed leak in flutter_goldens_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green)
[92630](https://github.com/flutter/flutter/pull/92630) Migrate to `process` 4.2.4 (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[92906](https://github.com/flutter/flutter/pull/92906) Add display features to MediaQuery (a: tests, severe: new feature, framework, cla: yes, waiting for tree to go green, a: layout)
[93516](https://github.com/flutter/flutter/pull/93516) Close tree if unapproved golden images get in (a: tests, team, framework, cla: yes, waiting for tree to go green, a: error message, team: infra)
[93604](https://github.com/flutter/flutter/pull/93604) Fixed leak and removed no-shuffle tag in window_test.dart (a: tests, framework, cla: yes, waiting for tree to go green)
[93740](https://github.com/flutter/flutter/pull/93740) Skip web golden test that is not supported (a: tests, a: text input, team, framework, f: material design, cla: yes, tech-debt)
[93869](https://github.com/flutter/flutter/pull/93869) Skip links in MinimumTapTargetGuideline. (a: tests, framework, a: accessibility, cla: yes, waiting for tree to go green)
[94374](https://github.com/flutter/flutter/pull/94374) Update plugin lint test for federated url_launcher plugin (a: tests, team, cla: yes)
[94489](https://github.com/flutter/flutter/pull/94489) MinimumTextContrastGuideline should exclude disabled component (a: tests, framework, a: accessibility, cla: yes, waiting for tree to go green)
[94584](https://github.com/flutter/flutter/pull/94584) [FlutterDriver] minor nullability fixes (a: tests, framework, cla: yes)
[94827](https://github.com/flutter/flutter/pull/94827) [RawKeyboard, Web, macOS] Upper keys should generate lower logical keys (a: tests, framework, waiting for tree to go green)
[95003](https://github.com/flutter/flutter/pull/95003) [flutter_test] Fix incorrect missed budget count (a: tests, framework, waiting for tree to go green)
[95055](https://github.com/flutter/flutter/pull/95055) Initialize the Skia client more efficiently (a: tests, team, framework, team: flakes, waiting for tree to go green, team: presubmit flakes, tech-debt, infra auto flake)
[95692](https://github.com/flutter/flutter/pull/95692) Compute the total time spent on UI thread for GC (a: tests, framework)
#### will affect goldens - 15 pull request(s)
[88362](https://github.com/flutter/flutter/pull/88362) [gen_l10n] retain full output file suffix (tool, cla: yes, will affect goldens)
[90157](https://github.com/flutter/flutter/pull/90157) Allow users to center align the floating label (framework, f: material design, cla: yes, will affect goldens)
[90932](https://github.com/flutter/flutter/pull/90932) Expose enableDrag property for showBottomSheet (framework, f: material design, cla: yes, waiting for tree to go green, will affect goldens)
[91698](https://github.com/flutter/flutter/pull/91698) Fix text cursor or input can be outside of the text field (a: text input, framework, cla: yes, waiting for tree to go green, will affect goldens)
[92940](https://github.com/flutter/flutter/pull/92940) TextField border gap padding improvement (framework, f: material design, cla: yes, waiting for tree to go green, will affect goldens)
[93175](https://github.com/flutter/flutter/pull/93175) Added SharedAppData to the widgets library (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation, will affect goldens)
[93223](https://github.com/flutter/flutter/pull/93223) Roll Engine from 5140e30cec13 to 469d6f1a09f4 (58 revisions) (cla: yes, waiting for tree to go green, will affect goldens)
[93228](https://github.com/flutter/flutter/pull/93228) Use num on plural (tool, cla: yes, will affect goldens)
[93264](https://github.com/flutter/flutter/pull/93264) [conductor] add cleanContext (team, cla: yes, will affect goldens)
[93510](https://github.com/flutter/flutter/pull/93510) Roll Engine from aaacb670af16 to e022c9283c40 (4 revisions) (cla: yes, waiting for tree to go green, will affect goldens)
[93835](https://github.com/flutter/flutter/pull/93835) Shift tap gesture (a: text input, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, will affect goldens)
[93875](https://github.com/flutter/flutter/pull/93875) [CupertinoTextField] Add missing focus listener (a: text input, framework, cla: yes, f: cupertino, waiting for tree to go green, will affect goldens)
[93933](https://github.com/flutter/flutter/pull/93933) [unrevert] TextField border gap padding improvement (framework, f: material design, cla: yes, waiting for tree to go green, will affect goldens)
[94280](https://github.com/flutter/flutter/pull/94280) Ensure the engineLayer is disposed when an OpacityLayer is disabled (framework, cla: yes, waiting for tree to go green, will affect goldens)
[94811](https://github.com/flutter/flutter/pull/94811) Remove `ClipRect` from Snackbar (framework, f: material design, waiting for tree to go green, will affect goldens)
#### a: null-safety - 12 pull request(s)
[92738](https://github.com/flutter/flutter/pull/92738) Migrate emulators to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92849](https://github.com/flutter/flutter/pull/92849) Migrate tracing to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92861](https://github.com/flutter/flutter/pull/92861) Remove globals_null_migrated.dart, move into globals.dart (a: text input, tool, cla: yes, waiting for tree to go green, integration_test, a: null-safety)
[92869](https://github.com/flutter/flutter/pull/92869) Migrate build_system targets to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92871](https://github.com/flutter/flutter/pull/92871) Migrate flutter_command to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92952](https://github.com/flutter/flutter/pull/92952) Migrate doctor, format, and a few other commands to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92955](https://github.com/flutter/flutter/pull/92955) Migrate custom_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92956](https://github.com/flutter/flutter/pull/92956) Migrate windows_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[95433](https://github.com/flutter/flutter/pull/95433) Migrate install command to null safety (tool, waiting for tree to go green, a: null-safety, tech-debt)
[95438](https://github.com/flutter/flutter/pull/95438) Migrate fuchsia_device to null safety (tool, waiting for tree to go green, a: null-safety, tech-debt)
[95442](https://github.com/flutter/flutter/pull/95442) Migrate analyze commands to null safety (tool, waiting for tree to go green, a: null-safety, tech-debt)
[95657](https://github.com/flutter/flutter/pull/95657) Migrate flutter_device_manager to null safety (a: text input, tool, waiting for tree to go green, a: null-safety, tech-debt)
#### f: scrolling - 11 pull request(s)
[90608](https://github.com/flutter/flutter/pull/90608) RangeMaintainingScrollPhysics remove overscroll maintaining when grow (framework, f: scrolling, cla: yes, waiting for tree to go green)
[91532](https://github.com/flutter/flutter/pull/91532) Allow to click through scrollbar when gestures are disabled (framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green)
[92440](https://github.com/flutter/flutter/pull/92440) Allow Programmatic Control of Draggable Sheet (framework, f: scrolling, cla: yes, waiting for tree to go green)
[92657](https://github.com/flutter/flutter/pull/92657) Fix a scrollbar crash bug (framework, f: scrolling, cla: yes, waiting for tree to go green)
[93086](https://github.com/flutter/flutter/pull/93086) Improve tracing (team, framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green, integration_test)
[94613](https://github.com/flutter/flutter/pull/94613) fix small typo in doc of SingleChildScrollView (framework, f: scrolling, cla: yes, waiting for tree to go green)
[94772](https://github.com/flutter/flutter/pull/94772) Prefer .of to .from (framework, a: animation, f: material design, a: accessibility, f: scrolling, f: cupertino, f: routes, f: gestures, f: focus)
[94834](https://github.com/flutter/flutter/pull/94834) Add explicit null returns in flutter/test (a: text input, framework, f: material design, f: scrolling, f: cupertino, f: routes, waiting for tree to go green)
[95044](https://github.com/flutter/flutter/pull/95044) Fix some issues with samples (team, framework, f: material design, f: scrolling, d: api docs, d: examples, waiting for tree to go green, documentation)
[95050](https://github.com/flutter/flutter/pull/95050) Ban sync*/async* from user facing code (team, tool, framework, a: animation, f: material design, f: scrolling, f: cupertino, d: api docs, d: examples, f: routes, f: gestures, documentation, f: focus)
[95598](https://github.com/flutter/flutter/pull/95598) Fix precision error in RenderSliverFixedExtentBoxAdaptor assertion (framework, f: scrolling, waiting for tree to go green)
#### f: routes - 6 pull request(s)
[77103](https://github.com/flutter/flutter/pull/77103) [web] Allow the usage of url strategies without conditional imports (cla: yes, f: routes, platform-web, waiting for tree to go green)
[94564](https://github.com/flutter/flutter/pull/94564) Revert "Fixes zero route transition duration crash (#90461)" (framework, cla: yes, f: routes)
[94575](https://github.com/flutter/flutter/pull/94575) Reland "Fixes zero route transition duration crash" (framework, cla: yes, f: routes)
[94772](https://github.com/flutter/flutter/pull/94772) Prefer .of to .from (framework, a: animation, f: material design, a: accessibility, f: scrolling, f: cupertino, f: routes, f: gestures, f: focus)
[94834](https://github.com/flutter/flutter/pull/94834) Add explicit null returns in flutter/test (a: text input, framework, f: material design, f: scrolling, f: cupertino, f: routes, waiting for tree to go green)
[95050](https://github.com/flutter/flutter/pull/95050) Ban sync*/async* from user facing code (team, tool, framework, a: animation, f: material design, f: scrolling, f: cupertino, d: api docs, d: examples, f: routes, f: gestures, documentation, f: focus)
#### platform-ios - 5 pull request(s)
[93556](https://github.com/flutter/flutter/pull/93556) Ad-hoc codesign Flutter.framework when code signing is disabled (platform-ios, tool, cla: yes, waiting for tree to go green)
[94084](https://github.com/flutter/flutter/pull/94084) Update Xcode toolsVersion encoded in generated Main.storyboard (team, platform-ios, tool, cla: yes, d: api docs, d: examples, waiting for tree to go green, t: xcode, documentation, integration_test)
[94190](https://github.com/flutter/flutter/pull/94190) Avoid using watchOS SDK in CI tests (team, platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[94385](https://github.com/flutter/flutter/pull/94385) Detect additional ARM ffi CocoaPods error (platform-ios, tool, cla: yes, waiting for tree to go green)
[95293](https://github.com/flutter/flutter/pull/95293) Build Flutter iOS plugins with all valid architectures (platform-ios, tool, waiting for tree to go green, t: xcode)
#### f: focus - 4 pull request(s)
[92615](https://github.com/flutter/flutter/pull/92615) Fixes issue where navigating to new route breaks FocusNode of previou… (framework, cla: yes, waiting for tree to go green, f: focus)
[94496](https://github.com/flutter/flutter/pull/94496) Use `EnumName.name` where possible. (a: text input, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, f: focus)
[94772](https://github.com/flutter/flutter/pull/94772) Prefer .of to .from (framework, a: animation, f: material design, a: accessibility, f: scrolling, f: cupertino, f: routes, f: gestures, f: focus)
[95050](https://github.com/flutter/flutter/pull/95050) Ban sync*/async* from user facing code (team, tool, framework, a: animation, f: material design, f: scrolling, f: cupertino, d: api docs, d: examples, f: routes, f: gestures, documentation, f: focus)
#### t: xcode - 4 pull request(s)
[93094](https://github.com/flutter/flutter/pull/93094) Update minimum required version to Xcode 12.3 (a: text input, tool, cla: yes, waiting for tree to go green, t: xcode)
[94084](https://github.com/flutter/flutter/pull/94084) Update Xcode toolsVersion encoded in generated Main.storyboard (team, platform-ios, tool, cla: yes, d: api docs, d: examples, waiting for tree to go green, t: xcode, documentation, integration_test)
[94190](https://github.com/flutter/flutter/pull/94190) Avoid using watchOS SDK in CI tests (team, platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[95293](https://github.com/flutter/flutter/pull/95293) Build Flutter iOS plugins with all valid architectures (platform-ios, tool, waiting for tree to go green, t: xcode)
#### a: animation - 4 pull request(s)
[93536](https://github.com/flutter/flutter/pull/93536) Fix typo in AnimatedWidgetBaseState (framework, a: animation, cla: yes, waiting for tree to go green)
[94424](https://github.com/flutter/flutter/pull/94424) Update outdated macros (a: text input, framework, a: animation, f: material design, cla: yes, waiting for tree to go green)
[94772](https://github.com/flutter/flutter/pull/94772) Prefer .of to .from (framework, a: animation, f: material design, a: accessibility, f: scrolling, f: cupertino, f: routes, f: gestures, f: focus)
[95050](https://github.com/flutter/flutter/pull/95050) Ban sync*/async* from user facing code (team, tool, framework, a: animation, f: material design, f: scrolling, f: cupertino, d: api docs, d: examples, f: routes, f: gestures, documentation, f: focus)
#### team: infra - 3 pull request(s)
[93516](https://github.com/flutter/flutter/pull/93516) Close tree if unapproved golden images get in (a: tests, team, framework, cla: yes, waiting for tree to go green, a: error message, team: infra)
[94180](https://github.com/flutter/flutter/pull/94180) Mark fixed Mac_android tests unflaky (cla: yes, waiting for tree to go green, team: infra)
[94188](https://github.com/flutter/flutter/pull/94188) [ci.yaml] Add release branch regex (team, cla: yes, waiting for tree to go green, team: infra)
#### warning: land on red to fix tree breakage - 3 pull request(s)
[93694](https://github.com/flutter/flutter/pull/93694) Roll Plugins from 31268aabbaa9 to 1e85f320695d (9 revisions) (cla: yes, waiting for tree to go green, warning: land on red to fix tree breakage)
[95196](https://github.com/flutter/flutter/pull/95196) Revert "Use unified android sdk+ndk package in ci.yaml" (waiting for tree to go green, warning: land on red to fix tree breakage)
[95349](https://github.com/flutter/flutter/pull/95349) [flutter_conductor] support commits past tagged stable release (team, waiting for tree to go green, warning: land on red to fix tree breakage)
#### f: gestures - 3 pull request(s)
[94342](https://github.com/flutter/flutter/pull/94342) Fix typo / line wrapping in `team.dart` (framework, cla: yes, f: gestures, waiting for tree to go green)
[94772](https://github.com/flutter/flutter/pull/94772) Prefer .of to .from (framework, a: animation, f: material design, a: accessibility, f: scrolling, f: cupertino, f: routes, f: gestures, f: focus)
[95050](https://github.com/flutter/flutter/pull/95050) Ban sync*/async* from user facing code (team, tool, framework, a: animation, f: material design, f: scrolling, f: cupertino, d: api docs, d: examples, f: routes, f: gestures, documentation, f: focus)
#### platform-web - 2 pull request(s)
[77103](https://github.com/flutter/flutter/pull/77103) [web] Allow the usage of url strategies without conditional imports (cla: yes, f: routes, platform-web, waiting for tree to go green)
[94739](https://github.com/flutter/flutter/pull/94739) [web] Stop using web experiments in benchmarks (a: text input, team, cla: yes, platform-web, waiting for tree to go green, team: benchmark)
#### severe: new feature - 2 pull request(s)
[72919](https://github.com/flutter/flutter/pull/72919) Add CupertinoTabBar.height (severe: new feature, framework, cla: yes, f: cupertino, waiting for tree to go green)
[92906](https://github.com/flutter/flutter/pull/92906) Add display features to MediaQuery (a: tests, severe: new feature, framework, cla: yes, waiting for tree to go green, a: layout)
#### team: benchmark - 2 pull request(s)
[92989](https://github.com/flutter/flutter/pull/92989) Stop sending metrics to builder name (team, cla: yes, waiting for tree to go green, team: benchmark)
[94739](https://github.com/flutter/flutter/pull/94739) [web] Stop using web experiments in benchmarks (a: text input, team, cla: yes, platform-web, waiting for tree to go green, team: benchmark)
#### a: internationalization - 2 pull request(s)
[92923](https://github.com/flutter/flutter/pull/92923) Update flutter localizations. (f: material design, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[92929](https://github.com/flutter/flutter/pull/92929) Fix a few prefer_const_declarations and avoid_redundant_argument_values. (a: text input, framework, f: material design, a: internationalization, cla: yes, f: cupertino)
#### a: error message - 2 pull request(s)
[93516](https://github.com/flutter/flutter/pull/93516) Close tree if unapproved golden images get in (a: tests, team, framework, cla: yes, waiting for tree to go green, a: error message, team: infra)
[94568](https://github.com/flutter/flutter/pull/94568) Improve the error message when calling `Image.file` on web (framework, cla: yes, a: quality, waiting for tree to go green, a: error message)
#### infra auto flake - 1 pull request(s)
[95055](https://github.com/flutter/flutter/pull/95055) Initialize the Skia client more efficiently (a: tests, team, framework, team: flakes, waiting for tree to go green, team: presubmit flakes, tech-debt, infra auto flake)
#### a: quality - 1 pull request(s)
[94568](https://github.com/flutter/flutter/pull/94568) Improve the error message when calling `Image.file` on web (framework, cla: yes, a: quality, waiting for tree to go green, a: error message)
#### a: layout - 1 pull request(s)
[92906](https://github.com/flutter/flutter/pull/92906) Add display features to MediaQuery (a: tests, severe: new feature, framework, cla: yes, waiting for tree to go green, a: layout)
#### team: presubmit flakes - 1 pull request(s)
[95055](https://github.com/flutter/flutter/pull/95055) Initialize the Skia client more efficiently (a: tests, team, framework, team: flakes, waiting for tree to go green, team: presubmit flakes, tech-debt, infra auto flake)
## Merged PRs by labels for `flutter/engine`
#### waiting for tree to go green - 611 pull request(s)
[28016](https://github.com/flutter/engine/pull/28016) don't build flutter SDK artifacts for armv7 (cla: yes, waiting for tree to go green)
[28067](https://github.com/flutter/engine/pull/28067) winuwp: Add multi-touch support (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28319](https://github.com/flutter/engine/pull/28319) Remove iPadOS mouse pointer if no longer connected (platform-ios, cla: yes, waiting for tree to go green)
[28609](https://github.com/flutter/engine/pull/28609) Call `didFailToRegisterForRemoteNotificationsWithError` delegate methods in `FlutterPlugin` (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[29096](https://github.com/flutter/engine/pull/29096) Make FlutterEngineGroup support dart entrypoint args (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web)
[29139](https://github.com/flutter/engine/pull/29139) [web] Start support for Skia Gold (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29178](https://github.com/flutter/engine/pull/29178) Acquire context reference at the correct time for FlGlArea. (cla: yes, waiting for tree to go green, platform-linux, needs tests)
[29295](https://github.com/flutter/engine/pull/29295) [iOS] Destroy the engine prior to application termination. (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[29318](https://github.com/flutter/engine/pull/29318) Fix isolate_configuration typo (cla: yes, waiting for tree to go green)
[29354](https://github.com/flutter/engine/pull/29354) [iOS] Fixes press key message leaks (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[29367](https://github.com/flutter/engine/pull/29367) Re-enable A11yTreeIsConsistent with higher timeout (cla: yes, waiting for tree to go green, embedder)
[29397](https://github.com/flutter/engine/pull/29397) [fuchsia] Add more logging for error cases. (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29402](https://github.com/flutter/engine/pull/29402) WeakPtrFactory should be destroyed before any other members. (platform-ios, cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29451](https://github.com/flutter/engine/pull/29451) Roll Skia from ccb459d57b26 to 784b7b7ab541 (1 revision) (cla: yes, waiting for tree to go green)
[29453](https://github.com/flutter/engine/pull/29453) Manually roll fuchsia SDK to Qv7WqmG8hOpj9NV5Ng6rBDSQW7KeowbX0kpbW0FaZgIC (cla: yes, waiting for tree to go green)
[29454](https://github.com/flutter/engine/pull/29454) Roll Skia from 784b7b7ab541 to 761afc93e742 (4 revisions) (cla: yes, waiting for tree to go green)
[29456](https://github.com/flutter/engine/pull/29456) Fix invalid access of weakly owned ptr in iOS a11y bridge (platform-ios, cla: yes, waiting for tree to go green)
[29457](https://github.com/flutter/engine/pull/29457) Roll Skia from 761afc93e742 to fea9b27cc74c (1 revision) (cla: yes, waiting for tree to go green)
[29464](https://github.com/flutter/engine/pull/29464) [iOS text input] do not forward press events to the engine (platform-ios, cla: yes, waiting for tree to go green)
[29466](https://github.com/flutter/engine/pull/29466) Roll Clang Mac from HpW96jrB8... to JziYOnXHQ... (cla: yes, waiting for tree to go green)
[29467](https://github.com/flutter/engine/pull/29467) Roll Clang Linux from usfKkGnw0... to 5N9a1nYj5... (cla: yes, waiting for tree to go green)
[29469](https://github.com/flutter/engine/pull/29469) Roll Skia from fea9b27cc74c to 15f17c057624 (2 revisions) (cla: yes, waiting for tree to go green)
[29470](https://github.com/flutter/engine/pull/29470) Build DisplayList directly from flutter::Canvas (cla: yes, waiting for tree to go green)
[29471](https://github.com/flutter/engine/pull/29471) Roll Fuchsia Mac SDK from iK9xdlMLD... to 3k_RoW0B3... (cla: yes, waiting for tree to go green)
[29472](https://github.com/flutter/engine/pull/29472) Roll Fuchsia Linux SDK from Qv7WqmG8h... to X5Ojdx_ZF... (cla: yes, waiting for tree to go green)
[29473](https://github.com/flutter/engine/pull/29473) Roll Skia from 15f17c057624 to 05d3f48d0f3f (4 revisions) (cla: yes, waiting for tree to go green)
[29475](https://github.com/flutter/engine/pull/29475) Roll Skia from 05d3f48d0f3f to ba35f687c339 (1 revision) (cla: yes, waiting for tree to go green)
[29480](https://github.com/flutter/engine/pull/29480) Roll Skia from ba35f687c339 to 7b3b916c7c9e (9 revisions) (cla: yes, waiting for tree to go green)
[29485](https://github.com/flutter/engine/pull/29485) Roll Fuchsia Linux SDK from X5Ojdx_ZF... to 9Vsn4gUTL... (cla: yes, waiting for tree to go green)
[29488](https://github.com/flutter/engine/pull/29488) Ensure vsync callback completes before resetting the engine. (cla: yes, waiting for tree to go green, embedder)
[29489](https://github.com/flutter/engine/pull/29489) Roll Fuchsia Mac SDK from 3k_RoW0B3... to -g_WNjn1Y... (cla: yes, waiting for tree to go green)
[29490](https://github.com/flutter/engine/pull/29490) Roll Skia from 7b3b916c7c9e to 5743812354bc (3 revisions) (cla: yes, waiting for tree to go green)
[29494](https://github.com/flutter/engine/pull/29494) Roll Skia from 5743812354bc to 5ef4a3982fac (1 revision) (cla: yes, waiting for tree to go green)
[29495](https://github.com/flutter/engine/pull/29495) Roll Skia from 5ef4a3982fac to d00d287cf91b (3 revisions) (cla: yes, waiting for tree to go green)
[29496](https://github.com/flutter/engine/pull/29496) Roll Fuchsia Linux SDK from 9Vsn4gUTL... to ZGVRUBUE1... (cla: yes, waiting for tree to go green)
[29498](https://github.com/flutter/engine/pull/29498) Roll Fuchsia Mac SDK from -g_WNjn1Y... to 5OhE9jj8o... (cla: yes, waiting for tree to go green)
[29499](https://github.com/flutter/engine/pull/29499) Roll Skia from d00d287cf91b to 4722cb0e0d18 (1 revision) (cla: yes, waiting for tree to go green)
[29501](https://github.com/flutter/engine/pull/29501) Roll Skia from 4722cb0e0d18 to 9535da4e3ac2 (3 revisions) (cla: yes, waiting for tree to go green)
[29502](https://github.com/flutter/engine/pull/29502) [macOS] Fixes Crash of cxx destruction when App will terminate (cla: yes, waiting for tree to go green, platform-macos, needs tests)
[29504](https://github.com/flutter/engine/pull/29504) Roll Skia from 9535da4e3ac2 to 390edeb88daf (1 revision) (cla: yes, waiting for tree to go green)
[29506](https://github.com/flutter/engine/pull/29506) Roll Skia from 390edeb88daf to 3a9a7991c485 (3 revisions) (cla: yes, waiting for tree to go green)
[29507](https://github.com/flutter/engine/pull/29507) Roll Skia from 3a9a7991c485 to dc7ab732a9d9 (4 revisions) (cla: yes, waiting for tree to go green)
[29510](https://github.com/flutter/engine/pull/29510) Roll Skia from dc7ab732a9d9 to 6b9f7761f803 (3 revisions) (cla: yes, waiting for tree to go green)
[29511](https://github.com/flutter/engine/pull/29511) Provide a default handler for the flutter/navigation channel (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29512](https://github.com/flutter/engine/pull/29512) Roll Skia from 6b9f7761f803 to 292bbb13d832 (5 revisions) (cla: yes, waiting for tree to go green)
[29513](https://github.com/flutter/engine/pull/29513) FragmentProgram constructed asynchronously (affects: engine, cla: yes, waiting for tree to go green, platform-web)
[29514](https://github.com/flutter/engine/pull/29514) Roll Skia from 292bbb13d832 to db3422668bd8 (3 revisions) (cla: yes, waiting for tree to go green)
[29515](https://github.com/flutter/engine/pull/29515) Roll Fuchsia Linux SDK from ZGVRUBUE1... to 5-RB9TzQH... (cla: yes, waiting for tree to go green)
[29516](https://github.com/flutter/engine/pull/29516) Roll Skia from db3422668bd8 to b61804e94c8c (1 revision) (cla: yes, waiting for tree to go green)
[29517](https://github.com/flutter/engine/pull/29517) Roll Fuchsia Mac SDK from 5OhE9jj8o... to SfdmlzXiU... (cla: yes, waiting for tree to go green)
[29518](https://github.com/flutter/engine/pull/29518) Roll Skia from b61804e94c8c to 5044ff38a05f (1 revision) (cla: yes, waiting for tree to go green)
[29519](https://github.com/flutter/engine/pull/29519) Roll Skia from 5044ff38a05f to d9d9e21b311c (3 revisions) (cla: yes, waiting for tree to go green)
[29521](https://github.com/flutter/engine/pull/29521) Roll Skia from d9d9e21b311c to a8d38078a4f3 (1 revision) (cla: yes, waiting for tree to go green)
[29522](https://github.com/flutter/engine/pull/29522) Roll Fuchsia Mac SDK from SfdmlzXiU... to nkHhPcy3q... (cla: yes, waiting for tree to go green)
[29523](https://github.com/flutter/engine/pull/29523) Roll Fuchsia Linux SDK from 5-RB9TzQH... to m90mMA37b... (cla: yes, waiting for tree to go green)
[29524](https://github.com/flutter/engine/pull/29524) Fix FlutterPresentInfo struct_size doc string (cla: yes, waiting for tree to go green, embedder)
[29525](https://github.com/flutter/engine/pull/29525) Roll Skia from a8d38078a4f3 to 7368c6d00b7c (5 revisions) (cla: yes, waiting for tree to go green)
[29527](https://github.com/flutter/engine/pull/29527) Roll Skia from 7368c6d00b7c to a5030e9090e8 (3 revisions) (cla: yes, waiting for tree to go green)
[29528](https://github.com/flutter/engine/pull/29528) Roll Skia from a5030e9090e8 to 37afdbc22e89 (4 revisions) (cla: yes, waiting for tree to go green)
[29530](https://github.com/flutter/engine/pull/29530) use SkMatrix.invert() instead of MatrixDecomposition to validate cache matrices (cla: yes, waiting for tree to go green, needs tests)
[29531](https://github.com/flutter/engine/pull/29531) [ios_platform_view, a11y] Make `FlutterPlatformViewSemanticsContainer` a SemanticsObject. (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[29532](https://github.com/flutter/engine/pull/29532) Roll Skia from 37afdbc22e89 to a05d3029ac65 (4 revisions) (cla: yes, waiting for tree to go green)
[29534](https://github.com/flutter/engine/pull/29534) Roll Skia from a05d3029ac65 to 37da672b14b7 (1 revision) (cla: yes, waiting for tree to go green)
[29535](https://github.com/flutter/engine/pull/29535) Roll Clang Linux from 5N9a1nYj5... to UtjvZhwws... (cla: yes, waiting for tree to go green)
[29537](https://github.com/flutter/engine/pull/29537) Roll Dart SDK from 3b11f88c96a5 to f38618d5d0c0 (7 revisions) (cla: yes, waiting for tree to go green)
[29542](https://github.com/flutter/engine/pull/29542) [fuchsia][flatland] route ViewRefs properly for Focus (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29546](https://github.com/flutter/engine/pull/29546) Roll Fuchsia Linux SDK from m90mMA37b... to Ci-Vji1rx... (cla: yes, waiting for tree to go green)
[29547](https://github.com/flutter/engine/pull/29547) Roll Fuchsia Mac SDK from nkHhPcy3q... to emi7COLIo... (cla: yes, waiting for tree to go green)
[29548](https://github.com/flutter/engine/pull/29548) Roll Skia from 37da672b14b7 to cf8daf79e710 (9 revisions) (cla: yes, waiting for tree to go green)
[29549](https://github.com/flutter/engine/pull/29549) Roll Skia from cf8daf79e710 to ae67f07a58a2 (1 revision) (cla: yes, waiting for tree to go green)
[29551](https://github.com/flutter/engine/pull/29551) Roll Skia from ae67f07a58a2 to 17616469ddf8 (1 revision) (cla: yes, waiting for tree to go green)
[29552](https://github.com/flutter/engine/pull/29552) Roll Skia from 17616469ddf8 to 4322c7fec7e4 (3 revisions) (cla: yes, waiting for tree to go green)
[29553](https://github.com/flutter/engine/pull/29553) Roll Skia from 4322c7fec7e4 to 1800d410df16 (1 revision) (cla: yes, waiting for tree to go green)
[29554](https://github.com/flutter/engine/pull/29554) ios test script checks for `ios_test_flutter` artifacts (cla: yes, waiting for tree to go green)
[29555](https://github.com/flutter/engine/pull/29555) Roll Skia from 1800d410df16 to 725705f6630b (1 revision) (cla: yes, waiting for tree to go green)
[29556](https://github.com/flutter/engine/pull/29556) Roll Dart SDK from 05febe0a7860 to 38e7078fa2b7 (5 revisions) (cla: yes, waiting for tree to go green)
[29557](https://github.com/flutter/engine/pull/29557) Roll Fuchsia Linux SDK from Ci-Vji1rx... to kHXT3xnTG... (cla: yes, waiting for tree to go green)
[29558](https://github.com/flutter/engine/pull/29558) Roll Fuchsia Mac SDK from emi7COLIo... to 6BYh8qaYo... (cla: yes, waiting for tree to go green)
[29559](https://github.com/flutter/engine/pull/29559) Roll Skia from 725705f6630b to deb9386be146 (3 revisions) (cla: yes, waiting for tree to go green)
[29561](https://github.com/flutter/engine/pull/29561) Roll Dart SDK from 38e7078fa2b7 to d464cd3f2dc8 (5 revisions) (cla: yes, waiting for tree to go green)
[29563](https://github.com/flutter/engine/pull/29563) Roll Skia from deb9386be146 to 37bef2d300e4 (6 revisions) (cla: yes, waiting for tree to go green)
[29564](https://github.com/flutter/engine/pull/29564) Roll Dart SDK from d464cd3f2dc8 to 996ef242a2c9 (1 revision) (cla: yes, waiting for tree to go green)
[29567](https://github.com/flutter/engine/pull/29567) Roll Skia from 37bef2d300e4 to 2417872a9993 (1 revision) (cla: yes, waiting for tree to go green)
[29568](https://github.com/flutter/engine/pull/29568) Roll Dart SDK from 996ef242a2c9 to 5ccf755b37a4 (1 revision) (cla: yes, waiting for tree to go green)
[29569](https://github.com/flutter/engine/pull/29569) Roll Fuchsia Linux SDK from kHXT3xnTG... to uP2kJIngK... (cla: yes, waiting for tree to go green)
[29570](https://github.com/flutter/engine/pull/29570) Roll Fuchsia Mac SDK from 6BYh8qaYo... to W9UXc2Fwx... (cla: yes, waiting for tree to go green)
[29571](https://github.com/flutter/engine/pull/29571) Roll Dart SDK from 5ccf755b37a4 to f6a43e5eb71d (1 revision) (cla: yes, waiting for tree to go green)
[29572](https://github.com/flutter/engine/pull/29572) Roll Fuchsia Linux SDK from uP2kJIngK... to aD3d4Kqmy... (cla: yes, waiting for tree to go green)
[29573](https://github.com/flutter/engine/pull/29573) Roll Fuchsia Mac SDK from W9UXc2Fwx... to rIpW1050J... (cla: yes, waiting for tree to go green)
[29577](https://github.com/flutter/engine/pull/29577) Roll Skia from 2417872a9993 to cd7220e7686c (2 revisions) (cla: yes, waiting for tree to go green)
[29578](https://github.com/flutter/engine/pull/29578) Roll Fuchsia Mac SDK from rIpW1050J... to TOmxgL3av... (cla: yes, waiting for tree to go green)
[29579](https://github.com/flutter/engine/pull/29579) Roll Fuchsia Linux SDK from aD3d4Kqmy... to ZniYyCw7U... (cla: yes, waiting for tree to go green)
[29581](https://github.com/flutter/engine/pull/29581) Roll Fuchsia Mac SDK from TOmxgL3av... to KjtjfsPeC... (cla: yes, waiting for tree to go green)
[29582](https://github.com/flutter/engine/pull/29582) Roll Fuchsia Linux SDK from ZniYyCw7U... to jxJH1K3IP... (cla: yes, waiting for tree to go green)
[29583](https://github.com/flutter/engine/pull/29583) Roll Skia from cd7220e7686c to be0c3da6f775 (1 revision) (cla: yes, waiting for tree to go green)
[29584](https://github.com/flutter/engine/pull/29584) Roll Skia from be0c3da6f775 to 30c9ead5014b (3 revisions) (cla: yes, waiting for tree to go green)
[29586](https://github.com/flutter/engine/pull/29586) Roll Fuchsia Mac SDK from KjtjfsPeC... to zqcXkwzoH... (cla: yes, waiting for tree to go green)
[29587](https://github.com/flutter/engine/pull/29587) Roll Fuchsia Linux SDK from jxJH1K3IP... to 2R1NvPB_x... (cla: yes, waiting for tree to go green)
[29588](https://github.com/flutter/engine/pull/29588) Roll Skia from 30c9ead5014b to c94073b7692a (1 revision) (cla: yes, waiting for tree to go green)
[29590](https://github.com/flutter/engine/pull/29590) Roll Skia from c94073b7692a to 529d3473bf39 (3 revisions) (cla: yes, waiting for tree to go green)
[29594](https://github.com/flutter/engine/pull/29594) Roll Skia from 529d3473bf39 to 21f7a9a7577a (6 revisions) (cla: yes, waiting for tree to go green)
[29595](https://github.com/flutter/engine/pull/29595) Use clang-tidy config file from repo instead of default (cla: yes, waiting for tree to go green)
[29596](https://github.com/flutter/engine/pull/29596) Add default implementations to new methods added to BinaryMessenger (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29597](https://github.com/flutter/engine/pull/29597) Add a samplerUniforms field for FragmentProgram (affects: engine, cla: yes, waiting for tree to go green, platform-web)
[29598](https://github.com/flutter/engine/pull/29598) separate saveLayer events into record and execute variants and trace more of the execution calls (cla: yes, waiting for tree to go green)
[29599](https://github.com/flutter/engine/pull/29599) Call Dart messenger methods in DartExecutor (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29600](https://github.com/flutter/engine/pull/29600) Roll Fuchsia Mac SDK from zqcXkwzoH... to JptPhro1i... (cla: yes, waiting for tree to go green)
[29601](https://github.com/flutter/engine/pull/29601) Roll Fuchsia Linux SDK from 2R1NvPB_x... to CtgxTwTrW... (cla: yes, waiting for tree to go green)
[29602](https://github.com/flutter/engine/pull/29602) Roll Skia from 21f7a9a7577a to 70db6e44434f (5 revisions) (cla: yes, waiting for tree to go green)
[29606](https://github.com/flutter/engine/pull/29606) Roll Skia from 70db6e44434f to a7623433dae1 (1 revision) (cla: yes, waiting for tree to go green)
[29609](https://github.com/flutter/engine/pull/29609) Roll Skia from a7623433dae1 to badc896b1862 (1 revision) (cla: yes, waiting for tree to go green)
[29610](https://github.com/flutter/engine/pull/29610) Roll Skia from badc896b1862 to 1f8c31b10118 (1 revision) (cla: yes, waiting for tree to go green)
[29612](https://github.com/flutter/engine/pull/29612) Roll Fuchsia Mac SDK from JptPhro1i... to xVPuybnbm... (cla: yes, waiting for tree to go green)
[29613](https://github.com/flutter/engine/pull/29613) Roll Skia from 1f8c31b10118 to fa26a656cf3d (1 revision) (cla: yes, waiting for tree to go green)
[29616](https://github.com/flutter/engine/pull/29616) Roll Fuchsia Linux SDK from CtgxTwTrW... to g1S-VTjK7... (cla: yes, waiting for tree to go green)
[29617](https://github.com/flutter/engine/pull/29617) Roll Skia from fa26a656cf3d to 183f37d16ad8 (7 revisions) (cla: yes, waiting for tree to go green)
[29618](https://github.com/flutter/engine/pull/29618) Roll Skia from 183f37d16ad8 to d6af8bf96690 (1 revision) (cla: yes, waiting for tree to go green)
[29619](https://github.com/flutter/engine/pull/29619) Roll Skia from d6af8bf96690 to add2c39dce6e (3 revisions) (cla: yes, waiting for tree to go green)
[29622](https://github.com/flutter/engine/pull/29622) [web] Fix warning about the non-nullable flag (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29623](https://github.com/flutter/engine/pull/29623) Fix iOS embedder memory management and other analyzer warnings (platform-ios, cla: yes, waiting for tree to go green)
[29626](https://github.com/flutter/engine/pull/29626) Roll Skia from add2c39dce6e to 32385b7070a2 (6 revisions) (cla: yes, waiting for tree to go green)
[29628](https://github.com/flutter/engine/pull/29628) Roll Clang Mac from HpW96jrB8... to 82gAwI4Hh... (cla: yes, waiting for tree to go green)
[29629](https://github.com/flutter/engine/pull/29629) Use -linkoffline to provide the Android Javadoc package list (platform-android, cla: yes, waiting for tree to go green)
[29630](https://github.com/flutter/engine/pull/29630) Specify the output paths of the android_background_image lint task (cla: yes, waiting for tree to go green)
[29631](https://github.com/flutter/engine/pull/29631) Roll Dart SDK from 38e7078fa2b7 to e9488dd50ffb (12 revisions) (cla: yes, waiting for tree to go green)
[29633](https://github.com/flutter/engine/pull/29633) Exit with failure code if clang-tidy finds linter issues (cla: yes, waiting for tree to go green, needs tests)
[29634](https://github.com/flutter/engine/pull/29634) [fuchsia] Point TODOs off closed bug. (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29635](https://github.com/flutter/engine/pull/29635) Roll Fuchsia Mac SDK from xVPuybnbm... to q9ukLNQmF... (cla: yes, waiting for tree to go green)
[29636](https://github.com/flutter/engine/pull/29636) Roll Skia from 32385b7070a2 to 7fbd45f1c1a3 (1 revision) (cla: yes, waiting for tree to go green)
[29637](https://github.com/flutter/engine/pull/29637) Roll Fuchsia Linux SDK from g1S-VTjK7... to wPLQY_mp4... (cla: yes, waiting for tree to go green)
[29639](https://github.com/flutter/engine/pull/29639) Roll Skia from 7fbd45f1c1a3 to 97f72da16d34 (3 revisions) (cla: yes, waiting for tree to go green)
[29640](https://github.com/flutter/engine/pull/29640) Speed up clang-tidy script by skipping third_party files (cla: yes, waiting for tree to go green)
[29642](https://github.com/flutter/engine/pull/29642) Add test annotation (platform-android, cla: yes, waiting for tree to go green)
[29643](https://github.com/flutter/engine/pull/29643) Do not update system UI overlays when the SDK version condition is not met (platform-android, cla: yes, waiting for tree to go green)
[29644](https://github.com/flutter/engine/pull/29644) Roll Skia from 97f72da16d34 to d4edc0e2e4fe (1 revision) (cla: yes, waiting for tree to go green)
[29645](https://github.com/flutter/engine/pull/29645) Roll Skia from d4edc0e2e4fe to 0c23120abdf5 (2 revisions) (cla: yes, waiting for tree to go green)
[29647](https://github.com/flutter/engine/pull/29647) Roll Skia from 0c23120abdf5 to 6e16bbaf7948 (6 revisions) (cla: yes, waiting for tree to go green)
[29648](https://github.com/flutter/engine/pull/29648) Roll Fuchsia Mac SDK from q9ukLNQmF... to MwshzT5JU... (cla: yes, waiting for tree to go green)
[29650](https://github.com/flutter/engine/pull/29650) Roll Skia from 6e16bbaf7948 to a756c6209788 (3 revisions) (cla: yes, waiting for tree to go green)
[29652](https://github.com/flutter/engine/pull/29652) Roll Skia from a756c6209788 to bdfe3b6a2e1c (2 revisions) (cla: yes, waiting for tree to go green)
[29654](https://github.com/flutter/engine/pull/29654) Add "clang-tidy --fix" flag to automatically apply fixes (cla: yes, waiting for tree to go green)
[29655](https://github.com/flutter/engine/pull/29655) Roll Skia from bdfe3b6a2e1c to 76c1ff1566c4 (4 revisions) (cla: yes, waiting for tree to go green)
[29658](https://github.com/flutter/engine/pull/29658) Roll Skia from 76c1ff1566c4 to a583a0fdcc15 (4 revisions) (cla: yes, waiting for tree to go green)
[29659](https://github.com/flutter/engine/pull/29659) Roll Dart SDK from 38e7078fa2b7 to e1a475a40934 (19 revisions) (cla: yes, waiting for tree to go green)
[29661](https://github.com/flutter/engine/pull/29661) Roll Skia from a583a0fdcc15 to 6fae0523629f (2 revisions) (cla: yes, waiting for tree to go green)
[29664](https://github.com/flutter/engine/pull/29664) Roll Skia from 6fae0523629f to 9613060bdff0 (1 revision) (cla: yes, waiting for tree to go green)
[29665](https://github.com/flutter/engine/pull/29665) iOS Background Platform Channels (platform-ios, cla: yes, waiting for tree to go green, platform-macos)
[29668](https://github.com/flutter/engine/pull/29668) Allow engine variants other than "host_debug" to be clang-tidy linted (cla: yes, waiting for tree to go green)
[29670](https://github.com/flutter/engine/pull/29670) Roll Skia from 9613060bdff0 to 8081b5e86593 (1 revision) (cla: yes, waiting for tree to go green)
[29671](https://github.com/flutter/engine/pull/29671) Roll Fuchsia Mac SDK from MwshzT5JU... to qbhxap4ds... (cla: yes, waiting for tree to go green)
[29672](https://github.com/flutter/engine/pull/29672) Roll Skia from 8081b5e86593 to ae36ced3cfde (2 revisions) (cla: yes, waiting for tree to go green)
[29678](https://github.com/flutter/engine/pull/29678) Roll Skia from ae36ced3cfde to f848782e1fc8 (2 revisions) (cla: yes, waiting for tree to go green)
[29682](https://github.com/flutter/engine/pull/29682) Roll Skia from f848782e1fc8 to 33c8f05bbdc1 (2 revisions) (cla: yes, waiting for tree to go green)
[29686](https://github.com/flutter/engine/pull/29686) add trace events to cache sweeps (cla: yes, waiting for tree to go green, needs tests)
[29691](https://github.com/flutter/engine/pull/29691) Roll Fuchsia Mac SDK from qbhxap4ds... to ca-vNrmeQ... (cla: yes, waiting for tree to go green)
[29693](https://github.com/flutter/engine/pull/29693) Revert "Build DisplayList directly from flutter::Canvas" (cla: yes, waiting for tree to go green)
[29694](https://github.com/flutter/engine/pull/29694) [ci.yaml] Remove default properties (cla: yes, waiting for tree to go green)
[29695](https://github.com/flutter/engine/pull/29695) Roll Skia from 33c8f05bbdc1 to 6d823b35fa38 (14 revisions) (cla: yes, waiting for tree to go green)
[29698](https://github.com/flutter/engine/pull/29698) Roll Skia from 6d823b35fa38 to f0f447c2f02c (1 revision) (cla: yes, waiting for tree to go green)
[29699](https://github.com/flutter/engine/pull/29699) Roll Dart SDK from 38e7078fa2b7 to 5eac867c44fc (23 revisions) (cla: yes, waiting for tree to go green)
[29701](https://github.com/flutter/engine/pull/29701) Roll Fuchsia Linux SDK from wPLQY_mp4... to 6hwlgUFn0... (cla: yes, waiting for tree to go green)
[29702](https://github.com/flutter/engine/pull/29702) Roll Skia from f0f447c2f02c to c0ff5a856053 (1 revision) (cla: yes, waiting for tree to go green)
[29703](https://github.com/flutter/engine/pull/29703) Roll Skia from c0ff5a856053 to 32451cf9bc34 (1 revision) (cla: yes, waiting for tree to go green)
[29704](https://github.com/flutter/engine/pull/29704) Roll Skia from 32451cf9bc34 to c7074cb7ab90 (1 revision) (cla: yes, waiting for tree to go green)
[29705](https://github.com/flutter/engine/pull/29705) Roll Skia from c7074cb7ab90 to 7ee4dec0e5f7 (3 revisions) (cla: yes, waiting for tree to go green)
[29706](https://github.com/flutter/engine/pull/29706) Improve SPIR-V README wording (cla: yes, waiting for tree to go green)
[29707](https://github.com/flutter/engine/pull/29707) Roll Fuchsia Mac SDK from ca-vNrmeQ... to Z6Jtle7_y... (cla: yes, waiting for tree to go green)
[29708](https://github.com/flutter/engine/pull/29708) Roll Skia from 7ee4dec0e5f7 to 1991780081a1 (1 revision) (cla: yes, waiting for tree to go green)
[29709](https://github.com/flutter/engine/pull/29709) Roll Skia from 1991780081a1 to 1061a4cdbadc (2 revisions) (cla: yes, waiting for tree to go green)
[29711](https://github.com/flutter/engine/pull/29711) Roll Fuchsia Linux SDK from 6hwlgUFn0... to voGtvLTY7... (cla: yes, waiting for tree to go green)
[29712](https://github.com/flutter/engine/pull/29712) Roll Dart SDK from 5eac867c44fc to 3d3512949729 (4 revisions) (cla: yes, waiting for tree to go green)
[29713](https://github.com/flutter/engine/pull/29713) Roll Skia from 1061a4cdbadc to 799abb7bb881 (8 revisions) (cla: yes, waiting for tree to go green)
[29714](https://github.com/flutter/engine/pull/29714) Call DisplayList builder methods directly from dart canvas (cla: yes, waiting for tree to go green)
[29715](https://github.com/flutter/engine/pull/29715) Roll Skia from 799abb7bb881 to 6388f0e8ef22 (1 revision) (cla: yes, waiting for tree to go green)
[29718](https://github.com/flutter/engine/pull/29718) Roll Dart SDK from 3d3512949729 to f4612ed462cf (1 revision) (cla: yes, waiting for tree to go green)
[29720](https://github.com/flutter/engine/pull/29720) Roll Fuchsia Mac SDK from Z6Jtle7_y... to Sg-XVB3Pw... (cla: yes, waiting for tree to go green)
[29724](https://github.com/flutter/engine/pull/29724) Roll Skia from 6388f0e8ef22 to 300f51ac517a (7 revisions) (cla: yes, waiting for tree to go green)
[29726](https://github.com/flutter/engine/pull/29726) Roll Dart SDK from f4612ed462cf to 528dc1f33e34 (1 revision) (cla: yes, waiting for tree to go green)
[29728](https://github.com/flutter/engine/pull/29728) Roll Fuchsia Linux SDK from voGtvLTY7... to JMFu-JhNu... (cla: yes, waiting for tree to go green)
[29729](https://github.com/flutter/engine/pull/29729) Roll Dart SDK from 528dc1f33e34 to 49356610a3be (1 revision) (cla: yes, waiting for tree to go green)
[29730](https://github.com/flutter/engine/pull/29730) Roll Fuchsia Mac SDK from Sg-XVB3Pw... to vgwJCsxOO... (cla: yes, waiting for tree to go green)
[29731](https://github.com/flutter/engine/pull/29731) fix x64_64 typo in comments (cla: yes, waiting for tree to go green)
[29733](https://github.com/flutter/engine/pull/29733) Roll Fuchsia Linux SDK from JMFu-JhNu... to Hg97KiZX0... (cla: yes, waiting for tree to go green)
[29734](https://github.com/flutter/engine/pull/29734) Fix some clang-tidy lints for Linux host_debug (platform-android, cla: yes, waiting for tree to go green, platform-linux, embedder)
[29735](https://github.com/flutter/engine/pull/29735) Roll Fuchsia Mac SDK from vgwJCsxOO... to -RGJsSSMi... (cla: yes, waiting for tree to go green)
[29737](https://github.com/flutter/engine/pull/29737) Roll Skia from 300f51ac517a to 95c876164b53 (1 revision) (cla: yes, waiting for tree to go green)
[29738](https://github.com/flutter/engine/pull/29738) Roll Skia from 95c876164b53 to db8a7e6d8dc1 (1 revision) (cla: yes, waiting for tree to go green)
[29739](https://github.com/flutter/engine/pull/29739) Roll Fuchsia Linux SDK from Hg97KiZX0... to gbODSowQk... (cla: yes, waiting for tree to go green)
[29740](https://github.com/flutter/engine/pull/29740) Roll Fuchsia Mac SDK from -RGJsSSMi... to _MTAa_JEz... (cla: yes, waiting for tree to go green)
[29742](https://github.com/flutter/engine/pull/29742) Roll Skia from db8a7e6d8dc1 to 48585f5c50eb (1 revision) (cla: yes, waiting for tree to go green)
[29743](https://github.com/flutter/engine/pull/29743) Roll Skia from 48585f5c50eb to eecf0af951e4 (1 revision) (cla: yes, waiting for tree to go green)
[29744](https://github.com/flutter/engine/pull/29744) Roll Fuchsia Linux SDK from gbODSowQk... to A-FZiFd-f... (cla: yes, waiting for tree to go green)
[29745](https://github.com/flutter/engine/pull/29745) Roll Dart SDK from 49356610a3be to 23dd69705479 (1 revision) (cla: yes, waiting for tree to go green)
[29746](https://github.com/flutter/engine/pull/29746) Roll Skia from eecf0af951e4 to 7134d4a572e1 (1 revision) (cla: yes, waiting for tree to go green)
[29747](https://github.com/flutter/engine/pull/29747) Roll Fuchsia Mac SDK from _MTAa_JEz... to Ivf969oJw... (cla: yes, waiting for tree to go green)
[29748](https://github.com/flutter/engine/pull/29748) Roll Skia from 7134d4a572e1 to cf7be0f3a7ae (3 revisions) (cla: yes, waiting for tree to go green)
[29750](https://github.com/flutter/engine/pull/29750) Roll Fuchsia Linux SDK from A-FZiFd-f... to ghwyDtFSJ... (cla: yes, waiting for tree to go green)
[29751](https://github.com/flutter/engine/pull/29751) Roll Skia from cf7be0f3a7ae to 7fab38d97ace (4 revisions) (cla: yes, waiting for tree to go green)
[29753](https://github.com/flutter/engine/pull/29753) Reverse the order of mirroring. (cla: yes, waiting for tree to go green)
[29755](https://github.com/flutter/engine/pull/29755) Treat clang-analyzer-osx warnings as errors (platform-ios, cla: yes, waiting for tree to go green, platform-macos)
[29757](https://github.com/flutter/engine/pull/29757) Roll Skia from 7fab38d97ace to 686ccec13fc5 (9 revisions) (cla: yes, waiting for tree to go green)
[29758](https://github.com/flutter/engine/pull/29758) Roll Fuchsia Mac SDK from Ivf969oJw... to L2bsr8go8... (cla: yes, waiting for tree to go green)
[29761](https://github.com/flutter/engine/pull/29761) Fix Kanji switch in Japanese IME on Windows (cla: yes, waiting for tree to go green, platform-windows)
[29762](https://github.com/flutter/engine/pull/29762) Roll Fuchsia Linux SDK from ghwyDtFSJ... to Vxe912PZC... (cla: yes, waiting for tree to go green)
[29763](https://github.com/flutter/engine/pull/29763) Roll Dart SDK from 23dd69705479 to 46934d8475ff (1 revision) (cla: yes, waiting for tree to go green, warning: land on red to fix tree breakage)
[29764](https://github.com/flutter/engine/pull/29764) Fix "google-objc-*" clang analyzer warning in macOS and iOS (platform-ios, cla: yes, waiting for tree to go green, platform-macos)
[29766](https://github.com/flutter/engine/pull/29766) maybeGetInitialRouteFromIntent: check if URI data getPath() is null (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29770](https://github.com/flutter/engine/pull/29770) Roll Skia from 686ccec13fc5 to 2211c2c4bd69 (25 revisions) (cla: yes, waiting for tree to go green)
[29771](https://github.com/flutter/engine/pull/29771) Fixes the accessibilityContainer of FlutterScrollableSemanticsObject (platform-ios, cla: yes, waiting for tree to go green)
[29774](https://github.com/flutter/engine/pull/29774) Roll Dart SDK from 46934d8475ff to 6e6558437a09 (4 revisions) (cla: yes, waiting for tree to go green)
[29775](https://github.com/flutter/engine/pull/29775) Opacity peephole optimization (platform-ios, platform-android, cla: yes, waiting for tree to go green, needs tests, embedder)
[29776](https://github.com/flutter/engine/pull/29776) Add script to upload unified Android SDK CIPD archives and switch DEPS to use it. (cla: yes, waiting for tree to go green, platform-linux, needs tests)
[29779](https://github.com/flutter/engine/pull/29779) Roll Skia from 2211c2c4bd69 to fa2edac74af8 (4 revisions) (cla: yes, waiting for tree to go green)
[29780](https://github.com/flutter/engine/pull/29780) Roll Fuchsia Mac SDK from L2bsr8go8... to J1UwDWO_V... (cla: yes, waiting for tree to go green)
[29782](https://github.com/flutter/engine/pull/29782) Roll Dart SDK from 6e6558437a09 to 1accdff9e8ef (1 revision) (cla: yes, waiting for tree to go green)
[29783](https://github.com/flutter/engine/pull/29783) PhysicalShapeLayer: Only push cull rect during diff if clipping (cla: yes, waiting for tree to go green)
[29784](https://github.com/flutter/engine/pull/29784) Roll Skia from fa2edac74af8 to cf1e959c657b (2 revisions) (cla: yes, waiting for tree to go green)
[29785](https://github.com/flutter/engine/pull/29785) Roll Fuchsia Linux SDK from Vxe912PZC... to 8wLWcmqi8... (cla: yes, waiting for tree to go green)
[29786](https://github.com/flutter/engine/pull/29786) Roll Skia from cf1e959c657b to 12e786730f7d (1 revision) (cla: yes, waiting for tree to go green)
[29787](https://github.com/flutter/engine/pull/29787) Roll Skia from 12e786730f7d to e136c31fe49d (9 revisions) (cla: yes, waiting for tree to go green)
[29788](https://github.com/flutter/engine/pull/29788) Roll Dart SDK from 1accdff9e8ef to 7d957c006c4f (1 revision) (cla: yes, waiting for tree to go green)
[29791](https://github.com/flutter/engine/pull/29791) Acquire context reference at the correct time for FlGlArea. (cla: yes, waiting for tree to go green, platform-linux, needs tests)
[29792](https://github.com/flutter/engine/pull/29792) [web] Fail if Skia Gold is required but unavailable (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29793](https://github.com/flutter/engine/pull/29793) Revert 29789 revert 29542 freiling view ref (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29799](https://github.com/flutter/engine/pull/29799) Roll Skia from e136c31fe49d to 688cb15faa64 (11 revisions) (cla: yes, waiting for tree to go green)
[29800](https://github.com/flutter/engine/pull/29800) Listen for display refresh changes and report them correctly (platform-ios, platform-android, cla: yes, waiting for tree to go green, embedder)
[29803](https://github.com/flutter/engine/pull/29803) Roll Dart SDK from 7d957c006c4f to 91e3fa160432 (2 revisions) (cla: yes, waiting for tree to go green)
[29805](https://github.com/flutter/engine/pull/29805) Roll Skia from 688cb15faa64 to 0774db13d24c (5 revisions) (cla: yes, waiting for tree to go green)
[29807](https://github.com/flutter/engine/pull/29807) Roll Fuchsia Linux SDK from 8wLWcmqi8... to Gc37iAM6P... (cla: yes, waiting for tree to go green)
[29808](https://github.com/flutter/engine/pull/29808) Roll Fuchsia Mac SDK from J1UwDWO_V... to kK8g7bQdA... (cla: yes, waiting for tree to go green)
[29810](https://github.com/flutter/engine/pull/29810) Roll Skia from 0774db13d24c to a5261995416e (10 revisions) (cla: yes, waiting for tree to go green)
[29815](https://github.com/flutter/engine/pull/29815) [fuchsia] Fixes the HID usage handling (cla: yes, waiting for tree to go green, platform-fuchsia)
[29816](https://github.com/flutter/engine/pull/29816) Mentioned that replies can be invoked on any thread (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29820](https://github.com/flutter/engine/pull/29820) [ci.yaml] Update engine enabled branches (cla: yes, waiting for tree to go green, warning: land on red to fix tree breakage)
[29823](https://github.com/flutter/engine/pull/29823) Roll Skia from a5261995416e to 62392f624f39 (12 revisions) (cla: yes, waiting for tree to go green)
[29824](https://github.com/flutter/engine/pull/29824) Windows: Clean up FML file debug messages (cla: yes, waiting for tree to go green, needs tests)
[29825](https://github.com/flutter/engine/pull/29825) Make it less likely to GC during application startup on Android (platform-android, cla: yes, waiting for tree to go green)
[29827](https://github.com/flutter/engine/pull/29827) Add 'explicit' to darwin embedder constructors (platform-ios, cla: yes, waiting for tree to go green, platform-macos, needs tests)
[29828](https://github.com/flutter/engine/pull/29828) Fix darwin namespace-comments and brace lint issues (platform-ios, cla: yes, waiting for tree to go green, platform-macos)
[29830](https://github.com/flutter/engine/pull/29830) Add 'explicit' to Android embedder constructors (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29831](https://github.com/flutter/engine/pull/29831) Remove the dart entry point args from the Settings struct (cla: yes, waiting for tree to go green, platform-fuchsia, embedder)
[29845](https://github.com/flutter/engine/pull/29845) Roll Skia from 62392f624f39 to 940086c81587 (7 revisions) (cla: yes, waiting for tree to go green)
[29846](https://github.com/flutter/engine/pull/29846) Roll Dart SDK from 91e3fa160432 to f0f78da08ff2 (8 revisions) (cla: yes, waiting for tree to go green)
[29849](https://github.com/flutter/engine/pull/29849) Roll Fuchsia Mac SDK from kK8g7bQdA... to Pnfu1t-iG... (cla: yes, waiting for tree to go green)
[29850](https://github.com/flutter/engine/pull/29850) Roll Fuchsia Linux SDK from Gc37iAM6P... to Ii-fFcsGk... (cla: yes, waiting for tree to go green)
[29851](https://github.com/flutter/engine/pull/29851) Add ability to stamp fuchsia packages with API level (cla: yes, waiting for tree to go green)
[29852](https://github.com/flutter/engine/pull/29852) Roll Skia from 940086c81587 to 9b35cd642f98 (4 revisions) (cla: yes, waiting for tree to go green)
[29854](https://github.com/flutter/engine/pull/29854) [Embedder Keyboard] Fix synthesized events causing crash (crash, affects: text input, bug (regression), cla: yes, waiting for tree to go green, embedder)
[29861](https://github.com/flutter/engine/pull/29861) Roll Dart SDK from f0f78da08ff2 to 2e76c4127885 (2 revisions) (cla: yes, waiting for tree to go green)
[29863](https://github.com/flutter/engine/pull/29863) Roll Skia from 9b35cd642f98 to 37940afc0caf (6 revisions) (cla: yes, waiting for tree to go green)
[29864](https://github.com/flutter/engine/pull/29864) Roll Dart SDK from 2e76c4127885 to 453ad2fca05b (1 revision) (cla: yes, waiting for tree to go green)
[29865](https://github.com/flutter/engine/pull/29865) Roll Fuchsia Mac SDK from Pnfu1t-iG... to PcVBwqy6c... (cla: yes, waiting for tree to go green)
[29866](https://github.com/flutter/engine/pull/29866) Roll Fuchsia Linux SDK from Ii-fFcsGk... to v32ZvdGER... (cla: yes, waiting for tree to go green)
[29867](https://github.com/flutter/engine/pull/29867) [fuchsia] Don't use sys.Environment in V2. (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29869](https://github.com/flutter/engine/pull/29869) Roll Dart SDK from 453ad2fca05b to b1afd0fae784 (1 revision) (cla: yes, waiting for tree to go green)
[29870](https://github.com/flutter/engine/pull/29870) Roll Skia from 37940afc0caf to a6de6d2366e4 (1 revision) (cla: yes, waiting for tree to go green)
[29871](https://github.com/flutter/engine/pull/29871) Roll Skia from a6de6d2366e4 to 7ecacbc4c6be (1 revision) (cla: yes, waiting for tree to go green)
[29872](https://github.com/flutter/engine/pull/29872) Roll Fuchsia Mac SDK from PcVBwqy6c... to MiNhUYhfN... (cla: yes, waiting for tree to go green)
[29874](https://github.com/flutter/engine/pull/29874) Roll Fuchsia Linux SDK from v32ZvdGER... to hbyHcc_5x... (cla: yes, waiting for tree to go green)
[29875](https://github.com/flutter/engine/pull/29875) [fuchsia] Add arg for old_gen_heap_size. (cla: yes, waiting for tree to go green)
[29878](https://github.com/flutter/engine/pull/29878) Roll Dart SDK from b1afd0fae784 to 307a0e735317 (1 revision) (cla: yes, waiting for tree to go green)
[29881](https://github.com/flutter/engine/pull/29881) Roll Skia from 7ecacbc4c6be to e00afb0a1a68 (14 revisions) (cla: yes, waiting for tree to go green)
[29883](https://github.com/flutter/engine/pull/29883) Roll Dart SDK from 307a0e735317 to 314057a2d7d3 (2 revisions) (cla: yes, waiting for tree to go green)
[29884](https://github.com/flutter/engine/pull/29884) Roll Skia from e00afb0a1a68 to 2f6c53ff720a (6 revisions) (cla: yes, waiting for tree to go green)
[29885](https://github.com/flutter/engine/pull/29885) Roll Skia from 2f6c53ff720a to c3db55663e5a (1 revision) (cla: yes, waiting for tree to go green)
[29886](https://github.com/flutter/engine/pull/29886) Roll Skia from c3db55663e5a to b59d6fe7f0b2 (3 revisions) (cla: yes, waiting for tree to go green)
[29887](https://github.com/flutter/engine/pull/29887) Delete old script for individual SDK package upload (cla: yes, waiting for tree to go green)
[29888](https://github.com/flutter/engine/pull/29888) [web] Fixing text foreground paint / stroke for HTML web-renderer (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29889](https://github.com/flutter/engine/pull/29889) Listen for Vsync callback on the UI thread directly (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29890](https://github.com/flutter/engine/pull/29890) Roll Fuchsia Mac SDK from MiNhUYhfN... to WE4QO6Yjw... (cla: yes, waiting for tree to go green)
[29891](https://github.com/flutter/engine/pull/29891) Roll Fuchsia Linux SDK from hbyHcc_5x... to xW7v3nxI0... (cla: yes, waiting for tree to go green)
[29894](https://github.com/flutter/engine/pull/29894) Roll Skia from b59d6fe7f0b2 to 7f5b19bd6907 (10 revisions) (cla: yes, waiting for tree to go green)
[29901](https://github.com/flutter/engine/pull/29901) Roll Dart SDK from 314057a2d7d3 to 15d5e456b474 (4 revisions) (cla: yes, waiting for tree to go green)
[29902](https://github.com/flutter/engine/pull/29902) Roll Skia from 7f5b19bd6907 to 23779e2edb46 (9 revisions) (cla: yes, waiting for tree to go green)
[29903](https://github.com/flutter/engine/pull/29903) Roll Clang Mac from 82gAwI4Hh... to Q_l2rEdQx... (cla: yes, waiting for tree to go green)
[29904](https://github.com/flutter/engine/pull/29904) Roll Clang Linux from UtjvZhwws... to 6UfJQ9aFH... (cla: yes, waiting for tree to go green)
[29905](https://github.com/flutter/engine/pull/29905) Roll Skia from 23779e2edb46 to b65f0fa084c4 (2 revisions) (cla: yes, waiting for tree to go green)
[29907](https://github.com/flutter/engine/pull/29907) Roll Dart SDK from 15d5e456b474 to d8be2bdfd155 (1 revision) (cla: yes, waiting for tree to go green)
[29908](https://github.com/flutter/engine/pull/29908) Make fragment leftover from an attach/detach race slightly safer (platform-android, cla: yes, waiting for tree to go green)
[29910](https://github.com/flutter/engine/pull/29910) Roll Fuchsia Mac SDK from WE4QO6Yjw... to ea86IrfGB... (cla: yes, waiting for tree to go green)
[29911](https://github.com/flutter/engine/pull/29911) Roll Skia from b65f0fa084c4 to 0fcc56211514 (5 revisions) (cla: yes, waiting for tree to go green)
[29912](https://github.com/flutter/engine/pull/29912) Roll Fuchsia Linux SDK from xW7v3nxI0... to lPwzjY25t... (cla: yes, waiting for tree to go green)
[29913](https://github.com/flutter/engine/pull/29913) Roll Dart SDK from d8be2bdfd155 to 755bbe849522 (1 revision) (cla: yes, waiting for tree to go green)
[29915](https://github.com/flutter/engine/pull/29915) Share the io_manager between parent and spawn engine (cla: yes, waiting for tree to go green)
[29917](https://github.com/flutter/engine/pull/29917) Roll Skia from 0fcc56211514 to be253591e45e (2 revisions) (cla: yes, waiting for tree to go green)
[29918](https://github.com/flutter/engine/pull/29918) Roll Dart SDK from 755bbe849522 to 1f763cc94608 (2 revisions) (cla: yes, waiting for tree to go green)
[29919](https://github.com/flutter/engine/pull/29919) [ci.yaml] Fix release branch regex (cla: yes, waiting for tree to go green)
[29921](https://github.com/flutter/engine/pull/29921) Roll Skia from be253591e45e to fe2acfb28134 (3 revisions) (cla: yes, waiting for tree to go green)
[29922](https://github.com/flutter/engine/pull/29922) Roll Skia from fe2acfb28134 to ac2a40ecf73e (1 revision) (cla: yes, waiting for tree to go green)
[29923](https://github.com/flutter/engine/pull/29923) Revert "Listen for Vsync callback on the UI thread directly" (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29925](https://github.com/flutter/engine/pull/29925) Roll Skia from ac2a40ecf73e to e051cd35e4d5 (2 revisions) (cla: yes, waiting for tree to go green)
[29926](https://github.com/flutter/engine/pull/29926) Roll Fuchsia Linux SDK from lPwzjY25t... to a0KPnn-pS... (cla: yes, waiting for tree to go green)
[29927](https://github.com/flutter/engine/pull/29927) Roll Fuchsia Mac SDK from ea86IrfGB... to x0zvww3rf... (cla: yes, waiting for tree to go green)
[29928](https://github.com/flutter/engine/pull/29928) Roll Dart SDK from 1f763cc94608 to a9ec4963f933 (1 revision) (cla: yes, waiting for tree to go green)
[29929](https://github.com/flutter/engine/pull/29929) Roll Skia from e051cd35e4d5 to 17667b00b942 (3 revisions) (cla: yes, waiting for tree to go green)
[29930](https://github.com/flutter/engine/pull/29930) [ios platform view] fix overlay zPosition (platform-ios, cla: yes, waiting for tree to go green)
[29931](https://github.com/flutter/engine/pull/29931) Roll Skia from 17667b00b942 to 2014d006f55c (1 revision) (cla: yes, waiting for tree to go green)
[29932](https://github.com/flutter/engine/pull/29932) Roll Skia from 2014d006f55c to 55106dc0eea7 (1 revision) (cla: yes, waiting for tree to go green)
[29933](https://github.com/flutter/engine/pull/29933) Roll Dart SDK from a9ec4963f933 to be01f752cbe6 (1 revision) (cla: yes, waiting for tree to go green)
[29936](https://github.com/flutter/engine/pull/29936) Roll Skia from 55106dc0eea7 to 8803d93aeb6f (4 revisions) (cla: yes, waiting for tree to go green)
[29937](https://github.com/flutter/engine/pull/29937) Roll Fuchsia Linux SDK from a0KPnn-pS... to bbim-9rQl... (cla: yes, waiting for tree to go green)
[29938](https://github.com/flutter/engine/pull/29938) Roll Fuchsia Mac SDK from x0zvww3rf... to IwEgl8xUv... (cla: yes, waiting for tree to go green)
[29939](https://github.com/flutter/engine/pull/29939) Roll Dart SDK from be01f752cbe6 to 74f6c3af2d68 (1 revision) (cla: yes, waiting for tree to go green)
[29941](https://github.com/flutter/engine/pull/29941) Remove remaining usages of getUnsafe() (cla: yes, waiting for tree to go green, needs tests)
[29942](https://github.com/flutter/engine/pull/29942) Roll Dart SDK from 74f6c3af2d68 to d8a6c4d22503 (2 revisions) (cla: yes, waiting for tree to go green)
[29943](https://github.com/flutter/engine/pull/29943) Roll Dart SDK from d8a6c4d22503 to 32bd9cae0aaf (1 revision) (cla: yes, waiting for tree to go green)
[29944](https://github.com/flutter/engine/pull/29944) Roll Fuchsia Linux SDK from bbim-9rQl... to ZfCMJBPs8... (cla: yes, waiting for tree to go green)
[29945](https://github.com/flutter/engine/pull/29945) Roll Fuchsia Mac SDK from IwEgl8xUv... to pd6pTyJQp... (cla: yes, waiting for tree to go green)
[29946](https://github.com/flutter/engine/pull/29946) Roll Skia from 8803d93aeb6f to dfb80747e328 (1 revision) (cla: yes, waiting for tree to go green)
[29949](https://github.com/flutter/engine/pull/29949) Roll Skia from dfb80747e328 to db3c48b16b2d (4 revisions) (cla: yes, waiting for tree to go green)
[29952](https://github.com/flutter/engine/pull/29952) Roll Fuchsia Mac SDK from pd6pTyJQp... to k6yvO5kLf... (cla: yes, waiting for tree to go green)
[29954](https://github.com/flutter/engine/pull/29954) Roll Dart SDK from 32bd9cae0aaf to 1155ef510725 (2 revisions) (cla: yes, waiting for tree to go green)
[29955](https://github.com/flutter/engine/pull/29955) Roll Fuchsia Linux SDK from ZfCMJBPs8... to hoo-CDDP6... (cla: yes, waiting for tree to go green)
[29956](https://github.com/flutter/engine/pull/29956) Roll Dart SDK from 1155ef510725 to a353613d5a52 (1 revision) (cla: yes, waiting for tree to go green)
[29958](https://github.com/flutter/engine/pull/29958) Roll Fuchsia Mac SDK from k6yvO5kLf... to AnjHQvWXa... (cla: yes, waiting for tree to go green)
[29959](https://github.com/flutter/engine/pull/29959) Roll Fuchsia Linux SDK from hoo-CDDP6... to KJElo7NCv... (cla: yes, waiting for tree to go green)
[29961](https://github.com/flutter/engine/pull/29961) Roll Fuchsia Linux SDK from KJElo7NCv... to eOELh_zdk... (cla: yes, waiting for tree to go green)
[29962](https://github.com/flutter/engine/pull/29962) Add a comment in Image.toByteData to limit more encoders (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29966](https://github.com/flutter/engine/pull/29966) Roll Fuchsia Mac SDK from AnjHQvWXa... to _XAgOfwCo... (cla: yes, waiting for tree to go green)
[29969](https://github.com/flutter/engine/pull/29969) Roll Skia from db3c48b16b2d to adca722569b1 (1 revision) (cla: yes, waiting for tree to go green)
[29970](https://github.com/flutter/engine/pull/29970) Roll Fuchsia Linux SDK from eOELh_zdk... to SOb9xSggS... (cla: yes, waiting for tree to go green)
[29972](https://github.com/flutter/engine/pull/29972) Roll Skia from adca722569b1 to 93b47a527a2e (1 revision) (cla: yes, waiting for tree to go green)
[29973](https://github.com/flutter/engine/pull/29973) Roll Fuchsia Mac SDK from _XAgOfwCo... to -xKcveik7... (cla: yes, waiting for tree to go green)
[29974](https://github.com/flutter/engine/pull/29974) Roll Fuchsia Linux SDK from SOb9xSggS... to tZrSWtryA... (cla: yes, waiting for tree to go green)
[29975](https://github.com/flutter/engine/pull/29975) Roll Fuchsia Mac SDK from -xKcveik7... to lmR_Aqf8s... (cla: yes, waiting for tree to go green)
[29977](https://github.com/flutter/engine/pull/29977) Roll Skia from 93b47a527a2e to 072677d6276c (1 revision) (cla: yes, waiting for tree to go green)
[29978](https://github.com/flutter/engine/pull/29978) Roll Skia from 072677d6276c to d542729c23fb (3 revisions) (cla: yes, waiting for tree to go green)
[29979](https://github.com/flutter/engine/pull/29979) Fix embedder_->EndFrame() not called in case of DrawLastLayerTree() (platform-android, cla: yes, waiting for tree to go green)
[29981](https://github.com/flutter/engine/pull/29981) Roll Skia from d542729c23fb to f46611ebdef9 (1 revision) (cla: yes, waiting for tree to go green)
[29982](https://github.com/flutter/engine/pull/29982) Roll Skia from f46611ebdef9 to bf6149669fa0 (1 revision) (cla: yes, waiting for tree to go green)
[29983](https://github.com/flutter/engine/pull/29983) Roll Fuchsia Linux SDK from tZrSWtryA... to Fi9OzLVMX... (cla: yes, waiting for tree to go green)
[29984](https://github.com/flutter/engine/pull/29984) Roll Dart SDK from a353613d5a52 to 9f61c2487bbd (1 revision) (cla: yes, waiting for tree to go green)
[29985](https://github.com/flutter/engine/pull/29985) Roll Skia from bf6149669fa0 to e2a038f956ff (1 revision) (cla: yes, waiting for tree to go green)
[29987](https://github.com/flutter/engine/pull/29987) Roll Skia from e2a038f956ff to 288ddb98b751 (3 revisions) (cla: yes, waiting for tree to go green)
[29988](https://github.com/flutter/engine/pull/29988) Roll Clang Windows from a4WSJSNW8... to 6u9Xk_Dr7... (cla: yes, waiting for tree to go green)
[29989](https://github.com/flutter/engine/pull/29989) Roll Skia from 288ddb98b751 to a0ad6db14184 (1 revision) (cla: yes, waiting for tree to go green)
[29995](https://github.com/flutter/engine/pull/29995) [fuchsia] Fix unset key and present key meaning (cla: yes, waiting for tree to go green, platform-fuchsia)
[29999](https://github.com/flutter/engine/pull/29999) [fuchsia][flatland] Tests for FlatlandPlatformView (cla: yes, waiting for tree to go green, platform-fuchsia)
[30000](https://github.com/flutter/engine/pull/30000) Update the token used by mirroring workflows. (cla: yes, waiting for tree to go green)
[30008](https://github.com/flutter/engine/pull/30008) Roll Fuchsia Mac SDK from lmR_Aqf8s... to 9DWt0M7vg... (cla: yes, waiting for tree to go green)
[30010](https://github.com/flutter/engine/pull/30010) Roll Skia from a0ad6db14184 to fa183572bfd3 (24 revisions) (cla: yes, waiting for tree to go green)
[30011](https://github.com/flutter/engine/pull/30011) Roll Dart SDK from 9f61c2487bbd to 3a963ff14181 (7 revisions) (cla: yes, waiting for tree to go green)
[30012](https://github.com/flutter/engine/pull/30012) Use WindowInfoTracker.Companion.getOrCreate instead of the short version (platform-android, cla: yes, waiting for tree to go green, needs tests)
[30029](https://github.com/flutter/engine/pull/30029) Migrate sk_cf_obj to sk_cfp (cla: yes, waiting for tree to go green, needs tests, embedder)
[30035](https://github.com/flutter/engine/pull/30035) Roll web_installers simulators package (cla: yes, waiting for tree to go green, platform-web)
[30045](https://github.com/flutter/engine/pull/30045) Roll Dart SDK from 3a963ff14181 to 8bb2e56ec900 (4 revisions) (cla: yes, waiting for tree to go green)
[30047](https://github.com/flutter/engine/pull/30047) Roll Skia from fa183572bfd3 to d3399178196e (17 revisions) (cla: yes, waiting for tree to go green)
[30057](https://github.com/flutter/engine/pull/30057) Roll Fuchsia Mac SDK from 9DWt0M7vg... to XankF6weU... (cla: yes, waiting for tree to go green)
[30061](https://github.com/flutter/engine/pull/30061) Roll Skia from d3399178196e to 2a42471c92f3 (7 revisions) (cla: yes, waiting for tree to go green)
[30064](https://github.com/flutter/engine/pull/30064) Roll Skia from 2a42471c92f3 to c4712cc704e8 (3 revisions) (cla: yes, waiting for tree to go green)
[30065](https://github.com/flutter/engine/pull/30065) Roll Fuchsia Linux SDK from Fi9OzLVMX... to NJK-w4N99... (cla: yes, waiting for tree to go green)
[30073](https://github.com/flutter/engine/pull/30073) Roll Skia from c4712cc704e8 to 6dc45289aec0 (2 revisions) (cla: yes, waiting for tree to go green)
[30074](https://github.com/flutter/engine/pull/30074) Roll Skia from 6dc45289aec0 to 9d74c28e823a (2 revisions) (cla: yes, waiting for tree to go green)
[30075](https://github.com/flutter/engine/pull/30075) Roll Dart SDK from 9f61c2487bbd to ba5e72e4b2d7 (16 revisions) (cla: yes, waiting for tree to go green)
[30076](https://github.com/flutter/engine/pull/30076) Roll Fuchsia Mac SDK from XankF6weU... to MaLRScmfU... (cla: yes, waiting for tree to go green)
[30078](https://github.com/flutter/engine/pull/30078) Roll Skia from 9d74c28e823a to 2756b0ee0250 (5 revisions) (cla: yes, waiting for tree to go green)
[30084](https://github.com/flutter/engine/pull/30084) Roll Skia from 2756b0ee0250 to f278a8058eaa (2 revisions) (cla: yes, waiting for tree to go green)
[30086](https://github.com/flutter/engine/pull/30086) [Windows keyboard] Remove redundant parameter FlutterWindowsView (affects: text input, cla: yes, waiting for tree to go green, platform-windows)
[30089](https://github.com/flutter/engine/pull/30089) Close image reader when the resource is unreachable (platform-android, cla: yes, waiting for tree to go green)
[30090](https://github.com/flutter/engine/pull/30090) Update IosUnitTests to use iPhone 11 simulator (platform-ios, cla: yes, waiting for tree to go green)
[30094](https://github.com/flutter/engine/pull/30094) Remove implicit copy assignment operator for 'EmbeddedViewParams' (cla: yes, waiting for tree to go green)
[30096](https://github.com/flutter/engine/pull/30096) Revert "Enable compressed pointers on iOS for 64 bit architectures." (cla: yes, waiting for tree to go green)
[30100](https://github.com/flutter/engine/pull/30100) Revert "[ci.yaml] Remove default properties" (cla: yes, waiting for tree to go green)
[30104](https://github.com/flutter/engine/pull/30104) Run iOS scenario apps on iPhone 11 and iOS 14 (cla: yes, waiting for tree to go green)
[30105](https://github.com/flutter/engine/pull/30105) Roll Fuchsia Linux SDK from NJK-w4N99... to RyloAtJNT... (cla: yes, waiting for tree to go green)
[30106](https://github.com/flutter/engine/pull/30106) Fix cast in FlutterView (platform-android, cla: yes, waiting for tree to go green, needs tests)
[30107](https://github.com/flutter/engine/pull/30107) Fix platform env variable not registering with sdk_manager (cla: yes, waiting for tree to go green)
[30108](https://github.com/flutter/engine/pull/30108) Roll Fuchsia Mac SDK from MaLRScmfU... to a5YFHsF2a... (cla: yes, waiting for tree to go green)
[30115](https://github.com/flutter/engine/pull/30115) Roll Skia from f278a8058eaa to 672062da97da (8 revisions) (cla: yes, waiting for tree to go green)
[30117](https://github.com/flutter/engine/pull/30117) Roll Skia from 672062da97da to 29af7d59714b (4 revisions) (cla: yes, waiting for tree to go green)
[30118](https://github.com/flutter/engine/pull/30118) Roll Fuchsia Linux SDK from RyloAtJNT... to gc6NLk09G... (cla: yes, waiting for tree to go green)
[30120](https://github.com/flutter/engine/pull/30120) Roll Skia from 29af7d59714b to 94f726ae62f0 (2 revisions) (cla: yes, waiting for tree to go green)
[30121](https://github.com/flutter/engine/pull/30121) Roll Dart SDK from ba5e72e4b2d7 to a31c331ed648 (5 revisions) (cla: yes, waiting for tree to go green)
[30124](https://github.com/flutter/engine/pull/30124) Roll Skia from 94f726ae62f0 to 40ba900d2e94 (1 revision) (cla: yes, waiting for tree to go green)
[30127](https://github.com/flutter/engine/pull/30127) Roll Dart SDK from a31c331ed648 to a3a9d7af0cc2 (1 revision) (cla: yes, waiting for tree to go green)
[30128](https://github.com/flutter/engine/pull/30128) Roll Fuchsia Mac SDK from a5YFHsF2a... to Ki-0yFVTa... (cla: yes, waiting for tree to go green)
[30129](https://github.com/flutter/engine/pull/30129) Roll Fuchsia Linux SDK from gc6NLk09G... to uNU00yZsG... (cla: yes, waiting for tree to go green)
[30134](https://github.com/flutter/engine/pull/30134) Update general_golden_test.dart (cla: yes, waiting for tree to go green, platform-web)
[30137](https://github.com/flutter/engine/pull/30137) Revert "[web] consolidate JS interop code" (cla: yes, waiting for tree to go green, platform-web)
[30138](https://github.com/flutter/engine/pull/30138) Roll Dart SDK from a3a9d7af0cc2 to 68bd3305228d (2 revisions) (cla: yes, waiting for tree to go green)
[30141](https://github.com/flutter/engine/pull/30141) Roll Fuchsia Linux SDK from uNU00yZsG... to eH__OFZVQ... (cla: yes, waiting for tree to go green)
[30142](https://github.com/flutter/engine/pull/30142) Roll Fuchsia Mac SDK from Ki-0yFVTa... to WohiTvz8h... (cla: yes, waiting for tree to go green)
[30143](https://github.com/flutter/engine/pull/30143) Roll Skia from 40ba900d2e94 to 62553ae6feb8 (1 revision) (cla: yes, waiting for tree to go green)
[30144](https://github.com/flutter/engine/pull/30144) Roll Skia from 62553ae6feb8 to 493d7910a7f5 (1 revision) (cla: yes, waiting for tree to go green)
[30145](https://github.com/flutter/engine/pull/30145) [Android] Fix mEditable NullPointerException in TextInputPlugin (platform-android, cla: yes, waiting for tree to go green)
[30146](https://github.com/flutter/engine/pull/30146) Roll Fuchsia Linux SDK from eH__OFZVQ... to gWYa9KhIK... (cla: yes, waiting for tree to go green)
[30148](https://github.com/flutter/engine/pull/30148) Roll Fuchsia Mac SDK from WohiTvz8h... to KQ60Vu3d7... (cla: yes, waiting for tree to go green)
[30150](https://github.com/flutter/engine/pull/30150) Roll Skia from 493d7910a7f5 to 05de3735b723 (1 revision) (cla: yes, waiting for tree to go green)
[30152](https://github.com/flutter/engine/pull/30152) Roll Dart SDK from 68bd3305228d to e7aa2cb110af (1 revision) (cla: yes, waiting for tree to go green)
[30153](https://github.com/flutter/engine/pull/30153) Roll Fuchsia Linux SDK from gWYa9KhIK... to WGMjaVH60... (cla: yes, waiting for tree to go green)
[30155](https://github.com/flutter/engine/pull/30155) Roll Fuchsia Mac SDK from KQ60Vu3d7... to EAlr46NQ8... (cla: yes, waiting for tree to go green)
[30156](https://github.com/flutter/engine/pull/30156) Roll Skia from 05de3735b723 to f333f5614a9b (3 revisions) (cla: yes, waiting for tree to go green)
[30165](https://github.com/flutter/engine/pull/30165) Add unconditional waits on fml::Semaphore. (waiting for tree to go green)
[30184](https://github.com/flutter/engine/pull/30184) Fix wrong context when use platfromview (platform-ios, waiting for tree to go green, needs tests)
[30190](https://github.com/flutter/engine/pull/30190) Roll Fuchsia Mac SDK from EAlr46NQ8... to zMg5gNi2E... (waiting for tree to go green)
[30191](https://github.com/flutter/engine/pull/30191) Roll Fuchsia Linux SDK from WGMjaVH60... to s03VQc7lX... (waiting for tree to go green)
[30192](https://github.com/flutter/engine/pull/30192) Roll Skia from f333f5614a9b to 06f3d68627c2 (24 revisions) (waiting for tree to go green)
[30194](https://github.com/flutter/engine/pull/30194) Roll Skia from 06f3d68627c2 to 1c4cf27965bd (2 revisions) (waiting for tree to go green)
[30195](https://github.com/flutter/engine/pull/30195) Document rationale for Dart VM flag prefix match (waiting for tree to go green)
[30197](https://github.com/flutter/engine/pull/30197) Roll buildroot to 430b57c643883e6090b5af09faddd8048efee57c. (waiting for tree to go green)
[30198](https://github.com/flutter/engine/pull/30198) Roll Skia from 1c4cf27965bd to 543b8681c7f2 (1 revision) (waiting for tree to go green)
[30199](https://github.com/flutter/engine/pull/30199) Android accessibility bridge also fire selection change event when it predict selection change. (platform-android, waiting for tree to go green)
[30200](https://github.com/flutter/engine/pull/30200) Roll Skia from 543b8681c7f2 to 00edeefab7f4 (1 revision) (waiting for tree to go green)
[30202](https://github.com/flutter/engine/pull/30202) [android] Fix unexpected behavior in |detachFromFlutterEngine|. (platform-android, waiting for tree to go green)
[30203](https://github.com/flutter/engine/pull/30203) Roll Fuchsia Mac SDK from zMg5gNi2E... to QeaP059wu... (waiting for tree to go green)
[30206](https://github.com/flutter/engine/pull/30206) Roll Skia from 00edeefab7f4 to 21b8ccb7393c (3 revisions) (waiting for tree to go green)
[30211](https://github.com/flutter/engine/pull/30211) Roll Dart SDK from 68bd3305228d to 2ace65b1b408 (5 revisions) (waiting for tree to go green)
[30214](https://github.com/flutter/engine/pull/30214) Roll Skia from 21b8ccb7393c to 3856a5854e20 (6 revisions) (waiting for tree to go green)
[30216](https://github.com/flutter/engine/pull/30216) Roll Skia from 3856a5854e20 to c307c5566d11 (2 revisions) (waiting for tree to go green)
[30218](https://github.com/flutter/engine/pull/30218) Roll Skia from c307c5566d11 to 22960eb7b2a6 (1 revision) (waiting for tree to go green)
[30220](https://github.com/flutter/engine/pull/30220) Roll Fuchsia Mac SDK from QeaP059wu... to EcjcLVqar... (waiting for tree to go green)
[30225](https://github.com/flutter/engine/pull/30225) Roll Skia from 22960eb7b2a6 to 4898ac10f0ac (4 revisions) (waiting for tree to go green)
[30228](https://github.com/flutter/engine/pull/30228) Roll Fuchsia Linux SDK from s03VQc7lX... to 3rLypXNTd... (waiting for tree to go green)
[30229](https://github.com/flutter/engine/pull/30229) Roll Skia from 4898ac10f0ac to d2eb1d90b3b9 (1 revision) (waiting for tree to go green)
[30230](https://github.com/flutter/engine/pull/30230) Merge NDK and licenses into Android dependencies script (waiting for tree to go green, needs tests)
[30232](https://github.com/flutter/engine/pull/30232) Roll Skia from d2eb1d90b3b9 to 3bcc80e9c387 (1 revision) (waiting for tree to go green)
[30233](https://github.com/flutter/engine/pull/30233) Roll Skia from 3bcc80e9c387 to b4d01cbe41b1 (2 revisions) (waiting for tree to go green)
[30234](https://github.com/flutter/engine/pull/30234) Use ToT of release branch if the commit is from release branch. (platform-ios, platform-android, waiting for tree to go green, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, embedder)
[30238](https://github.com/flutter/engine/pull/30238) Roll Skia from b4d01cbe41b1 to 5d1d92c505c0 (1 revision) (waiting for tree to go green)
[30241](https://github.com/flutter/engine/pull/30241) Roll Fuchsia Linux SDK from 3rLypXNTd... to dNYehjXUM... (waiting for tree to go green)
[30243](https://github.com/flutter/engine/pull/30243) Roll Skia from 5d1d92c505c0 to ca916f705fc5 (2 revisions) (waiting for tree to go green)
[30244](https://github.com/flutter/engine/pull/30244) [fuchsia] Use network-legacy-deprecated pkg in embedder test (waiting for tree to go green, platform-fuchsia, needs tests)
[30245](https://github.com/flutter/engine/pull/30245) Roll Skia from ca916f705fc5 to c95c53ed0fcf (2 revisions) (waiting for tree to go green)
[30248](https://github.com/flutter/engine/pull/30248) Roll Skia from c95c53ed0fcf to 44c81d149273 (2 revisions) (waiting for tree to go green)
[30249](https://github.com/flutter/engine/pull/30249) Roll Fuchsia Mac SDK from EcjcLVqar... to 9asn8qJFp... (waiting for tree to go green)
[30251](https://github.com/flutter/engine/pull/30251) Roll Dart SDK from 2ace65b1b408 to 2091ff49c513 (8 revisions) (waiting for tree to go green)
[30253](https://github.com/flutter/engine/pull/30253) Cleanup old ndk CIPD upload script (waiting for tree to go green)
[30255](https://github.com/flutter/engine/pull/30255) Roll Skia from 44c81d149273 to a964a72174e8 (9 revisions) (waiting for tree to go green)
[30257](https://github.com/flutter/engine/pull/30257) Migrate to Mockito 4.1.0 (platform-android, waiting for tree to go green)
[30259](https://github.com/flutter/engine/pull/30259) Roll Dart SDK from 2091ff49c513 to 7b6056f9db7f (1 revision) (waiting for tree to go green)
[30262](https://github.com/flutter/engine/pull/30262) Test shell/platform/common a11y code on Windows (waiting for tree to go green)
[30263](https://github.com/flutter/engine/pull/30263) Add iOS version to scenario golden images (waiting for tree to go green)
[30265](https://github.com/flutter/engine/pull/30265) Roll Fuchsia Mac SDK from EcjcLVqar... to 1DgBWWOWV... (waiting for tree to go green)
[30266](https://github.com/flutter/engine/pull/30266) Roll Fuchsia Linux SDK from 3rLypXNTd... to UPWdoQziF... (waiting for tree to go green)
[30267](https://github.com/flutter/engine/pull/30267) Revert "Accessibility number formatting improvements for Windows (#29773)" (waiting for tree to go green, platform-windows)
[30269](https://github.com/flutter/engine/pull/30269) Roll Skia from a964a72174e8 to 4d35c0d31d79 (16 revisions) (waiting for tree to go green)
[30270](https://github.com/flutter/engine/pull/30270) Roll Dart SDK from 7b6056f9db7f to f568598a262e (4 revisions) (waiting for tree to go green)
[30277](https://github.com/flutter/engine/pull/30277) Roll Dart SDK from f568598a262e to 49d5a2f58c4a (3 revisions) (waiting for tree to go green)
[30278](https://github.com/flutter/engine/pull/30278) Roll Fuchsia Mac SDK from 1DgBWWOWV... to GoQ7KEnqp... (waiting for tree to go green)
[30279](https://github.com/flutter/engine/pull/30279) Roll Fuchsia Linux SDK from UPWdoQziF... to hhFGKobVD... (waiting for tree to go green)
[30280](https://github.com/flutter/engine/pull/30280) Roll Fuchsia Mac SDK from GoQ7KEnqp... to Y_9lCzY64... (waiting for tree to go green)
[30281](https://github.com/flutter/engine/pull/30281) Roll Fuchsia Linux SDK from hhFGKobVD... to NAkkk-Vn5... (waiting for tree to go green)
[30282](https://github.com/flutter/engine/pull/30282) Fix typo in jni registration (platform-android, waiting for tree to go green, needs tests)
[30283](https://github.com/flutter/engine/pull/30283) Roll Dart SDK from 49d5a2f58c4a to 01a9d4e9ede7 (1 revision) (waiting for tree to go green)
[30284](https://github.com/flutter/engine/pull/30284) Roll Fuchsia Mac SDK from Y_9lCzY64... to xBCcWw6gj... (waiting for tree to go green)
[30285](https://github.com/flutter/engine/pull/30285) Roll Fuchsia Linux SDK from NAkkk-Vn5... to V2JLZw4H1... (waiting for tree to go green)
[30288](https://github.com/flutter/engine/pull/30288) Roll Dart SDK from 01a9d4e9ede7 to a78eae43582d (1 revision) (waiting for tree to go green)
[30291](https://github.com/flutter/engine/pull/30291) Roll Fuchsia Linux SDK from V2JLZw4H1... to W030EYSZS... (waiting for tree to go green)
[30292](https://github.com/flutter/engine/pull/30292) Roll Fuchsia Mac SDK from xBCcWw6gj... to -O1WuRL72... (waiting for tree to go green)
[30293](https://github.com/flutter/engine/pull/30293) Dont use TypedData.fromList if you dont have a list already (waiting for tree to go green, needs tests)
[30294](https://github.com/flutter/engine/pull/30294) Roll Fuchsia Mac SDK from -O1WuRL72... to oKhFjdNL3... (waiting for tree to go green)
[30295](https://github.com/flutter/engine/pull/30295) Roll Fuchsia Linux SDK from W030EYSZS... to U9YfhhG6K... (waiting for tree to go green)
[30296](https://github.com/flutter/engine/pull/30296) [Win32, Keyboard] Abstract KeyboardManager from FlutterWindowWin32 (affects: text input, waiting for tree to go green, platform-windows)
[30297](https://github.com/flutter/engine/pull/30297) Support toggle buttons for desktop accessibility (waiting for tree to go green, platform-windows)
[30298](https://github.com/flutter/engine/pull/30298) Update buildroot to d45d8382665c9. (waiting for tree to go green)
[30299](https://github.com/flutter/engine/pull/30299) Optmize path volatility tracker (waiting for tree to go green)
[30300](https://github.com/flutter/engine/pull/30300) Avoid verbose logs when downloading the Dart SDK. (waiting for tree to go green)
[30301](https://github.com/flutter/engine/pull/30301) Reland: Accessibility number formatting improvements for Windows (#29773) (waiting for tree to go green)
[30302](https://github.com/flutter/engine/pull/30302) Roll Skia from 4d35c0d31d79 to 3ad6e531c331 (25 revisions) (waiting for tree to go green)
[30304](https://github.com/flutter/engine/pull/30304) Roll Clang Windows from 6u9Xk_Dr7... to 25xTI5-Mi... (waiting for tree to go green)
[30305](https://github.com/flutter/engine/pull/30305) Roll Clang Mac from Q_l2rEdQx... to gi-ivU51h... (waiting for tree to go green)
[30306](https://github.com/flutter/engine/pull/30306) Roll Clang Linux from 6UfJQ9aFH... to Fn7lDYhKD... (waiting for tree to go green)
[30307](https://github.com/flutter/engine/pull/30307) Roll Skia from 3ad6e531c331 to ddbf93159f00 (3 revisions) (waiting for tree to go green)
[30308](https://github.com/flutter/engine/pull/30308) Roll Fuchsia Mac SDK from oKhFjdNL3... to xEQkW8iPZ... (waiting for tree to go green)
[30309](https://github.com/flutter/engine/pull/30309) Roll Fuchsia Linux SDK from U9YfhhG6K... to ApA7xAqGG... (waiting for tree to go green)
[30311](https://github.com/flutter/engine/pull/30311) Roll Skia from ddbf93159f00 to 33c28b9fa986 (1 revision) (waiting for tree to go green)
[30312](https://github.com/flutter/engine/pull/30312) Roll Skia from 33c28b9fa986 to d26057a2c0e1 (3 revisions) (waiting for tree to go green)
[30315](https://github.com/flutter/engine/pull/30315) Roll Fuchsia Mac SDK from xEQkW8iPZ... to _4V492Yx4... (waiting for tree to go green)
[30316](https://github.com/flutter/engine/pull/30316) Roll Skia from d26057a2c0e1 to ecbad283619c (1 revision) (waiting for tree to go green)
[30318](https://github.com/flutter/engine/pull/30318) Roll Skia from ecbad283619c to e3c0d7356c05 (1 revision) (waiting for tree to go green)
[30319](https://github.com/flutter/engine/pull/30319) Roll Fuchsia Linux SDK from ApA7xAqGG... to a24HIbo9e... (waiting for tree to go green)
[30321](https://github.com/flutter/engine/pull/30321) Add logging to scrollable semantics test (platform-ios, waiting for tree to go green)
[30325](https://github.com/flutter/engine/pull/30325) Roll Skia from e3c0d7356c05 to f74c7893fc17 (6 revisions) (waiting for tree to go green)
[30326](https://github.com/flutter/engine/pull/30326) Roll Skia from f74c7893fc17 to 68e240d9cdb3 (1 revision) (waiting for tree to go green)
[30327](https://github.com/flutter/engine/pull/30327) Roll Dart SDK from 2ace65b1b408 to 8b4a4a7018f0 (24 revisions) (waiting for tree to go green)
[30328](https://github.com/flutter/engine/pull/30328) Roll Skia from 68e240d9cdb3 to fde20db7cab7 (3 revisions) (waiting for tree to go green)
[30330](https://github.com/flutter/engine/pull/30330) Revert "Removed the email warning about notifications entitlement" (platform-ios, waiting for tree to go green)
[30332](https://github.com/flutter/engine/pull/30332) Revert "Run Dart VM tasks on the engine's ConcurrentMessageLoop instead the VM's separate thread pool. (#29819)" (waiting for tree to go green)
[30334](https://github.com/flutter/engine/pull/30334) Update DEPS to pull in libtess2, sqlite, and, inja. (waiting for tree to go green, needs tests)
[30335](https://github.com/flutter/engine/pull/30335) Roll Skia from fde20db7cab7 to 71f7880bb635 (3 revisions) (waiting for tree to go green)
[30337](https://github.com/flutter/engine/pull/30337) Roll Fuchsia Mac SDK from _4V492Yx4... to 3lWQzTswr... (waiting for tree to go green)
[30339](https://github.com/flutter/engine/pull/30339) Roll Dart SDK from 8b4a4a7018f0 to cae3737b6ae6 (1 revision) (waiting for tree to go green)
[30340](https://github.com/flutter/engine/pull/30340) Roll Fuchsia Linux SDK from a24HIbo9e... to gGLuymgJg... (waiting for tree to go green)
[30341](https://github.com/flutter/engine/pull/30341) Roll Skia from 71f7880bb635 to e17fd4fea551 (3 revisions) (waiting for tree to go green)
[30342](https://github.com/flutter/engine/pull/30342) Roll Dart SDK from cae3737b6ae6 to a04f92c4dbff (1 revision) (waiting for tree to go green)
[30345](https://github.com/flutter/engine/pull/30345) Roll Skia from e17fd4fea551 to 335a555b283d (1 revision) (waiting for tree to go green)
[30347](https://github.com/flutter/engine/pull/30347) Roll Fuchsia Mac SDK from 3lWQzTswr... to to26Opvtk... (waiting for tree to go green)
[30348](https://github.com/flutter/engine/pull/30348) Roll Skia from 335a555b283d to a3e1e8acf92a (5 revisions) (waiting for tree to go green)
[30349](https://github.com/flutter/engine/pull/30349) Roll Skia from a3e1e8acf92a to dc60ca197e02 (1 revision) (waiting for tree to go green)
[30351](https://github.com/flutter/engine/pull/30351) Roll Dart SDK from a04f92c4dbff to ea6e74d48ac1 (2 revisions) (waiting for tree to go green)
[30352](https://github.com/flutter/engine/pull/30352) Roll Skia from dc60ca197e02 to 5ef3f98eadda (5 revisions) (waiting for tree to go green)
[30353](https://github.com/flutter/engine/pull/30353) Roll Skia from 5ef3f98eadda to fec9a3027c9e (5 revisions) (waiting for tree to go green)
[30356](https://github.com/flutter/engine/pull/30356) Roll Fuchsia Linux SDK from gGLuymgJg... to te_Li2BCl... (waiting for tree to go green)
[30359](https://github.com/flutter/engine/pull/30359) Keep a single source of truth for embedding dependencies (platform-android, waiting for tree to go green)
[30360](https://github.com/flutter/engine/pull/30360) Roll Dart SDK from ea6e74d48ac1 to a5aea2fcab1b (2 revisions) (waiting for tree to go green)
[30361](https://github.com/flutter/engine/pull/30361) Roll Skia from fec9a3027c9e to 95ec7e3a9c13 (1 revision) (waiting for tree to go green)
[30362](https://github.com/flutter/engine/pull/30362) Roll Fuchsia Mac SDK from to26Opvtk... to TEgUdtKdJ... (waiting for tree to go green)
[30363](https://github.com/flutter/engine/pull/30363) Roll Dart SDK from a5aea2fcab1b to 40a4b4884dff (1 revision) (waiting for tree to go green)
[30364](https://github.com/flutter/engine/pull/30364) [runtime] Remove SpawnIsolate function. (waiting for tree to go green)
[30365](https://github.com/flutter/engine/pull/30365) Roll Skia from 95ec7e3a9c13 to 3f95fd2ed8c4 (2 revisions) (waiting for tree to go green)
[30367](https://github.com/flutter/engine/pull/30367) [android] Provide a path instead of throwing NPE when getDir() suites returns null (platform-android, waiting for tree to go green)
[30377](https://github.com/flutter/engine/pull/30377) Roll Fuchsia Mac SDK from TEgUdtKdJ... to y7m6Eyj07... (waiting for tree to go green)
[30381](https://github.com/flutter/engine/pull/30381) Roll Skia from 3f95fd2ed8c4 to 38d53289269f (6 revisions) (waiting for tree to go green)
[30383](https://github.com/flutter/engine/pull/30383) Roll Fuchsia Linux SDK from te_Li2BCl... to mlFQI-cYg... (waiting for tree to go green)
[30384](https://github.com/flutter/engine/pull/30384) Roll Skia from 38d53289269f to 9a87395aedd4 (2 revisions) (waiting for tree to go green)
[30385](https://github.com/flutter/engine/pull/30385) Fix incorrect test names (waiting for tree to go green, platform-windows)
[30387](https://github.com/flutter/engine/pull/30387) Roll Skia from 9a87395aedd4 to 20981e308a4b (2 revisions) (waiting for tree to go green)
[30388](https://github.com/flutter/engine/pull/30388) Roll Dart SDK from 40a4b4884dff to f1f399f8aedb (2 revisions) (waiting for tree to go green)
[30390](https://github.com/flutter/engine/pull/30390) Roll Skia from 20981e308a4b to ea64b1ea8d74 (3 revisions) (waiting for tree to go green)
[30393](https://github.com/flutter/engine/pull/30393) Roll Dart SDK from f1f399f8aedb to 44554da7bd27 (2 revisions) (waiting for tree to go green)
[30394](https://github.com/flutter/engine/pull/30394) Roll Fuchsia Mac SDK from y7m6Eyj07... to CncgzWMM4... (waiting for tree to go green)
[30395](https://github.com/flutter/engine/pull/30395) Roll Fuchsia Linux SDK from mlFQI-cYg... to 22YBpFs4m... (waiting for tree to go green)
[30397](https://github.com/flutter/engine/pull/30397) Roll Fuchsia Mac SDK from CncgzWMM4... to 1cBhqj_CJ... (waiting for tree to go green)
[30398](https://github.com/flutter/engine/pull/30398) Move display list to its own library. (waiting for tree to go green)
[30400](https://github.com/flutter/engine/pull/30400) Roll Fuchsia Linux SDK from 22YBpFs4m... to GG-eDGZFu... (waiting for tree to go green)
[30401](https://github.com/flutter/engine/pull/30401) Roll Dart SDK from 44554da7bd27 to b89e1312efc7 (1 revision) (waiting for tree to go green)
[30402](https://github.com/flutter/engine/pull/30402) Roll Dart SDK from b89e1312efc7 to 5ba41c821b0a (1 revision) (waiting for tree to go green)
[30403](https://github.com/flutter/engine/pull/30403) Roll Fuchsia Mac SDK from 1cBhqj_CJ... to UiiCCJBE4... (waiting for tree to go green)
[30404](https://github.com/flutter/engine/pull/30404) Roll Fuchsia Linux SDK from GG-eDGZFu... to lnKNJfQPP... (waiting for tree to go green)
[30406](https://github.com/flutter/engine/pull/30406) Roll Fuchsia Mac SDK from UiiCCJBE4... to PmjQQT3LQ... (waiting for tree to go green)
[30407](https://github.com/flutter/engine/pull/30407) Roll Fuchsia Linux SDK from lnKNJfQPP... to x6YiiwIkA... (waiting for tree to go green)
[30408](https://github.com/flutter/engine/pull/30408) Roll Skia from ea64b1ea8d74 to 0954d27df909 (1 revision) (waiting for tree to go green)
[30409](https://github.com/flutter/engine/pull/30409) Roll Skia from 0954d27df909 to 898873c90b1b (1 revision) (waiting for tree to go green)
[30410](https://github.com/flutter/engine/pull/30410) Roll Fuchsia Mac SDK from PmjQQT3LQ... to 3Jf5Eo2s0... (waiting for tree to go green)
[30413](https://github.com/flutter/engine/pull/30413) Roll Fuchsia Linux SDK from x6YiiwIkA... to vC0kiiNm_... (waiting for tree to go green)
[30414](https://github.com/flutter/engine/pull/30414) Roll Skia from 898873c90b1b to f7c9598f5d64 (1 revision) (waiting for tree to go green)
[30415](https://github.com/flutter/engine/pull/30415) Roll Fuchsia Mac SDK from 3Jf5Eo2s0... to TLx4mGDjh... (waiting for tree to go green)
[30416](https://github.com/flutter/engine/pull/30416) Roll Skia from f7c9598f5d64 to 1a53e29173b6 (2 revisions) (waiting for tree to go green)
[30419](https://github.com/flutter/engine/pull/30419) Roll Skia from 1a53e29173b6 to ec481097c286 (1 revision) (waiting for tree to go green)
[30420](https://github.com/flutter/engine/pull/30420) Roll Fuchsia Linux SDK from vC0kiiNm_... to QL7ApN2YU... (waiting for tree to go green)
[30421](https://github.com/flutter/engine/pull/30421) Roll Skia from ec481097c286 to dd9ef457d9c0 (2 revisions) (waiting for tree to go green)
[30423](https://github.com/flutter/engine/pull/30423) Roll Fuchsia Mac SDK from TLx4mGDjh... to JZjprx4iO... (waiting for tree to go green)
[30424](https://github.com/flutter/engine/pull/30424) Roll Skia from dd9ef457d9c0 to cdeb0926559e (1 revision) (waiting for tree to go green)
[30425](https://github.com/flutter/engine/pull/30425) Add //flutter/fml/math.h with common math constants. (waiting for tree to go green)
[30426](https://github.com/flutter/engine/pull/30426) Roll Skia from cdeb0926559e to bf57843b0189 (1 revision) (waiting for tree to go green)
[30427](https://github.com/flutter/engine/pull/30427) Roll Dart SDK from 5ba41c821b0a to 6cca053b9374 (1 revision) (waiting for tree to go green)
[30428](https://github.com/flutter/engine/pull/30428) Roll Skia from bf57843b0189 to 372a36de757f (1 revision) (waiting for tree to go green)
[30429](https://github.com/flutter/engine/pull/30429) Roll Fuchsia Linux SDK from QL7ApN2YU... to b2qRHsrfJ... (waiting for tree to go green)
[30430](https://github.com/flutter/engine/pull/30430) Roll Skia from 372a36de757f to 90a76100e233 (2 revisions) (waiting for tree to go green)
[30431](https://github.com/flutter/engine/pull/30431) Roll Dart SDK from 6cca053b9374 to 5be50ce94943 (1 revision) (waiting for tree to go green)
[30432](https://github.com/flutter/engine/pull/30432) Roll Skia from 90a76100e233 to 83a7369ca643 (1 revision) (waiting for tree to go green)
[30433](https://github.com/flutter/engine/pull/30433) Roll Fuchsia Mac SDK from JZjprx4iO... to lQ5HiKBLS... (waiting for tree to go green)
[30436](https://github.com/flutter/engine/pull/30436) Roll Skia from 83a7369ca643 to a88a62731672 (2 revisions) (waiting for tree to go green)
[30438](https://github.com/flutter/engine/pull/30438) Roll Dart SDK from 5be50ce94943 to 5e43abad880e (1 revision) (waiting for tree to go green)
[30440](https://github.com/flutter/engine/pull/30440) Roll Fuchsia Linux SDK from b2qRHsrfJ... to zhlrwTv0K... (waiting for tree to go green)
[30441](https://github.com/flutter/engine/pull/30441) Roll Skia from a88a62731672 to 2ac310266912 (5 revisions) (waiting for tree to go green)
[30442](https://github.com/flutter/engine/pull/30442) Make sure the GLFW example compiles. (waiting for tree to go green, needs tests, embedder)
[30444](https://github.com/flutter/engine/pull/30444) Roll Skia from 2ac310266912 to 12532a3a8fdb (1 revision) (waiting for tree to go green)
[30445](https://github.com/flutter/engine/pull/30445) Roll Fuchsia Mac SDK from lQ5HiKBLS... to RGkN0yPbJ... (waiting for tree to go green)
[30446](https://github.com/flutter/engine/pull/30446) Roll Skia from 12532a3a8fdb to bdc0bad2e216 (3 revisions) (waiting for tree to go green)
[30447](https://github.com/flutter/engine/pull/30447) Roll Dart SDK from 5e43abad880e to 689b7f759012 (1 revision) (waiting for tree to go green)
[30449](https://github.com/flutter/engine/pull/30449) Add an Android device ID flag to the Flutter GDB script (waiting for tree to go green)
[30450](https://github.com/flutter/engine/pull/30450) Use the Android NDK bin/gdb tool instead of gdb-orig in the Flutter GDB script (waiting for tree to go green)
[30451](https://github.com/flutter/engine/pull/30451) Roll Skia from bdc0bad2e216 to fe995770fe7c (1 revision) (waiting for tree to go green)
[30452](https://github.com/flutter/engine/pull/30452) Roll Skia from fe995770fe7c to f6e58b602011 (1 revision) (waiting for tree to go green)
[30453](https://github.com/flutter/engine/pull/30453) Roll Skia from f6e58b602011 to 112f9f1273ef (2 revisions) (waiting for tree to go green)
[30455](https://github.com/flutter/engine/pull/30455) Roll Fuchsia Linux SDK from zhlrwTv0K... to holaEy-o0... (waiting for tree to go green)
[30457](https://github.com/flutter/engine/pull/30457) Roll Fuchsia Mac SDK from RGkN0yPbJ... to DUakDL1iM... (waiting for tree to go green)
[30458](https://github.com/flutter/engine/pull/30458) Add more info for `--type` in run_tests.py and add `android` into all type (waiting for tree to go green)
[30463](https://github.com/flutter/engine/pull/30463) Roll Skia from 112f9f1273ef to bc35172ce9fc (2 revisions) (waiting for tree to go green)
[30464](https://github.com/flutter/engine/pull/30464) Roll Dart SDK from 689b7f759012 to 0843ef9af944 (2 revisions) (waiting for tree to go green)
[30466](https://github.com/flutter/engine/pull/30466) Roll Skia from bc35172ce9fc to 87ced29082db (3 revisions) (waiting for tree to go green)
[30468](https://github.com/flutter/engine/pull/30468) Roll Skia from 87ced29082db to ba7ad38faa10 (1 revision) (waiting for tree to go green)
[30469](https://github.com/flutter/engine/pull/30469) Roll Fuchsia Mac SDK from DUakDL1iM... to pkaZzLwtf... (waiting for tree to go green)
[30471](https://github.com/flutter/engine/pull/30471) Roll Fuchsia Linux SDK from holaEy-o0... to fROsj0myw... (waiting for tree to go green)
[30472](https://github.com/flutter/engine/pull/30472) Roll Dart SDK from 0843ef9af944 to 35f00ea22656 (2 revisions) (waiting for tree to go green)
[30473](https://github.com/flutter/engine/pull/30473) Roll Skia from ba7ad38faa10 to f55ababa0ce1 (1 revision) (waiting for tree to go green)
[30474](https://github.com/flutter/engine/pull/30474) Roll Skia from f55ababa0ce1 to 1a6f1618a78d (2 revisions) (waiting for tree to go green)
[30476](https://github.com/flutter/engine/pull/30476) Roll Fuchsia Mac SDK from pkaZzLwtf... to DO5MaQrsU... (waiting for tree to go green)
[30477](https://github.com/flutter/engine/pull/30477) Roll Fuchsia Linux SDK from fROsj0myw... to DS-3oCidC... (waiting for tree to go green)
[30478](https://github.com/flutter/engine/pull/30478) Roll Skia from 1a6f1618a78d to 887e3422def1 (3 revisions) (waiting for tree to go green)
[30479](https://github.com/flutter/engine/pull/30479) Roll Dart SDK from 35f00ea22656 to ce29699ccf7a (1 revision) (waiting for tree to go green)
[30480](https://github.com/flutter/engine/pull/30480) Roll Skia from 887e3422def1 to c10950a60f06 (1 revision) (waiting for tree to go green)
[30481](https://github.com/flutter/engine/pull/30481) Roll Skia from c10950a60f06 to a7cb849eca4e (1 revision) (waiting for tree to go green)
[30483](https://github.com/flutter/engine/pull/30483) Roll Skia from a7cb849eca4e to c2b31fb04a80 (1 revision) (waiting for tree to go green)
[30484](https://github.com/flutter/engine/pull/30484) rename the DL bounds accumulation methods to be more transparent (waiting for tree to go green)
[30485](https://github.com/flutter/engine/pull/30485) Roll Dart SDK from ce29699ccf7a to de847840a86f (1 revision) (waiting for tree to go green)
[30486](https://github.com/flutter/engine/pull/30486) Roll Skia from c2b31fb04a80 to c1bc0205d9aa (1 revision) (waiting for tree to go green)
[30489](https://github.com/flutter/engine/pull/30489) Allow opting out of installation of Git hooks. (waiting for tree to go green)
[30490](https://github.com/flutter/engine/pull/30490) Roll Skia from c1bc0205d9aa to bd05d877db9d (1 revision) (waiting for tree to go green)
[30491](https://github.com/flutter/engine/pull/30491) Roll Dart SDK from de847840a86f to a04fa8e840c3 (1 revision) (waiting for tree to go green)
[30492](https://github.com/flutter/engine/pull/30492) Roll Skia from bd05d877db9d to ad5f4f7e3b8f (1 revision) (waiting for tree to go green)
[30493](https://github.com/flutter/engine/pull/30493) Roll Fuchsia Mac SDK from DO5MaQrsU... to crwBdj3QT... (waiting for tree to go green)
[30495](https://github.com/flutter/engine/pull/30495) Roll Skia from ad5f4f7e3b8f to dc67736cd6ad (2 revisions) (waiting for tree to go green)
[30496](https://github.com/flutter/engine/pull/30496) Roll Dart SDK from a04fa8e840c3 to 1697706df708 (1 revision) (waiting for tree to go green)
[30498](https://github.com/flutter/engine/pull/30498) Roll Dart SDK from 1697706df708 to 2d8395572418 (1 revision) (waiting for tree to go green)
[30502](https://github.com/flutter/engine/pull/30502) Roll Fuchsia Mac SDK from crwBdj3QT... to -M2jcLTHP... (waiting for tree to go green)
[30508](https://github.com/flutter/engine/pull/30508) Roll Fuchsia Mac SDK from -M2jcLTHP... to -7bHLVXON... (waiting for tree to go green)
[30516](https://github.com/flutter/engine/pull/30516) Roll Fuchsia Mac SDK from -7bHLVXON... to J-9pl9qVl... (waiting for tree to go green)
[30519](https://github.com/flutter/engine/pull/30519) Roll Skia from dc67736cd6ad to 8261ed4cb685 (1 revision) (waiting for tree to go green)
[30521](https://github.com/flutter/engine/pull/30521) Roll Skia from 8261ed4cb685 to e34674502d65 (1 revision) (waiting for tree to go green)
[30523](https://github.com/flutter/engine/pull/30523) Roll Fuchsia Mac SDK from J-9pl9qVl... to wjEe2YO5R... (waiting for tree to go green)
[30528](https://github.com/flutter/engine/pull/30528) Roll Fuchsia Mac SDK from wjEe2YO5R... to 2mqASXqns... (waiting for tree to go green)
[30531](https://github.com/flutter/engine/pull/30531) Roll Skia from e34674502d65 to a73b9b519d67 (1 revision) (waiting for tree to go green)
[30533](https://github.com/flutter/engine/pull/30533) Roll Skia from a73b9b519d67 to 26e3815278ce (2 revisions) (waiting for tree to go green)
[30536](https://github.com/flutter/engine/pull/30536) Roll Fuchsia Mac SDK from 2mqASXqns... to dz4Q4zIu4... (waiting for tree to go green)
[30539](https://github.com/flutter/engine/pull/30539) Roll Dart SDK from 2d8395572418 to 63c5e7f81d01 (1 revision) (waiting for tree to go green)
[30546](https://github.com/flutter/engine/pull/30546) Roll Fuchsia Mac SDK from dz4Q4zIu4... to Z0E4F2JDg... (waiting for tree to go green)
[30548](https://github.com/flutter/engine/pull/30548) Roll Skia from 26e3815278ce to a66e1b204ea5 (2 revisions) (waiting for tree to go green)
[30549](https://github.com/flutter/engine/pull/30549) Roll Skia from a66e1b204ea5 to fd3f23f90f57 (1 revision) (waiting for tree to go green)
[30553](https://github.com/flutter/engine/pull/30553) Roll Skia from fd3f23f90f57 to 2f2977e19dd7 (1 revision) (waiting for tree to go green)
[30555](https://github.com/flutter/engine/pull/30555) Roll Fuchsia Mac SDK from Z0E4F2JDg... to _DFR_z58W... (waiting for tree to go green)
[30556](https://github.com/flutter/engine/pull/30556) Roll Skia from 2f2977e19dd7 to 81134a7a62ea (1 revision) (waiting for tree to go green)
[30558](https://github.com/flutter/engine/pull/30558) Roll Skia from 81134a7a62ea to 1a746070ac1b (1 revision) (waiting for tree to go green)
[30560](https://github.com/flutter/engine/pull/30560) Roll Skia from 1a746070ac1b to 48432e133ef9 (1 revision) (waiting for tree to go green)
[30561](https://github.com/flutter/engine/pull/30561) Roll Skia from 48432e133ef9 to 2cc656a89c96 (3 revisions) (waiting for tree to go green)
[30563](https://github.com/flutter/engine/pull/30563) Roll Skia from 2cc656a89c96 to bab224e1c2c8 (3 revisions) (waiting for tree to go green)
[30566](https://github.com/flutter/engine/pull/30566) Roll Fuchsia Mac SDK from _DFR_z58W... to ZVemDAxDn... (waiting for tree to go green)
[30568](https://github.com/flutter/engine/pull/30568) Roll Skia from bab224e1c2c8 to b409f78083ee (1 revision) (waiting for tree to go green)
[30571](https://github.com/flutter/engine/pull/30571) Roll Skia from b409f78083ee to 0ada61c87ec3 (2 revisions) (waiting for tree to go green)
[30575](https://github.com/flutter/engine/pull/30575) Roll Fuchsia Mac SDK from ZVemDAxDn... to Rpy_p6Zu1... (waiting for tree to go green)
#### cla: yes - 506 pull request(s)
[24224](https://github.com/flutter/engine/pull/24224) Support Scribble Handwriting (platform-ios, waiting for customer response, cla: yes)
[27351](https://github.com/flutter/engine/pull/27351) Add eol at end of .dart files (cla: yes, platform-web, needs tests)
[28016](https://github.com/flutter/engine/pull/28016) don't build flutter SDK artifacts for armv7 (cla: yes, waiting for tree to go green)
[28067](https://github.com/flutter/engine/pull/28067) winuwp: Add multi-touch support (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28319](https://github.com/flutter/engine/pull/28319) Remove iPadOS mouse pointer if no longer connected (platform-ios, cla: yes, waiting for tree to go green)
[28609](https://github.com/flutter/engine/pull/28609) Call `didFailToRegisterForRemoteNotificationsWithError` delegate methods in `FlutterPlugin` (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[28801](https://github.com/flutter/engine/pull/28801) Enable partial repaint for iOS/Metal (platform-ios, platform-android, cla: yes, platform-fuchsia, embedder)
[28809](https://github.com/flutter/engine/pull/28809) Share the GrContext between lightweight engines (platform-android, cla: yes)
[29036](https://github.com/flutter/engine/pull/29036) TextEditingDelta Mac (platform-ios, affects: text input, cla: yes, platform-macos)
[29096](https://github.com/flutter/engine/pull/29096) Make FlutterEngineGroup support dart entrypoint args (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web)
[29139](https://github.com/flutter/engine/pull/29139) [web] Start support for Skia Gold (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29176](https://github.com/flutter/engine/pull/29176) Update functions to be consistent with other code. (cla: yes, platform-linux, needs tests)
[29178](https://github.com/flutter/engine/pull/29178) Acquire context reference at the correct time for FlGlArea. (cla: yes, waiting for tree to go green, platform-linux, needs tests)
[29281](https://github.com/flutter/engine/pull/29281) [iOS] Support keyboard animation on iOS (platform-ios, cla: yes)
[29295](https://github.com/flutter/engine/pull/29295) [iOS] Destroy the engine prior to application termination. (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[29318](https://github.com/flutter/engine/pull/29318) Fix isolate_configuration typo (cla: yes, waiting for tree to go green)
[29354](https://github.com/flutter/engine/pull/29354) [iOS] Fixes press key message leaks (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[29361](https://github.com/flutter/engine/pull/29361) [iOS] Make sure spawnee's isGpuDisabled is set correctly when FlutterEngine spawn (platform-ios, cla: yes)
[29367](https://github.com/flutter/engine/pull/29367) Re-enable A11yTreeIsConsistent with higher timeout (cla: yes, waiting for tree to go green, embedder)
[29371](https://github.com/flutter/engine/pull/29371) Prepare scripts for the master to main migration. (cla: yes, platform-web, needs tests)
[29377](https://github.com/flutter/engine/pull/29377) Fix race condition introduced by background platform channels (platform-android, cla: yes, needs tests)
[29397](https://github.com/flutter/engine/pull/29397) [fuchsia] Add more logging for error cases. (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29402](https://github.com/flutter/engine/pull/29402) WeakPtrFactory should be destroyed before any other members. (platform-ios, cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29419](https://github.com/flutter/engine/pull/29419) [web] feature-detect and use ImageDecoder for all image decoding (cla: yes, platform-web)
[29444](https://github.com/flutter/engine/pull/29444) Trace calls to Canvas::saveLayer (cla: yes)
[29447](https://github.com/flutter/engine/pull/29447) Reland Display Features support (Foldable and Cutout) (platform-android, cla: yes, platform-web, platform-fuchsia)
[29448](https://github.com/flutter/engine/pull/29448) [Web] Fix BMP encoder (cla: yes, platform-web, needs tests)
[29451](https://github.com/flutter/engine/pull/29451) Roll Skia from ccb459d57b26 to 784b7b7ab541 (1 revision) (cla: yes, waiting for tree to go green)
[29453](https://github.com/flutter/engine/pull/29453) Manually roll fuchsia SDK to Qv7WqmG8hOpj9NV5Ng6rBDSQW7KeowbX0kpbW0FaZgIC (cla: yes, waiting for tree to go green)
[29454](https://github.com/flutter/engine/pull/29454) Roll Skia from 784b7b7ab541 to 761afc93e742 (4 revisions) (cla: yes, waiting for tree to go green)
[29456](https://github.com/flutter/engine/pull/29456) Fix invalid access of weakly owned ptr in iOS a11y bridge (platform-ios, cla: yes, waiting for tree to go green)
[29457](https://github.com/flutter/engine/pull/29457) Roll Skia from 761afc93e742 to fea9b27cc74c (1 revision) (cla: yes, waiting for tree to go green)
[29458](https://github.com/flutter/engine/pull/29458) Made DartMessenger use the injected executor service for executing message handlers (platform-android, cla: yes)
[29461](https://github.com/flutter/engine/pull/29461) Use HTTPS git protocol to download web_installers (cla: yes, platform-web)
[29464](https://github.com/flutter/engine/pull/29464) [iOS text input] do not forward press events to the engine (platform-ios, cla: yes, waiting for tree to go green)
[29466](https://github.com/flutter/engine/pull/29466) Roll Clang Mac from HpW96jrB8... to JziYOnXHQ... (cla: yes, waiting for tree to go green)
[29467](https://github.com/flutter/engine/pull/29467) Roll Clang Linux from usfKkGnw0... to 5N9a1nYj5... (cla: yes, waiting for tree to go green)
[29469](https://github.com/flutter/engine/pull/29469) Roll Skia from fea9b27cc74c to 15f17c057624 (2 revisions) (cla: yes, waiting for tree to go green)
[29470](https://github.com/flutter/engine/pull/29470) Build DisplayList directly from flutter::Canvas (cla: yes, waiting for tree to go green)
[29471](https://github.com/flutter/engine/pull/29471) Roll Fuchsia Mac SDK from iK9xdlMLD... to 3k_RoW0B3... (cla: yes, waiting for tree to go green)
[29472](https://github.com/flutter/engine/pull/29472) Roll Fuchsia Linux SDK from Qv7WqmG8h... to X5Ojdx_ZF... (cla: yes, waiting for tree to go green)
[29473](https://github.com/flutter/engine/pull/29473) Roll Skia from 15f17c057624 to 05d3f48d0f3f (4 revisions) (cla: yes, waiting for tree to go green)
[29475](https://github.com/flutter/engine/pull/29475) Roll Skia from 05d3f48d0f3f to ba35f687c339 (1 revision) (cla: yes, waiting for tree to go green)
[29480](https://github.com/flutter/engine/pull/29480) Roll Skia from ba35f687c339 to 7b3b916c7c9e (9 revisions) (cla: yes, waiting for tree to go green)
[29481](https://github.com/flutter/engine/pull/29481) [web] use typed SVG API (cla: yes, platform-web)
[29482](https://github.com/flutter/engine/pull/29482) Fix partial repaint when TextureLayer is inside retained layer (cla: yes, needs tests)
[29484](https://github.com/flutter/engine/pull/29484) Fix TaskRunnerTest.MaybeExecuteTaskOnlyExpired flake (affects: tests, cla: yes, platform-windows)
[29485](https://github.com/flutter/engine/pull/29485) Roll Fuchsia Linux SDK from X5Ojdx_ZF... to 9Vsn4gUTL... (cla: yes, waiting for tree to go green)
[29488](https://github.com/flutter/engine/pull/29488) Ensure vsync callback completes before resetting the engine. (cla: yes, waiting for tree to go green, embedder)
[29489](https://github.com/flutter/engine/pull/29489) Roll Fuchsia Mac SDK from 3k_RoW0B3... to -g_WNjn1Y... (cla: yes, waiting for tree to go green)
[29490](https://github.com/flutter/engine/pull/29490) Roll Skia from 7b3b916c7c9e to 5743812354bc (3 revisions) (cla: yes, waiting for tree to go green)
[29491](https://github.com/flutter/engine/pull/29491) Implemented concurrent TaskQueues (platform-android, cla: yes)
[29492](https://github.com/flutter/engine/pull/29492) Revert "Roll Clang Mac from HpW96jrB8... to JziYOnXHQ..." (cla: yes)
[29494](https://github.com/flutter/engine/pull/29494) Roll Skia from 5743812354bc to 5ef4a3982fac (1 revision) (cla: yes, waiting for tree to go green)
[29495](https://github.com/flutter/engine/pull/29495) Roll Skia from 5ef4a3982fac to d00d287cf91b (3 revisions) (cla: yes, waiting for tree to go green)
[29496](https://github.com/flutter/engine/pull/29496) Roll Fuchsia Linux SDK from 9Vsn4gUTL... to ZGVRUBUE1... (cla: yes, waiting for tree to go green)
[29497](https://github.com/flutter/engine/pull/29497) Make the frontend_server validate kernel files more strictly (cla: yes)
[29498](https://github.com/flutter/engine/pull/29498) Roll Fuchsia Mac SDK from -g_WNjn1Y... to 5OhE9jj8o... (cla: yes, waiting for tree to go green)
[29499](https://github.com/flutter/engine/pull/29499) Roll Skia from d00d287cf91b to 4722cb0e0d18 (1 revision) (cla: yes, waiting for tree to go green)
[29501](https://github.com/flutter/engine/pull/29501) Roll Skia from 4722cb0e0d18 to 9535da4e3ac2 (3 revisions) (cla: yes, waiting for tree to go green)
[29502](https://github.com/flutter/engine/pull/29502) [macOS] Fixes Crash of cxx destruction when App will terminate (cla: yes, waiting for tree to go green, platform-macos, needs tests)
[29504](https://github.com/flutter/engine/pull/29504) Roll Skia from 9535da4e3ac2 to 390edeb88daf (1 revision) (cla: yes, waiting for tree to go green)
[29506](https://github.com/flutter/engine/pull/29506) Roll Skia from 390edeb88daf to 3a9a7991c485 (3 revisions) (cla: yes, waiting for tree to go green)
[29507](https://github.com/flutter/engine/pull/29507) Roll Skia from 3a9a7991c485 to dc7ab732a9d9 (4 revisions) (cla: yes, waiting for tree to go green)
[29508](https://github.com/flutter/engine/pull/29508) Embedder VsyncWaiter must schedule a frame for the right time (#29408) (cla: yes, embedder)
[29509](https://github.com/flutter/engine/pull/29509) [fuchsia] Remove mentions of `fuchsia.deprecatedtimezone`. (cla: yes, platform-fuchsia, needs tests)
[29510](https://github.com/flutter/engine/pull/29510) Roll Skia from dc7ab732a9d9 to 6b9f7761f803 (3 revisions) (cla: yes, waiting for tree to go green)
[29511](https://github.com/flutter/engine/pull/29511) Provide a default handler for the flutter/navigation channel (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29512](https://github.com/flutter/engine/pull/29512) Roll Skia from 6b9f7761f803 to 292bbb13d832 (5 revisions) (cla: yes, waiting for tree to go green)
[29513](https://github.com/flutter/engine/pull/29513) FragmentProgram constructed asynchronously (affects: engine, cla: yes, waiting for tree to go green, platform-web)
[29514](https://github.com/flutter/engine/pull/29514) Roll Skia from 292bbb13d832 to db3422668bd8 (3 revisions) (cla: yes, waiting for tree to go green)
[29515](https://github.com/flutter/engine/pull/29515) Roll Fuchsia Linux SDK from ZGVRUBUE1... to 5-RB9TzQH... (cla: yes, waiting for tree to go green)
[29516](https://github.com/flutter/engine/pull/29516) Roll Skia from db3422668bd8 to b61804e94c8c (1 revision) (cla: yes, waiting for tree to go green)
[29517](https://github.com/flutter/engine/pull/29517) Roll Fuchsia Mac SDK from 5OhE9jj8o... to SfdmlzXiU... (cla: yes, waiting for tree to go green)
[29518](https://github.com/flutter/engine/pull/29518) Roll Skia from b61804e94c8c to 5044ff38a05f (1 revision) (cla: yes, waiting for tree to go green)
[29519](https://github.com/flutter/engine/pull/29519) Roll Skia from 5044ff38a05f to d9d9e21b311c (3 revisions) (cla: yes, waiting for tree to go green)
[29520](https://github.com/flutter/engine/pull/29520) Enable Skia's Vulkan backend on all non-mobile platforms, and test SwiftShader Vulkan on all GL unittests platforms (platform-ios, platform-android, cla: yes, embedder)
[29521](https://github.com/flutter/engine/pull/29521) Roll Skia from d9d9e21b311c to a8d38078a4f3 (1 revision) (cla: yes, waiting for tree to go green)
[29522](https://github.com/flutter/engine/pull/29522) Roll Fuchsia Mac SDK from SfdmlzXiU... to nkHhPcy3q... (cla: yes, waiting for tree to go green)
[29523](https://github.com/flutter/engine/pull/29523) Roll Fuchsia Linux SDK from 5-RB9TzQH... to m90mMA37b... (cla: yes, waiting for tree to go green)
[29524](https://github.com/flutter/engine/pull/29524) Fix FlutterPresentInfo struct_size doc string (cla: yes, waiting for tree to go green, embedder)
[29525](https://github.com/flutter/engine/pull/29525) Roll Skia from a8d38078a4f3 to 7368c6d00b7c (5 revisions) (cla: yes, waiting for tree to go green)
[29527](https://github.com/flutter/engine/pull/29527) Roll Skia from 7368c6d00b7c to a5030e9090e8 (3 revisions) (cla: yes, waiting for tree to go green)
[29528](https://github.com/flutter/engine/pull/29528) Roll Skia from a5030e9090e8 to 37afdbc22e89 (4 revisions) (cla: yes, waiting for tree to go green)
[29529](https://github.com/flutter/engine/pull/29529) [raster_cache] Increment access_count on Touch (cla: yes, needs tests)
[29530](https://github.com/flutter/engine/pull/29530) use SkMatrix.invert() instead of MatrixDecomposition to validate cache matrices (cla: yes, waiting for tree to go green, needs tests)
[29531](https://github.com/flutter/engine/pull/29531) [ios_platform_view, a11y] Make `FlutterPlatformViewSemanticsContainer` a SemanticsObject. (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[29532](https://github.com/flutter/engine/pull/29532) Roll Skia from 37afdbc22e89 to a05d3029ac65 (4 revisions) (cla: yes, waiting for tree to go green)
[29533](https://github.com/flutter/engine/pull/29533) Remove D3D9 fallback path (cla: yes, platform-windows, needs tests)
[29534](https://github.com/flutter/engine/pull/29534) Roll Skia from a05d3029ac65 to 37da672b14b7 (1 revision) (cla: yes, waiting for tree to go green)
[29535](https://github.com/flutter/engine/pull/29535) Roll Clang Linux from 5N9a1nYj5... to UtjvZhwws... (cla: yes, waiting for tree to go green)
[29537](https://github.com/flutter/engine/pull/29537) Roll Dart SDK from 3b11f88c96a5 to f38618d5d0c0 (7 revisions) (cla: yes, waiting for tree to go green)
[29539](https://github.com/flutter/engine/pull/29539) Roll Dart SDK from f38618d5d0c0 to 05febe0a7860 (5 revisions) (cla: yes)
[29542](https://github.com/flutter/engine/pull/29542) [fuchsia][flatland] route ViewRefs properly for Focus (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29546](https://github.com/flutter/engine/pull/29546) Roll Fuchsia Linux SDK from m90mMA37b... to Ci-Vji1rx... (cla: yes, waiting for tree to go green)
[29547](https://github.com/flutter/engine/pull/29547) Roll Fuchsia Mac SDK from nkHhPcy3q... to emi7COLIo... (cla: yes, waiting for tree to go green)
[29548](https://github.com/flutter/engine/pull/29548) Roll Skia from 37da672b14b7 to cf8daf79e710 (9 revisions) (cla: yes, waiting for tree to go green)
[29549](https://github.com/flutter/engine/pull/29549) Roll Skia from cf8daf79e710 to ae67f07a58a2 (1 revision) (cla: yes, waiting for tree to go green)
[29550](https://github.com/flutter/engine/pull/29550) [Linux keyboard] Fix logical keys of up events are not regularized (affects: text input, cla: yes, affects: desktop, platform-linux)
[29551](https://github.com/flutter/engine/pull/29551) Roll Skia from ae67f07a58a2 to 17616469ddf8 (1 revision) (cla: yes, waiting for tree to go green)
[29552](https://github.com/flutter/engine/pull/29552) Roll Skia from 17616469ddf8 to 4322c7fec7e4 (3 revisions) (cla: yes, waiting for tree to go green)
[29553](https://github.com/flutter/engine/pull/29553) Roll Skia from 4322c7fec7e4 to 1800d410df16 (1 revision) (cla: yes, waiting for tree to go green)
[29554](https://github.com/flutter/engine/pull/29554) ios test script checks for `ios_test_flutter` artifacts (cla: yes, waiting for tree to go green)
[29555](https://github.com/flutter/engine/pull/29555) Roll Skia from 1800d410df16 to 725705f6630b (1 revision) (cla: yes, waiting for tree to go green)
[29556](https://github.com/flutter/engine/pull/29556) Roll Dart SDK from 05febe0a7860 to 38e7078fa2b7 (5 revisions) (cla: yes, waiting for tree to go green)
[29557](https://github.com/flutter/engine/pull/29557) Roll Fuchsia Linux SDK from Ci-Vji1rx... to kHXT3xnTG... (cla: yes, waiting for tree to go green)
[29558](https://github.com/flutter/engine/pull/29558) Roll Fuchsia Mac SDK from emi7COLIo... to 6BYh8qaYo... (cla: yes, waiting for tree to go green)
[29559](https://github.com/flutter/engine/pull/29559) Roll Skia from 725705f6630b to deb9386be146 (3 revisions) (cla: yes, waiting for tree to go green)
[29561](https://github.com/flutter/engine/pull/29561) Roll Dart SDK from 38e7078fa2b7 to d464cd3f2dc8 (5 revisions) (cla: yes, waiting for tree to go green)
[29562](https://github.com/flutter/engine/pull/29562) Add a new display_list_benchmarks test suite (cla: yes)
[29563](https://github.com/flutter/engine/pull/29563) Roll Skia from deb9386be146 to 37bef2d300e4 (6 revisions) (cla: yes, waiting for tree to go green)
[29564](https://github.com/flutter/engine/pull/29564) Roll Dart SDK from d464cd3f2dc8 to 996ef242a2c9 (1 revision) (cla: yes, waiting for tree to go green)
[29565](https://github.com/flutter/engine/pull/29565) fuchsia: Enable integration tests in CQ (affects: tests, cla: yes, platform-fuchsia)
[29566](https://github.com/flutter/engine/pull/29566) Hide a11y elements when resigning active (platform-ios, cla: yes)
[29567](https://github.com/flutter/engine/pull/29567) Roll Skia from 37bef2d300e4 to 2417872a9993 (1 revision) (cla: yes, waiting for tree to go green)
[29568](https://github.com/flutter/engine/pull/29568) Roll Dart SDK from 996ef242a2c9 to 5ccf755b37a4 (1 revision) (cla: yes, waiting for tree to go green)
[29569](https://github.com/flutter/engine/pull/29569) Roll Fuchsia Linux SDK from kHXT3xnTG... to uP2kJIngK... (cla: yes, waiting for tree to go green)
[29570](https://github.com/flutter/engine/pull/29570) Roll Fuchsia Mac SDK from 6BYh8qaYo... to W9UXc2Fwx... (cla: yes, waiting for tree to go green)
[29571](https://github.com/flutter/engine/pull/29571) Roll Dart SDK from 5ccf755b37a4 to f6a43e5eb71d (1 revision) (cla: yes, waiting for tree to go green)
[29572](https://github.com/flutter/engine/pull/29572) Roll Fuchsia Linux SDK from uP2kJIngK... to aD3d4Kqmy... (cla: yes, waiting for tree to go green)
[29573](https://github.com/flutter/engine/pull/29573) Roll Fuchsia Mac SDK from W9UXc2Fwx... to rIpW1050J... (cla: yes, waiting for tree to go green)
[29574](https://github.com/flutter/engine/pull/29574) Revert "Reland Display Features support (Foldable and Cutout)" (platform-android, cla: yes, platform-web, platform-fuchsia)
[29575](https://github.com/flutter/engine/pull/29575) Revert dart to 38e7078fa2b7 (cla: yes)
[29577](https://github.com/flutter/engine/pull/29577) Roll Skia from 2417872a9993 to cd7220e7686c (2 revisions) (cla: yes, waiting for tree to go green)
[29578](https://github.com/flutter/engine/pull/29578) Roll Fuchsia Mac SDK from rIpW1050J... to TOmxgL3av... (cla: yes, waiting for tree to go green)
[29579](https://github.com/flutter/engine/pull/29579) Roll Fuchsia Linux SDK from aD3d4Kqmy... to ZniYyCw7U... (cla: yes, waiting for tree to go green)
[29580](https://github.com/flutter/engine/pull/29580) Revert "[Web] Fix BMP encoder" (cla: yes, platform-web)
[29581](https://github.com/flutter/engine/pull/29581) Roll Fuchsia Mac SDK from TOmxgL3av... to KjtjfsPeC... (cla: yes, waiting for tree to go green)
[29582](https://github.com/flutter/engine/pull/29582) Roll Fuchsia Linux SDK from ZniYyCw7U... to jxJH1K3IP... (cla: yes, waiting for tree to go green)
[29583](https://github.com/flutter/engine/pull/29583) Roll Skia from cd7220e7686c to be0c3da6f775 (1 revision) (cla: yes, waiting for tree to go green)
[29584](https://github.com/flutter/engine/pull/29584) Roll Skia from be0c3da6f775 to 30c9ead5014b (3 revisions) (cla: yes, waiting for tree to go green)
[29585](https://github.com/flutter/engine/pull/29585) Reland 3: Display Features support (platform-android, cla: yes, platform-web, platform-fuchsia)
[29586](https://github.com/flutter/engine/pull/29586) Roll Fuchsia Mac SDK from KjtjfsPeC... to zqcXkwzoH... (cla: yes, waiting for tree to go green)
[29587](https://github.com/flutter/engine/pull/29587) Roll Fuchsia Linux SDK from jxJH1K3IP... to 2R1NvPB_x... (cla: yes, waiting for tree to go green)
[29588](https://github.com/flutter/engine/pull/29588) Roll Skia from 30c9ead5014b to c94073b7692a (1 revision) (cla: yes, waiting for tree to go green)
[29590](https://github.com/flutter/engine/pull/29590) Roll Skia from c94073b7692a to 529d3473bf39 (3 revisions) (cla: yes, waiting for tree to go green)
[29593](https://github.com/flutter/engine/pull/29593) [Web] Reland: Fix BMP encoder (cla: yes, platform-web)
[29594](https://github.com/flutter/engine/pull/29594) Roll Skia from 529d3473bf39 to 21f7a9a7577a (6 revisions) (cla: yes, waiting for tree to go green)
[29595](https://github.com/flutter/engine/pull/29595) Use clang-tidy config file from repo instead of default (cla: yes, waiting for tree to go green)
[29596](https://github.com/flutter/engine/pull/29596) Add default implementations to new methods added to BinaryMessenger (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29597](https://github.com/flutter/engine/pull/29597) Add a samplerUniforms field for FragmentProgram (affects: engine, cla: yes, waiting for tree to go green, platform-web)
[29598](https://github.com/flutter/engine/pull/29598) separate saveLayer events into record and execute variants and trace more of the execution calls (cla: yes, waiting for tree to go green)
[29599](https://github.com/flutter/engine/pull/29599) Call Dart messenger methods in DartExecutor (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29600](https://github.com/flutter/engine/pull/29600) Roll Fuchsia Mac SDK from zqcXkwzoH... to JptPhro1i... (cla: yes, waiting for tree to go green)
[29601](https://github.com/flutter/engine/pull/29601) Roll Fuchsia Linux SDK from 2R1NvPB_x... to CtgxTwTrW... (cla: yes, waiting for tree to go green)
[29602](https://github.com/flutter/engine/pull/29602) Roll Skia from 21f7a9a7577a to 70db6e44434f (5 revisions) (cla: yes, waiting for tree to go green)
[29606](https://github.com/flutter/engine/pull/29606) Roll Skia from 70db6e44434f to a7623433dae1 (1 revision) (cla: yes, waiting for tree to go green)
[29609](https://github.com/flutter/engine/pull/29609) Roll Skia from a7623433dae1 to badc896b1862 (1 revision) (cla: yes, waiting for tree to go green)
[29610](https://github.com/flutter/engine/pull/29610) Roll Skia from badc896b1862 to 1f8c31b10118 (1 revision) (cla: yes, waiting for tree to go green)
[29611](https://github.com/flutter/engine/pull/29611) [test] Fixes testing/run_tests.py py3 support. (cla: yes)
[29612](https://github.com/flutter/engine/pull/29612) Roll Fuchsia Mac SDK from JptPhro1i... to xVPuybnbm... (cla: yes, waiting for tree to go green)
[29613](https://github.com/flutter/engine/pull/29613) Roll Skia from 1f8c31b10118 to fa26a656cf3d (1 revision) (cla: yes, waiting for tree to go green)
[29616](https://github.com/flutter/engine/pull/29616) Roll Fuchsia Linux SDK from CtgxTwTrW... to g1S-VTjK7... (cla: yes, waiting for tree to go green)
[29617](https://github.com/flutter/engine/pull/29617) Roll Skia from fa26a656cf3d to 183f37d16ad8 (7 revisions) (cla: yes, waiting for tree to go green)
[29618](https://github.com/flutter/engine/pull/29618) Roll Skia from 183f37d16ad8 to d6af8bf96690 (1 revision) (cla: yes, waiting for tree to go green)
[29619](https://github.com/flutter/engine/pull/29619) Roll Skia from d6af8bf96690 to add2c39dce6e (3 revisions) (cla: yes, waiting for tree to go green)
[29620](https://github.com/flutter/engine/pull/29620) Check for both compose string and result string. (cla: yes, platform-windows, needs tests)
[29621](https://github.com/flutter/engine/pull/29621) Fix UB in semantics updates (cla: yes, needs tests, embedder)
[29622](https://github.com/flutter/engine/pull/29622) [web] Fix warning about the non-nullable flag (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29623](https://github.com/flutter/engine/pull/29623) Fix iOS embedder memory management and other analyzer warnings (platform-ios, cla: yes, waiting for tree to go green)
[29624](https://github.com/flutter/engine/pull/29624) Re-enable embedder tests on Windows (cla: yes)
[29626](https://github.com/flutter/engine/pull/29626) Roll Skia from add2c39dce6e to 32385b7070a2 (6 revisions) (cla: yes, waiting for tree to go green)
[29627](https://github.com/flutter/engine/pull/29627) Update third-party benchmark library (cla: yes)
[29628](https://github.com/flutter/engine/pull/29628) Roll Clang Mac from HpW96jrB8... to 82gAwI4Hh... (cla: yes, waiting for tree to go green)
[29629](https://github.com/flutter/engine/pull/29629) Use -linkoffline to provide the Android Javadoc package list (platform-android, cla: yes, waiting for tree to go green)
[29630](https://github.com/flutter/engine/pull/29630) Specify the output paths of the android_background_image lint task (cla: yes, waiting for tree to go green)
[29631](https://github.com/flutter/engine/pull/29631) Roll Dart SDK from 38e7078fa2b7 to e9488dd50ffb (12 revisions) (cla: yes, waiting for tree to go green)
[29632](https://github.com/flutter/engine/pull/29632) [fuchsia] Move TODOs for Dart v2 to specific bugs. (cla: yes, platform-fuchsia, needs tests)
[29633](https://github.com/flutter/engine/pull/29633) Exit with failure code if clang-tidy finds linter issues (cla: yes, waiting for tree to go green, needs tests)
[29634](https://github.com/flutter/engine/pull/29634) [fuchsia] Point TODOs off closed bug. (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29635](https://github.com/flutter/engine/pull/29635) Roll Fuchsia Mac SDK from xVPuybnbm... to q9ukLNQmF... (cla: yes, waiting for tree to go green)
[29636](https://github.com/flutter/engine/pull/29636) Roll Skia from 32385b7070a2 to 7fbd45f1c1a3 (1 revision) (cla: yes, waiting for tree to go green)
[29637](https://github.com/flutter/engine/pull/29637) Roll Fuchsia Linux SDK from g1S-VTjK7... to wPLQY_mp4... (cla: yes, waiting for tree to go green)
[29638](https://github.com/flutter/engine/pull/29638) [Embedder] Send key data through message channel (platform-ios, cla: yes, platform-web, platform-fuchsia, embedder)
[29639](https://github.com/flutter/engine/pull/29639) Roll Skia from 7fbd45f1c1a3 to 97f72da16d34 (3 revisions) (cla: yes, waiting for tree to go green)
[29640](https://github.com/flutter/engine/pull/29640) Speed up clang-tidy script by skipping third_party files (cla: yes, waiting for tree to go green)
[29641](https://github.com/flutter/engine/pull/29641) Remove outdated TODO (platform-android, cla: yes, needs tests)
[29642](https://github.com/flutter/engine/pull/29642) Add test annotation (platform-android, cla: yes, waiting for tree to go green)
[29643](https://github.com/flutter/engine/pull/29643) Do not update system UI overlays when the SDK version condition is not met (platform-android, cla: yes, waiting for tree to go green)
[29644](https://github.com/flutter/engine/pull/29644) Roll Skia from 97f72da16d34 to d4edc0e2e4fe (1 revision) (cla: yes, waiting for tree to go green)
[29645](https://github.com/flutter/engine/pull/29645) Roll Skia from d4edc0e2e4fe to 0c23120abdf5 (2 revisions) (cla: yes, waiting for tree to go green)
[29647](https://github.com/flutter/engine/pull/29647) Roll Skia from 0c23120abdf5 to 6e16bbaf7948 (6 revisions) (cla: yes, waiting for tree to go green)
[29648](https://github.com/flutter/engine/pull/29648) Roll Fuchsia Mac SDK from q9ukLNQmF... to MwshzT5JU... (cla: yes, waiting for tree to go green)
[29649](https://github.com/flutter/engine/pull/29649) Revert "Roll Dart SDK from 38e7078fa2b7 to e9488dd50ffb (12 revisions)" (cla: yes)
[29650](https://github.com/flutter/engine/pull/29650) Roll Skia from 6e16bbaf7948 to a756c6209788 (3 revisions) (cla: yes, waiting for tree to go green)
[29652](https://github.com/flutter/engine/pull/29652) Roll Skia from a756c6209788 to bdfe3b6a2e1c (2 revisions) (cla: yes, waiting for tree to go green)
[29654](https://github.com/flutter/engine/pull/29654) Add "clang-tidy --fix" flag to automatically apply fixes (cla: yes, waiting for tree to go green)
[29655](https://github.com/flutter/engine/pull/29655) Roll Skia from bdfe3b6a2e1c to 76c1ff1566c4 (4 revisions) (cla: yes, waiting for tree to go green)
[29657](https://github.com/flutter/engine/pull/29657) fuchsia: Add a SoftwareSurfaceProducer for debug (cla: yes, platform-fuchsia)
[29658](https://github.com/flutter/engine/pull/29658) Roll Skia from 76c1ff1566c4 to a583a0fdcc15 (4 revisions) (cla: yes, waiting for tree to go green)
[29659](https://github.com/flutter/engine/pull/29659) Roll Dart SDK from 38e7078fa2b7 to e1a475a40934 (19 revisions) (cla: yes, waiting for tree to go green)
[29661](https://github.com/flutter/engine/pull/29661) Roll Skia from a583a0fdcc15 to 6fae0523629f (2 revisions) (cla: yes, waiting for tree to go green)
[29662](https://github.com/flutter/engine/pull/29662) [flutter_releases] Flutter beta 2.8.0-3.1.pre Engine Cherrypicks (cla: yes)
[29664](https://github.com/flutter/engine/pull/29664) Roll Skia from 6fae0523629f to 9613060bdff0 (1 revision) (cla: yes, waiting for tree to go green)
[29665](https://github.com/flutter/engine/pull/29665) iOS Background Platform Channels (platform-ios, cla: yes, waiting for tree to go green, platform-macos)
[29666](https://github.com/flutter/engine/pull/29666) [web] move all build artifacts under web_ui/build (cla: yes, platform-web)
[29668](https://github.com/flutter/engine/pull/29668) Allow engine variants other than "host_debug" to be clang-tidy linted (cla: yes, waiting for tree to go green)
[29670](https://github.com/flutter/engine/pull/29670) Roll Skia from 9613060bdff0 to 8081b5e86593 (1 revision) (cla: yes, waiting for tree to go green)
[29671](https://github.com/flutter/engine/pull/29671) Roll Fuchsia Mac SDK from MwshzT5JU... to qbhxap4ds... (cla: yes, waiting for tree to go green)
[29672](https://github.com/flutter/engine/pull/29672) Roll Skia from 8081b5e86593 to ae36ced3cfde (2 revisions) (cla: yes, waiting for tree to go green)
[29677](https://github.com/flutter/engine/pull/29677) Revert "Roll Dart SDK from 38e7078fa2b7 to e1a475a40934 (19 revisions)" (cla: yes)
[29678](https://github.com/flutter/engine/pull/29678) Roll Skia from ae36ced3cfde to f848782e1fc8 (2 revisions) (cla: yes, waiting for tree to go green)
[29680](https://github.com/flutter/engine/pull/29680) Use a prebuilt Dart SDK during Fuchsia builds (cla: yes, platform-web)
[29682](https://github.com/flutter/engine/pull/29682) Roll Skia from f848782e1fc8 to 33c8f05bbdc1 (2 revisions) (cla: yes, waiting for tree to go green)
[29686](https://github.com/flutter/engine/pull/29686) add trace events to cache sweeps (cla: yes, waiting for tree to go green, needs tests)
[29691](https://github.com/flutter/engine/pull/29691) Roll Fuchsia Mac SDK from qbhxap4ds... to ca-vNrmeQ... (cla: yes, waiting for tree to go green)
[29693](https://github.com/flutter/engine/pull/29693) Revert "Build DisplayList directly from flutter::Canvas" (cla: yes, waiting for tree to go green)
[29694](https://github.com/flutter/engine/pull/29694) [ci.yaml] Remove default properties (cla: yes, waiting for tree to go green)
[29695](https://github.com/flutter/engine/pull/29695) Roll Skia from 33c8f05bbdc1 to 6d823b35fa38 (14 revisions) (cla: yes, waiting for tree to go green)
[29697](https://github.com/flutter/engine/pull/29697) Add test facets to test_suites.cml (cla: yes)
[29698](https://github.com/flutter/engine/pull/29698) Roll Skia from 6d823b35fa38 to f0f447c2f02c (1 revision) (cla: yes, waiting for tree to go green)
[29699](https://github.com/flutter/engine/pull/29699) Roll Dart SDK from 38e7078fa2b7 to 5eac867c44fc (23 revisions) (cla: yes, waiting for tree to go green)
[29701](https://github.com/flutter/engine/pull/29701) Roll Fuchsia Linux SDK from wPLQY_mp4... to 6hwlgUFn0... (cla: yes, waiting for tree to go green)
[29702](https://github.com/flutter/engine/pull/29702) Roll Skia from f0f447c2f02c to c0ff5a856053 (1 revision) (cla: yes, waiting for tree to go green)
[29703](https://github.com/flutter/engine/pull/29703) Roll Skia from c0ff5a856053 to 32451cf9bc34 (1 revision) (cla: yes, waiting for tree to go green)
[29704](https://github.com/flutter/engine/pull/29704) Roll Skia from 32451cf9bc34 to c7074cb7ab90 (1 revision) (cla: yes, waiting for tree to go green)
[29705](https://github.com/flutter/engine/pull/29705) Roll Skia from c7074cb7ab90 to 7ee4dec0e5f7 (3 revisions) (cla: yes, waiting for tree to go green)
[29706](https://github.com/flutter/engine/pull/29706) Improve SPIR-V README wording (cla: yes, waiting for tree to go green)
[29707](https://github.com/flutter/engine/pull/29707) Roll Fuchsia Mac SDK from ca-vNrmeQ... to Z6Jtle7_y... (cla: yes, waiting for tree to go green)
[29708](https://github.com/flutter/engine/pull/29708) Roll Skia from 7ee4dec0e5f7 to 1991780081a1 (1 revision) (cla: yes, waiting for tree to go green)
[29709](https://github.com/flutter/engine/pull/29709) Roll Skia from 1991780081a1 to 1061a4cdbadc (2 revisions) (cla: yes, waiting for tree to go green)
[29711](https://github.com/flutter/engine/pull/29711) Roll Fuchsia Linux SDK from 6hwlgUFn0... to voGtvLTY7... (cla: yes, waiting for tree to go green)
[29712](https://github.com/flutter/engine/pull/29712) Roll Dart SDK from 5eac867c44fc to 3d3512949729 (4 revisions) (cla: yes, waiting for tree to go green)
[29713](https://github.com/flutter/engine/pull/29713) Roll Skia from 1061a4cdbadc to 799abb7bb881 (8 revisions) (cla: yes, waiting for tree to go green)
[29714](https://github.com/flutter/engine/pull/29714) Call DisplayList builder methods directly from dart canvas (cla: yes, waiting for tree to go green)
[29715](https://github.com/flutter/engine/pull/29715) Roll Skia from 799abb7bb881 to 6388f0e8ef22 (1 revision) (cla: yes, waiting for tree to go green)
[29718](https://github.com/flutter/engine/pull/29718) Roll Dart SDK from 3d3512949729 to f4612ed462cf (1 revision) (cla: yes, waiting for tree to go green)
[29720](https://github.com/flutter/engine/pull/29720) Roll Fuchsia Mac SDK from Z6Jtle7_y... to Sg-XVB3Pw... (cla: yes, waiting for tree to go green)
[29723](https://github.com/flutter/engine/pull/29723) Fix 'google-readability-braces-around-statements' analyzer warning in macOS and iOS (platform-ios, cla: yes, platform-macos)
[29724](https://github.com/flutter/engine/pull/29724) Roll Skia from 6388f0e8ef22 to 300f51ac517a (7 revisions) (cla: yes, waiting for tree to go green)
[29725](https://github.com/flutter/engine/pull/29725) Cherrypick of PR flutter/engine/pull/29531 (platform-ios, cla: yes)
[29726](https://github.com/flutter/engine/pull/29726) Roll Dart SDK from f4612ed462cf to 528dc1f33e34 (1 revision) (cla: yes, waiting for tree to go green)
[29727](https://github.com/flutter/engine/pull/29727) Use eglPresentationTimeANDROID to avoid bogging down the GPU (platform-ios, platform-android, cla: yes, embedder)
[29728](https://github.com/flutter/engine/pull/29728) Roll Fuchsia Linux SDK from voGtvLTY7... to JMFu-JhNu... (cla: yes, waiting for tree to go green)
[29729](https://github.com/flutter/engine/pull/29729) Roll Dart SDK from 528dc1f33e34 to 49356610a3be (1 revision) (cla: yes, waiting for tree to go green)
[29730](https://github.com/flutter/engine/pull/29730) Roll Fuchsia Mac SDK from Sg-XVB3Pw... to vgwJCsxOO... (cla: yes, waiting for tree to go green)
[29731](https://github.com/flutter/engine/pull/29731) fix x64_64 typo in comments (cla: yes, waiting for tree to go green)
[29733](https://github.com/flutter/engine/pull/29733) Roll Fuchsia Linux SDK from JMFu-JhNu... to Hg97KiZX0... (cla: yes, waiting for tree to go green)
[29734](https://github.com/flutter/engine/pull/29734) Fix some clang-tidy lints for Linux host_debug (platform-android, cla: yes, waiting for tree to go green, platform-linux, embedder)
[29735](https://github.com/flutter/engine/pull/29735) Roll Fuchsia Mac SDK from vgwJCsxOO... to -RGJsSSMi... (cla: yes, waiting for tree to go green)
[29736](https://github.com/flutter/engine/pull/29736) Use Fuchsia's Windows Clang SDK (cla: yes, platform-windows)
[29737](https://github.com/flutter/engine/pull/29737) Roll Skia from 300f51ac517a to 95c876164b53 (1 revision) (cla: yes, waiting for tree to go green)
[29738](https://github.com/flutter/engine/pull/29738) Roll Skia from 95c876164b53 to db8a7e6d8dc1 (1 revision) (cla: yes, waiting for tree to go green)
[29739](https://github.com/flutter/engine/pull/29739) Roll Fuchsia Linux SDK from Hg97KiZX0... to gbODSowQk... (cla: yes, waiting for tree to go green)
[29740](https://github.com/flutter/engine/pull/29740) Roll Fuchsia Mac SDK from -RGJsSSMi... to _MTAa_JEz... (cla: yes, waiting for tree to go green)
[29741](https://github.com/flutter/engine/pull/29741) Add 'explicit' to header files (platform-android, cla: yes, needs tests, embedder)
[29742](https://github.com/flutter/engine/pull/29742) Roll Skia from db8a7e6d8dc1 to 48585f5c50eb (1 revision) (cla: yes, waiting for tree to go green)
[29743](https://github.com/flutter/engine/pull/29743) Roll Skia from 48585f5c50eb to eecf0af951e4 (1 revision) (cla: yes, waiting for tree to go green)
[29744](https://github.com/flutter/engine/pull/29744) Roll Fuchsia Linux SDK from gbODSowQk... to A-FZiFd-f... (cla: yes, waiting for tree to go green)
[29745](https://github.com/flutter/engine/pull/29745) Roll Dart SDK from 49356610a3be to 23dd69705479 (1 revision) (cla: yes, waiting for tree to go green)
[29746](https://github.com/flutter/engine/pull/29746) Roll Skia from eecf0af951e4 to 7134d4a572e1 (1 revision) (cla: yes, waiting for tree to go green)
[29747](https://github.com/flutter/engine/pull/29747) Roll Fuchsia Mac SDK from _MTAa_JEz... to Ivf969oJw... (cla: yes, waiting for tree to go green)
[29748](https://github.com/flutter/engine/pull/29748) Roll Skia from 7134d4a572e1 to cf7be0f3a7ae (3 revisions) (cla: yes, waiting for tree to go green)
[29750](https://github.com/flutter/engine/pull/29750) Roll Fuchsia Linux SDK from A-FZiFd-f... to ghwyDtFSJ... (cla: yes, waiting for tree to go green)
[29751](https://github.com/flutter/engine/pull/29751) Roll Skia from cf7be0f3a7ae to 7fab38d97ace (4 revisions) (cla: yes, waiting for tree to go green)
[29753](https://github.com/flutter/engine/pull/29753) Reverse the order of mirroring. (cla: yes, waiting for tree to go green)
[29754](https://github.com/flutter/engine/pull/29754) Reverse order of branch mirroring. (cla: yes)
[29755](https://github.com/flutter/engine/pull/29755) Treat clang-analyzer-osx warnings as errors (platform-ios, cla: yes, waiting for tree to go green, platform-macos)
[29757](https://github.com/flutter/engine/pull/29757) Roll Skia from 7fab38d97ace to 686ccec13fc5 (9 revisions) (cla: yes, waiting for tree to go green)
[29758](https://github.com/flutter/engine/pull/29758) Roll Fuchsia Mac SDK from Ivf969oJw... to L2bsr8go8... (cla: yes, waiting for tree to go green)
[29759](https://github.com/flutter/engine/pull/29759) Roll flutter_packages to a19eca7fe2660c71acf5928a275deda1da318c50 (cla: yes)
[29760](https://github.com/flutter/engine/pull/29760) Empty commit to trigger main artifacts (cla: yes)
[29761](https://github.com/flutter/engine/pull/29761) Fix Kanji switch in Japanese IME on Windows (cla: yes, waiting for tree to go green, platform-windows)
[29762](https://github.com/flutter/engine/pull/29762) Roll Fuchsia Linux SDK from ghwyDtFSJ... to Vxe912PZC... (cla: yes, waiting for tree to go green)
[29763](https://github.com/flutter/engine/pull/29763) Roll Dart SDK from 23dd69705479 to 46934d8475ff (1 revision) (cla: yes, waiting for tree to go green, warning: land on red to fix tree breakage)
[29764](https://github.com/flutter/engine/pull/29764) Fix "google-objc-*" clang analyzer warning in macOS and iOS (platform-ios, cla: yes, waiting for tree to go green, platform-macos)
[29766](https://github.com/flutter/engine/pull/29766) maybeGetInitialRouteFromIntent: check if URI data getPath() is null (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29768](https://github.com/flutter/engine/pull/29768) [Linux, Keyboard] Fix synthesization upon different logical keys (affects: text input, cla: yes, platform-linux)
[29770](https://github.com/flutter/engine/pull/29770) Roll Skia from 686ccec13fc5 to 2211c2c4bd69 (25 revisions) (cla: yes, waiting for tree to go green)
[29771](https://github.com/flutter/engine/pull/29771) Fixes the accessibilityContainer of FlutterScrollableSemanticsObject (platform-ios, cla: yes, waiting for tree to go green)
[29772](https://github.com/flutter/engine/pull/29772) Roll to CanvasKit 0.31.0 (cla: yes, platform-web, needs tests)
[29773](https://github.com/flutter/engine/pull/29773) Accessibility number formatting improvements for Windows (cla: yes)
[29774](https://github.com/flutter/engine/pull/29774) Roll Dart SDK from 46934d8475ff to 6e6558437a09 (4 revisions) (cla: yes, waiting for tree to go green)
[29775](https://github.com/flutter/engine/pull/29775) Opacity peephole optimization (platform-ios, platform-android, cla: yes, waiting for tree to go green, needs tests, embedder)
[29776](https://github.com/flutter/engine/pull/29776) Add script to upload unified Android SDK CIPD archives and switch DEPS to use it. (cla: yes, waiting for tree to go green, platform-linux, needs tests)
[29779](https://github.com/flutter/engine/pull/29779) Roll Skia from 2211c2c4bd69 to fa2edac74af8 (4 revisions) (cla: yes, waiting for tree to go green)
[29780](https://github.com/flutter/engine/pull/29780) Roll Fuchsia Mac SDK from L2bsr8go8... to J1UwDWO_V... (cla: yes, waiting for tree to go green)
[29782](https://github.com/flutter/engine/pull/29782) Roll Dart SDK from 6e6558437a09 to 1accdff9e8ef (1 revision) (cla: yes, waiting for tree to go green)
[29783](https://github.com/flutter/engine/pull/29783) PhysicalShapeLayer: Only push cull rect during diff if clipping (cla: yes, waiting for tree to go green)
[29784](https://github.com/flutter/engine/pull/29784) Roll Skia from fa2edac74af8 to cf1e959c657b (2 revisions) (cla: yes, waiting for tree to go green)
[29785](https://github.com/flutter/engine/pull/29785) Roll Fuchsia Linux SDK from Vxe912PZC... to 8wLWcmqi8... (cla: yes, waiting for tree to go green)
[29786](https://github.com/flutter/engine/pull/29786) Roll Skia from cf1e959c657b to 12e786730f7d (1 revision) (cla: yes, waiting for tree to go green)
[29787](https://github.com/flutter/engine/pull/29787) Roll Skia from 12e786730f7d to e136c31fe49d (9 revisions) (cla: yes, waiting for tree to go green)
[29788](https://github.com/flutter/engine/pull/29788) Roll Dart SDK from 1accdff9e8ef to 7d957c006c4f (1 revision) (cla: yes, waiting for tree to go green)
[29789](https://github.com/flutter/engine/pull/29789) Revert "[fuchsia][flatland] route ViewRefs properly for Focus" (cla: yes, platform-fuchsia, needs tests)
[29790](https://github.com/flutter/engine/pull/29790) Revert "Acquire context reference at the correct time for FlGlArea." (cla: yes)
[29791](https://github.com/flutter/engine/pull/29791) Acquire context reference at the correct time for FlGlArea. (cla: yes, waiting for tree to go green, platform-linux, needs tests)
[29792](https://github.com/flutter/engine/pull/29792) [web] Fail if Skia Gold is required but unavailable (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29793](https://github.com/flutter/engine/pull/29793) Revert 29789 revert 29542 freiling view ref (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29795](https://github.com/flutter/engine/pull/29795) [Embedder] Send key data through message channel (platform-ios, cla: yes, platform-fuchsia, embedder)
[29796](https://github.com/flutter/engine/pull/29796) [flutter_releases] Flutter beta 2.8.0-3.2.pre Engine Cherrypicks (cla: yes)
[29798](https://github.com/flutter/engine/pull/29798) Stopped creating the shell inside of a sync_switch when spawning. (cla: yes, needs tests)
[29799](https://github.com/flutter/engine/pull/29799) Roll Skia from e136c31fe49d to 688cb15faa64 (11 revisions) (cla: yes, waiting for tree to go green)
[29800](https://github.com/flutter/engine/pull/29800) Listen for display refresh changes and report them correctly (platform-ios, platform-android, cla: yes, waiting for tree to go green, embedder)
[29801](https://github.com/flutter/engine/pull/29801) [web] move browser installation to BrowserEnvironment.prepare (cla: yes, platform-web, needs tests)
[29803](https://github.com/flutter/engine/pull/29803) Roll Dart SDK from 7d957c006c4f to 91e3fa160432 (2 revisions) (cla: yes, waiting for tree to go green)
[29805](https://github.com/flutter/engine/pull/29805) Roll Skia from 688cb15faa64 to 0774db13d24c (5 revisions) (cla: yes, waiting for tree to go green)
[29807](https://github.com/flutter/engine/pull/29807) Roll Fuchsia Linux SDK from 8wLWcmqi8... to Gc37iAM6P... (cla: yes, waiting for tree to go green)
[29808](https://github.com/flutter/engine/pull/29808) Roll Fuchsia Mac SDK from J1UwDWO_V... to kK8g7bQdA... (cla: yes, waiting for tree to go green)
[29810](https://github.com/flutter/engine/pull/29810) Roll Skia from 0774db13d24c to a5261995416e (10 revisions) (cla: yes, waiting for tree to go green)
[29812](https://github.com/flutter/engine/pull/29812) Cherrypick #29783 to flutter-2.8-candidate.6 (cla: yes)
[29813](https://github.com/flutter/engine/pull/29813) Roll expat and buildroot (cla: yes)
[29815](https://github.com/flutter/engine/pull/29815) [fuchsia] Fixes the HID usage handling (cla: yes, waiting for tree to go green, platform-fuchsia)
[29816](https://github.com/flutter/engine/pull/29816) Mentioned that replies can be invoked on any thread (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29819](https://github.com/flutter/engine/pull/29819) Run Dart VM tasks on the engine's ConcurrentMessageLoop instead the VM's separate thread pool. (cla: yes, needs tests)
[29820](https://github.com/flutter/engine/pull/29820) [ci.yaml] Update engine enabled branches (cla: yes, waiting for tree to go green, warning: land on red to fix tree breakage)
[29823](https://github.com/flutter/engine/pull/29823) Roll Skia from a5261995416e to 62392f624f39 (12 revisions) (cla: yes, waiting for tree to go green)
[29824](https://github.com/flutter/engine/pull/29824) Windows: Clean up FML file debug messages (cla: yes, waiting for tree to go green, needs tests)
[29825](https://github.com/flutter/engine/pull/29825) Make it less likely to GC during application startup on Android (platform-android, cla: yes, waiting for tree to go green)
[29827](https://github.com/flutter/engine/pull/29827) Add 'explicit' to darwin embedder constructors (platform-ios, cla: yes, waiting for tree to go green, platform-macos, needs tests)
[29828](https://github.com/flutter/engine/pull/29828) Fix darwin namespace-comments and brace lint issues (platform-ios, cla: yes, waiting for tree to go green, platform-macos)
[29829](https://github.com/flutter/engine/pull/29829) Win32 a11y bridge and platform node delegates (cla: yes, Work in progress (WIP), platform-windows)
[29830](https://github.com/flutter/engine/pull/29830) Add 'explicit' to Android embedder constructors (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29831](https://github.com/flutter/engine/pull/29831) Remove the dart entry point args from the Settings struct (cla: yes, waiting for tree to go green, platform-fuchsia, embedder)
[29833](https://github.com/flutter/engine/pull/29833) Wrap format script diff in patch command (cla: yes, needs tests)
[29844](https://github.com/flutter/engine/pull/29844) fuchsia: Fix Flatland opacity (cla: yes, platform-fuchsia)
[29845](https://github.com/flutter/engine/pull/29845) Roll Skia from 62392f624f39 to 940086c81587 (7 revisions) (cla: yes, waiting for tree to go green)
[29846](https://github.com/flutter/engine/pull/29846) Roll Dart SDK from 91e3fa160432 to f0f78da08ff2 (8 revisions) (cla: yes, waiting for tree to go green)
[29847](https://github.com/flutter/engine/pull/29847) [web] Use fuzzy matching in Gold (cla: yes, platform-web, needs tests)
[29849](https://github.com/flutter/engine/pull/29849) Roll Fuchsia Mac SDK from kK8g7bQdA... to Pnfu1t-iG... (cla: yes, waiting for tree to go green)
[29850](https://github.com/flutter/engine/pull/29850) Roll Fuchsia Linux SDK from Gc37iAM6P... to Ii-fFcsGk... (cla: yes, waiting for tree to go green)
[29851](https://github.com/flutter/engine/pull/29851) Add ability to stamp fuchsia packages with API level (cla: yes, waiting for tree to go green)
[29852](https://github.com/flutter/engine/pull/29852) Roll Skia from 940086c81587 to 9b35cd642f98 (4 revisions) (cla: yes, waiting for tree to go green)
[29854](https://github.com/flutter/engine/pull/29854) [Embedder Keyboard] Fix synthesized events causing crash (crash, affects: text input, bug (regression), cla: yes, waiting for tree to go green, embedder)
[29856](https://github.com/flutter/engine/pull/29856) Extract AccessibilityBridge::kRootNodeId (cla: yes, platform-macos, needs tests)
[29861](https://github.com/flutter/engine/pull/29861) Roll Dart SDK from f0f78da08ff2 to 2e76c4127885 (2 revisions) (cla: yes, waiting for tree to go green)
[29862](https://github.com/flutter/engine/pull/29862) [iOS] Fix:Keyboard inset is not correct when presenting a native ViewController on FlutterViewController (platform-ios, cla: yes)
[29863](https://github.com/flutter/engine/pull/29863) Roll Skia from 9b35cd642f98 to 37940afc0caf (6 revisions) (cla: yes, waiting for tree to go green)
[29864](https://github.com/flutter/engine/pull/29864) Roll Dart SDK from 2e76c4127885 to 453ad2fca05b (1 revision) (cla: yes, waiting for tree to go green)
[29865](https://github.com/flutter/engine/pull/29865) Roll Fuchsia Mac SDK from Pnfu1t-iG... to PcVBwqy6c... (cla: yes, waiting for tree to go green)
[29866](https://github.com/flutter/engine/pull/29866) Roll Fuchsia Linux SDK from Ii-fFcsGk... to v32ZvdGER... (cla: yes, waiting for tree to go green)
[29867](https://github.com/flutter/engine/pull/29867) [fuchsia] Don't use sys.Environment in V2. (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29868](https://github.com/flutter/engine/pull/29868) Release the JNI reference to the FlutterJNI class in GetDisplayRefreshRate (platform-android, cla: yes, needs tests)
[29869](https://github.com/flutter/engine/pull/29869) Roll Dart SDK from 453ad2fca05b to b1afd0fae784 (1 revision) (cla: yes, waiting for tree to go green)
[29870](https://github.com/flutter/engine/pull/29870) Roll Skia from 37940afc0caf to a6de6d2366e4 (1 revision) (cla: yes, waiting for tree to go green)
[29871](https://github.com/flutter/engine/pull/29871) Roll Skia from a6de6d2366e4 to 7ecacbc4c6be (1 revision) (cla: yes, waiting for tree to go green)
[29872](https://github.com/flutter/engine/pull/29872) Roll Fuchsia Mac SDK from PcVBwqy6c... to MiNhUYhfN... (cla: yes, waiting for tree to go green)
[29874](https://github.com/flutter/engine/pull/29874) Roll Fuchsia Linux SDK from v32ZvdGER... to hbyHcc_5x... (cla: yes, waiting for tree to go green)
[29875](https://github.com/flutter/engine/pull/29875) [fuchsia] Add arg for old_gen_heap_size. (cla: yes, waiting for tree to go green)
[29876](https://github.com/flutter/engine/pull/29876) Reset viewport_metrics when spawning new engine (cla: yes)
[29878](https://github.com/flutter/engine/pull/29878) Roll Dart SDK from b1afd0fae784 to 307a0e735317 (1 revision) (cla: yes, waiting for tree to go green)
[29881](https://github.com/flutter/engine/pull/29881) Roll Skia from 7ecacbc4c6be to e00afb0a1a68 (14 revisions) (cla: yes, waiting for tree to go green)
[29883](https://github.com/flutter/engine/pull/29883) Roll Dart SDK from 307a0e735317 to 314057a2d7d3 (2 revisions) (cla: yes, waiting for tree to go green)
[29884](https://github.com/flutter/engine/pull/29884) Roll Skia from e00afb0a1a68 to 2f6c53ff720a (6 revisions) (cla: yes, waiting for tree to go green)
[29885](https://github.com/flutter/engine/pull/29885) Roll Skia from 2f6c53ff720a to c3db55663e5a (1 revision) (cla: yes, waiting for tree to go green)
[29886](https://github.com/flutter/engine/pull/29886) Roll Skia from c3db55663e5a to b59d6fe7f0b2 (3 revisions) (cla: yes, waiting for tree to go green)
[29887](https://github.com/flutter/engine/pull/29887) Delete old script for individual SDK package upload (cla: yes, waiting for tree to go green)
[29888](https://github.com/flutter/engine/pull/29888) [web] Fixing text foreground paint / stroke for HTML web-renderer (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29889](https://github.com/flutter/engine/pull/29889) Listen for Vsync callback on the UI thread directly (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29890](https://github.com/flutter/engine/pull/29890) Roll Fuchsia Mac SDK from MiNhUYhfN... to WE4QO6Yjw... (cla: yes, waiting for tree to go green)
[29891](https://github.com/flutter/engine/pull/29891) Roll Fuchsia Linux SDK from hbyHcc_5x... to xW7v3nxI0... (cla: yes, waiting for tree to go green)
[29894](https://github.com/flutter/engine/pull/29894) Roll Skia from b59d6fe7f0b2 to 7f5b19bd6907 (10 revisions) (cla: yes, waiting for tree to go green)
[29896](https://github.com/flutter/engine/pull/29896) [web] merge the README files into one (cla: yes, platform-web)
[29897](https://github.com/flutter/engine/pull/29897) Bump androidx.window:window-java (platform-android, cla: yes)
[29898](https://github.com/flutter/engine/pull/29898) Cherrypick #29783 and #29862 to flutter-2.8-candidate.7 (platform-ios, cla: yes)
[29901](https://github.com/flutter/engine/pull/29901) Roll Dart SDK from 314057a2d7d3 to 15d5e456b474 (4 revisions) (cla: yes, waiting for tree to go green)
[29902](https://github.com/flutter/engine/pull/29902) Roll Skia from 7f5b19bd6907 to 23779e2edb46 (9 revisions) (cla: yes, waiting for tree to go green)
[29903](https://github.com/flutter/engine/pull/29903) Roll Clang Mac from 82gAwI4Hh... to Q_l2rEdQx... (cla: yes, waiting for tree to go green)
[29904](https://github.com/flutter/engine/pull/29904) Roll Clang Linux from UtjvZhwws... to 6UfJQ9aFH... (cla: yes, waiting for tree to go green)
[29905](https://github.com/flutter/engine/pull/29905) Roll Skia from 23779e2edb46 to b65f0fa084c4 (2 revisions) (cla: yes, waiting for tree to go green)
[29906](https://github.com/flutter/engine/pull/29906) [web] remove unused --unit-tests-only flag (cla: yes)
[29907](https://github.com/flutter/engine/pull/29907) Roll Dart SDK from 15d5e456b474 to d8be2bdfd155 (1 revision) (cla: yes, waiting for tree to go green)
[29908](https://github.com/flutter/engine/pull/29908) Make fragment leftover from an attach/detach race slightly safer (platform-android, cla: yes, waiting for tree to go green)
[29910](https://github.com/flutter/engine/pull/29910) Roll Fuchsia Mac SDK from WE4QO6Yjw... to ea86IrfGB... (cla: yes, waiting for tree to go green)
[29911](https://github.com/flutter/engine/pull/29911) Roll Skia from b65f0fa084c4 to 0fcc56211514 (5 revisions) (cla: yes, waiting for tree to go green)
[29912](https://github.com/flutter/engine/pull/29912) Roll Fuchsia Linux SDK from xW7v3nxI0... to lPwzjY25t... (cla: yes, waiting for tree to go green)
[29913](https://github.com/flutter/engine/pull/29913) Roll Dart SDK from d8be2bdfd155 to 755bbe849522 (1 revision) (cla: yes, waiting for tree to go green)
[29915](https://github.com/flutter/engine/pull/29915) Share the io_manager between parent and spawn engine (cla: yes, waiting for tree to go green)
[29917](https://github.com/flutter/engine/pull/29917) Roll Skia from 0fcc56211514 to be253591e45e (2 revisions) (cla: yes, waiting for tree to go green)
[29918](https://github.com/flutter/engine/pull/29918) Roll Dart SDK from 755bbe849522 to 1f763cc94608 (2 revisions) (cla: yes, waiting for tree to go green)
[29919](https://github.com/flutter/engine/pull/29919) [ci.yaml] Fix release branch regex (cla: yes, waiting for tree to go green)
[29920](https://github.com/flutter/engine/pull/29920) Cherrypick the Dart roll to unblock the internal roll (cla: yes)
[29921](https://github.com/flutter/engine/pull/29921) Roll Skia from be253591e45e to fe2acfb28134 (3 revisions) (cla: yes, waiting for tree to go green)
[29922](https://github.com/flutter/engine/pull/29922) Roll Skia from fe2acfb28134 to ac2a40ecf73e (1 revision) (cla: yes, waiting for tree to go green)
[29923](https://github.com/flutter/engine/pull/29923) Revert "Listen for Vsync callback on the UI thread directly" (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29925](https://github.com/flutter/engine/pull/29925) Roll Skia from ac2a40ecf73e to e051cd35e4d5 (2 revisions) (cla: yes, waiting for tree to go green)
[29926](https://github.com/flutter/engine/pull/29926) Roll Fuchsia Linux SDK from lPwzjY25t... to a0KPnn-pS... (cla: yes, waiting for tree to go green)
[29927](https://github.com/flutter/engine/pull/29927) Roll Fuchsia Mac SDK from ea86IrfGB... to x0zvww3rf... (cla: yes, waiting for tree to go green)
[29928](https://github.com/flutter/engine/pull/29928) Roll Dart SDK from 1f763cc94608 to a9ec4963f933 (1 revision) (cla: yes, waiting for tree to go green)
[29929](https://github.com/flutter/engine/pull/29929) Roll Skia from e051cd35e4d5 to 17667b00b942 (3 revisions) (cla: yes, waiting for tree to go green)
[29930](https://github.com/flutter/engine/pull/29930) [ios platform view] fix overlay zPosition (platform-ios, cla: yes, waiting for tree to go green)
[29931](https://github.com/flutter/engine/pull/29931) Roll Skia from 17667b00b942 to 2014d006f55c (1 revision) (cla: yes, waiting for tree to go green)
[29932](https://github.com/flutter/engine/pull/29932) Roll Skia from 2014d006f55c to 55106dc0eea7 (1 revision) (cla: yes, waiting for tree to go green)
[29933](https://github.com/flutter/engine/pull/29933) Roll Dart SDK from a9ec4963f933 to be01f752cbe6 (1 revision) (cla: yes, waiting for tree to go green)
[29934](https://github.com/flutter/engine/pull/29934) [web] clean-up dom_renderer.dart (cla: yes, platform-web)
[29936](https://github.com/flutter/engine/pull/29936) Roll Skia from 55106dc0eea7 to 8803d93aeb6f (4 revisions) (cla: yes, waiting for tree to go green)
[29937](https://github.com/flutter/engine/pull/29937) Roll Fuchsia Linux SDK from a0KPnn-pS... to bbim-9rQl... (cla: yes, waiting for tree to go green)
[29938](https://github.com/flutter/engine/pull/29938) Roll Fuchsia Mac SDK from x0zvww3rf... to IwEgl8xUv... (cla: yes, waiting for tree to go green)
[29939](https://github.com/flutter/engine/pull/29939) Roll Dart SDK from be01f752cbe6 to 74f6c3af2d68 (1 revision) (cla: yes, waiting for tree to go green)
[29940](https://github.com/flutter/engine/pull/29940) Fix typo and clean some includes (platform-android, cla: yes)
[29941](https://github.com/flutter/engine/pull/29941) Remove remaining usages of getUnsafe() (cla: yes, waiting for tree to go green, needs tests)
[29942](https://github.com/flutter/engine/pull/29942) Roll Dart SDK from 74f6c3af2d68 to d8a6c4d22503 (2 revisions) (cla: yes, waiting for tree to go green)
[29943](https://github.com/flutter/engine/pull/29943) Roll Dart SDK from d8a6c4d22503 to 32bd9cae0aaf (1 revision) (cla: yes, waiting for tree to go green)
[29944](https://github.com/flutter/engine/pull/29944) Roll Fuchsia Linux SDK from bbim-9rQl... to ZfCMJBPs8... (cla: yes, waiting for tree to go green)
[29945](https://github.com/flutter/engine/pull/29945) Roll Fuchsia Mac SDK from IwEgl8xUv... to pd6pTyJQp... (cla: yes, waiting for tree to go green)
[29946](https://github.com/flutter/engine/pull/29946) Roll Skia from 8803d93aeb6f to dfb80747e328 (1 revision) (cla: yes, waiting for tree to go green)
[29949](https://github.com/flutter/engine/pull/29949) Roll Skia from dfb80747e328 to db3c48b16b2d (4 revisions) (cla: yes, waiting for tree to go green)
[29952](https://github.com/flutter/engine/pull/29952) Roll Fuchsia Mac SDK from pd6pTyJQp... to k6yvO5kLf... (cla: yes, waiting for tree to go green)
[29954](https://github.com/flutter/engine/pull/29954) Roll Dart SDK from 32bd9cae0aaf to 1155ef510725 (2 revisions) (cla: yes, waiting for tree to go green)
[29955](https://github.com/flutter/engine/pull/29955) Roll Fuchsia Linux SDK from ZfCMJBPs8... to hoo-CDDP6... (cla: yes, waiting for tree to go green)
[29956](https://github.com/flutter/engine/pull/29956) Roll Dart SDK from 1155ef510725 to a353613d5a52 (1 revision) (cla: yes, waiting for tree to go green)
[29958](https://github.com/flutter/engine/pull/29958) Roll Fuchsia Mac SDK from k6yvO5kLf... to AnjHQvWXa... (cla: yes, waiting for tree to go green)
[29959](https://github.com/flutter/engine/pull/29959) Roll Fuchsia Linux SDK from hoo-CDDP6... to KJElo7NCv... (cla: yes, waiting for tree to go green)
[29961](https://github.com/flutter/engine/pull/29961) Roll Fuchsia Linux SDK from KJElo7NCv... to eOELh_zdk... (cla: yes, waiting for tree to go green)
[29962](https://github.com/flutter/engine/pull/29962) Add a comment in Image.toByteData to limit more encoders (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29966](https://github.com/flutter/engine/pull/29966) Roll Fuchsia Mac SDK from AnjHQvWXa... to _XAgOfwCo... (cla: yes, waiting for tree to go green)
[29969](https://github.com/flutter/engine/pull/29969) Roll Skia from db3c48b16b2d to adca722569b1 (1 revision) (cla: yes, waiting for tree to go green)
[29970](https://github.com/flutter/engine/pull/29970) Roll Fuchsia Linux SDK from eOELh_zdk... to SOb9xSggS... (cla: yes, waiting for tree to go green)
[29972](https://github.com/flutter/engine/pull/29972) Roll Skia from adca722569b1 to 93b47a527a2e (1 revision) (cla: yes, waiting for tree to go green)
[29973](https://github.com/flutter/engine/pull/29973) Roll Fuchsia Mac SDK from _XAgOfwCo... to -xKcveik7... (cla: yes, waiting for tree to go green)
[29974](https://github.com/flutter/engine/pull/29974) Roll Fuchsia Linux SDK from SOb9xSggS... to tZrSWtryA... (cla: yes, waiting for tree to go green)
[29975](https://github.com/flutter/engine/pull/29975) Roll Fuchsia Mac SDK from -xKcveik7... to lmR_Aqf8s... (cla: yes, waiting for tree to go green)
[29976](https://github.com/flutter/engine/pull/29976) [Win32] Use mock macro for UpdateSemanticsEnabled (cla: yes, platform-windows)
[29977](https://github.com/flutter/engine/pull/29977) Roll Skia from 93b47a527a2e to 072677d6276c (1 revision) (cla: yes, waiting for tree to go green)
[29978](https://github.com/flutter/engine/pull/29978) Roll Skia from 072677d6276c to d542729c23fb (3 revisions) (cla: yes, waiting for tree to go green)
[29979](https://github.com/flutter/engine/pull/29979) Fix embedder_->EndFrame() not called in case of DrawLastLayerTree() (platform-android, cla: yes, waiting for tree to go green)
[29981](https://github.com/flutter/engine/pull/29981) Roll Skia from d542729c23fb to f46611ebdef9 (1 revision) (cla: yes, waiting for tree to go green)
[29982](https://github.com/flutter/engine/pull/29982) Roll Skia from f46611ebdef9 to bf6149669fa0 (1 revision) (cla: yes, waiting for tree to go green)
[29983](https://github.com/flutter/engine/pull/29983) Roll Fuchsia Linux SDK from tZrSWtryA... to Fi9OzLVMX... (cla: yes, waiting for tree to go green)
[29984](https://github.com/flutter/engine/pull/29984) Roll Dart SDK from a353613d5a52 to 9f61c2487bbd (1 revision) (cla: yes, waiting for tree to go green)
[29985](https://github.com/flutter/engine/pull/29985) Roll Skia from bf6149669fa0 to e2a038f956ff (1 revision) (cla: yes, waiting for tree to go green)
[29987](https://github.com/flutter/engine/pull/29987) Roll Skia from e2a038f956ff to 288ddb98b751 (3 revisions) (cla: yes, waiting for tree to go green)
[29988](https://github.com/flutter/engine/pull/29988) Roll Clang Windows from a4WSJSNW8... to 6u9Xk_Dr7... (cla: yes, waiting for tree to go green)
[29989](https://github.com/flutter/engine/pull/29989) Roll Skia from 288ddb98b751 to a0ad6db14184 (1 revision) (cla: yes, waiting for tree to go green)
[29993](https://github.com/flutter/engine/pull/29993) Win32: add test of native a11y tree nodes (cla: yes, platform-windows)
[29994](https://github.com/flutter/engine/pull/29994) [web] DomRenderer becomes FlutterViewEmbedder (cla: yes, platform-web)
[29995](https://github.com/flutter/engine/pull/29995) [fuchsia] Fix unset key and present key meaning (cla: yes, waiting for tree to go green, platform-fuchsia)
[29996](https://github.com/flutter/engine/pull/29996) Removed the email warning about notifications entitlement (platform-ios, cla: yes)
[29998](https://github.com/flutter/engine/pull/29998) Stamp fuchsia packages with api level (cla: yes)
[29999](https://github.com/flutter/engine/pull/29999) [fuchsia][flatland] Tests for FlatlandPlatformView (cla: yes, waiting for tree to go green, platform-fuchsia)
[30000](https://github.com/flutter/engine/pull/30000) Update the token used by mirroring workflows. (cla: yes, waiting for tree to go green)
[30002](https://github.com/flutter/engine/pull/30002) Remove todos (cla: yes)
[30003](https://github.com/flutter/engine/pull/30003) Non painting platform views (cla: yes, Work in progress (WIP), platform-web)
[30004](https://github.com/flutter/engine/pull/30004) [Win32, keyboard] Fix dead key events that don't have the dead key mask (cla: yes, platform-windows)
[30005](https://github.com/flutter/engine/pull/30005) [macOS] MacOS Keyboard properly handles multi-char characters (cla: yes, platform-macos)
[30006](https://github.com/flutter/engine/pull/30006) Fix text height behavior macros (cla: yes, needs tests)
[30007](https://github.com/flutter/engine/pull/30007) [web] consolidate JS interop code (cla: yes, platform-web)
[30008](https://github.com/flutter/engine/pull/30008) Roll Fuchsia Mac SDK from lmR_Aqf8s... to 9DWt0M7vg... (cla: yes, waiting for tree to go green)
[30010](https://github.com/flutter/engine/pull/30010) Roll Skia from a0ad6db14184 to fa183572bfd3 (24 revisions) (cla: yes, waiting for tree to go green)
[30011](https://github.com/flutter/engine/pull/30011) Roll Dart SDK from 9f61c2487bbd to 3a963ff14181 (7 revisions) (cla: yes, waiting for tree to go green)
[30012](https://github.com/flutter/engine/pull/30012) Use WindowInfoTracker.Companion.getOrCreate instead of the short version (platform-android, cla: yes, waiting for tree to go green, needs tests)
[30013](https://github.com/flutter/engine/pull/30013) Eliminate hardcoded scale factor in a11y scroll (cla: yes, needs tests)
[30029](https://github.com/flutter/engine/pull/30029) Migrate sk_cf_obj to sk_cfp (cla: yes, waiting for tree to go green, needs tests, embedder)
[30035](https://github.com/flutter/engine/pull/30035) Roll web_installers simulators package (cla: yes, waiting for tree to go green, platform-web)
[30037](https://github.com/flutter/engine/pull/30037) [flutter_releases] Flutter beta 2.8.0-3.3.pre Engine Cherrypicks (platform-ios, cla: yes)
[30038](https://github.com/flutter/engine/pull/30038) Fix sceneElement analysis error (cla: yes, platform-web)
[30041](https://github.com/flutter/engine/pull/30041) [fuchsia] Change Touch priority to YES (cla: yes, platform-fuchsia)
[30045](https://github.com/flutter/engine/pull/30045) Roll Dart SDK from 3a963ff14181 to 8bb2e56ec900 (4 revisions) (cla: yes, waiting for tree to go green)
[30047](https://github.com/flutter/engine/pull/30047) Roll Skia from fa183572bfd3 to d3399178196e (17 revisions) (cla: yes, waiting for tree to go green)
[30056](https://github.com/flutter/engine/pull/30056) Revert dart to 9f61c2487bbd (cla: yes)
[30057](https://github.com/flutter/engine/pull/30057) Roll Fuchsia Mac SDK from 9DWt0M7vg... to XankF6weU... (cla: yes, waiting for tree to go green)
[30061](https://github.com/flutter/engine/pull/30061) Roll Skia from d3399178196e to 2a42471c92f3 (7 revisions) (cla: yes, waiting for tree to go green)
[30064](https://github.com/flutter/engine/pull/30064) Roll Skia from 2a42471c92f3 to c4712cc704e8 (3 revisions) (cla: yes, waiting for tree to go green)
[30065](https://github.com/flutter/engine/pull/30065) Roll Fuchsia Linux SDK from Fi9OzLVMX... to NJK-w4N99... (cla: yes, waiting for tree to go green)
[30068](https://github.com/flutter/engine/pull/30068) Bump buildroot and swiftshader deps (flutter/buildroot#529) (cla: yes)
[30069](https://github.com/flutter/engine/pull/30069) [Proposal] Improve Canvas Documentation (cla: yes, needs tests)
[30073](https://github.com/flutter/engine/pull/30073) Roll Skia from c4712cc704e8 to 6dc45289aec0 (2 revisions) (cla: yes, waiting for tree to go green)
[30074](https://github.com/flutter/engine/pull/30074) Roll Skia from 6dc45289aec0 to 9d74c28e823a (2 revisions) (cla: yes, waiting for tree to go green)
[30075](https://github.com/flutter/engine/pull/30075) Roll Dart SDK from 9f61c2487bbd to ba5e72e4b2d7 (16 revisions) (cla: yes, waiting for tree to go green)
[30076](https://github.com/flutter/engine/pull/30076) Roll Fuchsia Mac SDK from XankF6weU... to MaLRScmfU... (cla: yes, waiting for tree to go green)
[30077](https://github.com/flutter/engine/pull/30077) Enable compressed pointers on iOS for 64 bit architectures. (cla: yes)
[30078](https://github.com/flutter/engine/pull/30078) Roll Skia from 9d74c28e823a to 2756b0ee0250 (5 revisions) (cla: yes, waiting for tree to go green)
[30079](https://github.com/flutter/engine/pull/30079) VSyncWaiter on Fuchsia will defer firing until frame start time (#29287) (cla: yes, platform-fuchsia)
[30082](https://github.com/flutter/engine/pull/30082) Roll gn to b79031308cc878488202beb99883ec1f2efd9a6d. (cla: yes)
[30084](https://github.com/flutter/engine/pull/30084) Roll Skia from 2756b0ee0250 to f278a8058eaa (2 revisions) (cla: yes, waiting for tree to go green)
[30086](https://github.com/flutter/engine/pull/30086) [Windows keyboard] Remove redundant parameter FlutterWindowsView (affects: text input, cla: yes, waiting for tree to go green, platform-windows)
[30089](https://github.com/flutter/engine/pull/30089) Close image reader when the resource is unreachable (platform-android, cla: yes, waiting for tree to go green)
[30090](https://github.com/flutter/engine/pull/30090) Update IosUnitTests to use iPhone 11 simulator (platform-ios, cla: yes, waiting for tree to go green)
[30091](https://github.com/flutter/engine/pull/30091) Accessibility: emit FOCUS_CHANGED events (cla: yes)
[30093](https://github.com/flutter/engine/pull/30093) Fail loudly with verbose logs when failing to download dart sdk. (cla: yes)
[30094](https://github.com/flutter/engine/pull/30094) Remove implicit copy assignment operator for 'EmbeddedViewParams' (cla: yes, waiting for tree to go green)
[30096](https://github.com/flutter/engine/pull/30096) Revert "Enable compressed pointers on iOS for 64 bit architectures." (cla: yes, waiting for tree to go green)
[30100](https://github.com/flutter/engine/pull/30100) Revert "[ci.yaml] Remove default properties" (cla: yes, waiting for tree to go green)
[30104](https://github.com/flutter/engine/pull/30104) Run iOS scenario apps on iPhone 11 and iOS 14 (cla: yes, waiting for tree to go green)
[30105](https://github.com/flutter/engine/pull/30105) Roll Fuchsia Linux SDK from NJK-w4N99... to RyloAtJNT... (cla: yes, waiting for tree to go green)
[30106](https://github.com/flutter/engine/pull/30106) Fix cast in FlutterView (platform-android, cla: yes, waiting for tree to go green, needs tests)
[30107](https://github.com/flutter/engine/pull/30107) Fix platform env variable not registering with sdk_manager (cla: yes, waiting for tree to go green)
[30108](https://github.com/flutter/engine/pull/30108) Roll Fuchsia Mac SDK from MaLRScmfU... to a5YFHsF2a... (cla: yes, waiting for tree to go green)
[30115](https://github.com/flutter/engine/pull/30115) Roll Skia from f278a8058eaa to 672062da97da (8 revisions) (cla: yes, waiting for tree to go green)
[30117](https://github.com/flutter/engine/pull/30117) Roll Skia from 672062da97da to 29af7d59714b (4 revisions) (cla: yes, waiting for tree to go green)
[30118](https://github.com/flutter/engine/pull/30118) Roll Fuchsia Linux SDK from RyloAtJNT... to gc6NLk09G... (cla: yes, waiting for tree to go green)
[30120](https://github.com/flutter/engine/pull/30120) Roll Skia from 29af7d59714b to 94f726ae62f0 (2 revisions) (cla: yes, waiting for tree to go green)
[30121](https://github.com/flutter/engine/pull/30121) Roll Dart SDK from ba5e72e4b2d7 to a31c331ed648 (5 revisions) (cla: yes, waiting for tree to go green)
[30124](https://github.com/flutter/engine/pull/30124) Roll Skia from 94f726ae62f0 to 40ba900d2e94 (1 revision) (cla: yes, waiting for tree to go green)
[30127](https://github.com/flutter/engine/pull/30127) Roll Dart SDK from a31c331ed648 to a3a9d7af0cc2 (1 revision) (cla: yes, waiting for tree to go green)
[30128](https://github.com/flutter/engine/pull/30128) Roll Fuchsia Mac SDK from a5YFHsF2a... to Ki-0yFVTa... (cla: yes, waiting for tree to go green)
[30129](https://github.com/flutter/engine/pull/30129) Roll Fuchsia Linux SDK from gc6NLk09G... to uNU00yZsG... (cla: yes, waiting for tree to go green)
[30134](https://github.com/flutter/engine/pull/30134) Update general_golden_test.dart (cla: yes, waiting for tree to go green, platform-web)
[30137](https://github.com/flutter/engine/pull/30137) Revert "[web] consolidate JS interop code" (cla: yes, waiting for tree to go green, platform-web)
[30138](https://github.com/flutter/engine/pull/30138) Roll Dart SDK from a3a9d7af0cc2 to 68bd3305228d (2 revisions) (cla: yes, waiting for tree to go green)
[30141](https://github.com/flutter/engine/pull/30141) Roll Fuchsia Linux SDK from uNU00yZsG... to eH__OFZVQ... (cla: yes, waiting for tree to go green)
[30142](https://github.com/flutter/engine/pull/30142) Roll Fuchsia Mac SDK from Ki-0yFVTa... to WohiTvz8h... (cla: yes, waiting for tree to go green)
[30143](https://github.com/flutter/engine/pull/30143) Roll Skia from 40ba900d2e94 to 62553ae6feb8 (1 revision) (cla: yes, waiting for tree to go green)
[30144](https://github.com/flutter/engine/pull/30144) Roll Skia from 62553ae6feb8 to 493d7910a7f5 (1 revision) (cla: yes, waiting for tree to go green)
[30145](https://github.com/flutter/engine/pull/30145) [Android] Fix mEditable NullPointerException in TextInputPlugin (platform-android, cla: yes, waiting for tree to go green)
[30146](https://github.com/flutter/engine/pull/30146) Roll Fuchsia Linux SDK from eH__OFZVQ... to gWYa9KhIK... (cla: yes, waiting for tree to go green)
[30148](https://github.com/flutter/engine/pull/30148) Roll Fuchsia Mac SDK from WohiTvz8h... to KQ60Vu3d7... (cla: yes, waiting for tree to go green)
[30149](https://github.com/flutter/engine/pull/30149) Use MallocMapping for DispatchSemanticsAction data (cla: yes, accessibility, platform-windows)
[30150](https://github.com/flutter/engine/pull/30150) Roll Skia from 493d7910a7f5 to 05de3735b723 (1 revision) (cla: yes, waiting for tree to go green)
[30152](https://github.com/flutter/engine/pull/30152) Roll Dart SDK from 68bd3305228d to e7aa2cb110af (1 revision) (cla: yes, waiting for tree to go green)
[30153](https://github.com/flutter/engine/pull/30153) Roll Fuchsia Linux SDK from gWYa9KhIK... to WGMjaVH60... (cla: yes, waiting for tree to go green)
[30155](https://github.com/flutter/engine/pull/30155) Roll Fuchsia Mac SDK from KQ60Vu3d7... to EAlr46NQ8... (cla: yes, waiting for tree to go green)
[30156](https://github.com/flutter/engine/pull/30156) Roll Skia from 05de3735b723 to f333f5614a9b (3 revisions) (cla: yes, waiting for tree to go green)
[30160](https://github.com/flutter/engine/pull/30160) Revert "Roll Dart SDK from 68bd3305228d to e7aa2cb110af (1 revision)" (cla: yes)
[30161](https://github.com/flutter/engine/pull/30161) [web] consolidate JS interop code (attempt 2) (cla: yes, platform-web)
[30162](https://github.com/flutter/engine/pull/30162) Cherrypick #29862 for b/208763970 (platform-ios, cla: yes)
#### needs tests - 77 pull request(s)
[27351](https://github.com/flutter/engine/pull/27351) Add eol at end of .dart files (cla: yes, platform-web, needs tests)
[28067](https://github.com/flutter/engine/pull/28067) winuwp: Add multi-touch support (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28609](https://github.com/flutter/engine/pull/28609) Call `didFailToRegisterForRemoteNotificationsWithError` delegate methods in `FlutterPlugin` (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[29139](https://github.com/flutter/engine/pull/29139) [web] Start support for Skia Gold (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29176](https://github.com/flutter/engine/pull/29176) Update functions to be consistent with other code. (cla: yes, platform-linux, needs tests)
[29178](https://github.com/flutter/engine/pull/29178) Acquire context reference at the correct time for FlGlArea. (cla: yes, waiting for tree to go green, platform-linux, needs tests)
[29295](https://github.com/flutter/engine/pull/29295) [iOS] Destroy the engine prior to application termination. (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[29354](https://github.com/flutter/engine/pull/29354) [iOS] Fixes press key message leaks (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[29371](https://github.com/flutter/engine/pull/29371) Prepare scripts for the master to main migration. (cla: yes, platform-web, needs tests)
[29377](https://github.com/flutter/engine/pull/29377) Fix race condition introduced by background platform channels (platform-android, cla: yes, needs tests)
[29397](https://github.com/flutter/engine/pull/29397) [fuchsia] Add more logging for error cases. (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29402](https://github.com/flutter/engine/pull/29402) WeakPtrFactory should be destroyed before any other members. (platform-ios, cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29448](https://github.com/flutter/engine/pull/29448) [Web] Fix BMP encoder (cla: yes, platform-web, needs tests)
[29482](https://github.com/flutter/engine/pull/29482) Fix partial repaint when TextureLayer is inside retained layer (cla: yes, needs tests)
[29502](https://github.com/flutter/engine/pull/29502) [macOS] Fixes Crash of cxx destruction when App will terminate (cla: yes, waiting for tree to go green, platform-macos, needs tests)
[29509](https://github.com/flutter/engine/pull/29509) [fuchsia] Remove mentions of `fuchsia.deprecatedtimezone`. (cla: yes, platform-fuchsia, needs tests)
[29511](https://github.com/flutter/engine/pull/29511) Provide a default handler for the flutter/navigation channel (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29529](https://github.com/flutter/engine/pull/29529) [raster_cache] Increment access_count on Touch (cla: yes, needs tests)
[29530](https://github.com/flutter/engine/pull/29530) use SkMatrix.invert() instead of MatrixDecomposition to validate cache matrices (cla: yes, waiting for tree to go green, needs tests)
[29531](https://github.com/flutter/engine/pull/29531) [ios_platform_view, a11y] Make `FlutterPlatformViewSemanticsContainer` a SemanticsObject. (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[29533](https://github.com/flutter/engine/pull/29533) Remove D3D9 fallback path (cla: yes, platform-windows, needs tests)
[29542](https://github.com/flutter/engine/pull/29542) [fuchsia][flatland] route ViewRefs properly for Focus (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29596](https://github.com/flutter/engine/pull/29596) Add default implementations to new methods added to BinaryMessenger (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29599](https://github.com/flutter/engine/pull/29599) Call Dart messenger methods in DartExecutor (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29620](https://github.com/flutter/engine/pull/29620) Check for both compose string and result string. (cla: yes, platform-windows, needs tests)
[29621](https://github.com/flutter/engine/pull/29621) Fix UB in semantics updates (cla: yes, needs tests, embedder)
[29622](https://github.com/flutter/engine/pull/29622) [web] Fix warning about the non-nullable flag (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29632](https://github.com/flutter/engine/pull/29632) [fuchsia] Move TODOs for Dart v2 to specific bugs. (cla: yes, platform-fuchsia, needs tests)
[29633](https://github.com/flutter/engine/pull/29633) Exit with failure code if clang-tidy finds linter issues (cla: yes, waiting for tree to go green, needs tests)
[29634](https://github.com/flutter/engine/pull/29634) [fuchsia] Point TODOs off closed bug. (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29641](https://github.com/flutter/engine/pull/29641) Remove outdated TODO (platform-android, cla: yes, needs tests)
[29686](https://github.com/flutter/engine/pull/29686) add trace events to cache sweeps (cla: yes, waiting for tree to go green, needs tests)
[29741](https://github.com/flutter/engine/pull/29741) Add 'explicit' to header files (platform-android, cla: yes, needs tests, embedder)
[29766](https://github.com/flutter/engine/pull/29766) maybeGetInitialRouteFromIntent: check if URI data getPath() is null (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29772](https://github.com/flutter/engine/pull/29772) Roll to CanvasKit 0.31.0 (cla: yes, platform-web, needs tests)
[29775](https://github.com/flutter/engine/pull/29775) Opacity peephole optimization (platform-ios, platform-android, cla: yes, waiting for tree to go green, needs tests, embedder)
[29776](https://github.com/flutter/engine/pull/29776) Add script to upload unified Android SDK CIPD archives and switch DEPS to use it. (cla: yes, waiting for tree to go green, platform-linux, needs tests)
[29789](https://github.com/flutter/engine/pull/29789) Revert "[fuchsia][flatland] route ViewRefs properly for Focus" (cla: yes, platform-fuchsia, needs tests)
[29791](https://github.com/flutter/engine/pull/29791) Acquire context reference at the correct time for FlGlArea. (cla: yes, waiting for tree to go green, platform-linux, needs tests)
[29792](https://github.com/flutter/engine/pull/29792) [web] Fail if Skia Gold is required but unavailable (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29793](https://github.com/flutter/engine/pull/29793) Revert 29789 revert 29542 freiling view ref (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29798](https://github.com/flutter/engine/pull/29798) Stopped creating the shell inside of a sync_switch when spawning. (cla: yes, needs tests)
[29801](https://github.com/flutter/engine/pull/29801) [web] move browser installation to BrowserEnvironment.prepare (cla: yes, platform-web, needs tests)
[29816](https://github.com/flutter/engine/pull/29816) Mentioned that replies can be invoked on any thread (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29819](https://github.com/flutter/engine/pull/29819) Run Dart VM tasks on the engine's ConcurrentMessageLoop instead the VM's separate thread pool. (cla: yes, needs tests)
[29824](https://github.com/flutter/engine/pull/29824) Windows: Clean up FML file debug messages (cla: yes, waiting for tree to go green, needs tests)
[29827](https://github.com/flutter/engine/pull/29827) Add 'explicit' to darwin embedder constructors (platform-ios, cla: yes, waiting for tree to go green, platform-macos, needs tests)
[29830](https://github.com/flutter/engine/pull/29830) Add 'explicit' to Android embedder constructors (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29833](https://github.com/flutter/engine/pull/29833) Wrap format script diff in patch command (cla: yes, needs tests)
[29847](https://github.com/flutter/engine/pull/29847) [web] Use fuzzy matching in Gold (cla: yes, platform-web, needs tests)
[29856](https://github.com/flutter/engine/pull/29856) Extract AccessibilityBridge::kRootNodeId (cla: yes, platform-macos, needs tests)
[29867](https://github.com/flutter/engine/pull/29867) [fuchsia] Don't use sys.Environment in V2. (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29868](https://github.com/flutter/engine/pull/29868) Release the JNI reference to the FlutterJNI class in GetDisplayRefreshRate (platform-android, cla: yes, needs tests)
[29888](https://github.com/flutter/engine/pull/29888) [web] Fixing text foreground paint / stroke for HTML web-renderer (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29889](https://github.com/flutter/engine/pull/29889) Listen for Vsync callback on the UI thread directly (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29923](https://github.com/flutter/engine/pull/29923) Revert "Listen for Vsync callback on the UI thread directly" (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29941](https://github.com/flutter/engine/pull/29941) Remove remaining usages of getUnsafe() (cla: yes, waiting for tree to go green, needs tests)
[29962](https://github.com/flutter/engine/pull/29962) Add a comment in Image.toByteData to limit more encoders (cla: yes, waiting for tree to go green, platform-web, needs tests)
[30006](https://github.com/flutter/engine/pull/30006) Fix text height behavior macros (cla: yes, needs tests)
[30012](https://github.com/flutter/engine/pull/30012) Use WindowInfoTracker.Companion.getOrCreate instead of the short version (platform-android, cla: yes, waiting for tree to go green, needs tests)
[30013](https://github.com/flutter/engine/pull/30013) Eliminate hardcoded scale factor in a11y scroll (cla: yes, needs tests)
[30029](https://github.com/flutter/engine/pull/30029) Migrate sk_cf_obj to sk_cfp (cla: yes, waiting for tree to go green, needs tests, embedder)
[30069](https://github.com/flutter/engine/pull/30069) [Proposal] Improve Canvas Documentation (cla: yes, needs tests)
[30106](https://github.com/flutter/engine/pull/30106) Fix cast in FlutterView (platform-android, cla: yes, waiting for tree to go green, needs tests)
[30182](https://github.com/flutter/engine/pull/30182) Fix eglPresentationTimeANDROID is no effective (platform-android, needs tests)
[30184](https://github.com/flutter/engine/pull/30184) Fix wrong context when use platfromview (platform-ios, waiting for tree to go green, needs tests)
[30189](https://github.com/flutter/engine/pull/30189) Add length guard to fix Windows build with VS2019 16.11.7 headers (needs tests)
[30230](https://github.com/flutter/engine/pull/30230) Merge NDK and licenses into Android dependencies script (waiting for tree to go green, needs tests)
[30244](https://github.com/flutter/engine/pull/30244) [fuchsia] Use network-legacy-deprecated pkg in embedder test (waiting for tree to go green, platform-fuchsia, needs tests)
[30282](https://github.com/flutter/engine/pull/30282) Fix typo in jni registration (platform-android, waiting for tree to go green, needs tests)
[30293](https://github.com/flutter/engine/pull/30293) Dont use TypedData.fromList if you dont have a list already (waiting for tree to go green, needs tests)
[30310](https://github.com/flutter/engine/pull/30310) Revert "Fix eglPresentationTimeANDROID is no effective" (platform-ios, platform-android, needs tests, embedder)
[30324](https://github.com/flutter/engine/pull/30324) [web] make new image decoder opt-in via experimental flag (platform-web, needs tests)
[30334](https://github.com/flutter/engine/pull/30334) Update DEPS to pull in libtess2, sqlite, and, inja. (waiting for tree to go green, needs tests)
[30354](https://github.com/flutter/engine/pull/30354) Roll HarfBuzz to version 3.1.1 (needs tests)
[30382](https://github.com/flutter/engine/pull/30382) Add missing return to nullably-typed functions (platform-web, needs tests)
[30442](https://github.com/flutter/engine/pull/30442) Make sure the GLFW example compiles. (waiting for tree to go green, needs tests, embedder)
#### platform-android - 46 pull request(s)
[28801](https://github.com/flutter/engine/pull/28801) Enable partial repaint for iOS/Metal (platform-ios, platform-android, cla: yes, platform-fuchsia, embedder)
[28809](https://github.com/flutter/engine/pull/28809) Share the GrContext between lightweight engines (platform-android, cla: yes)
[29096](https://github.com/flutter/engine/pull/29096) Make FlutterEngineGroup support dart entrypoint args (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web)
[29377](https://github.com/flutter/engine/pull/29377) Fix race condition introduced by background platform channels (platform-android, cla: yes, needs tests)
[29447](https://github.com/flutter/engine/pull/29447) Reland Display Features support (Foldable and Cutout) (platform-android, cla: yes, platform-web, platform-fuchsia)
[29458](https://github.com/flutter/engine/pull/29458) Made DartMessenger use the injected executor service for executing message handlers (platform-android, cla: yes)
[29491](https://github.com/flutter/engine/pull/29491) Implemented concurrent TaskQueues (platform-android, cla: yes)
[29511](https://github.com/flutter/engine/pull/29511) Provide a default handler for the flutter/navigation channel (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29520](https://github.com/flutter/engine/pull/29520) Enable Skia's Vulkan backend on all non-mobile platforms, and test SwiftShader Vulkan on all GL unittests platforms (platform-ios, platform-android, cla: yes, embedder)
[29574](https://github.com/flutter/engine/pull/29574) Revert "Reland Display Features support (Foldable and Cutout)" (platform-android, cla: yes, platform-web, platform-fuchsia)
[29585](https://github.com/flutter/engine/pull/29585) Reland 3: Display Features support (platform-android, cla: yes, platform-web, platform-fuchsia)
[29596](https://github.com/flutter/engine/pull/29596) Add default implementations to new methods added to BinaryMessenger (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29599](https://github.com/flutter/engine/pull/29599) Call Dart messenger methods in DartExecutor (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29629](https://github.com/flutter/engine/pull/29629) Use -linkoffline to provide the Android Javadoc package list (platform-android, cla: yes, waiting for tree to go green)
[29641](https://github.com/flutter/engine/pull/29641) Remove outdated TODO (platform-android, cla: yes, needs tests)
[29642](https://github.com/flutter/engine/pull/29642) Add test annotation (platform-android, cla: yes, waiting for tree to go green)
[29643](https://github.com/flutter/engine/pull/29643) Do not update system UI overlays when the SDK version condition is not met (platform-android, cla: yes, waiting for tree to go green)
[29727](https://github.com/flutter/engine/pull/29727) Use eglPresentationTimeANDROID to avoid bogging down the GPU (platform-ios, platform-android, cla: yes, embedder)
[29734](https://github.com/flutter/engine/pull/29734) Fix some clang-tidy lints for Linux host_debug (platform-android, cla: yes, waiting for tree to go green, platform-linux, embedder)
[29741](https://github.com/flutter/engine/pull/29741) Add 'explicit' to header files (platform-android, cla: yes, needs tests, embedder)
[29766](https://github.com/flutter/engine/pull/29766) maybeGetInitialRouteFromIntent: check if URI data getPath() is null (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29775](https://github.com/flutter/engine/pull/29775) Opacity peephole optimization (platform-ios, platform-android, cla: yes, waiting for tree to go green, needs tests, embedder)
[29800](https://github.com/flutter/engine/pull/29800) Listen for display refresh changes and report them correctly (platform-ios, platform-android, cla: yes, waiting for tree to go green, embedder)
[29816](https://github.com/flutter/engine/pull/29816) Mentioned that replies can be invoked on any thread (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29825](https://github.com/flutter/engine/pull/29825) Make it less likely to GC during application startup on Android (platform-android, cla: yes, waiting for tree to go green)
[29830](https://github.com/flutter/engine/pull/29830) Add 'explicit' to Android embedder constructors (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29868](https://github.com/flutter/engine/pull/29868) Release the JNI reference to the FlutterJNI class in GetDisplayRefreshRate (platform-android, cla: yes, needs tests)
[29889](https://github.com/flutter/engine/pull/29889) Listen for Vsync callback on the UI thread directly (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29897](https://github.com/flutter/engine/pull/29897) Bump androidx.window:window-java (platform-android, cla: yes)
[29908](https://github.com/flutter/engine/pull/29908) Make fragment leftover from an attach/detach race slightly safer (platform-android, cla: yes, waiting for tree to go green)
[29923](https://github.com/flutter/engine/pull/29923) Revert "Listen for Vsync callback on the UI thread directly" (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29940](https://github.com/flutter/engine/pull/29940) Fix typo and clean some includes (platform-android, cla: yes)
[29979](https://github.com/flutter/engine/pull/29979) Fix embedder_->EndFrame() not called in case of DrawLastLayerTree() (platform-android, cla: yes, waiting for tree to go green)
[30012](https://github.com/flutter/engine/pull/30012) Use WindowInfoTracker.Companion.getOrCreate instead of the short version (platform-android, cla: yes, waiting for tree to go green, needs tests)
[30089](https://github.com/flutter/engine/pull/30089) Close image reader when the resource is unreachable (platform-android, cla: yes, waiting for tree to go green)
[30106](https://github.com/flutter/engine/pull/30106) Fix cast in FlutterView (platform-android, cla: yes, waiting for tree to go green, needs tests)
[30145](https://github.com/flutter/engine/pull/30145) [Android] Fix mEditable NullPointerException in TextInputPlugin (platform-android, cla: yes, waiting for tree to go green)
[30182](https://github.com/flutter/engine/pull/30182) Fix eglPresentationTimeANDROID is no effective (platform-android, needs tests)
[30199](https://github.com/flutter/engine/pull/30199) Android accessibility bridge also fire selection change event when it predict selection change. (platform-android, waiting for tree to go green)
[30202](https://github.com/flutter/engine/pull/30202) [android] Fix unexpected behavior in |detachFromFlutterEngine|. (platform-android, waiting for tree to go green)
[30234](https://github.com/flutter/engine/pull/30234) Use ToT of release branch if the commit is from release branch. (platform-ios, platform-android, waiting for tree to go green, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, embedder)
[30257](https://github.com/flutter/engine/pull/30257) Migrate to Mockito 4.1.0 (platform-android, waiting for tree to go green)
[30282](https://github.com/flutter/engine/pull/30282) Fix typo in jni registration (platform-android, waiting for tree to go green, needs tests)
[30310](https://github.com/flutter/engine/pull/30310) Revert "Fix eglPresentationTimeANDROID is no effective" (platform-ios, platform-android, needs tests, embedder)
[30359](https://github.com/flutter/engine/pull/30359) Keep a single source of truth for embedding dependencies (platform-android, waiting for tree to go green)
[30367](https://github.com/flutter/engine/pull/30367) [android] Provide a path instead of throwing NPE when getDir() suites returns null (platform-android, waiting for tree to go green)
#### platform-ios - 43 pull request(s)
[24224](https://github.com/flutter/engine/pull/24224) Support Scribble Handwriting (platform-ios, waiting for customer response, cla: yes)
[28319](https://github.com/flutter/engine/pull/28319) Remove iPadOS mouse pointer if no longer connected (platform-ios, cla: yes, waiting for tree to go green)
[28609](https://github.com/flutter/engine/pull/28609) Call `didFailToRegisterForRemoteNotificationsWithError` delegate methods in `FlutterPlugin` (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[28801](https://github.com/flutter/engine/pull/28801) Enable partial repaint for iOS/Metal (platform-ios, platform-android, cla: yes, platform-fuchsia, embedder)
[29036](https://github.com/flutter/engine/pull/29036) TextEditingDelta Mac (platform-ios, affects: text input, cla: yes, platform-macos)
[29096](https://github.com/flutter/engine/pull/29096) Make FlutterEngineGroup support dart entrypoint args (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web)
[29281](https://github.com/flutter/engine/pull/29281) [iOS] Support keyboard animation on iOS (platform-ios, cla: yes)
[29295](https://github.com/flutter/engine/pull/29295) [iOS] Destroy the engine prior to application termination. (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[29354](https://github.com/flutter/engine/pull/29354) [iOS] Fixes press key message leaks (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[29361](https://github.com/flutter/engine/pull/29361) [iOS] Make sure spawnee's isGpuDisabled is set correctly when FlutterEngine spawn (platform-ios, cla: yes)
[29402](https://github.com/flutter/engine/pull/29402) WeakPtrFactory should be destroyed before any other members. (platform-ios, cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29456](https://github.com/flutter/engine/pull/29456) Fix invalid access of weakly owned ptr in iOS a11y bridge (platform-ios, cla: yes, waiting for tree to go green)
[29464](https://github.com/flutter/engine/pull/29464) [iOS text input] do not forward press events to the engine (platform-ios, cla: yes, waiting for tree to go green)
[29520](https://github.com/flutter/engine/pull/29520) Enable Skia's Vulkan backend on all non-mobile platforms, and test SwiftShader Vulkan on all GL unittests platforms (platform-ios, platform-android, cla: yes, embedder)
[29531](https://github.com/flutter/engine/pull/29531) [ios_platform_view, a11y] Make `FlutterPlatformViewSemanticsContainer` a SemanticsObject. (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[29566](https://github.com/flutter/engine/pull/29566) Hide a11y elements when resigning active (platform-ios, cla: yes)
[29623](https://github.com/flutter/engine/pull/29623) Fix iOS embedder memory management and other analyzer warnings (platform-ios, cla: yes, waiting for tree to go green)
[29638](https://github.com/flutter/engine/pull/29638) [Embedder] Send key data through message channel (platform-ios, cla: yes, platform-web, platform-fuchsia, embedder)
[29665](https://github.com/flutter/engine/pull/29665) iOS Background Platform Channels (platform-ios, cla: yes, waiting for tree to go green, platform-macos)
[29723](https://github.com/flutter/engine/pull/29723) Fix 'google-readability-braces-around-statements' analyzer warning in macOS and iOS (platform-ios, cla: yes, platform-macos)
[29725](https://github.com/flutter/engine/pull/29725) Cherrypick of PR flutter/engine/pull/29531 (platform-ios, cla: yes)
[29727](https://github.com/flutter/engine/pull/29727) Use eglPresentationTimeANDROID to avoid bogging down the GPU (platform-ios, platform-android, cla: yes, embedder)
[29755](https://github.com/flutter/engine/pull/29755) Treat clang-analyzer-osx warnings as errors (platform-ios, cla: yes, waiting for tree to go green, platform-macos)
[29764](https://github.com/flutter/engine/pull/29764) Fix "google-objc-*" clang analyzer warning in macOS and iOS (platform-ios, cla: yes, waiting for tree to go green, platform-macos)
[29771](https://github.com/flutter/engine/pull/29771) Fixes the accessibilityContainer of FlutterScrollableSemanticsObject (platform-ios, cla: yes, waiting for tree to go green)
[29775](https://github.com/flutter/engine/pull/29775) Opacity peephole optimization (platform-ios, platform-android, cla: yes, waiting for tree to go green, needs tests, embedder)
[29795](https://github.com/flutter/engine/pull/29795) [Embedder] Send key data through message channel (platform-ios, cla: yes, platform-fuchsia, embedder)
[29800](https://github.com/flutter/engine/pull/29800) Listen for display refresh changes and report them correctly (platform-ios, platform-android, cla: yes, waiting for tree to go green, embedder)
[29827](https://github.com/flutter/engine/pull/29827) Add 'explicit' to darwin embedder constructors (platform-ios, cla: yes, waiting for tree to go green, platform-macos, needs tests)
[29828](https://github.com/flutter/engine/pull/29828) Fix darwin namespace-comments and brace lint issues (platform-ios, cla: yes, waiting for tree to go green, platform-macos)
[29862](https://github.com/flutter/engine/pull/29862) [iOS] Fix:Keyboard inset is not correct when presenting a native ViewController on FlutterViewController (platform-ios, cla: yes)
[29898](https://github.com/flutter/engine/pull/29898) Cherrypick #29783 and #29862 to flutter-2.8-candidate.7 (platform-ios, cla: yes)
[29930](https://github.com/flutter/engine/pull/29930) [ios platform view] fix overlay zPosition (platform-ios, cla: yes, waiting for tree to go green)
[29996](https://github.com/flutter/engine/pull/29996) Removed the email warning about notifications entitlement (platform-ios, cla: yes)
[30037](https://github.com/flutter/engine/pull/30037) [flutter_releases] Flutter beta 2.8.0-3.3.pre Engine Cherrypicks (platform-ios, cla: yes)
[30090](https://github.com/flutter/engine/pull/30090) Update IosUnitTests to use iPhone 11 simulator (platform-ios, cla: yes, waiting for tree to go green)
[30162](https://github.com/flutter/engine/pull/30162) Cherrypick #29862 for b/208763970 (platform-ios, cla: yes)
[30184](https://github.com/flutter/engine/pull/30184) Fix wrong context when use platfromview (platform-ios, waiting for tree to go green, needs tests)
[30234](https://github.com/flutter/engine/pull/30234) Use ToT of release branch if the commit is from release branch. (platform-ios, platform-android, waiting for tree to go green, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, embedder)
[30289](https://github.com/flutter/engine/pull/30289) Revert "iOS Background Platform Channels" (platform-ios, platform-macos)
[30310](https://github.com/flutter/engine/pull/30310) Revert "Fix eglPresentationTimeANDROID is no effective" (platform-ios, platform-android, needs tests, embedder)
[30321](https://github.com/flutter/engine/pull/30321) Add logging to scrollable semantics test (platform-ios, waiting for tree to go green)
[30330](https://github.com/flutter/engine/pull/30330) Revert "Removed the email warning about notifications entitlement" (platform-ios, waiting for tree to go green)
#### platform-web - 40 pull request(s)
[27351](https://github.com/flutter/engine/pull/27351) Add eol at end of .dart files (cla: yes, platform-web, needs tests)
[29096](https://github.com/flutter/engine/pull/29096) Make FlutterEngineGroup support dart entrypoint args (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web)
[29139](https://github.com/flutter/engine/pull/29139) [web] Start support for Skia Gold (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29371](https://github.com/flutter/engine/pull/29371) Prepare scripts for the master to main migration. (cla: yes, platform-web, needs tests)
[29419](https://github.com/flutter/engine/pull/29419) [web] feature-detect and use ImageDecoder for all image decoding (cla: yes, platform-web)
[29447](https://github.com/flutter/engine/pull/29447) Reland Display Features support (Foldable and Cutout) (platform-android, cla: yes, platform-web, platform-fuchsia)
[29448](https://github.com/flutter/engine/pull/29448) [Web] Fix BMP encoder (cla: yes, platform-web, needs tests)
[29461](https://github.com/flutter/engine/pull/29461) Use HTTPS git protocol to download web_installers (cla: yes, platform-web)
[29481](https://github.com/flutter/engine/pull/29481) [web] use typed SVG API (cla: yes, platform-web)
[29513](https://github.com/flutter/engine/pull/29513) FragmentProgram constructed asynchronously (affects: engine, cla: yes, waiting for tree to go green, platform-web)
[29574](https://github.com/flutter/engine/pull/29574) Revert "Reland Display Features support (Foldable and Cutout)" (platform-android, cla: yes, platform-web, platform-fuchsia)
[29580](https://github.com/flutter/engine/pull/29580) Revert "[Web] Fix BMP encoder" (cla: yes, platform-web)
[29585](https://github.com/flutter/engine/pull/29585) Reland 3: Display Features support (platform-android, cla: yes, platform-web, platform-fuchsia)
[29593](https://github.com/flutter/engine/pull/29593) [Web] Reland: Fix BMP encoder (cla: yes, platform-web)
[29597](https://github.com/flutter/engine/pull/29597) Add a samplerUniforms field for FragmentProgram (affects: engine, cla: yes, waiting for tree to go green, platform-web)
[29622](https://github.com/flutter/engine/pull/29622) [web] Fix warning about the non-nullable flag (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29638](https://github.com/flutter/engine/pull/29638) [Embedder] Send key data through message channel (platform-ios, cla: yes, platform-web, platform-fuchsia, embedder)
[29666](https://github.com/flutter/engine/pull/29666) [web] move all build artifacts under web_ui/build (cla: yes, platform-web)
[29680](https://github.com/flutter/engine/pull/29680) Use a prebuilt Dart SDK during Fuchsia builds (cla: yes, platform-web)
[29772](https://github.com/flutter/engine/pull/29772) Roll to CanvasKit 0.31.0 (cla: yes, platform-web, needs tests)
[29792](https://github.com/flutter/engine/pull/29792) [web] Fail if Skia Gold is required but unavailable (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29801](https://github.com/flutter/engine/pull/29801) [web] move browser installation to BrowserEnvironment.prepare (cla: yes, platform-web, needs tests)
[29847](https://github.com/flutter/engine/pull/29847) [web] Use fuzzy matching in Gold (cla: yes, platform-web, needs tests)
[29888](https://github.com/flutter/engine/pull/29888) [web] Fixing text foreground paint / stroke for HTML web-renderer (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29896](https://github.com/flutter/engine/pull/29896) [web] merge the README files into one (cla: yes, platform-web)
[29934](https://github.com/flutter/engine/pull/29934) [web] clean-up dom_renderer.dart (cla: yes, platform-web)
[29962](https://github.com/flutter/engine/pull/29962) Add a comment in Image.toByteData to limit more encoders (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29994](https://github.com/flutter/engine/pull/29994) [web] DomRenderer becomes FlutterViewEmbedder (cla: yes, platform-web)
[30003](https://github.com/flutter/engine/pull/30003) Non painting platform views (cla: yes, Work in progress (WIP), platform-web)
[30007](https://github.com/flutter/engine/pull/30007) [web] consolidate JS interop code (cla: yes, platform-web)
[30035](https://github.com/flutter/engine/pull/30035) Roll web_installers simulators package (cla: yes, waiting for tree to go green, platform-web)
[30038](https://github.com/flutter/engine/pull/30038) Fix sceneElement analysis error (cla: yes, platform-web)
[30134](https://github.com/flutter/engine/pull/30134) Update general_golden_test.dart (cla: yes, waiting for tree to go green, platform-web)
[30137](https://github.com/flutter/engine/pull/30137) Revert "[web] consolidate JS interop code" (cla: yes, waiting for tree to go green, platform-web)
[30161](https://github.com/flutter/engine/pull/30161) [web] consolidate JS interop code (attempt 2) (cla: yes, platform-web)
[30224](https://github.com/flutter/engine/pull/30224) [web] expire ImageDecoder after inactivity; implement toByteData (platform-web)
[30234](https://github.com/flutter/engine/pull/30234) Use ToT of release branch if the commit is from release branch. (platform-ios, platform-android, waiting for tree to go green, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, embedder)
[30274](https://github.com/flutter/engine/pull/30274) [canvaskit] Only dispose views to release overlays as long as there are overlays available (platform-web)
[30324](https://github.com/flutter/engine/pull/30324) [web] make new image decoder opt-in via experimental flag (platform-web, needs tests)
[30382](https://github.com/flutter/engine/pull/30382) Add missing return to nullably-typed functions (platform-web, needs tests)
#### platform-fuchsia - 27 pull request(s)
[28801](https://github.com/flutter/engine/pull/28801) Enable partial repaint for iOS/Metal (platform-ios, platform-android, cla: yes, platform-fuchsia, embedder)
[29397](https://github.com/flutter/engine/pull/29397) [fuchsia] Add more logging for error cases. (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29402](https://github.com/flutter/engine/pull/29402) WeakPtrFactory should be destroyed before any other members. (platform-ios, cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29447](https://github.com/flutter/engine/pull/29447) Reland Display Features support (Foldable and Cutout) (platform-android, cla: yes, platform-web, platform-fuchsia)
[29509](https://github.com/flutter/engine/pull/29509) [fuchsia] Remove mentions of `fuchsia.deprecatedtimezone`. (cla: yes, platform-fuchsia, needs tests)
[29542](https://github.com/flutter/engine/pull/29542) [fuchsia][flatland] route ViewRefs properly for Focus (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29565](https://github.com/flutter/engine/pull/29565) fuchsia: Enable integration tests in CQ (affects: tests, cla: yes, platform-fuchsia)
[29574](https://github.com/flutter/engine/pull/29574) Revert "Reland Display Features support (Foldable and Cutout)" (platform-android, cla: yes, platform-web, platform-fuchsia)
[29585](https://github.com/flutter/engine/pull/29585) Reland 3: Display Features support (platform-android, cla: yes, platform-web, platform-fuchsia)
[29632](https://github.com/flutter/engine/pull/29632) [fuchsia] Move TODOs for Dart v2 to specific bugs. (cla: yes, platform-fuchsia, needs tests)
[29634](https://github.com/flutter/engine/pull/29634) [fuchsia] Point TODOs off closed bug. (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29638](https://github.com/flutter/engine/pull/29638) [Embedder] Send key data through message channel (platform-ios, cla: yes, platform-web, platform-fuchsia, embedder)
[29657](https://github.com/flutter/engine/pull/29657) fuchsia: Add a SoftwareSurfaceProducer for debug (cla: yes, platform-fuchsia)
[29789](https://github.com/flutter/engine/pull/29789) Revert "[fuchsia][flatland] route ViewRefs properly for Focus" (cla: yes, platform-fuchsia, needs tests)
[29793](https://github.com/flutter/engine/pull/29793) Revert 29789 revert 29542 freiling view ref (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29795](https://github.com/flutter/engine/pull/29795) [Embedder] Send key data through message channel (platform-ios, cla: yes, platform-fuchsia, embedder)
[29815](https://github.com/flutter/engine/pull/29815) [fuchsia] Fixes the HID usage handling (cla: yes, waiting for tree to go green, platform-fuchsia)
[29831](https://github.com/flutter/engine/pull/29831) Remove the dart entry point args from the Settings struct (cla: yes, waiting for tree to go green, platform-fuchsia, embedder)
[29844](https://github.com/flutter/engine/pull/29844) fuchsia: Fix Flatland opacity (cla: yes, platform-fuchsia)
[29867](https://github.com/flutter/engine/pull/29867) [fuchsia] Don't use sys.Environment in V2. (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29995](https://github.com/flutter/engine/pull/29995) [fuchsia] Fix unset key and present key meaning (cla: yes, waiting for tree to go green, platform-fuchsia)
[29999](https://github.com/flutter/engine/pull/29999) [fuchsia][flatland] Tests for FlatlandPlatformView (cla: yes, waiting for tree to go green, platform-fuchsia)
[30041](https://github.com/flutter/engine/pull/30041) [fuchsia] Change Touch priority to YES (cla: yes, platform-fuchsia)
[30079](https://github.com/flutter/engine/pull/30079) VSyncWaiter on Fuchsia will defer firing until frame start time (#29287) (cla: yes, platform-fuchsia)
[30234](https://github.com/flutter/engine/pull/30234) Use ToT of release branch if the commit is from release branch. (platform-ios, platform-android, waiting for tree to go green, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, embedder)
[30244](https://github.com/flutter/engine/pull/30244) [fuchsia] Use network-legacy-deprecated pkg in embedder test (waiting for tree to go green, platform-fuchsia, needs tests)
[30250](https://github.com/flutter/engine/pull/30250) VSyncWaiter on Fuchsia will defer firing until frame start time (#29287) (platform-fuchsia)
#### platform-windows - 24 pull request(s)
[28067](https://github.com/flutter/engine/pull/28067) winuwp: Add multi-touch support (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[29484](https://github.com/flutter/engine/pull/29484) Fix TaskRunnerTest.MaybeExecuteTaskOnlyExpired flake (affects: tests, cla: yes, platform-windows)
[29533](https://github.com/flutter/engine/pull/29533) Remove D3D9 fallback path (cla: yes, platform-windows, needs tests)
[29620](https://github.com/flutter/engine/pull/29620) Check for both compose string and result string. (cla: yes, platform-windows, needs tests)
[29736](https://github.com/flutter/engine/pull/29736) Use Fuchsia's Windows Clang SDK (cla: yes, platform-windows)
[29761](https://github.com/flutter/engine/pull/29761) Fix Kanji switch in Japanese IME on Windows (cla: yes, waiting for tree to go green, platform-windows)
[29829](https://github.com/flutter/engine/pull/29829) Win32 a11y bridge and platform node delegates (cla: yes, Work in progress (WIP), platform-windows)
[29976](https://github.com/flutter/engine/pull/29976) [Win32] Use mock macro for UpdateSemanticsEnabled (cla: yes, platform-windows)
[29993](https://github.com/flutter/engine/pull/29993) Win32: add test of native a11y tree nodes (cla: yes, platform-windows)
[30004](https://github.com/flutter/engine/pull/30004) [Win32, keyboard] Fix dead key events that don't have the dead key mask (cla: yes, platform-windows)
[30086](https://github.com/flutter/engine/pull/30086) [Windows keyboard] Remove redundant parameter FlutterWindowsView (affects: text input, cla: yes, waiting for tree to go green, platform-windows)
[30149](https://github.com/flutter/engine/pull/30149) Use MallocMapping for DispatchSemanticsAction data (cla: yes, accessibility, platform-windows)
[30176](https://github.com/flutter/engine/pull/30176) Win32: Handle OnAccessibilityEvent (platform-windows)
[30187](https://github.com/flutter/engine/pull/30187) Win32: Implement DispatchAccessibilityAction (platform-windows)
[30204](https://github.com/flutter/engine/pull/30204) Implement GetUniqueId on Windows node delegates (platform-windows)
[30234](https://github.com/flutter/engine/pull/30234) Use ToT of release branch if the commit is from release branch. (platform-ios, platform-android, waiting for tree to go green, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, embedder)
[30256](https://github.com/flutter/engine/pull/30256) Call IAccessible::accFocus to move a11y focus (platform-windows)
[30258](https://github.com/flutter/engine/pull/30258) Simplify win32 platform node delegate GetParent (platform-windows)
[30261](https://github.com/flutter/engine/pull/30261) Override FlutterPlatformNodeDelegate::GetUniqueId (platform-windows)
[30267](https://github.com/flutter/engine/pull/30267) Revert "Accessibility number formatting improvements for Windows (#29773)" (waiting for tree to go green, platform-windows)
[30296](https://github.com/flutter/engine/pull/30296) [Win32, Keyboard] Abstract KeyboardManager from FlutterWindowWin32 (affects: text input, waiting for tree to go green, platform-windows)
[30297](https://github.com/flutter/engine/pull/30297) Support toggle buttons for desktop accessibility (waiting for tree to go green, platform-windows)
[30366](https://github.com/flutter/engine/pull/30366) Windows: Implement IAccessible hit testing (platform-windows)
[30385](https://github.com/flutter/engine/pull/30385) Fix incorrect test names (waiting for tree to go green, platform-windows)
#### embedder - 20 pull request(s)
[28801](https://github.com/flutter/engine/pull/28801) Enable partial repaint for iOS/Metal (platform-ios, platform-android, cla: yes, platform-fuchsia, embedder)
[29367](https://github.com/flutter/engine/pull/29367) Re-enable A11yTreeIsConsistent with higher timeout (cla: yes, waiting for tree to go green, embedder)
[29488](https://github.com/flutter/engine/pull/29488) Ensure vsync callback completes before resetting the engine. (cla: yes, waiting for tree to go green, embedder)
[29508](https://github.com/flutter/engine/pull/29508) Embedder VsyncWaiter must schedule a frame for the right time (#29408) (cla: yes, embedder)
[29520](https://github.com/flutter/engine/pull/29520) Enable Skia's Vulkan backend on all non-mobile platforms, and test SwiftShader Vulkan on all GL unittests platforms (platform-ios, platform-android, cla: yes, embedder)
[29524](https://github.com/flutter/engine/pull/29524) Fix FlutterPresentInfo struct_size doc string (cla: yes, waiting for tree to go green, embedder)
[29621](https://github.com/flutter/engine/pull/29621) Fix UB in semantics updates (cla: yes, needs tests, embedder)
[29638](https://github.com/flutter/engine/pull/29638) [Embedder] Send key data through message channel (platform-ios, cla: yes, platform-web, platform-fuchsia, embedder)
[29727](https://github.com/flutter/engine/pull/29727) Use eglPresentationTimeANDROID to avoid bogging down the GPU (platform-ios, platform-android, cla: yes, embedder)
[29734](https://github.com/flutter/engine/pull/29734) Fix some clang-tidy lints for Linux host_debug (platform-android, cla: yes, waiting for tree to go green, platform-linux, embedder)
[29741](https://github.com/flutter/engine/pull/29741) Add 'explicit' to header files (platform-android, cla: yes, needs tests, embedder)
[29775](https://github.com/flutter/engine/pull/29775) Opacity peephole optimization (platform-ios, platform-android, cla: yes, waiting for tree to go green, needs tests, embedder)
[29795](https://github.com/flutter/engine/pull/29795) [Embedder] Send key data through message channel (platform-ios, cla: yes, platform-fuchsia, embedder)
[29800](https://github.com/flutter/engine/pull/29800) Listen for display refresh changes and report them correctly (platform-ios, platform-android, cla: yes, waiting for tree to go green, embedder)
[29831](https://github.com/flutter/engine/pull/29831) Remove the dart entry point args from the Settings struct (cla: yes, waiting for tree to go green, platform-fuchsia, embedder)
[29854](https://github.com/flutter/engine/pull/29854) [Embedder Keyboard] Fix synthesized events causing crash (crash, affects: text input, bug (regression), cla: yes, waiting for tree to go green, embedder)
[30029](https://github.com/flutter/engine/pull/30029) Migrate sk_cf_obj to sk_cfp (cla: yes, waiting for tree to go green, needs tests, embedder)
[30234](https://github.com/flutter/engine/pull/30234) Use ToT of release branch if the commit is from release branch. (platform-ios, platform-android, waiting for tree to go green, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, embedder)
[30310](https://github.com/flutter/engine/pull/30310) Revert "Fix eglPresentationTimeANDROID is no effective" (platform-ios, platform-android, needs tests, embedder)
[30442](https://github.com/flutter/engine/pull/30442) Make sure the GLFW example compiles. (waiting for tree to go green, needs tests, embedder)
#### platform-macos - 12 pull request(s)
[29036](https://github.com/flutter/engine/pull/29036) TextEditingDelta Mac (platform-ios, affects: text input, cla: yes, platform-macos)
[29502](https://github.com/flutter/engine/pull/29502) [macOS] Fixes Crash of cxx destruction when App will terminate (cla: yes, waiting for tree to go green, platform-macos, needs tests)
[29665](https://github.com/flutter/engine/pull/29665) iOS Background Platform Channels (platform-ios, cla: yes, waiting for tree to go green, platform-macos)
[29723](https://github.com/flutter/engine/pull/29723) Fix 'google-readability-braces-around-statements' analyzer warning in macOS and iOS (platform-ios, cla: yes, platform-macos)
[29755](https://github.com/flutter/engine/pull/29755) Treat clang-analyzer-osx warnings as errors (platform-ios, cla: yes, waiting for tree to go green, platform-macos)
[29764](https://github.com/flutter/engine/pull/29764) Fix "google-objc-*" clang analyzer warning in macOS and iOS (platform-ios, cla: yes, waiting for tree to go green, platform-macos)
[29827](https://github.com/flutter/engine/pull/29827) Add 'explicit' to darwin embedder constructors (platform-ios, cla: yes, waiting for tree to go green, platform-macos, needs tests)
[29828](https://github.com/flutter/engine/pull/29828) Fix darwin namespace-comments and brace lint issues (platform-ios, cla: yes, waiting for tree to go green, platform-macos)
[29856](https://github.com/flutter/engine/pull/29856) Extract AccessibilityBridge::kRootNodeId (cla: yes, platform-macos, needs tests)
[30005](https://github.com/flutter/engine/pull/30005) [macOS] MacOS Keyboard properly handles multi-char characters (cla: yes, platform-macos)
[30234](https://github.com/flutter/engine/pull/30234) Use ToT of release branch if the commit is from release branch. (platform-ios, platform-android, waiting for tree to go green, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, embedder)
[30289](https://github.com/flutter/engine/pull/30289) Revert "iOS Background Platform Channels" (platform-ios, platform-macos)
#### platform-linux - 8 pull request(s)
[29176](https://github.com/flutter/engine/pull/29176) Update functions to be consistent with other code. (cla: yes, platform-linux, needs tests)
[29178](https://github.com/flutter/engine/pull/29178) Acquire context reference at the correct time for FlGlArea. (cla: yes, waiting for tree to go green, platform-linux, needs tests)
[29550](https://github.com/flutter/engine/pull/29550) [Linux keyboard] Fix logical keys of up events are not regularized (affects: text input, cla: yes, affects: desktop, platform-linux)
[29734](https://github.com/flutter/engine/pull/29734) Fix some clang-tidy lints for Linux host_debug (platform-android, cla: yes, waiting for tree to go green, platform-linux, embedder)
[29768](https://github.com/flutter/engine/pull/29768) [Linux, Keyboard] Fix synthesization upon different logical keys (affects: text input, cla: yes, platform-linux)
[29776](https://github.com/flutter/engine/pull/29776) Add script to upload unified Android SDK CIPD archives and switch DEPS to use it. (cla: yes, waiting for tree to go green, platform-linux, needs tests)
[29791](https://github.com/flutter/engine/pull/29791) Acquire context reference at the correct time for FlGlArea. (cla: yes, waiting for tree to go green, platform-linux, needs tests)
[30234](https://github.com/flutter/engine/pull/30234) Use ToT of release branch if the commit is from release branch. (platform-ios, platform-android, waiting for tree to go green, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, embedder)
#### affects: text input - 6 pull request(s)
[29036](https://github.com/flutter/engine/pull/29036) TextEditingDelta Mac (platform-ios, affects: text input, cla: yes, platform-macos)
[29550](https://github.com/flutter/engine/pull/29550) [Linux keyboard] Fix logical keys of up events are not regularized (affects: text input, cla: yes, affects: desktop, platform-linux)
[29768](https://github.com/flutter/engine/pull/29768) [Linux, Keyboard] Fix synthesization upon different logical keys (affects: text input, cla: yes, platform-linux)
[29854](https://github.com/flutter/engine/pull/29854) [Embedder Keyboard] Fix synthesized events causing crash (crash, affects: text input, bug (regression), cla: yes, waiting for tree to go green, embedder)
[30086](https://github.com/flutter/engine/pull/30086) [Windows keyboard] Remove redundant parameter FlutterWindowsView (affects: text input, cla: yes, waiting for tree to go green, platform-windows)
[30296](https://github.com/flutter/engine/pull/30296) [Win32, Keyboard] Abstract KeyboardManager from FlutterWindowWin32 (affects: text input, waiting for tree to go green, platform-windows)
#### Work in progress (WIP) - 2 pull request(s)
[29829](https://github.com/flutter/engine/pull/29829) Win32 a11y bridge and platform node delegates (cla: yes, Work in progress (WIP), platform-windows)
[30003](https://github.com/flutter/engine/pull/30003) Non painting platform views (cla: yes, Work in progress (WIP), platform-web)
#### affects: engine - 2 pull request(s)
[29513](https://github.com/flutter/engine/pull/29513) FragmentProgram constructed asynchronously (affects: engine, cla: yes, waiting for tree to go green, platform-web)
[29597](https://github.com/flutter/engine/pull/29597) Add a samplerUniforms field for FragmentProgram (affects: engine, cla: yes, waiting for tree to go green, platform-web)
#### affects: tests - 2 pull request(s)
[29484](https://github.com/flutter/engine/pull/29484) Fix TaskRunnerTest.MaybeExecuteTaskOnlyExpired flake (affects: tests, cla: yes, platform-windows)
[29565](https://github.com/flutter/engine/pull/29565) fuchsia: Enable integration tests in CQ (affects: tests, cla: yes, platform-fuchsia)
#### warning: land on red to fix tree breakage - 2 pull request(s)
[29763](https://github.com/flutter/engine/pull/29763) Roll Dart SDK from 23dd69705479 to 46934d8475ff (1 revision) (cla: yes, waiting for tree to go green, warning: land on red to fix tree breakage)
[29820](https://github.com/flutter/engine/pull/29820) [ci.yaml] Update engine enabled branches (cla: yes, waiting for tree to go green, warning: land on red to fix tree breakage)
#### accessibility - 1 pull request(s)
[30149](https://github.com/flutter/engine/pull/30149) Use MallocMapping for DispatchSemanticsAction data (cla: yes, accessibility, platform-windows)
#### affects: desktop - 1 pull request(s)
[29550](https://github.com/flutter/engine/pull/29550) [Linux keyboard] Fix logical keys of up events are not regularized (affects: text input, cla: yes, affects: desktop, platform-linux)
#### bug (regression) - 1 pull request(s)
[29854](https://github.com/flutter/engine/pull/29854) [Embedder Keyboard] Fix synthesized events causing crash (crash, affects: text input, bug (regression), cla: yes, waiting for tree to go green, embedder)
#### crash - 1 pull request(s)
[29854](https://github.com/flutter/engine/pull/29854) [Embedder Keyboard] Fix synthesized events causing crash (crash, affects: text input, bug (regression), cla: yes, waiting for tree to go green, embedder)
#### waiting for customer response - 1 pull request(s)
[24224](https://github.com/flutter/engine/pull/24224) Support Scribble Handwriting (platform-ios, waiting for customer response, cla: yes)
## Merged PRs by labels for `flutter/plugins`
#### cla: yes - 104 pull request(s)
[2758](https://github.com/flutter/plugins/pull/2758) [video_player] Update texture on seekTo (cla: yes, p: video_player, platform-ios, last mile)
[3077](https://github.com/flutter/plugins/pull/3077) [path_provider] Use the application ID in the application support path (#2845) (cla: yes, waiting for tree to go green, p: path_provider, platform-linux, last mile)
[3325](https://github.com/flutter/plugins/pull/3325) [webview_flutter]Add zoom to android webview (cla: yes, waiting for tree to go green, p: webview_flutter, last mile, customer: marketplace)
[3407](https://github.com/flutter/plugins/pull/3407) [video_player]: initial test coverage file() constructor api (cla: yes, waiting for tree to go green, p: video_player, last mile)
[3431](https://github.com/flutter/plugins/pull/3431) [webview_flutter] Add an option to set the background color of the webview (cla: yes, waiting for tree to go green, p: webview_flutter)
[4094](https://github.com/flutter/plugins/pull/4094) [in_app_purchase]Iap/ios add cancel status (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4095](https://github.com/flutter/plugins/pull/4095) [in_app_purchase]IAP/android add cancel status (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4097](https://github.com/flutter/plugins/pull/4097) [in_app_purchase]Update the version number and CHANGELOG (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4212](https://github.com/flutter/plugins/pull/4212) Fix NullPointerException (cla: yes, p: webview_flutter, platform-android)
[4403](https://github.com/flutter/plugins/pull/4403) [webview_flutter] Deprecate evaluateJavascript in favour of runJavaScript and runJavaScriptForResult. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4409](https://github.com/flutter/plugins/pull/4409) [google_maps_flutter][android] suppress unchecked cast warning (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-android, last mile)
[4411](https://github.com/flutter/plugins/pull/4411) [shared_preferences] Fix example in readme for mocking values (cla: yes, waiting for tree to go green, p: shared_preferences, last mile)
[4446](https://github.com/flutter/plugins/pull/4446) [webview_flutter] Add interface methods to load local files and HTML strings. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4449](https://github.com/flutter/plugins/pull/4449) [local_auth] Fix activity leak in LocalAuthPlugin (cla: yes, waiting for tree to go green, p: local_auth, platform-android, last mile)
[4450](https://github.com/flutter/plugins/pull/4450) [webview_flutter] Add platform interface method `loadRequest`. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4458](https://github.com/flutter/plugins/pull/4458) [in_app_purchase] Add support for promotional offers through Store-Kit wrappers (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4459](https://github.com/flutter/plugins/pull/4459) [webview_flutter_android] Fix bugs in Java Implementation of the Pigeon API (cla: yes, p: webview_flutter, platform-android)
[4460](https://github.com/flutter/plugins/pull/4460) [webview_flutter] Fix Flaky Resize Test (cla: yes, p: webview_flutter, platform-android)
[4461](https://github.com/flutter/plugins/pull/4461) Fix bugs in Dart Implementation of the Pigeon API (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4465](https://github.com/flutter/plugins/pull/4465) [path_provider] Federate mobile implementations (cla: yes, p: path_provider, platform-ios, platform-android)
[4466](https://github.com/flutter/plugins/pull/4466) Remove -Werror from deprecated plugin Android builds (cla: yes, p: android_alarm_manager, p: android_intent, p: connectivity, platform-android)
[4467](https://github.com/flutter/plugins/pull/4467) update build_runner dependencies in android_intent and file_selector example (cla: yes, p: android_intent, p: file_selector, platform-web)
[4468](https://github.com/flutter/plugins/pull/4468) [ci] Remove unused dep from file_selector. (cla: yes, waiting for tree to go green, p: file_selector, platform-web)
[4471](https://github.com/flutter/plugins/pull/4471) [in_app_purchase] add pedantic as a dependency to in_app_purchase plugins (cla: yes, p: in_app_purchase, platform-ios, platform-android)
[4473](https://github.com/flutter/plugins/pull/4473) [ci] Add 'main' builders in bringup mode (cla: yes)
[4474](https://github.com/flutter/plugins/pull/4474) [flutter_plugin_tools] Add 'main' support (cla: yes, waiting for tree to go green)
[4475](https://github.com/flutter/plugins/pull/4475) Remove "pluginClass: none" from pubspecs (cla: yes, p: path_provider, p: shared_preferences, platform-windows, platform-linux)
[4477](https://github.com/flutter/plugins/pull/4477) Add mirroring of master to main branch. (cla: yes)
[4478](https://github.com/flutter/plugins/pull/4478) Adjust pull request template (cla: yes, waiting for tree to go green)
[4480](https://github.com/flutter/plugins/pull/4480) [webview_flutter] Implement loadRequest in iOS package. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[4481](https://github.com/flutter/plugins/pull/4481) [webview_flutter] Update webview_flutter documentation (cla: yes, waiting for tree to go green, p: webview_flutter)
[4486](https://github.com/flutter/plugins/pull/4486) [webview_flutter] Implementations of `loadFile` and `loadHtmlString` for WKWebView (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[4487](https://github.com/flutter/plugins/pull/4487) Disable camera/quick_actions tests temporarily (cla: yes, needs tests)
[4488](https://github.com/flutter/plugins/pull/4488) [video_player] Don't restart when scrubbing to end (cla: yes, waiting for tree to go green, p: video_player)
[4489](https://github.com/flutter/plugins/pull/4489) [webview_flutter] Update Widget Unit Tests to be platform agnostic (cla: yes, p: webview_flutter)
[4490](https://github.com/flutter/plugins/pull/4490) [google_maps_flutter] Disable XCUITest (cla: yes, p: google_maps_flutter, platform-ios)
[4492](https://github.com/flutter/plugins/pull/4492) [flutter_plugin_tools] Build gtest unit tests (cla: yes, waiting for tree to go green, p: url_launcher, platform-windows, platform-linux)
[4493](https://github.com/flutter/plugins/pull/4493) [ci] Increase Android and Web sharding (cla: yes)
[4494](https://github.com/flutter/plugins/pull/4494) [package_info] Bump SDK version of example app (cla: yes, waiting for tree to go green, p: package_info, platform-android, needs tests)
[4496](https://github.com/flutter/plugins/pull/4496) [google_maps_flutter] Add new XCUITests that do not require permissions. (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-ios)
[4497](https://github.com/flutter/plugins/pull/4497) [path_provider] Publish fully federated version (cla: yes, p: path_provider)
[4500](https://github.com/flutter/plugins/pull/4500) [flutter_plugin_tools] Add optional timing info (cla: yes)
[4501](https://github.com/flutter/plugins/pull/4501) [image_picker] Fix iOS RunnerUITests search paths (cla: yes, p: image_picker, platform-ios, needs tests)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4503](https://github.com/flutter/plugins/pull/4503) [webview_flutter_android] Implementation of Android WebView widget using pigeon (cla: yes, p: webview_flutter, platform-android)
[4504](https://github.com/flutter/plugins/pull/4504) [path_provider] Fix links in READMEs (cla: yes, waiting for tree to go green, p: path_provider, platform-ios, platform-android, platform-macos, platform-linux)
[4505](https://github.com/flutter/plugins/pull/4505) [shared_preferences] Federate mobile implementations (cla: yes, p: shared_preferences, platform-ios, platform-android)
[4506](https://github.com/flutter/plugins/pull/4506) Enable camera/quick_actions tests (cla: yes, waiting for tree to go green)
[4507](https://github.com/flutter/plugins/pull/4507) [url_launcher] Add null check for extracting browser headers (cla: yes, waiting for tree to go green, p: url_launcher, platform-android)
[4508](https://github.com/flutter/plugins/pull/4508) [battery] Recreate Android example (cla: yes, p: battery, platform-android, needs tests)
[4509](https://github.com/flutter/plugins/pull/4509) [webview_flutter] Add onUrlChanged callback to platform interface. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4512](https://github.com/flutter/plugins/pull/4512) Add link to CHANGELOG style in PR template (cla: yes, waiting for tree to go green)
[4513](https://github.com/flutter/plugins/pull/4513) [camera] Fix version and CHANGELOG (cla: yes, p: camera)
[4514](https://github.com/flutter/plugins/pull/4514) Enable Android integration tests in remaining plugins (cla: yes, waiting for tree to go green, p: camera, p: in_app_purchase, p: url_launcher, p: video_player, p: shared_preferences, platform-android)
[4515](https://github.com/flutter/plugins/pull/4515) [url_launcher] Federate mobile implementations (cla: yes, p: url_launcher, platform-ios, platform-android)
[4517](https://github.com/flutter/plugins/pull/4517) [in_app_purchase] Fix CHANGELOG for 0.2.0. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4518](https://github.com/flutter/plugins/pull/4518) [in_app_purchase] Rename iOS implementation to _storekit (cla: yes, p: in_app_purchase, platform-ios)
[4521](https://github.com/flutter/plugins/pull/4521) Revert "[ci] Add 'main' builders in bringup mode" (cla: yes, waiting for tree to go green)
[4523](https://github.com/flutter/plugins/pull/4523) [in_app_purchase] Emit empty list when no transactions to restore. (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4524](https://github.com/flutter/plugins/pull/4524) [webview_flutter] Revert addition of onUrlChanged (cla: yes, p: webview_flutter)
[4525](https://github.com/flutter/plugins/pull/4525) [webview_flutter] Disable flaky test on iOS (cla: yes, p: webview_flutter)
[4526](https://github.com/flutter/plugins/pull/4526) [shared_preferences] Publish fully federated version (cla: yes, p: shared_preferences)
[4527](https://github.com/flutter/plugins/pull/4527) [in_app_purchase] Deprecated the `InAppPurchaseAndroidPlatformAddition.enablePendingPurchases` method. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4528](https://github.com/flutter/plugins/pull/4528) [ci] Update labeler for special cases (cla: yes)
[4529](https://github.com/flutter/plugins/pull/4529) [url_launcher] Improve README and example (cla: yes, p: url_launcher)
[4530](https://github.com/flutter/plugins/pull/4530) [flutter_plugin_tools] Check for missing version and CHANGELOG updates (cla: yes)
[4531](https://github.com/flutter/plugins/pull/4531) [flutter_plugin_tools] Check for FlutterTestRunner in FTL tests (cla: yes)
[4533](https://github.com/flutter/plugins/pull/4533) Update all targetSdkVersions (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: share, p: video_player, p: package_info, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, needs tests)
[4535](https://github.com/flutter/plugins/pull/4535) Update some plugins' targetSdkVersions to 31 (cla: yes, p: path_provider, p: shared_preferences, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4536](https://github.com/flutter/plugins/pull/4536) [url_launcher] Publish fully federated version (cla: yes, p: url_launcher)
[4537](https://github.com/flutter/plugins/pull/4537) [webview_flutter] Adjust getTitle test (cla: yes, p: webview_flutter, platform-ios)
[4539](https://github.com/flutter/plugins/pull/4539) [webview_flutter] Speculative getTitle fix (cla: yes, p: webview_flutter, platform-ios)
[4540](https://github.com/flutter/plugins/pull/4540) [path_provider] Remove platform registration (cla: yes, p: path_provider, needs tests)
[4543](https://github.com/flutter/plugins/pull/4543) [webview_flutter] Added contributing section to the README.md (cla: yes, p: webview_flutter, platform-android)
[4544](https://github.com/flutter/plugins/pull/4544) [webview_flutter] Android implementation of `loadFile` and `loadHtmlString` methods (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4545](https://github.com/flutter/plugins/pull/4545) [webview_flutter] Migrate webview_flutter_wkwebview to analysis_options.yaml (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[4546](https://github.com/flutter/plugins/pull/4546) [ci] Exclude files generated by Pigeon from analysis. (cla: yes, waiting for tree to go green)
[4547](https://github.com/flutter/plugins/pull/4547) [path_provider] Switch macOS to an internal method channel (cla: yes, p: path_provider, platform-macos)
[4548](https://github.com/flutter/plugins/pull/4548) [quick_actions] Migrate to new analysis options (cla: yes, p: quick_actions)
[4549](https://github.com/flutter/plugins/pull/4549) [webview_flutter] Migrate webview_flutter_platform_interface to analysis_options.yaml (cla: yes, waiting for tree to go green, p: webview_flutter)
[4550](https://github.com/flutter/plugins/pull/4550) [webview_flutter] Pre-emptively ignore prefer_const_constructor warning. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4551](https://github.com/flutter/plugins/pull/4551) [url_launcher] Switch to new analysis options (cla: yes, p: url_launcher, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web)
[4552](https://github.com/flutter/plugins/pull/4552) [webview_flutter] Migrate webview_flutter package to analysis_options.yaml (cla: yes, waiting for tree to go green, p: webview_flutter)
[4553](https://github.com/flutter/plugins/pull/4553) [webview_flutter] Clean up prefer_const_constructor ignore statements (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4554](https://github.com/flutter/plugins/pull/4554) [webview_flutter] Updates webview_flutter_platform_interface to version 1.5.2 (cla: yes, p: webview_flutter, platform-ios, needs tests)
[4555](https://github.com/flutter/plugins/pull/4555) [webview_flutter] Add supporting interfaces for setting cookies to platform interface. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4556](https://github.com/flutter/plugins/pull/4556) [webview_flutter] Add iOS implementations for new cookie manager, to allow setting cookies directly and on webview creation. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[4557](https://github.com/flutter/plugins/pull/4557) [webview_flutter] Add Android implementations for new cookie manager, to allow setting cookies directly and on webview creation. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4558](https://github.com/flutter/plugins/pull/4558) [webview_flutter] Expose loadFile and loadHtmlString through app facing package. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4560](https://github.com/flutter/plugins/pull/4560) [in_app_purchase] Fix upgrading subscription by deferred proration mode on android. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4561](https://github.com/flutter/plugins/pull/4561) [webview_flutter] Add setCookie to CookieManager and support initial cookies in creation params. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4562](https://github.com/flutter/plugins/pull/4562) [webview_flutter] Adds the `loadFlutterAsset` method to the interface. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4563](https://github.com/flutter/plugins/pull/4563) [webview_flutter] Implement loadRequest in Android package. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4566](https://github.com/flutter/plugins/pull/4566) [webview_flutter] Revert deprecation of clearCookies (cla: yes, p: webview_flutter, needs tests)
[4567](https://github.com/flutter/plugins/pull/4567) [webview_flutter] Add a backgroundColor option to the webview platform interface (cla: yes, p: webview_flutter)
[4569](https://github.com/flutter/plugins/pull/4569) [webview_flutter] Add a backgroundColor option to the Android webview (cla: yes, p: webview_flutter, platform-android)
[4570](https://github.com/flutter/plugins/pull/4570) [webview_flutter] Add a backgroundColor option to the iOS webview (cla: yes, p: webview_flutter, platform-ios)
[4573](https://github.com/flutter/plugins/pull/4573) [webview_flutter] Add loadRequest functionality to app facing package. (cla: yes, p: webview_flutter)
[4575](https://github.com/flutter/plugins/pull/4575) [flutter_plugin_tools] Add a new 'make-deps-path-based' command (cla: yes)
[4576](https://github.com/flutter/plugins/pull/4576) [webview_flutter] Default Android to hybrid composition (cla: yes, p: webview_flutter)
[4577](https://github.com/flutter/plugins/pull/4577) [flutter_plugin_tools] Improve package targeting (cla: yes)
[4580](https://github.com/flutter/plugins/pull/4580) Remove deprecated plugins (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: image_picker, p: share, p: video_player, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos, platform-web)
[4581](https://github.com/flutter/plugins/pull/4581) [webview_flutter] Android implementation of `loadFlutterAsset` method. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4582](https://github.com/flutter/plugins/pull/4582) [webview_flutter] WKWebView implementation of loadFlutterAsset method. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
#### waiting for tree to go green - 64 pull request(s)
[3077](https://github.com/flutter/plugins/pull/3077) [path_provider] Use the application ID in the application support path (#2845) (cla: yes, waiting for tree to go green, p: path_provider, platform-linux, last mile)
[3325](https://github.com/flutter/plugins/pull/3325) [webview_flutter]Add zoom to android webview (cla: yes, waiting for tree to go green, p: webview_flutter, last mile, customer: marketplace)
[3407](https://github.com/flutter/plugins/pull/3407) [video_player]: initial test coverage file() constructor api (cla: yes, waiting for tree to go green, p: video_player, last mile)
[3431](https://github.com/flutter/plugins/pull/3431) [webview_flutter] Add an option to set the background color of the webview (cla: yes, waiting for tree to go green, p: webview_flutter)
[4094](https://github.com/flutter/plugins/pull/4094) [in_app_purchase]Iap/ios add cancel status (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4095](https://github.com/flutter/plugins/pull/4095) [in_app_purchase]IAP/android add cancel status (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4097](https://github.com/flutter/plugins/pull/4097) [in_app_purchase]Update the version number and CHANGELOG (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4403](https://github.com/flutter/plugins/pull/4403) [webview_flutter] Deprecate evaluateJavascript in favour of runJavaScript and runJavaScriptForResult. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4409](https://github.com/flutter/plugins/pull/4409) [google_maps_flutter][android] suppress unchecked cast warning (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-android, last mile)
[4411](https://github.com/flutter/plugins/pull/4411) [shared_preferences] Fix example in readme for mocking values (cla: yes, waiting for tree to go green, p: shared_preferences, last mile)
[4446](https://github.com/flutter/plugins/pull/4446) [webview_flutter] Add interface methods to load local files and HTML strings. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4449](https://github.com/flutter/plugins/pull/4449) [local_auth] Fix activity leak in LocalAuthPlugin (cla: yes, waiting for tree to go green, p: local_auth, platform-android, last mile)
[4450](https://github.com/flutter/plugins/pull/4450) [webview_flutter] Add platform interface method `loadRequest`. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4458](https://github.com/flutter/plugins/pull/4458) [in_app_purchase] Add support for promotional offers through Store-Kit wrappers (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4461](https://github.com/flutter/plugins/pull/4461) Fix bugs in Dart Implementation of the Pigeon API (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4468](https://github.com/flutter/plugins/pull/4468) [ci] Remove unused dep from file_selector. (cla: yes, waiting for tree to go green, p: file_selector, platform-web)
[4474](https://github.com/flutter/plugins/pull/4474) [flutter_plugin_tools] Add 'main' support (cla: yes, waiting for tree to go green)
[4478](https://github.com/flutter/plugins/pull/4478) Adjust pull request template (cla: yes, waiting for tree to go green)
[4480](https://github.com/flutter/plugins/pull/4480) [webview_flutter] Implement loadRequest in iOS package. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[4481](https://github.com/flutter/plugins/pull/4481) [webview_flutter] Update webview_flutter documentation (cla: yes, waiting for tree to go green, p: webview_flutter)
[4486](https://github.com/flutter/plugins/pull/4486) [webview_flutter] Implementations of `loadFile` and `loadHtmlString` for WKWebView (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[4488](https://github.com/flutter/plugins/pull/4488) [video_player] Don't restart when scrubbing to end (cla: yes, waiting for tree to go green, p: video_player)
[4492](https://github.com/flutter/plugins/pull/4492) [flutter_plugin_tools] Build gtest unit tests (cla: yes, waiting for tree to go green, p: url_launcher, platform-windows, platform-linux)
[4494](https://github.com/flutter/plugins/pull/4494) [package_info] Bump SDK version of example app (cla: yes, waiting for tree to go green, p: package_info, platform-android, needs tests)
[4496](https://github.com/flutter/plugins/pull/4496) [google_maps_flutter] Add new XCUITests that do not require permissions. (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-ios)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4504](https://github.com/flutter/plugins/pull/4504) [path_provider] Fix links in READMEs (cla: yes, waiting for tree to go green, p: path_provider, platform-ios, platform-android, platform-macos, platform-linux)
[4506](https://github.com/flutter/plugins/pull/4506) Enable camera/quick_actions tests (cla: yes, waiting for tree to go green)
[4507](https://github.com/flutter/plugins/pull/4507) [url_launcher] Add null check for extracting browser headers (cla: yes, waiting for tree to go green, p: url_launcher, platform-android)
[4509](https://github.com/flutter/plugins/pull/4509) [webview_flutter] Add onUrlChanged callback to platform interface. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4512](https://github.com/flutter/plugins/pull/4512) Add link to CHANGELOG style in PR template (cla: yes, waiting for tree to go green)
[4514](https://github.com/flutter/plugins/pull/4514) Enable Android integration tests in remaining plugins (cla: yes, waiting for tree to go green, p: camera, p: in_app_purchase, p: url_launcher, p: video_player, p: shared_preferences, platform-android)
[4517](https://github.com/flutter/plugins/pull/4517) [in_app_purchase] Fix CHANGELOG for 0.2.0. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4521](https://github.com/flutter/plugins/pull/4521) Revert "[ci] Add 'main' builders in bringup mode" (cla: yes, waiting for tree to go green)
[4523](https://github.com/flutter/plugins/pull/4523) [in_app_purchase] Emit empty list when no transactions to restore. (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4527](https://github.com/flutter/plugins/pull/4527) [in_app_purchase] Deprecated the `InAppPurchaseAndroidPlatformAddition.enablePendingPurchases` method. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4544](https://github.com/flutter/plugins/pull/4544) [webview_flutter] Android implementation of `loadFile` and `loadHtmlString` methods (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4545](https://github.com/flutter/plugins/pull/4545) [webview_flutter] Migrate webview_flutter_wkwebview to analysis_options.yaml (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[4546](https://github.com/flutter/plugins/pull/4546) [ci] Exclude files generated by Pigeon from analysis. (cla: yes, waiting for tree to go green)
[4549](https://github.com/flutter/plugins/pull/4549) [webview_flutter] Migrate webview_flutter_platform_interface to analysis_options.yaml (cla: yes, waiting for tree to go green, p: webview_flutter)
[4550](https://github.com/flutter/plugins/pull/4550) [webview_flutter] Pre-emptively ignore prefer_const_constructor warning. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4552](https://github.com/flutter/plugins/pull/4552) [webview_flutter] Migrate webview_flutter package to analysis_options.yaml (cla: yes, waiting for tree to go green, p: webview_flutter)
[4553](https://github.com/flutter/plugins/pull/4553) [webview_flutter] Clean up prefer_const_constructor ignore statements (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4555](https://github.com/flutter/plugins/pull/4555) [webview_flutter] Add supporting interfaces for setting cookies to platform interface. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4556](https://github.com/flutter/plugins/pull/4556) [webview_flutter] Add iOS implementations for new cookie manager, to allow setting cookies directly and on webview creation. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[4557](https://github.com/flutter/plugins/pull/4557) [webview_flutter] Add Android implementations for new cookie manager, to allow setting cookies directly and on webview creation. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4558](https://github.com/flutter/plugins/pull/4558) [webview_flutter] Expose loadFile and loadHtmlString through app facing package. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4560](https://github.com/flutter/plugins/pull/4560) [in_app_purchase] Fix upgrading subscription by deferred proration mode on android. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4561](https://github.com/flutter/plugins/pull/4561) [webview_flutter] Add setCookie to CookieManager and support initial cookies in creation params. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4562](https://github.com/flutter/plugins/pull/4562) [webview_flutter] Adds the `loadFlutterAsset` method to the interface. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4563](https://github.com/flutter/plugins/pull/4563) [webview_flutter] Implement loadRequest in Android package. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4581](https://github.com/flutter/plugins/pull/4581) [webview_flutter] Android implementation of `loadFlutterAsset` method. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4582](https://github.com/flutter/plugins/pull/4582) [webview_flutter] WKWebView implementation of loadFlutterAsset method. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[4584](https://github.com/flutter/plugins/pull/4584) [webview_flutter] Add a backgroundColor option to the webview (waiting for tree to go green, p: webview_flutter)
[4588](https://github.com/flutter/plugins/pull/4588) [video_player] Eliminate platform channel from mock platform (waiting for tree to go green, p: video_player)
[4593](https://github.com/flutter/plugins/pull/4593) [webview_flutter] Implements the loadFlutterAsset in the app facing package. (waiting for tree to go green, p: webview_flutter)
[4596](https://github.com/flutter/plugins/pull/4596) [shared_preferences] Remove platform registration (waiting for tree to go green, p: shared_preferences, needs tests)
[4597](https://github.com/flutter/plugins/pull/4597) [in_app-purchase] Updated the ReadMe to remove the deprecated `InAppPurchaseAndroidPlatformAddition.enablePendingPurchases ` method (waiting for tree to go green, p: in_app_purchase, last mile)
[4598](https://github.com/flutter/plugins/pull/4598) Add missing return for nullably typed function (waiting for tree to go green, needs tests)
[4600](https://github.com/flutter/plugins/pull/4600) [webview_flutter] Change import of FLTCookieManager.h to relative import (waiting for tree to go green, p: webview_flutter, platform-ios, needs tests)
[4601](https://github.com/flutter/plugins/pull/4601) [webview_flutter] Enable setAllowFileAccess on Android setting when loading files (waiting for tree to go green, p: webview_flutter, platform-android)
[4603](https://github.com/flutter/plugins/pull/4603) Move custom analysis options into sub-packages (waiting for tree to go green, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: video_player, platform-web, needs tests)
[4607](https://github.com/flutter/plugins/pull/4607) [tools] fix typo in tools (waiting for tree to go green)
[4630](https://github.com/flutter/plugins/pull/4630) Revert "[camera]Fix crash due to calling engine APIs from background thread" (waiting for tree to go green, p: camera, platform-ios)
#### p: webview_flutter - 50 pull request(s)
[3325](https://github.com/flutter/plugins/pull/3325) [webview_flutter]Add zoom to android webview (cla: yes, waiting for tree to go green, p: webview_flutter, last mile, customer: marketplace)
[3431](https://github.com/flutter/plugins/pull/3431) [webview_flutter] Add an option to set the background color of the webview (cla: yes, waiting for tree to go green, p: webview_flutter)
[4212](https://github.com/flutter/plugins/pull/4212) Fix NullPointerException (cla: yes, p: webview_flutter, platform-android)
[4403](https://github.com/flutter/plugins/pull/4403) [webview_flutter] Deprecate evaluateJavascript in favour of runJavaScript and runJavaScriptForResult. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4446](https://github.com/flutter/plugins/pull/4446) [webview_flutter] Add interface methods to load local files and HTML strings. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4450](https://github.com/flutter/plugins/pull/4450) [webview_flutter] Add platform interface method `loadRequest`. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4459](https://github.com/flutter/plugins/pull/4459) [webview_flutter_android] Fix bugs in Java Implementation of the Pigeon API (cla: yes, p: webview_flutter, platform-android)
[4460](https://github.com/flutter/plugins/pull/4460) [webview_flutter] Fix Flaky Resize Test (cla: yes, p: webview_flutter, platform-android)
[4461](https://github.com/flutter/plugins/pull/4461) Fix bugs in Dart Implementation of the Pigeon API (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4480](https://github.com/flutter/plugins/pull/4480) [webview_flutter] Implement loadRequest in iOS package. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[4481](https://github.com/flutter/plugins/pull/4481) [webview_flutter] Update webview_flutter documentation (cla: yes, waiting for tree to go green, p: webview_flutter)
[4486](https://github.com/flutter/plugins/pull/4486) [webview_flutter] Implementations of `loadFile` and `loadHtmlString` for WKWebView (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[4489](https://github.com/flutter/plugins/pull/4489) [webview_flutter] Update Widget Unit Tests to be platform agnostic (cla: yes, p: webview_flutter)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4503](https://github.com/flutter/plugins/pull/4503) [webview_flutter_android] Implementation of Android WebView widget using pigeon (cla: yes, p: webview_flutter, platform-android)
[4509](https://github.com/flutter/plugins/pull/4509) [webview_flutter] Add onUrlChanged callback to platform interface. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4524](https://github.com/flutter/plugins/pull/4524) [webview_flutter] Revert addition of onUrlChanged (cla: yes, p: webview_flutter)
[4525](https://github.com/flutter/plugins/pull/4525) [webview_flutter] Disable flaky test on iOS (cla: yes, p: webview_flutter)
[4533](https://github.com/flutter/plugins/pull/4533) Update all targetSdkVersions (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: share, p: video_player, p: package_info, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, needs tests)
[4537](https://github.com/flutter/plugins/pull/4537) [webview_flutter] Adjust getTitle test (cla: yes, p: webview_flutter, platform-ios)
[4539](https://github.com/flutter/plugins/pull/4539) [webview_flutter] Speculative getTitle fix (cla: yes, p: webview_flutter, platform-ios)
[4543](https://github.com/flutter/plugins/pull/4543) [webview_flutter] Added contributing section to the README.md (cla: yes, p: webview_flutter, platform-android)
[4544](https://github.com/flutter/plugins/pull/4544) [webview_flutter] Android implementation of `loadFile` and `loadHtmlString` methods (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4545](https://github.com/flutter/plugins/pull/4545) [webview_flutter] Migrate webview_flutter_wkwebview to analysis_options.yaml (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[4549](https://github.com/flutter/plugins/pull/4549) [webview_flutter] Migrate webview_flutter_platform_interface to analysis_options.yaml (cla: yes, waiting for tree to go green, p: webview_flutter)
[4550](https://github.com/flutter/plugins/pull/4550) [webview_flutter] Pre-emptively ignore prefer_const_constructor warning. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4552](https://github.com/flutter/plugins/pull/4552) [webview_flutter] Migrate webview_flutter package to analysis_options.yaml (cla: yes, waiting for tree to go green, p: webview_flutter)
[4553](https://github.com/flutter/plugins/pull/4553) [webview_flutter] Clean up prefer_const_constructor ignore statements (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4554](https://github.com/flutter/plugins/pull/4554) [webview_flutter] Updates webview_flutter_platform_interface to version 1.5.2 (cla: yes, p: webview_flutter, platform-ios, needs tests)
[4555](https://github.com/flutter/plugins/pull/4555) [webview_flutter] Add supporting interfaces for setting cookies to platform interface. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4556](https://github.com/flutter/plugins/pull/4556) [webview_flutter] Add iOS implementations for new cookie manager, to allow setting cookies directly and on webview creation. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[4557](https://github.com/flutter/plugins/pull/4557) [webview_flutter] Add Android implementations for new cookie manager, to allow setting cookies directly and on webview creation. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4558](https://github.com/flutter/plugins/pull/4558) [webview_flutter] Expose loadFile and loadHtmlString through app facing package. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4561](https://github.com/flutter/plugins/pull/4561) [webview_flutter] Add setCookie to CookieManager and support initial cookies in creation params. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4562](https://github.com/flutter/plugins/pull/4562) [webview_flutter] Adds the `loadFlutterAsset` method to the interface. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4563](https://github.com/flutter/plugins/pull/4563) [webview_flutter] Implement loadRequest in Android package. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4566](https://github.com/flutter/plugins/pull/4566) [webview_flutter] Revert deprecation of clearCookies (cla: yes, p: webview_flutter, needs tests)
[4567](https://github.com/flutter/plugins/pull/4567) [webview_flutter] Add a backgroundColor option to the webview platform interface (cla: yes, p: webview_flutter)
[4569](https://github.com/flutter/plugins/pull/4569) [webview_flutter] Add a backgroundColor option to the Android webview (cla: yes, p: webview_flutter, platform-android)
[4570](https://github.com/flutter/plugins/pull/4570) [webview_flutter] Add a backgroundColor option to the iOS webview (cla: yes, p: webview_flutter, platform-ios)
[4573](https://github.com/flutter/plugins/pull/4573) [webview_flutter] Add loadRequest functionality to app facing package. (cla: yes, p: webview_flutter)
[4576](https://github.com/flutter/plugins/pull/4576) [webview_flutter] Default Android to hybrid composition (cla: yes, p: webview_flutter)
[4581](https://github.com/flutter/plugins/pull/4581) [webview_flutter] Android implementation of `loadFlutterAsset` method. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4582](https://github.com/flutter/plugins/pull/4582) [webview_flutter] WKWebView implementation of loadFlutterAsset method. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[4584](https://github.com/flutter/plugins/pull/4584) [webview_flutter] Add a backgroundColor option to the webview (waiting for tree to go green, p: webview_flutter)
[4593](https://github.com/flutter/plugins/pull/4593) [webview_flutter] Implements the loadFlutterAsset in the app facing package. (waiting for tree to go green, p: webview_flutter)
[4594](https://github.com/flutter/plugins/pull/4594) [webview_flutter] Proof of concept web implementation (p: webview_flutter, platform-web)
[4600](https://github.com/flutter/plugins/pull/4600) [webview_flutter] Change import of FLTCookieManager.h to relative import (waiting for tree to go green, p: webview_flutter, platform-ios, needs tests)
[4601](https://github.com/flutter/plugins/pull/4601) [webview_flutter] Enable setAllowFileAccess on Android setting when loading files (waiting for tree to go green, p: webview_flutter, platform-android)
[4618](https://github.com/flutter/plugins/pull/4618) Prevent setting user agent string to default value on every rebuild (p: webview_flutter, platform-android)
#### platform-android - 37 pull request(s)
[4095](https://github.com/flutter/plugins/pull/4095) [in_app_purchase]IAP/android add cancel status (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4212](https://github.com/flutter/plugins/pull/4212) Fix NullPointerException (cla: yes, p: webview_flutter, platform-android)
[4409](https://github.com/flutter/plugins/pull/4409) [google_maps_flutter][android] suppress unchecked cast warning (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-android, last mile)
[4449](https://github.com/flutter/plugins/pull/4449) [local_auth] Fix activity leak in LocalAuthPlugin (cla: yes, waiting for tree to go green, p: local_auth, platform-android, last mile)
[4459](https://github.com/flutter/plugins/pull/4459) [webview_flutter_android] Fix bugs in Java Implementation of the Pigeon API (cla: yes, p: webview_flutter, platform-android)
[4460](https://github.com/flutter/plugins/pull/4460) [webview_flutter] Fix Flaky Resize Test (cla: yes, p: webview_flutter, platform-android)
[4461](https://github.com/flutter/plugins/pull/4461) Fix bugs in Dart Implementation of the Pigeon API (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4465](https://github.com/flutter/plugins/pull/4465) [path_provider] Federate mobile implementations (cla: yes, p: path_provider, platform-ios, platform-android)
[4466](https://github.com/flutter/plugins/pull/4466) Remove -Werror from deprecated plugin Android builds (cla: yes, p: android_alarm_manager, p: android_intent, p: connectivity, platform-android)
[4471](https://github.com/flutter/plugins/pull/4471) [in_app_purchase] add pedantic as a dependency to in_app_purchase plugins (cla: yes, p: in_app_purchase, platform-ios, platform-android)
[4494](https://github.com/flutter/plugins/pull/4494) [package_info] Bump SDK version of example app (cla: yes, waiting for tree to go green, p: package_info, platform-android, needs tests)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4503](https://github.com/flutter/plugins/pull/4503) [webview_flutter_android] Implementation of Android WebView widget using pigeon (cla: yes, p: webview_flutter, platform-android)
[4504](https://github.com/flutter/plugins/pull/4504) [path_provider] Fix links in READMEs (cla: yes, waiting for tree to go green, p: path_provider, platform-ios, platform-android, platform-macos, platform-linux)
[4505](https://github.com/flutter/plugins/pull/4505) [shared_preferences] Federate mobile implementations (cla: yes, p: shared_preferences, platform-ios, platform-android)
[4507](https://github.com/flutter/plugins/pull/4507) [url_launcher] Add null check for extracting browser headers (cla: yes, waiting for tree to go green, p: url_launcher, platform-android)
[4508](https://github.com/flutter/plugins/pull/4508) [battery] Recreate Android example (cla: yes, p: battery, platform-android, needs tests)
[4514](https://github.com/flutter/plugins/pull/4514) Enable Android integration tests in remaining plugins (cla: yes, waiting for tree to go green, p: camera, p: in_app_purchase, p: url_launcher, p: video_player, p: shared_preferences, platform-android)
[4515](https://github.com/flutter/plugins/pull/4515) [url_launcher] Federate mobile implementations (cla: yes, p: url_launcher, platform-ios, platform-android)
[4527](https://github.com/flutter/plugins/pull/4527) [in_app_purchase] Deprecated the `InAppPurchaseAndroidPlatformAddition.enablePendingPurchases` method. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4533](https://github.com/flutter/plugins/pull/4533) Update all targetSdkVersions (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: share, p: video_player, p: package_info, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, needs tests)
[4535](https://github.com/flutter/plugins/pull/4535) Update some plugins' targetSdkVersions to 31 (cla: yes, p: path_provider, p: shared_preferences, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4543](https://github.com/flutter/plugins/pull/4543) [webview_flutter] Added contributing section to the README.md (cla: yes, p: webview_flutter, platform-android)
[4544](https://github.com/flutter/plugins/pull/4544) [webview_flutter] Android implementation of `loadFile` and `loadHtmlString` methods (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4550](https://github.com/flutter/plugins/pull/4550) [webview_flutter] Pre-emptively ignore prefer_const_constructor warning. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4551](https://github.com/flutter/plugins/pull/4551) [url_launcher] Switch to new analysis options (cla: yes, p: url_launcher, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web)
[4553](https://github.com/flutter/plugins/pull/4553) [webview_flutter] Clean up prefer_const_constructor ignore statements (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4557](https://github.com/flutter/plugins/pull/4557) [webview_flutter] Add Android implementations for new cookie manager, to allow setting cookies directly and on webview creation. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4560](https://github.com/flutter/plugins/pull/4560) [in_app_purchase] Fix upgrading subscription by deferred proration mode on android. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4563](https://github.com/flutter/plugins/pull/4563) [webview_flutter] Implement loadRequest in Android package. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4569](https://github.com/flutter/plugins/pull/4569) [webview_flutter] Add a backgroundColor option to the Android webview (cla: yes, p: webview_flutter, platform-android)
[4580](https://github.com/flutter/plugins/pull/4580) Remove deprecated plugins (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: image_picker, p: share, p: video_player, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos, platform-web)
[4581](https://github.com/flutter/plugins/pull/4581) [webview_flutter] Android implementation of `loadFlutterAsset` method. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4601](https://github.com/flutter/plugins/pull/4601) [webview_flutter] Enable setAllowFileAccess on Android setting when loading files (waiting for tree to go green, p: webview_flutter, platform-android)
[4617](https://github.com/flutter/plugins/pull/4617) [path_provider] Switch Android to an internal method channel (p: path_provider, platform-android)
[4618](https://github.com/flutter/plugins/pull/4618) Prevent setting user agent string to default value on every rebuild (p: webview_flutter, platform-android)
[4637](https://github.com/flutter/plugins/pull/4637) [path_provider] Fix Android compatibility with 2.5 (p: path_provider, platform-android)
#### platform-ios - 27 pull request(s)
[2758](https://github.com/flutter/plugins/pull/2758) [video_player] Update texture on seekTo (cla: yes, p: video_player, platform-ios, last mile)
[4094](https://github.com/flutter/plugins/pull/4094) [in_app_purchase]Iap/ios add cancel status (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4458](https://github.com/flutter/plugins/pull/4458) [in_app_purchase] Add support for promotional offers through Store-Kit wrappers (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4465](https://github.com/flutter/plugins/pull/4465) [path_provider] Federate mobile implementations (cla: yes, p: path_provider, platform-ios, platform-android)
[4471](https://github.com/flutter/plugins/pull/4471) [in_app_purchase] add pedantic as a dependency to in_app_purchase plugins (cla: yes, p: in_app_purchase, platform-ios, platform-android)
[4480](https://github.com/flutter/plugins/pull/4480) [webview_flutter] Implement loadRequest in iOS package. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[4486](https://github.com/flutter/plugins/pull/4486) [webview_flutter] Implementations of `loadFile` and `loadHtmlString` for WKWebView (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[4490](https://github.com/flutter/plugins/pull/4490) [google_maps_flutter] Disable XCUITest (cla: yes, p: google_maps_flutter, platform-ios)
[4496](https://github.com/flutter/plugins/pull/4496) [google_maps_flutter] Add new XCUITests that do not require permissions. (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-ios)
[4501](https://github.com/flutter/plugins/pull/4501) [image_picker] Fix iOS RunnerUITests search paths (cla: yes, p: image_picker, platform-ios, needs tests)
[4504](https://github.com/flutter/plugins/pull/4504) [path_provider] Fix links in READMEs (cla: yes, waiting for tree to go green, p: path_provider, platform-ios, platform-android, platform-macos, platform-linux)
[4505](https://github.com/flutter/plugins/pull/4505) [shared_preferences] Federate mobile implementations (cla: yes, p: shared_preferences, platform-ios, platform-android)
[4515](https://github.com/flutter/plugins/pull/4515) [url_launcher] Federate mobile implementations (cla: yes, p: url_launcher, platform-ios, platform-android)
[4517](https://github.com/flutter/plugins/pull/4517) [in_app_purchase] Fix CHANGELOG for 0.2.0. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4518](https://github.com/flutter/plugins/pull/4518) [in_app_purchase] Rename iOS implementation to _storekit (cla: yes, p: in_app_purchase, platform-ios)
[4537](https://github.com/flutter/plugins/pull/4537) [webview_flutter] Adjust getTitle test (cla: yes, p: webview_flutter, platform-ios)
[4539](https://github.com/flutter/plugins/pull/4539) [webview_flutter] Speculative getTitle fix (cla: yes, p: webview_flutter, platform-ios)
[4545](https://github.com/flutter/plugins/pull/4545) [webview_flutter] Migrate webview_flutter_wkwebview to analysis_options.yaml (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[4551](https://github.com/flutter/plugins/pull/4551) [url_launcher] Switch to new analysis options (cla: yes, p: url_launcher, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web)
[4554](https://github.com/flutter/plugins/pull/4554) [webview_flutter] Updates webview_flutter_platform_interface to version 1.5.2 (cla: yes, p: webview_flutter, platform-ios, needs tests)
[4556](https://github.com/flutter/plugins/pull/4556) [webview_flutter] Add iOS implementations for new cookie manager, to allow setting cookies directly and on webview creation. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[4570](https://github.com/flutter/plugins/pull/4570) [webview_flutter] Add a backgroundColor option to the iOS webview (cla: yes, p: webview_flutter, platform-ios)
[4580](https://github.com/flutter/plugins/pull/4580) Remove deprecated plugins (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: image_picker, p: share, p: video_player, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos, platform-web)
[4582](https://github.com/flutter/plugins/pull/4582) [webview_flutter] WKWebView implementation of loadFlutterAsset method. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[4600](https://github.com/flutter/plugins/pull/4600) [webview_flutter] Change import of FLTCookieManager.h to relative import (waiting for tree to go green, p: webview_flutter, platform-ios, needs tests)
[4608](https://github.com/flutter/plugins/pull/4608) [camera]Fix crash due to calling engine APIs from background thread (p: camera, platform-ios)
[4630](https://github.com/flutter/plugins/pull/4630) Revert "[camera]Fix crash due to calling engine APIs from background thread" (waiting for tree to go green, p: camera, platform-ios)
#### needs tests - 15 pull request(s)
[4487](https://github.com/flutter/plugins/pull/4487) Disable camera/quick_actions tests temporarily (cla: yes, needs tests)
[4494](https://github.com/flutter/plugins/pull/4494) [package_info] Bump SDK version of example app (cla: yes, waiting for tree to go green, p: package_info, platform-android, needs tests)
[4501](https://github.com/flutter/plugins/pull/4501) [image_picker] Fix iOS RunnerUITests search paths (cla: yes, p: image_picker, platform-ios, needs tests)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4508](https://github.com/flutter/plugins/pull/4508) [battery] Recreate Android example (cla: yes, p: battery, platform-android, needs tests)
[4533](https://github.com/flutter/plugins/pull/4533) Update all targetSdkVersions (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: share, p: video_player, p: package_info, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, needs tests)
[4535](https://github.com/flutter/plugins/pull/4535) Update some plugins' targetSdkVersions to 31 (cla: yes, p: path_provider, p: shared_preferences, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4540](https://github.com/flutter/plugins/pull/4540) [path_provider] Remove platform registration (cla: yes, p: path_provider, needs tests)
[4554](https://github.com/flutter/plugins/pull/4554) [webview_flutter] Updates webview_flutter_platform_interface to version 1.5.2 (cla: yes, p: webview_flutter, platform-ios, needs tests)
[4566](https://github.com/flutter/plugins/pull/4566) [webview_flutter] Revert deprecation of clearCookies (cla: yes, p: webview_flutter, needs tests)
[4596](https://github.com/flutter/plugins/pull/4596) [shared_preferences] Remove platform registration (waiting for tree to go green, p: shared_preferences, needs tests)
[4598](https://github.com/flutter/plugins/pull/4598) Add missing return for nullably typed function (waiting for tree to go green, needs tests)
[4600](https://github.com/flutter/plugins/pull/4600) [webview_flutter] Change import of FLTCookieManager.h to relative import (waiting for tree to go green, p: webview_flutter, platform-ios, needs tests)
[4602](https://github.com/flutter/plugins/pull/4602) Match repo state to ignored files list (p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: local_auth, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-windows, platform-macos, platform-linux, needs tests)
[4603](https://github.com/flutter/plugins/pull/4603) Move custom analysis options into sub-packages (waiting for tree to go green, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: video_player, platform-web, needs tests)
#### p: in_app_purchase - 14 pull request(s)
[4094](https://github.com/flutter/plugins/pull/4094) [in_app_purchase]Iap/ios add cancel status (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4095](https://github.com/flutter/plugins/pull/4095) [in_app_purchase]IAP/android add cancel status (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4097](https://github.com/flutter/plugins/pull/4097) [in_app_purchase]Update the version number and CHANGELOG (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4458](https://github.com/flutter/plugins/pull/4458) [in_app_purchase] Add support for promotional offers through Store-Kit wrappers (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4471](https://github.com/flutter/plugins/pull/4471) [in_app_purchase] add pedantic as a dependency to in_app_purchase plugins (cla: yes, p: in_app_purchase, platform-ios, platform-android)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4514](https://github.com/flutter/plugins/pull/4514) Enable Android integration tests in remaining plugins (cla: yes, waiting for tree to go green, p: camera, p: in_app_purchase, p: url_launcher, p: video_player, p: shared_preferences, platform-android)
[4517](https://github.com/flutter/plugins/pull/4517) [in_app_purchase] Fix CHANGELOG for 0.2.0. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4518](https://github.com/flutter/plugins/pull/4518) [in_app_purchase] Rename iOS implementation to _storekit (cla: yes, p: in_app_purchase, platform-ios)
[4523](https://github.com/flutter/plugins/pull/4523) [in_app_purchase] Emit empty list when no transactions to restore. (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4527](https://github.com/flutter/plugins/pull/4527) [in_app_purchase] Deprecated the `InAppPurchaseAndroidPlatformAddition.enablePendingPurchases` method. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4533](https://github.com/flutter/plugins/pull/4533) Update all targetSdkVersions (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: share, p: video_player, p: package_info, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, needs tests)
[4560](https://github.com/flutter/plugins/pull/4560) [in_app_purchase] Fix upgrading subscription by deferred proration mode on android. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4597](https://github.com/flutter/plugins/pull/4597) [in_app-purchase] Updated the ReadMe to remove the deprecated `InAppPurchaseAndroidPlatformAddition.enablePendingPurchases ` method (waiting for tree to go green, p: in_app_purchase, last mile)
#### p: path_provider - 13 pull request(s)
[3077](https://github.com/flutter/plugins/pull/3077) [path_provider] Use the application ID in the application support path (#2845) (cla: yes, waiting for tree to go green, p: path_provider, platform-linux, last mile)
[4465](https://github.com/flutter/plugins/pull/4465) [path_provider] Federate mobile implementations (cla: yes, p: path_provider, platform-ios, platform-android)
[4475](https://github.com/flutter/plugins/pull/4475) Remove "pluginClass: none" from pubspecs (cla: yes, p: path_provider, p: shared_preferences, platform-windows, platform-linux)
[4497](https://github.com/flutter/plugins/pull/4497) [path_provider] Publish fully federated version (cla: yes, p: path_provider)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4504](https://github.com/flutter/plugins/pull/4504) [path_provider] Fix links in READMEs (cla: yes, waiting for tree to go green, p: path_provider, platform-ios, platform-android, platform-macos, platform-linux)
[4535](https://github.com/flutter/plugins/pull/4535) Update some plugins' targetSdkVersions to 31 (cla: yes, p: path_provider, p: shared_preferences, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4540](https://github.com/flutter/plugins/pull/4540) [path_provider] Remove platform registration (cla: yes, p: path_provider, needs tests)
[4547](https://github.com/flutter/plugins/pull/4547) [path_provider] Switch macOS to an internal method channel (cla: yes, p: path_provider, platform-macos)
[4602](https://github.com/flutter/plugins/pull/4602) Match repo state to ignored files list (p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: local_auth, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-windows, platform-macos, platform-linux, needs tests)
[4606](https://github.com/flutter/plugins/pull/4606) [path_provider] Fix handling of null application ID (p: path_provider, platform-linux)
[4617](https://github.com/flutter/plugins/pull/4617) [path_provider] Switch Android to an internal method channel (p: path_provider, platform-android)
[4637](https://github.com/flutter/plugins/pull/4637) [path_provider] Fix Android compatibility with 2.5 (p: path_provider, platform-android)
#### p: video_player - 13 pull request(s)
[2758](https://github.com/flutter/plugins/pull/2758) [video_player] Update texture on seekTo (cla: yes, p: video_player, platform-ios, last mile)
[3407](https://github.com/flutter/plugins/pull/3407) [video_player]: initial test coverage file() constructor api (cla: yes, waiting for tree to go green, p: video_player, last mile)
[4488](https://github.com/flutter/plugins/pull/4488) [video_player] Don't restart when scrubbing to end (cla: yes, waiting for tree to go green, p: video_player)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4514](https://github.com/flutter/plugins/pull/4514) Enable Android integration tests in remaining plugins (cla: yes, waiting for tree to go green, p: camera, p: in_app_purchase, p: url_launcher, p: video_player, p: shared_preferences, platform-android)
[4533](https://github.com/flutter/plugins/pull/4533) Update all targetSdkVersions (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: share, p: video_player, p: package_info, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, needs tests)
[4580](https://github.com/flutter/plugins/pull/4580) Remove deprecated plugins (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: image_picker, p: share, p: video_player, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos, platform-web)
[4588](https://github.com/flutter/plugins/pull/4588) [video_player] Eliminate platform channel from mock platform (waiting for tree to go green, p: video_player)
[4589](https://github.com/flutter/plugins/pull/4589) [video_player] Remove test code from platform interface (p: video_player)
[4602](https://github.com/flutter/plugins/pull/4602) Match repo state to ignored files list (p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: local_auth, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-windows, platform-macos, platform-linux, needs tests)
[4603](https://github.com/flutter/plugins/pull/4603) Move custom analysis options into sub-packages (waiting for tree to go green, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: video_player, platform-web, needs tests)
[4611](https://github.com/flutter/plugins/pull/4611) [video_player] Fix a flaky test (p: video_player)
[4627](https://github.com/flutter/plugins/pull/4627) [video_player] Add 5.0 interface support (p: video_player, platform-web)
#### p: shared_preferences - 9 pull request(s)
[4411](https://github.com/flutter/plugins/pull/4411) [shared_preferences] Fix example in readme for mocking values (cla: yes, waiting for tree to go green, p: shared_preferences, last mile)
[4475](https://github.com/flutter/plugins/pull/4475) Remove "pluginClass: none" from pubspecs (cla: yes, p: path_provider, p: shared_preferences, platform-windows, platform-linux)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4505](https://github.com/flutter/plugins/pull/4505) [shared_preferences] Federate mobile implementations (cla: yes, p: shared_preferences, platform-ios, platform-android)
[4514](https://github.com/flutter/plugins/pull/4514) Enable Android integration tests in remaining plugins (cla: yes, waiting for tree to go green, p: camera, p: in_app_purchase, p: url_launcher, p: video_player, p: shared_preferences, platform-android)
[4526](https://github.com/flutter/plugins/pull/4526) [shared_preferences] Publish fully federated version (cla: yes, p: shared_preferences)
[4535](https://github.com/flutter/plugins/pull/4535) Update some plugins' targetSdkVersions to 31 (cla: yes, p: path_provider, p: shared_preferences, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4596](https://github.com/flutter/plugins/pull/4596) [shared_preferences] Remove platform registration (waiting for tree to go green, p: shared_preferences, needs tests)
[4602](https://github.com/flutter/plugins/pull/4602) Match repo state to ignored files list (p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: local_auth, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-windows, platform-macos, platform-linux, needs tests)
#### p: url_launcher - 9 pull request(s)
[4492](https://github.com/flutter/plugins/pull/4492) [flutter_plugin_tools] Build gtest unit tests (cla: yes, waiting for tree to go green, p: url_launcher, platform-windows, platform-linux)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4507](https://github.com/flutter/plugins/pull/4507) [url_launcher] Add null check for extracting browser headers (cla: yes, waiting for tree to go green, p: url_launcher, platform-android)
[4514](https://github.com/flutter/plugins/pull/4514) Enable Android integration tests in remaining plugins (cla: yes, waiting for tree to go green, p: camera, p: in_app_purchase, p: url_launcher, p: video_player, p: shared_preferences, platform-android)
[4515](https://github.com/flutter/plugins/pull/4515) [url_launcher] Federate mobile implementations (cla: yes, p: url_launcher, platform-ios, platform-android)
[4529](https://github.com/flutter/plugins/pull/4529) [url_launcher] Improve README and example (cla: yes, p: url_launcher)
[4536](https://github.com/flutter/plugins/pull/4536) [url_launcher] Publish fully federated version (cla: yes, p: url_launcher)
[4551](https://github.com/flutter/plugins/pull/4551) [url_launcher] Switch to new analysis options (cla: yes, p: url_launcher, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web)
[4602](https://github.com/flutter/plugins/pull/4602) Match repo state to ignored files list (p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: local_auth, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-windows, platform-macos, platform-linux, needs tests)
#### last mile - 8 pull request(s)
[2758](https://github.com/flutter/plugins/pull/2758) [video_player] Update texture on seekTo (cla: yes, p: video_player, platform-ios, last mile)
[3077](https://github.com/flutter/plugins/pull/3077) [path_provider] Use the application ID in the application support path (#2845) (cla: yes, waiting for tree to go green, p: path_provider, platform-linux, last mile)
[3325](https://github.com/flutter/plugins/pull/3325) [webview_flutter]Add zoom to android webview (cla: yes, waiting for tree to go green, p: webview_flutter, last mile, customer: marketplace)
[3407](https://github.com/flutter/plugins/pull/3407) [video_player]: initial test coverage file() constructor api (cla: yes, waiting for tree to go green, p: video_player, last mile)
[4409](https://github.com/flutter/plugins/pull/4409) [google_maps_flutter][android] suppress unchecked cast warning (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-android, last mile)
[4411](https://github.com/flutter/plugins/pull/4411) [shared_preferences] Fix example in readme for mocking values (cla: yes, waiting for tree to go green, p: shared_preferences, last mile)
[4449](https://github.com/flutter/plugins/pull/4449) [local_auth] Fix activity leak in LocalAuthPlugin (cla: yes, waiting for tree to go green, p: local_auth, platform-android, last mile)
[4597](https://github.com/flutter/plugins/pull/4597) [in_app-purchase] Updated the ReadMe to remove the deprecated `InAppPurchaseAndroidPlatformAddition.enablePendingPurchases ` method (waiting for tree to go green, p: in_app_purchase, last mile)
#### platform-web - 7 pull request(s)
[4467](https://github.com/flutter/plugins/pull/4467) update build_runner dependencies in android_intent and file_selector example (cla: yes, p: android_intent, p: file_selector, platform-web)
[4468](https://github.com/flutter/plugins/pull/4468) [ci] Remove unused dep from file_selector. (cla: yes, waiting for tree to go green, p: file_selector, platform-web)
[4551](https://github.com/flutter/plugins/pull/4551) [url_launcher] Switch to new analysis options (cla: yes, p: url_launcher, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web)
[4580](https://github.com/flutter/plugins/pull/4580) Remove deprecated plugins (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: image_picker, p: share, p: video_player, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos, platform-web)
[4594](https://github.com/flutter/plugins/pull/4594) [webview_flutter] Proof of concept web implementation (p: webview_flutter, platform-web)
[4603](https://github.com/flutter/plugins/pull/4603) Move custom analysis options into sub-packages (waiting for tree to go green, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: video_player, platform-web, needs tests)
[4627](https://github.com/flutter/plugins/pull/4627) [video_player] Add 5.0 interface support (p: video_player, platform-web)
#### platform-linux - 7 pull request(s)
[3077](https://github.com/flutter/plugins/pull/3077) [path_provider] Use the application ID in the application support path (#2845) (cla: yes, waiting for tree to go green, p: path_provider, platform-linux, last mile)
[4475](https://github.com/flutter/plugins/pull/4475) Remove "pluginClass: none" from pubspecs (cla: yes, p: path_provider, p: shared_preferences, platform-windows, platform-linux)
[4492](https://github.com/flutter/plugins/pull/4492) [flutter_plugin_tools] Build gtest unit tests (cla: yes, waiting for tree to go green, p: url_launcher, platform-windows, platform-linux)
[4504](https://github.com/flutter/plugins/pull/4504) [path_provider] Fix links in READMEs (cla: yes, waiting for tree to go green, p: path_provider, platform-ios, platform-android, platform-macos, platform-linux)
[4551](https://github.com/flutter/plugins/pull/4551) [url_launcher] Switch to new analysis options (cla: yes, p: url_launcher, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web)
[4602](https://github.com/flutter/plugins/pull/4602) Match repo state to ignored files list (p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: local_auth, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-windows, platform-macos, platform-linux, needs tests)
[4606](https://github.com/flutter/plugins/pull/4606) [path_provider] Fix handling of null application ID (p: path_provider, platform-linux)
#### p: google_maps_flutter - 7 pull request(s)
[4409](https://github.com/flutter/plugins/pull/4409) [google_maps_flutter][android] suppress unchecked cast warning (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-android, last mile)
[4490](https://github.com/flutter/plugins/pull/4490) [google_maps_flutter] Disable XCUITest (cla: yes, p: google_maps_flutter, platform-ios)
[4496](https://github.com/flutter/plugins/pull/4496) [google_maps_flutter] Add new XCUITests that do not require permissions. (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-ios)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4533](https://github.com/flutter/plugins/pull/4533) Update all targetSdkVersions (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: share, p: video_player, p: package_info, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, needs tests)
[4602](https://github.com/flutter/plugins/pull/4602) Match repo state to ignored files list (p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: local_auth, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-windows, platform-macos, platform-linux, needs tests)
[4603](https://github.com/flutter/plugins/pull/4603) Move custom analysis options into sub-packages (waiting for tree to go green, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: video_player, platform-web, needs tests)
#### p: camera - 6 pull request(s)
[4513](https://github.com/flutter/plugins/pull/4513) [camera] Fix version and CHANGELOG (cla: yes, p: camera)
[4514](https://github.com/flutter/plugins/pull/4514) Enable Android integration tests in remaining plugins (cla: yes, waiting for tree to go green, p: camera, p: in_app_purchase, p: url_launcher, p: video_player, p: shared_preferences, platform-android)
[4602](https://github.com/flutter/plugins/pull/4602) Match repo state to ignored files list (p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: local_auth, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-windows, platform-macos, platform-linux, needs tests)
[4603](https://github.com/flutter/plugins/pull/4603) Move custom analysis options into sub-packages (waiting for tree to go green, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: video_player, platform-web, needs tests)
[4608](https://github.com/flutter/plugins/pull/4608) [camera]Fix crash due to calling engine APIs from background thread (p: camera, platform-ios)
[4630](https://github.com/flutter/plugins/pull/4630) Revert "[camera]Fix crash due to calling engine APIs from background thread" (waiting for tree to go green, p: camera, platform-ios)
#### p: image_picker - 6 pull request(s)
[4501](https://github.com/flutter/plugins/pull/4501) [image_picker] Fix iOS RunnerUITests search paths (cla: yes, p: image_picker, platform-ios, needs tests)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4533](https://github.com/flutter/plugins/pull/4533) Update all targetSdkVersions (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: share, p: video_player, p: package_info, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, needs tests)
[4580](https://github.com/flutter/plugins/pull/4580) Remove deprecated plugins (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: image_picker, p: share, p: video_player, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos, platform-web)
[4602](https://github.com/flutter/plugins/pull/4602) Match repo state to ignored files list (p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: local_auth, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-windows, platform-macos, platform-linux, needs tests)
[4603](https://github.com/flutter/plugins/pull/4603) Move custom analysis options into sub-packages (waiting for tree to go green, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: video_player, platform-web, needs tests)
#### platform-macos - 5 pull request(s)
[4504](https://github.com/flutter/plugins/pull/4504) [path_provider] Fix links in READMEs (cla: yes, waiting for tree to go green, p: path_provider, platform-ios, platform-android, platform-macos, platform-linux)
[4547](https://github.com/flutter/plugins/pull/4547) [path_provider] Switch macOS to an internal method channel (cla: yes, p: path_provider, platform-macos)
[4551](https://github.com/flutter/plugins/pull/4551) [url_launcher] Switch to new analysis options (cla: yes, p: url_launcher, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web)
[4580](https://github.com/flutter/plugins/pull/4580) Remove deprecated plugins (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: image_picker, p: share, p: video_player, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos, platform-web)
[4602](https://github.com/flutter/plugins/pull/4602) Match repo state to ignored files list (p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: local_auth, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-windows, platform-macos, platform-linux, needs tests)
#### p: android_intent - 5 pull request(s)
[4466](https://github.com/flutter/plugins/pull/4466) Remove -Werror from deprecated plugin Android builds (cla: yes, p: android_alarm_manager, p: android_intent, p: connectivity, platform-android)
[4467](https://github.com/flutter/plugins/pull/4467) update build_runner dependencies in android_intent and file_selector example (cla: yes, p: android_intent, p: file_selector, platform-web)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4533](https://github.com/flutter/plugins/pull/4533) Update all targetSdkVersions (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: share, p: video_player, p: package_info, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, needs tests)
[4580](https://github.com/flutter/plugins/pull/4580) Remove deprecated plugins (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: image_picker, p: share, p: video_player, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos, platform-web)
#### p: local_auth - 5 pull request(s)
[4449](https://github.com/flutter/plugins/pull/4449) [local_auth] Fix activity leak in LocalAuthPlugin (cla: yes, waiting for tree to go green, p: local_auth, platform-android, last mile)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4533](https://github.com/flutter/plugins/pull/4533) Update all targetSdkVersions (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: share, p: video_player, p: package_info, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, needs tests)
[4602](https://github.com/flutter/plugins/pull/4602) Match repo state to ignored files list (p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: local_auth, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-windows, platform-macos, platform-linux, needs tests)
[4604](https://github.com/flutter/plugins/pull/4604) [local_auth] Switch to new analysis options (p: local_auth)
#### p: battery - 4 pull request(s)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4508](https://github.com/flutter/plugins/pull/4508) [battery] Recreate Android example (cla: yes, p: battery, platform-android, needs tests)
[4533](https://github.com/flutter/plugins/pull/4533) Update all targetSdkVersions (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: share, p: video_player, p: package_info, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, needs tests)
[4580](https://github.com/flutter/plugins/pull/4580) Remove deprecated plugins (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: image_picker, p: share, p: video_player, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos, platform-web)
#### p: connectivity - 4 pull request(s)
[4466](https://github.com/flutter/plugins/pull/4466) Remove -Werror from deprecated plugin Android builds (cla: yes, p: android_alarm_manager, p: android_intent, p: connectivity, platform-android)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4533](https://github.com/flutter/plugins/pull/4533) Update all targetSdkVersions (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: share, p: video_player, p: package_info, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, needs tests)
[4580](https://github.com/flutter/plugins/pull/4580) Remove deprecated plugins (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: image_picker, p: share, p: video_player, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos, platform-web)
#### p: google_sign_in - 4 pull request(s)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4533](https://github.com/flutter/plugins/pull/4533) Update all targetSdkVersions (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: share, p: video_player, p: package_info, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, needs tests)
[4602](https://github.com/flutter/plugins/pull/4602) Match repo state to ignored files list (p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: local_auth, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-windows, platform-macos, platform-linux, needs tests)
[4603](https://github.com/flutter/plugins/pull/4603) Move custom analysis options into sub-packages (waiting for tree to go green, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: video_player, platform-web, needs tests)
#### p: package_info - 4 pull request(s)
[4494](https://github.com/flutter/plugins/pull/4494) [package_info] Bump SDK version of example app (cla: yes, waiting for tree to go green, p: package_info, platform-android, needs tests)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4533](https://github.com/flutter/plugins/pull/4533) Update all targetSdkVersions (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: share, p: video_player, p: package_info, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, needs tests)
[4580](https://github.com/flutter/plugins/pull/4580) Remove deprecated plugins (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: image_picker, p: share, p: video_player, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos, platform-web)
#### platform-windows - 4 pull request(s)
[4475](https://github.com/flutter/plugins/pull/4475) Remove "pluginClass: none" from pubspecs (cla: yes, p: path_provider, p: shared_preferences, platform-windows, platform-linux)
[4492](https://github.com/flutter/plugins/pull/4492) [flutter_plugin_tools] Build gtest unit tests (cla: yes, waiting for tree to go green, p: url_launcher, platform-windows, platform-linux)
[4551](https://github.com/flutter/plugins/pull/4551) [url_launcher] Switch to new analysis options (cla: yes, p: url_launcher, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web)
[4602](https://github.com/flutter/plugins/pull/4602) Match repo state to ignored files list (p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: local_auth, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-windows, platform-macos, platform-linux, needs tests)
#### p: android_alarm_manager - 4 pull request(s)
[4466](https://github.com/flutter/plugins/pull/4466) Remove -Werror from deprecated plugin Android builds (cla: yes, p: android_alarm_manager, p: android_intent, p: connectivity, platform-android)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4533](https://github.com/flutter/plugins/pull/4533) Update all targetSdkVersions (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: share, p: video_player, p: package_info, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, needs tests)
[4580](https://github.com/flutter/plugins/pull/4580) Remove deprecated plugins (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: image_picker, p: share, p: video_player, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos, platform-web)
#### p: device_info - 3 pull request(s)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4533](https://github.com/flutter/plugins/pull/4533) Update all targetSdkVersions (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: share, p: video_player, p: package_info, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, needs tests)
[4580](https://github.com/flutter/plugins/pull/4580) Remove deprecated plugins (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: image_picker, p: share, p: video_player, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos, platform-web)
#### p: quick_actions - 3 pull request(s)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4533](https://github.com/flutter/plugins/pull/4533) Update all targetSdkVersions (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: share, p: video_player, p: package_info, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, needs tests)
[4548](https://github.com/flutter/plugins/pull/4548) [quick_actions] Migrate to new analysis options (cla: yes, p: quick_actions)
#### p: sensors - 3 pull request(s)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4533](https://github.com/flutter/plugins/pull/4533) Update all targetSdkVersions (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: share, p: video_player, p: package_info, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, needs tests)
[4580](https://github.com/flutter/plugins/pull/4580) Remove deprecated plugins (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: image_picker, p: share, p: video_player, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos, platform-web)
#### p: wifi_info_flutter - 3 pull request(s)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4533](https://github.com/flutter/plugins/pull/4533) Update all targetSdkVersions (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: share, p: video_player, p: package_info, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, needs tests)
[4580](https://github.com/flutter/plugins/pull/4580) Remove deprecated plugins (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: image_picker, p: share, p: video_player, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos, platform-web)
#### p: share - 3 pull request(s)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4533](https://github.com/flutter/plugins/pull/4533) Update all targetSdkVersions (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: share, p: video_player, p: package_info, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, needs tests)
[4580](https://github.com/flutter/plugins/pull/4580) Remove deprecated plugins (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: image_picker, p: share, p: video_player, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos, platform-web)
#### p: flutter_plugin_android_lifecycle - 2 pull request(s)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4535](https://github.com/flutter/plugins/pull/4535) Update some plugins' targetSdkVersions to 31 (cla: yes, p: path_provider, p: shared_preferences, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
#### p: file_selector - 2 pull request(s)
[4467](https://github.com/flutter/plugins/pull/4467) update build_runner dependencies in android_intent and file_selector example (cla: yes, p: android_intent, p: file_selector, platform-web)
[4468](https://github.com/flutter/plugins/pull/4468) [ci] Remove unused dep from file_selector. (cla: yes, waiting for tree to go green, p: file_selector, platform-web)
#### p: espresso - 2 pull request(s)
[4502](https://github.com/flutter/plugins/pull/4502) Bump plugin Android compileSdkVersions to 31 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle, needs tests)
[4533](https://github.com/flutter/plugins/pull/4533) Update all targetSdkVersions (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: share, p: video_player, p: package_info, p: espresso, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, needs tests)
#### customer: marketplace - 1 pull request(s)
[3325](https://github.com/flutter/plugins/pull/3325) [webview_flutter]Add zoom to android webview (cla: yes, waiting for tree to go green, p: webview_flutter, last mile, customer: marketplace)
| website/src/release/release-notes/release-notes-2.10.0.md/0 | {
"file_path": "website/src/release/release-notes/release-notes-2.10.0.md",
"repo_id": "website",
"token_count": 215889
} | 1,287 |
---
title: Flutter architectural overview
description: A high-level overview of the architecture of Flutter, including the core principles and concepts that form its design.
---
<?code-excerpt path-base="resources/architectural_overview/"?>
This article is intended to provide a high-level overview of the architecture of
Flutter, including the core principles and concepts that form its design.
Flutter is a cross-platform UI toolkit that is designed to allow code reuse
across operating systems such as iOS and Android, while also allowing
applications to interface directly with underlying platform services. The goal
is to enable developers to deliver high-performance apps that feel natural on
different platforms, embracing differences where they exist while sharing as
much code as possible.
During development, Flutter apps run in a VM that offers stateful hot reload of
changes without needing a full recompile. For release, Flutter apps are compiled
directly to machine code, whether Intel x64 or ARM instructions, or to
JavaScript if targeting the web. The framework is open source, with a permissive
BSD license, and has a thriving ecosystem of third-party packages that
supplement the core library functionality.
This overview is divided into a number of sections:
1. The **layer model**: The pieces from which Flutter is constructed.
1. **Reactive user interfaces**: A core concept for Flutter user interface
development.
1. An introduction to **widgets**: The fundamental building blocks of Flutter user
interfaces.
1. The **rendering process**: How Flutter turns UI code into pixels.
1. An overview of the **platform embedders**: The code that lets mobile and
desktop OSes execute Flutter apps.
1. **Integrating Flutter with other code**: Information about different techniques
available to Flutter apps.
1. **Support for the web**: Concluding remarks about the characteristics of
Flutter in a browser environment.
## Architectural layers
Flutter is designed as an extensible, layered system. It exists as a series of
independent libraries that each depend on the underlying layer. No layer has
privileged access to the layer below, and every part of the framework level is
designed to be optional and replaceable.
{% comment %}
The PNG diagrams in this document were created using draw.io. The draw.io
metadata is embedded in the PNG file itself, so you can open the PNG directly
from draw.io to edit the individual components.
The following settings were used:
- Select all (to avoid exporting the canvas itself)
- Export as PNG, zoom 300% (for a reasonable sized output)
- Enable _Transparent Background_
- Enable _Selection Only_, _Crop_
- Enable _Include a copy of my diagram_
{% endcomment %}
{:width="100%"}
To the underlying operating system, Flutter applications are packaged in the
same way as any other native application. A platform-specific embedder provides
an entrypoint; coordinates with the underlying operating system for access to
services like rendering surfaces, accessibility, and input; and manages the
message event loop. The embedder is written in a language that is appropriate
for the platform: currently Java and C++ for Android, Objective-C/Objective-C++
for iOS and macOS, and C++ for Windows and Linux. Using the embedder, Flutter
code can be integrated into an existing application as a module, or the code may
be the entire content of the application. Flutter includes a number of embedders
for common target platforms, but [other embedders also
exist](https://hover.build/blog/one-year-in/).
At the core of Flutter is the **Flutter engine**,
which is mostly written in C++ and supports
the primitives necessary to support all Flutter applications.
The engine is responsible for rasterizing composited scenes
whenever a new frame needs to be painted.
It provides the low-level implementation of Flutter's core API,
including graphics (through [Impeller] on iOS and coming to Android,
and [Skia][] on other platforms) text layout,
file and network I/O, accessibility support,
plugin architecture, and a Dart runtime
and compile toolchain.
[Skia]: https://skia.org
[Impeller]: /perf/impeller
The engine is exposed to the Flutter framework through
[`dart:ui`]({{site.repo.engine}}/tree/main/lib/ui),
which wraps the underlying C++ code in Dart classes. This library
exposes the lowest-level primitives, such as classes for driving input,
graphics, and text rendering subsystems.
Typically, developers interact with Flutter through the **Flutter framework**,
which provides a modern, reactive framework written in the Dart language. It
includes a rich set of platform, layout, and foundational libraries, composed of
a series of layers. Working from the bottom to the top, we have:
- Basic **[foundational]({{site.api}}/flutter/foundation/foundation-library.html)**
classes, and building block services such as
**[animation]({{site.api}}/flutter/animation/animation-library.html),
[painting]({{site.api}}/flutter/painting/painting-library.html), and
[gestures]({{site.api}}/flutter/gestures/gestures-library.html)** that offer
commonly used abstractions over the underlying foundation.
- The **[rendering
layer]({{site.api}}/flutter/rendering/rendering-library.html)** provides an
abstraction for dealing with layout. With this layer, you can build a tree of
renderable objects. You can manipulate these objects dynamically, with the
tree automatically updating the layout to reflect your changes.
- The **[widgets layer]({{site.api}}/flutter/widgets/widgets-library.html)** is
a composition abstraction. Each render object in the rendering layer has a
corresponding class in the widgets layer. In addition, the widgets layer
allows you to define combinations of classes that you can reuse. This is the
layer at which the reactive programming model is introduced.
- The
**[Material]({{site.api}}/flutter/material/material-library.html)**
and
**[Cupertino]({{site.api}}/flutter/cupertino/cupertino-library.html)**
libraries offer comprehensive sets of controls that use the widget layer's
composition primitives to implement the Material or iOS design languages.
The Flutter framework is relatively small; many higher-level features that
developers might use are implemented as packages, including platform plugins
like [camera]({{site.pub}}/packages/camera) and
[webview]({{site.pub}}/packages/webview_flutter), as well as platform-agnostic
features like [characters]({{site.pub}}/packages/characters),
[http]({{site.pub}}/packages/http), and
[animations]({{site.pub}}/packages/animations) that build upon the core Dart and
Flutter libraries. Some of these packages come from the broader ecosystem,
covering services like [in-app
payments]({{site.pub}}/packages/square_in_app_payments), [Apple
authentication]({{site.pub}}/packages/sign_in_with_apple), and
[animations]({{site.pub}}/packages/lottie).
The rest of this overview broadly navigates down the layers, starting with the
reactive paradigm of UI development. Then, we describe how widgets are composed
together and converted into objects that can be rendered as part of an
application. We describe how Flutter interoperates with other code at a platform
level, before giving a brief summary of how Flutter's web support differs from
other targets.
## Anatomy of an app
The following diagram gives an overview of the pieces
that make up a regular Flutter app generated by `flutter create`.
It shows where the Flutter Engine sits in this stack,
highlights API boundaries, and identifies the repositories
where the individual pieces live. The legend below clarifies
some of the terminology commonly used to describe the
pieces of a Flutter app.
<img src='/assets/images/docs/app-anatomy.svg' alt='The layers of a Flutter app created by "flutter create": Dart app, framework, engine, embedder, runner'>
**Dart App**
* Composes widgets into the desired UI.
* Implements business logic.
* Owned by app developer.
**Framework** ([source code]({{site.repo.flutter}}/tree/main/packages/flutter/lib))
* Provides higher-level API to build high-quality apps
(for example, widgets, hit-testing, gesture detection,
accessibility, text input).
* Composites the app's widget tree into a scene.
**Engine** ([source code]({{site.repo.engine}}/tree/main/shell/common))
* Responsible for rasterizing composited scenes.
* Provides low-level implementation of Flutter's core APIs
(for example, graphics, text layout, Dart runtime).
* Exposes its functionality to the framework using the **dart:ui API**.
* Integrates with a specific platform using the Engine's **Embedder API**.
**Embedder** ([source code]({{site.repo.engine}}/tree/main/shell/platform))
* Coordinates with the underlying operating system
for access to services like rendering surfaces,
accessibility, and input.
* Manages the event loop.
* Exposes **platform-specific API** to integrate the Embedder into apps.
**Runner**
* Composes the pieces exposed by the platform-specific
API of the Embedder into an app package runnable on the target platform.
* Part of app template generated by `flutter create`,
owned by app developer.
## Reactive user interfaces
On the surface, Flutter is [a reactive, declarative UI framework][faq],
in which the developer provides a mapping from application state to interface
state, and the framework takes on the task of updating the interface at runtime
when the application state changes. This model is inspired by
[work that came from Facebook for their own React framework][fb],
which includes a rethinking of many traditional design principles.
[faq]: /resources/faq#what-programming-paradigm-does-flutters-framework-use
[fb]: {{site.yt.watch}}?time_continue=2&v=x7cQ3mrcKaY&feature=emb_logo
In most traditional UI frameworks, the user interface's initial state is
described once and then separately updated by user code at runtime, in response
to events. One challenge of this approach is that, as the application grows in
complexity, the developer needs to be aware of how state changes cascade
throughout the entire UI. For example, consider the following UI:
{:width="66%"}
There are many places where the state can be changed: the color box, the hue
slider, the radio buttons. As the user interacts with the UI, changes must be
reflected in every other place. Worse, unless care is taken, a minor change to
one part of the user interface can cause ripple effects to seemingly unrelated
pieces of code.
One solution to this is an approach like MVC, where you push data changes to the
model via the controller, and then the model pushes the new state to the view
via the controller. However, this also is problematic, since creating and
updating UI elements are two separate steps that can easily get out of sync.
Flutter, along with other reactive frameworks, takes an alternative approach to
this problem, by explicitly decoupling the user interface from its underlying
state. With React-style APIs, you only create the UI description, and the
framework takes care of using that one configuration to both create and/or
update the user interface as appropriate.
In Flutter, widgets (akin to components in React) are represented by immutable
classes that are used to configure a tree of objects. These widgets are used to
manage a separate tree of objects for layout, which is then used to manage a
separate tree of objects for compositing. Flutter is, at its core, a series of
mechanisms for efficiently walking the modified parts of trees, converting trees
of objects into lower-level trees of objects, and propagating changes across
these trees.
A widget declares its user interface by overriding the `build()` method, which
is a function that converts state to UI:
```none
UI = f(state)
```
The `build()` method is by design fast to execute and should be free of side
effects, allowing it to be called by the framework whenever needed (potentially
as often as once per rendered frame).
This approach relies on certain characteristics of a language runtime (in
particular, fast object instantiation and deletion). Fortunately, [Dart is
particularly well suited for this
task]({{site.flutter-medium}}/flutter-dont-fear-the-garbage-collector-d69b3ff1ca30).
## Widgets
As mentioned, Flutter emphasizes widgets as a unit of composition. Widgets are
the building blocks of a Flutter app's user interface, and each widget is an
immutable declaration of part of the user interface.
Widgets form a hierarchy based on composition. Each widget nests inside its
parent and can receive context from the parent. This structure carries all the
way up to the root widget (the container that hosts the Flutter app, typically
`MaterialApp` or `CupertinoApp`), as this trivial example shows:
<?code-excerpt "lib/main.dart (Main)"?>
```dart
import 'package:flutter/material.dart';
import 'package:flutter/services.dart';
void main() => runApp(const MyApp());
class MyApp extends StatelessWidget {
const MyApp({super.key});
@override
Widget build(BuildContext context) {
return MaterialApp(
home: Scaffold(
appBar: AppBar(
title: const Text('My Home Page'),
),
body: Center(
child: Builder(
builder: (context) {
return Column(
children: [
const Text('Hello World'),
const SizedBox(height: 20),
ElevatedButton(
onPressed: () {
print('Click!');
},
child: const Text('A button'),
),
],
);
},
),
),
),
);
}
}
```
In the preceding code, all instantiated classes are widgets.
Apps update their user interface in response to events (such as a user
interaction) by telling the framework to replace a widget in the hierarchy with
another widget. The framework then compares the new and old widgets, and
efficiently updates the user interface.
Flutter has its own implementations of each UI control, rather than deferring to
those provided by the system: for example, there is a pure [Dart
implementation]({{site.api}}/flutter/cupertino/CupertinoSwitch-class.html) of both the
[iOS Toggle
control]({{site.apple-dev}}/design/human-interface-guidelines/toggles)
and the [one for]({{site.api}}/flutter/material/Switch-class.html) the
[Android equivalent]({{site.material}}/components/switch).
This approach provides several benefits:
- Provides for unlimited extensibility. A developer who wants a variant of the
Switch control can create one in any arbitrary way, and is not limited to the
extension points provided by the OS.
- Avoids a significant performance bottleneck by allowing Flutter to composite
the entire scene at once, without transitioning back and forth between Flutter
code and platform code.
- Decouples the application behavior from any operating system dependencies. The
application looks and feels the same on all versions of the OS, even if the OS
changed the implementations of its controls.
### Composition
Widgets are typically composed of many other small, single-purpose widgets that
combine to produce powerful effects.
Where possible, the number of design concepts is kept to a minimum while
allowing the total vocabulary to be large. For example, in the widgets layer,
Flutter uses the same core concept (a `Widget`) to represent drawing to the
screen, layout (positioning and sizing), user interactivity, state management,
theming, animations, and navigation. In the animation layer, a pair of concepts,
`Animation`s and `Tween`s, cover most of the design space. In the rendering
layer, `RenderObject`s are used to describe layout, painting, hit testing, and
accessibility. In each of these cases, the corresponding vocabulary ends up
being large: there are hundreds of widgets and render objects, and dozens of
animation and tween types.
The class hierarchy is deliberately shallow and broad to maximize the possible
number of combinations, focusing on small, composable widgets that each do one
thing well. Core features are abstract, with even basic features like padding
and alignment being implemented as separate components rather than being built
into the core. (This also contrasts with more traditional APIs where features
like padding are built in to the common core of every layout component.) So, for
example, to center a widget, rather than adjusting a notional `Align` property,
you wrap it in a [`Center`]({{site.api}}/flutter/widgets/Center-class.html)
widget.
There are widgets for padding, alignment, rows, columns, and grids. These layout
widgets do not have a visual representation of their own. Instead, their sole
purpose is to control some aspect of another widget's layout. Flutter also
includes utility widgets that take advantage of this compositional approach.
For example, [`Container`]({{site.api}}/flutter/widgets/Container-class.html), a
commonly used widget, is made up of several widgets responsible for layout,
painting, positioning, and sizing. Specifically, Container is made up of the
[`LimitedBox`]({{site.api}}/flutter/widgets/LimitedBox-class.html),
[`ConstrainedBox`]({{site.api}}/flutter/widgets/ConstrainedBox-class.html),
[`Align`]({{site.api}}/flutter/widgets/Align-class.html),
[`Padding`]({{site.api}}/flutter/widgets/Padding-class.html),
[`DecoratedBox`]({{site.api}}/flutter/widgets/DecoratedBox-class.html), and
[`Transform`]({{site.api}}/flutter/widgets/Transform-class.html) widgets, as you
can see by reading its source code. A defining characteristic of Flutter is that
you can drill down into the source for any widget and examine it. So, rather
than subclassing `Container` to produce a customized effect, you can compose it
and other widgets in novel ways, or just create a new widget using
`Container` as inspiration.
### Building widgets
As mentioned earlier, you determine the visual representation of a widget by
overriding the
[`build()`]({{site.api}}/flutter/widgets/StatelessWidget/build.html) function to
return a new element tree. This tree represents the widget's part of the user
interface in more concrete terms. For example, a toolbar widget might have a
build function that returns a [horizontal
layout]({{site.api}}/flutter/widgets/Row-class.html) of some
[text]({{site.api}}/flutter/widgets/Text-class.html) and
[various]({{site.api}}/flutter/material/IconButton-class.html)
[buttons]({{site.api}}/flutter/material/PopupMenuButton-class.html). As needed,
the framework recursively asks each widget to build until the tree is entirely
described by [concrete renderable
objects]({{site.api}}/flutter/widgets/RenderObjectWidget-class.html). The
framework then stitches together the renderable objects into a renderable object
tree.
A widget's build function should be free of side effects. Whenever the function
is asked to build, the widget should return a new tree of widgets<sup><a
href="#a1">1</a></sup>, regardless of what the widget previously returned. The
framework does the heavy lifting work to determine which build methods need to
be called based on the render object tree (described in more detail later). More
information about this process can be found in the [Inside Flutter
topic](/resources/inside-flutter#linear-reconciliation).
On each rendered frame, Flutter can recreate just the parts of the UI where the
state has changed by calling that widget's `build()` method. Therefore it is
important that build methods should return quickly, and heavy computational work
should be done in some asynchronous manner and then stored as part of the state
to be used by a build method.
While relatively naïve in approach, this automated comparison is quite
effective, enabling high-performance, interactive apps. And, the design of the
build function simplifies your code by focusing on declaring what a widget is
made of, rather than the complexities of updating the user interface from one
state to another.
### Widget state
The framework introduces two major classes of widget: _stateful_ and _stateless_
widgets.
Many widgets have no mutable state: they don't have any properties that change
over time (for example, an icon or a label). These widgets subclass
[`StatelessWidget`]({{site.api}}/flutter/widgets/StatelessWidget-class.html).
However, if the unique characteristics of a widget need to change based on user
interaction or other factors, that widget is _stateful_. For example, if a
widget has a counter that increments whenever the user taps a button, then the
value of the counter is the state for that widget. When that value changes, the
widget needs to be rebuilt to update its part of the UI. These widgets subclass
[`StatefulWidget`]({{site.api}}/flutter/widgets/StatefulWidget-class.html), and
(because the widget itself is immutable) they store mutable state in a separate
class that subclasses [`State`]({{site.api}}/flutter/widgets/State-class.html).
`StatefulWidget`s don't have a build method; instead, their user interface is
built through their `State` object.
Whenever you mutate a `State` object (for example, by incrementing the counter),
you must call [`setState()`]({{site.api}}/flutter/widgets/State/setState.html)
to signal the framework to update the user interface by calling the `State`'s
build method again.
Having separate state and widget objects lets other widgets treat both stateless
and stateful widgets in exactly the same way, without being concerned about
losing state. Instead of needing to hold on to a child to preserve its state,
the parent can create a new instance of the child at any time without losing the
child's persistent state. The framework does all the work of finding and reusing
existing state objects when appropriate.
### State management
So, if many widgets can contain state, how is state managed and passed around
the system?
As with any other class, you can use a constructor in a widget to initialize its
data, so a `build()` method can ensure that any child widget is instantiated
with the data it needs:
```dart
@override
Widget build(BuildContext context) {
return ContentWidget(importantState);
}
```
As widget trees get deeper, however, passing state information up and down the
tree hierarchy becomes cumbersome. So, a third widget type,
[`InheritedWidget`]({{site.api}}/flutter/widgets/InheritedWidget-class.html),
provides an easy way to grab data from a shared ancestor. You can use
`InheritedWidget` to create a state widget that wraps a common ancestor in the
widget tree, as shown in this example:
{:width="50%"}
Whenever one of the `ExamWidget` or `GradeWidget` objects needs data from
`StudentState`, it can now access it with a command such as:
```dart
final studentState = StudentState.of(context);
```
The `of(context)` call takes the build context (a handle to the current widget
location), and returns [the nearest ancestor in the
tree]({{site.api}}/flutter/widgets/BuildContext/dependOnInheritedWidgetOfExactType.html)
that matches the `StudentState` type. `InheritedWidget`s also offer an
`updateShouldNotify()` method, which Flutter calls to determine whether a state
change should trigger a rebuild of child widgets that use it.
Flutter itself uses `InheritedWidget` extensively as part of the framework for
shared state, such as the application's _visual theme_, which includes
[properties like color and type
styles]({{site.api}}/flutter/material/ThemeData-class.html) that are
pervasive throughout an application. The `MaterialApp` `build()` method inserts
a theme in the tree when it builds, and then deeper in the hierarchy a widget
can use the `.of()` method to look up the relevant theme data, for example:
<?code-excerpt "lib/main.dart (Container)"?>
```dart
Container(
color: Theme.of(context).secondaryHeaderColor,
child: Text(
'Text with a background color',
style: Theme.of(context).textTheme.titleLarge,
),
);
```
This approach is also used for
[Navigator]({{site.api}}/flutter/widgets/Navigator-class.html), which provides
page routing; and
[MediaQuery]({{site.api}}/flutter/widgets/MediaQuery-class.html), which provides
access to screen metrics such as orientation, dimensions, and brightness.
As applications grow, more advanced state management approaches that reduce the
ceremony of creating and using stateful widgets become more attractive. Many
Flutter apps use utility packages like
[provider]({{site.pub}}/packages/provider), which provides a wrapper around
`InheritedWidget`. Flutter's layered architecture also enables alternative
approaches to implement the transformation of state into UI, such as the
[flutter_hooks]({{site.pub}}/packages/flutter_hooks) package.
## Rendering and layout
This section describes the rendering pipeline, which is the series of steps that
Flutter takes to convert a hierarchy of widgets into the actual pixels painted
onto a screen.
### Flutter's rendering model
You may be wondering: if Flutter is a cross-platform framework, then how can it
offer comparable performance to single-platform frameworks?
It's useful to start by thinking about how traditional
Android apps work. When drawing,
you first call the Java code of the Android framework.
The Android system libraries provide the components
responsible for drawing themselves to a `Canvas` object,
which Android can then render with [Skia][],
a graphics engine written in C/C++ that calls the
CPU or GPU to complete the drawing on the device.
Cross-platform frameworks _typically_ work by creating
an abstraction layer over the underlying native
Android and iOS UI libraries, attempting to smooth out the
inconsistencies of each platform representation.
App code is often written in an interpreted language like JavaScript,
which must in turn interact with the Java-based
Android or Objective-C-based iOS system libraries to display UI.
All this adds overhead that can be significant,
particularly where there is a lot of
interaction between the UI and the app logic.
By contrast, Flutter minimizes those abstractions,
bypassing the system UI widget libraries in favor
of its own widget set. The Dart code that paints
Flutter's visuals is compiled into native code,
which uses Skia (or, in the future, Impeller) for rendering.
Flutter also embeds its own copy of Skia as part of the engine,
allowing the developer to upgrade their app to stay
updated with the latest performance improvements
even if the phone hasn't been updated with a new Android version.
The same is true for Flutter on other native platforms,
such as Windows or macOS.
{{site.alert.note}}
Flutter 3.10 set Impeller as the default
rendering engine on iOS. It's in preview
for Android behind a flag.
{{site.alert.end}}
### From user input to the GPU
The overriding principle that Flutter applies to its rendering pipeline is that
**simple is fast**. Flutter has a straightforward pipeline for how data flows to
the system, as shown in the following sequencing diagram:
{:width="100%"}
Let's take a look at some of these phases in greater detail.
### Build: from Widget to Element
Consider this code fragment that demonstrates a widget hierarchy:
<?code-excerpt "lib/main.dart (Container2)"?>
```dart
Container(
color: Colors.blue,
child: Row(
children: [
Image.network('https://www.example.com/1.png'),
const Text('A'),
],
),
);
```
When Flutter needs to render this fragment, it calls the `build()` method, which
returns a subtree of widgets that renders UI based on the current app state.
During this process, the `build()` method can introduce new widgets, as
necessary, based on its state. As an example, in the preceding code
fragment, `Container` has `color` and `child` properties. From looking at the
[source
code]({{site.repo.flutter}}/blob/02efffc134ab4ce4ff50a9ddd86c832efdb80462/packages/flutter/lib/src/widgets/container.dart#L401)
for `Container`, you can see that if the color is not null, it inserts a
`ColoredBox` representing the color:
```dart
if (color != null)
current = ColoredBox(color: color!, child: current);
```
Correspondingly, the `Image` and `Text` widgets might insert child widgets such
as `RawImage` and `RichText` during the build process. The eventual widget
hierarchy may therefore be deeper than what the code represents, as in this
case<sup><a href="#a2">2</a></sup>:
{:width="35%"}
This explains why, when you examine the tree through a debug tool such as the
[Flutter inspector](/tools/devtools/inspector), part of the
Dart DevTools, you might see a structure that is considerably deeper than what
is in your original code.
During the build phase, Flutter translates the widgets expressed in code into a
corresponding **element tree**, with one element for every widget. Each element
represents a specific instance of a widget in a given location of the tree
hierarchy. There are two basic types of elements:
- `ComponentElement`, a host for other elements.
- `RenderObjectElement`, an element that participates in the layout or paint
phases.
{:width="85%"}
`RenderObjectElement`s are an intermediary between their widget analog and the
underlying `RenderObject`, which we'll come to later.
The element for any widget can be referenced through its `BuildContext`, which
is a handle to the location of a widget in the tree. This is the `context` in a
function call such as `Theme.of(context)`, and is supplied to the `build()`
method as a parameter.
Because widgets are immutable, including the parent/child relationship between
nodes, any change to the widget tree (such as changing `Text('A')` to
`Text('B')` in the preceding example) causes a new set of widget objects to be
returned. But that doesn't mean the underlying representation must be rebuilt.
The element tree is persistent from frame to frame, and therefore plays a
critical performance role, allowing Flutter to act as if the widget hierarchy is
fully disposable while caching its underlying representation. By only walking
through the widgets that changed, Flutter can rebuild just the parts of the
element tree that require reconfiguration.
### Layout and rendering
It would be a rare application that drew only a single widget. An important part
of any UI framework is therefore the ability to efficiently lay out a hierarchy
of widgets, determining the size and position of each element before they are
rendered on the screen.
The base class for every node in the render tree is
[`RenderObject`]({{site.api}}/flutter/rendering/RenderObject-class.html), which
defines an abstract model for layout and painting. This is extremely general: it
does not commit to a fixed number of dimensions or even a Cartesian coordinate
system (demonstrated by [this example of a polar coordinate
system]({{site.dartpad}}/?id=596b1d6331e3b9d7b00420085fab3e27)). Each
`RenderObject` knows its parent, but knows little about its children other than
how to _visit_ them and their constraints. This provides `RenderObject` with
sufficient abstraction to be able to handle a variety of use cases.
During the build phase, Flutter creates or updates an object that inherits from
`RenderObject` for each `RenderObjectElement` in the element tree.
`RenderObject`s are primitives:
[`RenderParagraph`]({{site.api}}/flutter/rendering/RenderParagraph-class.html)
renders text,
[`RenderImage`]({{site.api}}/flutter/rendering/RenderImage-class.html) renders
an image, and
[`RenderTransform`]({{site.api}}/flutter/rendering/RenderTransform-class.html)
applies a transformation before painting its child.
{:width="100%"}
Most Flutter widgets are rendered by an object that inherits from the
`RenderBox` subclass, which represents a `RenderObject` of fixed size in a 2D
Cartesian space. `RenderBox` provides the basis of a _box constraint model_,
establishing a minimum and maximum width and height for each widget to be
rendered.
To perform layout, Flutter walks the render tree in a depth-first traversal and
**passes down size constraints** from parent to child. In determining its size,
the child _must_ respect the constraints given to it by its parent. Children
respond by **passing up a size** to their parent object within the constraints
the parent established.
{:width="80%"}
At the end of this single walk through the tree, every object has a defined size
within its parent's constraints and is ready to be painted by calling the
[`paint()`]({{site.api}}/flutter/rendering/RenderObject/paint.html)
method.
The box constraint model is very powerful as a way to layout objects in _O(n)_
time:
- Parents can dictate the size of a child object by setting maximum and minimum
constraints to the same value. For example, the topmost render object in a
phone app constrains its child to be the size of the screen. (Children can
choose how to use that space. For example, they might just center what they
want to render within the dictated constraints.)
- A parent can dictate the child's width but give the child flexibility over
height (or dictate height but offer flexible over width). A real-world example
is flow text, which might have to fit a horizontal constraint but vary
vertically depending on the quantity of text.
This model works even when a child object needs to know how much space it has
available to decide how it will render its content. By using a
[`LayoutBuilder`]({{site.api}}/flutter/widgets/LayoutBuilder-class.html) widget,
the child object can examine the passed-down constraints and use those to
determine how it will use them, for example:
<?code-excerpt "lib/main.dart (LayoutBuilder)"?>
```dart
Widget build(BuildContext context) {
return LayoutBuilder(
builder: (context, constraints) {
if (constraints.maxWidth < 600) {
return const OneColumnLayout();
} else {
return const TwoColumnLayout();
}
},
);
}
```
More information about the constraint and layout system,
along with working examples, can be found in the
[Understanding constraints](/ui/layout/constraints) topic.
The root of all `RenderObject`s is the `RenderView`, which represents the total
output of the render tree. When the platform demands a new frame to be rendered
(for example, because of a
[vsync](https://source.android.com/devices/graphics/implement-vsync) or because
a texture decompression/upload is complete), a call is made to the
`compositeFrame()` method, which is part of the `RenderView` object at the root
of the render tree. This creates a `SceneBuilder` to trigger an update of the
scene. When the scene is complete, the `RenderView` object passes the composited
scene to the `Window.render()` method in `dart:ui`, which passes control to the
GPU to render it.
Further details of the composition and rasterization stages of the pipeline are
beyond the scope of this high-level article, but more information can be found
[in this talk on the Flutter rendering
pipeline]({{site.yt.watch}}?v=UUfXWzp0-DU).
## Platform embedding
As we've seen, rather than being translated into the equivalent OS widgets,
Flutter user interfaces are built, laid out, composited, and painted by Flutter
itself. The mechanism for obtaining the texture and participating in the app
lifecycle of the underlying operating system inevitably varies depending on the
unique concerns of that platform. The engine is platform-agnostic, presenting a
[stable ABI (Application Binary
Interface)]({{site.repo.engine}}/blob/main/shell/platform/embedder/embedder.h)
that provides a _platform embedder_ with a way to set up and use Flutter.
The platform embedder is the native OS application that hosts all Flutter
content, and acts as the glue between the host operating system and Flutter.
When you start a Flutter app, the embedder provides the entrypoint, initializes
the Flutter engine, obtains threads for UI and rastering, and creates a texture
that Flutter can write to. The embedder is also responsible for the app
lifecycle, including input gestures (such as mouse, keyboard, touch), window
sizing, thread management, and platform messages. Flutter includes platform
embedders for Android, iOS, Windows, macOS, and Linux; you can also create a
custom platform embedder, as in [this worked
example]({{site.github}}/chinmaygarde/fluttercast) that supports remoting
Flutter sessions through a VNC-style framebuffer or [this worked example for
Raspberry Pi]({{site.github}}/ardera/flutter-pi).
Each platform has its own set of APIs and constraints. Some brief
platform-specific notes:
- On iOS and macOS, Flutter is loaded into the embedder as a `UIViewController`
or `NSViewController`, respectively. The platform embedder creates a
`FlutterEngine`, which serves as a host to the Dart VM and your Flutter
runtime, and a `FlutterViewController`, which attaches to the `FlutterEngine`
to pass UIKit or Cocoa input events into Flutter and to display frames
rendered by the `FlutterEngine` using Metal or OpenGL.
- On Android, Flutter is, by default, loaded into the embedder as an `Activity`.
The view is controlled by a
[`FlutterView`]({{site.api}}/javadoc/io/flutter/embedding/android/FlutterView.html),
which renders Flutter content either as a view or a texture, depending on the
composition and z-ordering requirements of the Flutter content.
- On Windows, Flutter is hosted in a traditional Win32 app, and content is
rendered using
[ANGLE](https://chromium.googlesource.com/angle/angle/+/master/README.md), a
library that translates OpenGL API calls to the DirectX 11 equivalents.
## Integrating with other code
Flutter provides a variety of interoperability mechanisms, whether you're
accessing code or APIs written in a language like Kotlin or Swift, calling a
native C-based API, embedding native controls in a Flutter app, or embedding
Flutter in an existing application.
### Platform channels
For mobile and desktop apps, Flutter allows you to call into custom code through
a _platform channel_, which is a mechanism for communicating between your
Dart code and the platform-specific code of your host app. By creating a common
channel (encapsulating a name and a codec), you can send and receive messages
between Dart and a platform component written in a language like Kotlin or
Swift. Data is serialized from a Dart type like `Map` into a standard format,
and then deserialized into an equivalent representation in Kotlin (such as
`HashMap`) or Swift (such as `Dictionary`).
{:width="70%"}
The following is a short platform channel example of a Dart call to a receiving
event handler in Kotlin (Android) or Swift (iOS):
<?code-excerpt "lib/main.dart (MethodChannel)"?>
```dart
// Dart side
const channel = MethodChannel('foo');
final greeting = await channel.invokeMethod('bar', 'world') as String;
print(greeting);
```
```kotlin
// Android (Kotlin)
val channel = MethodChannel(flutterView, "foo")
channel.setMethodCallHandler { call, result ->
when (call.method) {
"bar" -> result.success("Hello, ${call.arguments}")
else -> result.notImplemented()
}
}
```
```swift
// iOS (Swift)
let channel = FlutterMethodChannel(name: "foo", binaryMessenger: flutterView)
channel.setMethodCallHandler {
(call: FlutterMethodCall, result: FlutterResult) -> Void in
switch (call.method) {
case "bar": result("Hello, \(call.arguments as! String)")
default: result(FlutterMethodNotImplemented)
}
}
```
Further examples of using platform channels, including examples for desktop
platforms, can be found in the [flutter/packages]({{site.repo.packages}})
repository. There are also [thousands of plugins
already available]({{site.pub}}/flutter) for Flutter that cover many common
scenarios, ranging from Firebase to ads to device hardware like camera and
Bluetooth.
### Foreign Function Interface
For C-based APIs, including those that can be generated for code written in
modern languages like Rust or Go, Dart provides a direct mechanism for binding
to native code using the `dart:ffi` library. The foreign function interface
(FFI) model can be considerably faster than platform channels, because no
serialization is required to pass data. Instead, the Dart runtime provides the
ability to allocate memory on the heap that is backed by a Dart object and make
calls to statically or dynamically linked libraries. FFI is available for all
platforms other than web, where the [js package]({{site.pub}}/packages/js)
serves an equivalent purpose.
To use FFI, you create a `typedef` for each of the Dart and unmanaged method
signatures, and instruct the Dart VM to map between them. As an example,
here's a fragment of code to call the traditional Win32 `MessageBox()` API:
<?code-excerpt "lib/ffi.dart (FFI)"?>
```dart
import 'dart:ffi';
import 'package:ffi/ffi.dart'; // contains .toNativeUtf16() extension method
typedef MessageBoxNative = Int32 Function(
IntPtr hWnd,
Pointer<Utf16> lpText,
Pointer<Utf16> lpCaption,
Int32 uType,
);
typedef MessageBoxDart = int Function(
int hWnd,
Pointer<Utf16> lpText,
Pointer<Utf16> lpCaption,
int uType,
);
void exampleFfi() {
final user32 = DynamicLibrary.open('user32.dll');
final messageBox =
user32.lookupFunction<MessageBoxNative, MessageBoxDart>('MessageBoxW');
final result = messageBox(
0, // No owner window
'Test message'.toNativeUtf16(), // Message
'Window caption'.toNativeUtf16(), // Window title
0, // OK button only
);
}
```
### Rendering native controls in a Flutter app
Because Flutter content is drawn to a texture and its widget tree is entirely
internal, there's no place for something like an Android view to exist within
Flutter's internal model or render interleaved within Flutter widgets. That's a
problem for developers that would like to include existing platform components
in their Flutter apps, such as a browser control.
Flutter solves this by introducing platform view widgets
([`AndroidView`]({{site.api}}/flutter/widgets/AndroidView-class.html)
and [`UiKitView`]({{site.api}}/flutter/widgets/UiKitView-class.html))
that let you embed this kind of content on each platform. Platform views can be
integrated with other Flutter content<sup><a href="#a3">3</a></sup>. Each of
these widgets acts as an intermediary to the underlying operating system. For
example, on Android, `AndroidView` serves three primary functions:
- Making a copy of the graphics texture rendered by the native view and
presenting it to Flutter for composition as part of a Flutter-rendered surface
each time the frame is painted.
- Responding to hit testing and input gestures, and translating those into the
equivalent native input.
- Creating an analog of the accessibility tree, and passing commands and
responses between the native and Flutter layers.
Inevitably, there is a certain amount of overhead associated with this
synchronization. In general, therefore, this approach is best suited for complex
controls like Google Maps where reimplementing in Flutter isn't practical.
Typically, a Flutter app instantiates these widgets in a `build()` method based
on a platform test. As an example, from the
[google_maps_flutter]({{site.pub}}/packages/google_maps_flutter) plugin:
```dart
if (defaultTargetPlatform == TargetPlatform.android) {
return AndroidView(
viewType: 'plugins.flutter.io/google_maps',
onPlatformViewCreated: onPlatformViewCreated,
gestureRecognizers: gestureRecognizers,
creationParams: creationParams,
creationParamsCodec: const StandardMessageCodec(),
);
} else if (defaultTargetPlatform == TargetPlatform.iOS) {
return UiKitView(
viewType: 'plugins.flutter.io/google_maps',
onPlatformViewCreated: onPlatformViewCreated,
gestureRecognizers: gestureRecognizers,
creationParams: creationParams,
creationParamsCodec: const StandardMessageCodec(),
);
}
return Text(
'$defaultTargetPlatform is not yet supported by the maps plugin');
```
Communicating with the native code underlying the `AndroidView` or `UiKitView`
typically occurs using the platform channels mechanism, as previously described.
At present, platform views aren't available for desktop platforms, but this is
not an architectural limitation; support might be added in the future.
### Hosting Flutter content in a parent app
The converse of the preceding scenario is embedding a Flutter widget in an
existing Android or iOS app. As described in an earlier section, a newly created
Flutter app running on a mobile device is hosted in an Android activity or iOS
`UIViewController`. Flutter content can be embedded into an existing Android or
iOS app using the same embedding API.
The Flutter module template is designed for easy embedding; you can either embed
it as a source dependency into an existing Gradle or Xcode build definition, or
you can compile it into an Android Archive or iOS Framework binary for use
without requiring every developer to have Flutter installed.
The Flutter engine takes a short while to initialize, because it needs to load
Flutter shared libraries, initialize the Dart runtime, create and run a Dart
isolate, and attach a rendering surface to the UI. To minimize any UI delays
when presenting Flutter content, it's best to initialize the Flutter engine
during the overall app initialization sequence, or at least ahead of the first
Flutter screen, so that users don't experience a sudden pause while the first
Flutter code is loaded. In addition, separating the Flutter engine allows it to
be reused across multiple Flutter screens and share the memory overhead involved
with loading the necessary libraries.
More information about how Flutter is loaded into an existing Android or iOS app
can be found at the [Load sequence, performance and memory
topic](/add-to-app/performance).
## Flutter web support
While the general architectural concepts apply to all platforms that Flutter
supports, there are some unique characteristics of Flutter's web support that
are worthy of comment.
Dart has been compiling to JavaScript for as long as the language has existed,
with a toolchain optimized for both development and production purposes. Many
important apps compile from Dart to JavaScript and run in production today,
including the [advertiser tooling for Google Ads](https://ads.google.com/home/).
Because the Flutter framework is written in Dart, compiling it to JavaScript was
relatively straightforward.
However, the Flutter engine, written in C++,
is designed to interface with the
underlying operating system rather than a web browser.
A different approach is therefore required.
On the web, Flutter provides a reimplementation of the
engine on top of standard browser APIs.
We currently have two options for
rendering Flutter content on the web: HTML and WebGL.
In HTML mode, Flutter uses HTML, CSS, Canvas, and SVG.
To render to WebGL, Flutter uses a version of Skia
compiled to WebAssembly called
[CanvasKit](https://skia.org/docs/user/modules/canvaskit/).
While HTML mode offers the best code size characteristics,
`CanvasKit` provides the fastest path to the
browser's graphics stack,
and offers somewhat higher graphical fidelity with the
native mobile targets<sup><a href="#a4">4</a></sup>.
The web version of the architectural layer diagram is as follows:
{:width="100%"}
Perhaps the most notable difference compared to other platforms on which Flutter
runs is that there is no need for Flutter to provide a Dart runtime. Instead,
the Flutter framework (along with any code you write) is compiled to JavaScript.
It's also worthy to note that Dart has very few language semantic differences
across all its modes (JIT versus AOT, native versus web compilation), and most
developers will never write a line of code that runs into such a difference.
During development time, Flutter web uses
[`dartdevc`]({{site.dart-site}}/tools/dartdevc), a compiler that supports
incremental compilation and therefore allows hot restart (although not currently
hot reload) for apps. Conversely, when you are ready to create a production app
for the web, [`dart2js`]({{site.dart-site}}/tools/dart2js), Dart's
highly-optimized production JavaScript compiler is used, packaging the Flutter
core and framework along with your application into a minified source file that
can be deployed to any web server. Code can be offered in a single file or split
into multiple files through [deferred imports][].
[deferred imports]: {{site.dart-site}}/language/libraries#lazily-loading-a-library
## Further information
For those interested in more information about the internals of Flutter, the
[Inside Flutter](/resources/inside-flutter) whitepaper
provides a useful guide to the framework's design philosophy.
---
**Footnotes:**
<sup><a id="a1">1</a></sup> While the `build` function returns a fresh tree,
you only need to return something _different_ if there's some new
configuration to incorporate. If the configuration is in fact the same, you can
just return the same widget.
<sup><a id="a2">2</a></sup> This is a slight simplification for ease of
reading. In practice, the tree might be more complex.
<sup><a id="a3">3</a></sup> There are some limitations with this approach, for
example, transparency doesn't composite the same way for a platform view as it
would for other Flutter widgets.
<sup><a id="a4">4</a></sup> One example is shadows, which have to be
approximated with DOM-equivalent primitives at the cost of some fidelity.
| website/src/resources/architectural-overview.md/0 | {
"file_path": "website/src/resources/architectural-overview.md",
"repo_id": "website",
"token_count": 13255
} | 1,288 |
---
title: Debug Flutter apps from code
description: How to enable various debugging tools from your code and at the command line.
---
<?code-excerpt path-base="testing/code_debugging"?>
This guide describes which debugging features you can enable in your code.
For a full list of debugging and profiling tools, check out the
[Debugging][] page.
{{site.alert.note}}
If you are looking for a way to use GDB to remotely debug the
Flutter engine running within an Android app process,
check out [`flutter_gdb`][].
{{site.alert.end}}
[`flutter_gdb`]: {{site.repo.engine}}/blob/main/sky/tools/flutter_gdb
## Add logging to your application
{{site.alert.note}}
You can view logs in DevTools' [Logging view][]
or in your system console. This sections
shows how to set up your logging statements.
{{site.alert.end}}
You have two options for logging for your application.
1. Print to `stdout` and `stderr` using `print()` statements.
1. Import `dart:io` and invoking methods on
`stderr` and `stdout`. For example:
<?code-excerpt "lib/main.dart (stderr)"?>
```dart
stderr.writeln('print me');
```
If you output too much at once, then Android might discard some log lines.
To avoid this outcome,
use [`debugPrint()`][] from Flutter's `foundation` library.
This wrapper around `print` throttles the output to avoid the Android kernel
dropping output.
You can also log your app using the `dart:developer` [`log()`][] function.
This allows you to include greater granularity and more information
in the logging output.
### Example 1
{:.no_toc}
<?code-excerpt "lib/main.dart (log)"?>
```dart
import 'dart:developer' as developer;
void main() {
developer.log('log me', name: 'my.app.category');
developer.log('log me 1', name: 'my.other.category');
developer.log('log me 2', name: 'my.other.category');
}
```
You can also pass app data to the log call.
The convention for this is to use the `error:` named
parameter on the `log()` call, JSON encode the object
you want to send, and pass the encoded string to the
error parameter.
### Example 2
{:.no_toc}
<?code-excerpt "lib/app_data.dart (PassAppData)"?>
```dart
import 'dart:convert';
import 'dart:developer' as developer;
void main() {
var myCustomObject = MyCustomObject();
developer.log(
'log me',
name: 'my.app.category',
error: jsonEncode(myCustomObject),
);
}
```
DevTool's logging view interprets the JSON encoded error parameter
as a data object.
DevTool renders in the details view for that log entry.
## Set breakpoints
You can set breakpoints in DevTools' [Debugger][] or
in the built-in debugger of your IDE.
To set programmatic breakpoints:
1. Import the `dart:developer` package into the relevant file.
1. Insert programmatic breakpoints using the `debugger()` statement.
This statement takes an optional `when` argument.
This boolean argument sets a break when the given condition resolves to true.
**Example 3** illustrates this.
### Example 3
{:.no_toc}
<?code-excerpt "lib/debugger.dart"?>
```dart
import 'dart:developer';
void someFunction(double offset) {
debugger(when: offset > 30);
// ...
}
```
## Debug app layers using flags
Each layer of the Flutter framework provides a function to dump its
current state or events to the console using the `debugPrint` property.
{{site.alert.note}}
All of the following examples were run as macOS native apps on
a MacBook Pro M1. These will differ from any dumps your
development machine prints.
{{site.alert.end}}
{% include docs/admonitions/tip-hashCode-tree.md %}
### Print the widget tree
To dump the state of the Widgets library,
call the [`debugDumpApp()`][] function.
1. Open your source file.
1. Import `package:flutter/rendering.dart`.
1. Call the [`debugDumpApp()`][] function from within the `runApp()` function.
You need your app in debug mode.
You cannot call this function inside a `build()` method
when the app is building.
1. If you haven't started your app, debug it using your IDE.
1. If you have started your app, save your source file.
Hot reload re-renders your app.
#### Example 4: Call `debugDumpApp()`
<?code-excerpt "lib/dump_app.dart"?>
```dart
import 'package:flutter/material.dart';
void main() {
runApp(
const MaterialApp(
home: AppHome(),
),
);
}
class AppHome extends StatelessWidget {
const AppHome({super.key});
@override
Widget build(BuildContext context) {
return Material(
child: Center(
child: TextButton(
onPressed: () {
debugDumpApp();
},
child: const Text('Dump Widget Tree'),
),
),
);
}
}
```
This function recursively calls the `toStringDeep()` method starting with
the root of the widget tree. It returns a "flattened" tree.
**Example 4** produces the following widget tree. It includes:
* All the widgets projected through their various build functions.
* Many widgets that don't appear in your app's source.
The framework's widgets' build functions insert them during the build.
The following tree, for example, shows [`_InkFeatures`][].
That class implements part of the [`Material`][] widget.
It doesn't appear anywhere in the code in **Example 4**.
<details markdown="1">
<summary><strong>Expand to view the widget tree for Example 4</strong></summary>
{% include_relative trees/widget-tree.md -%}
</details>
When the button changes from being pressed to being released,
this invokes the `debugDumpApp()` function.
It also coincides with the [`TextButton`][] object calling [`setState()`][]
and thus marking itself dirty.
This explains why a Flutter marks a specific object as "dirty".
When you review the widget tree, look for a line that resembles the following:
```nocode
└TextButton(dirty, dependencies: [MediaQuery, _InheritedTheme, _LocalizationsScope-[GlobalKey#5880d]], state: _ButtonStyleState#ab76e)
```
If you write your own widgets, override the
[`debugFillProperties()`][widget-fill] method to add information.
Add [DiagnosticsProperty][] objects to the method's argument
and call the superclass method.
The `toString` method uses this function to fill in the widget's description.
### Print the render tree
When debugging a layout issue, the Widgets layer's tree might lack detail.
The next level of debugging might require a render tree.
To dump the render tree:
1. Open your source file.
1. Call the [`debugDumpRenderTree()`][] function.
You can call this any time except during a layout or paint phase.
Consider calling it from a [frame callback][] or an event handler.
1. If you haven't started your app, debug it using your IDE.
1. If you have started your app, save your source file.
Hot reload re-renders your app.
#### Example 5: Call `debugDumpRenderTree()`
<?code-excerpt "lib/dump_render_tree.dart"?>
```dart
import 'package:flutter/material.dart';
void main() {
runApp(
const MaterialApp(
home: AppHome(),
),
);
}
class AppHome extends StatelessWidget {
const AppHome({super.key});
@override
Widget build(BuildContext context) {
return Material(
child: Center(
child: TextButton(
onPressed: () {
debugDumpRenderTree();
},
child: const Text('Dump Render Tree'),
),
),
);
}
}
```
When debugging layout issues, look at the `size` and `constraints` fields.
The constraints flow down the tree and the sizes flow back up.
<details markdown="1">
<summary><strong>Expand to view the render tree for Example 5</strong></summary>
{% include_relative trees/render-tree.md -%}
</details>
In the render tree for **Example 5**:
* The `RenderView`, or window size, limits all render objects up to and
including [`RenderPositionedBox`][]`#dc1df` render object
to the size of the screen.
This example sets the size to `Size(800.0, 600.0)`
* The `constraints` property of each render object limits the size
of each child. This property takes the [`BoxConstraints`][] render object as a value.
Starting with the `RenderSemanticsAnnotations#fe6b5`, the constraint equals
`BoxConstraints(w=800.0, h=600.0)`.
* The [`Center`][] widget created the `RenderPositionedBox#dc1df` render object
under the `RenderSemanticsAnnotations#8187b` subtree.
* Each child under this render object has `BoxConstraints` with both
minimum and maximum values. For example, `RenderSemanticsAnnotations#a0a4b`
uses `BoxConstraints(0.0<=w<=800.0, 0.0<=h<=600.0)`.
* All children of the `RenderPhysicalShape#8e171` render object use
`BoxConstraints(BoxConstraints(56.0<=w<=800.0, 28.0<=h<=600.0))`.
* The child `RenderPadding#8455f` sets a `padding` value of
`EdgeInsets(8.0, 0.0, 8.0, 0.0)`.
This sets a left and right padding of 8 to all subsequent children of
this render object.
They now have new constraints:
`BoxConstraints(40.0<=w<=784.0, 28.0<=h<=600.0)`.
This object, which the `creator` field tells us is
probably part of the [`TextButton`][]'s definition,
sets a minimum width of 88 pixels on its contents and a
specific height of 36.0. This is the `TextButton` class implementing
the Material Design guidelines regarding button dimensions.
`RenderPositionedBox#80b8d` render object loosens the constraints again
to center the text within the button.
The [`RenderParagraph`][]#59bc2 render object picks its size based on
its contents.
If you follow the sizes back up the tree,
you see how the size of the text influences the width of all the boxes
that form the button.
All parents take their child's dimensions to size themselves.
Another way to notice this is by looking at the `relayoutBoundary`
attribute of in the descriptions of each box.
This tells you how many ancestors depend on this element's size.
For example, the innermost `RenderPositionedBox` line has a `relayoutBoundary=up13`.
This means that when Flutter marks the `RenderConstrainedBox` as dirty,
it also marks box's 13 ancestors as dirty because the new dimensions
might affect those ancestors.
To add information to the dump if you write your own render objects,
override [`debugFillProperties()`][render-fill].
Add [DiagnosticsProperty][] objects to the method's argument
then call the superclass method.
### Print the layer tree
To debug a compositing issue, use [`debugDumpLayerTree()`][].
#### Example 6: Call `debugDumpLayerTree()`
<?code-excerpt "lib/dump_layer_tree.dart"?>
```dart
import 'package:flutter/material.dart';
void main() {
runApp(
const MaterialApp(
home: AppHome(),
),
);
}
class AppHome extends StatelessWidget {
const AppHome({super.key});
@override
Widget build(BuildContext context) {
return Material(
child: Center(
child: TextButton(
onPressed: () {
debugDumpLayerTree();
},
child: const Text('Dump Layer Tree'),
),
),
);
}
}
```
<details markdown="1">
<summary><strong>Expand to view the output of layer tree for Example 6</strong></summary>
{% include_relative trees/layer-tree.md -%}
</details>
The `RepaintBoundary` widget creates:
1. A `RenderRepaintBoundary` RenderObject in the render tree
as shown in the **Example 5** results.
```nocode
╎ └─child: RenderRepaintBoundary#f8f28
╎ │ needs compositing
╎ │ creator: RepaintBoundary ← _FocusInheritedScope ← Semantics ←
╎ │ FocusScope ← PrimaryScrollController ← _ActionsScope ← Actions
╎ │ ← Builder ← PageStorage ← Offstage ← _ModalScopeStatus ←
╎ │ UnmanagedRestorationScope ← ⋯
╎ │ parentData: <none> (can use size)
╎ │ constraints: BoxConstraints(w=800.0, h=600.0)
╎ │ layer: OffsetLayer#e73b7
╎ │ size: Size(800.0, 600.0)
╎ │ metrics: 66.7% useful (1 bad vs 2 good)
╎ │ diagnosis: insufficient data to draw conclusion (less than five
╎ │ repaints)
```
1. A new layer in the layer tree as shown in the **Example 6**
results.
```nocode
├─child 1: OffsetLayer#0f766
│ │ creator: RepaintBoundary ← _FocusInheritedScope ← Semantics ←
│ │ FocusScope ← PrimaryScrollController ← _ActionsScope ← Actions
│ │ ← Builder ← PageStorage ← Offstage ← _ModalScopeStatus ←
│ │ UnmanagedRestorationScope ← ⋯
│ │ engine layer: OffsetEngineLayer#1768d
│ │ handles: 2
│ │ offset: Offset(0.0, 0.0)
```
This reduces how much needs to be repainted.
### Print the focus tree
To debug a focus or shortcut issue, dump the focus tree
using the [`debugDumpFocusTree()`][] function.
The `debugDumpFocusTree()` method returns the focus tree for the app.
The focus tree labels nodes in the following way:
* The focused node is labeled `PRIMARY FOCUS`.
* Ancestors of the focus nodes are labeled `IN FOCUS PATH`.
If your app uses the [`Focus`][] widget, use the [`debugLabel`][]
property to simplify finding its focus node in the tree.
You can also use the [`debugFocusChanges`][] boolean property to enable
extensive logging when the focus changes.
#### Example 7: Call `debugDumpFocusTree()`
<?code-excerpt "lib/dump_focus_tree.dart"?>
```dart
import 'package:flutter/material.dart';
void main() {
runApp(
const MaterialApp(
home: AppHome(),
),
);
}
class AppHome extends StatelessWidget {
const AppHome({super.key});
@override
Widget build(BuildContext context) {
return Material(
child: Center(
child: TextButton(
onPressed: () {
debugDumpFocusTree();
},
child: const Text('Dump Focus Tree'),
),
),
);
}
}
```
<details markdown="1">
<summary><strong>Expand to view the focus tree for Example 7</strong></summary>
{% include_relative trees/focus-tree.md -%}
</details>
### Print the semantics tree
The `debugDumpSemanticsTree()` function prints the semantic tree for the app.
The Semantics tree is presented to the system accessibility APIs.
To obtain a dump of the Semantics tree:
1. Enable accessibility using a system accessibility tool
or the `SemanticsDebugger`
1. Use the [`debugDumpSemanticsTree()`][] function.
#### Example 8: Call `debugDumpSemanticsTree()`
<?code-excerpt "lib/dump_semantic_tree.dart"?>
```dart
import 'package:flutter/foundation.dart';
import 'package:flutter/material.dart';
import 'package:flutter/rendering.dart';
void main() {
runApp(
const MaterialApp(
home: AppHome(),
),
);
}
class AppHome extends StatelessWidget {
const AppHome({super.key});
@override
Widget build(BuildContext context) {
return Material(
child: Center(
child: Semantics(
button: true,
enabled: true,
label: 'Clickable text here!',
child: GestureDetector(
onTap: () {
debugDumpSemanticsTree();
if (kDebugMode) {
print('Clicked!');
}
},
child: const Text('Click Me!', style: TextStyle(fontSize: 56))),
),
),
);
}
}
```
<details markdown="1">
<summary><strong>Expand to view the semantic tree for Example 8</strong></summary>
{% include_relative trees/semantic-tree.md -%}
</details>
### Print event timings
If you want to find out where your events happen relative to the frame's
begin and end, you can set prints to log these events.
To print the beginning and end of the frames to the console,
toggle the [`debugPrintBeginFrameBanner`][]
and the [`debugPrintEndFrameBanner`][].
**The print frame banner log for Example 1**
```nocode
I/flutter : ▄▄▄▄▄▄▄▄ Frame 12 30s 437.086ms ▄▄▄▄▄▄▄▄
I/flutter : Debug print: Am I performing this work more than once per frame?
I/flutter : Debug print: Am I performing this work more than once per frame?
I/flutter : ▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀▀
```
To print the call stack causing the current frame to be scheduled,
use the [`debugPrintScheduleFrameStacks`][] flag.
## Debug layout issues
To debug a layout problem using a GUI, set
[`debugPaintSizeEnabled`][] to `true`.
This flag can be found in the `rendering` library.
You can enable it at any time and affects all painting while `true`.
Consider adding it to the top of your `void main()` entry point.
#### Example 9
See an example in the following code:
<?code-excerpt "lib/debug_flags.dart (debugPaintSizeEnabled)"?>
```dart
//add import to rendering library
import 'package:flutter/rendering.dart';
void main() {
debugPaintSizeEnabled = true;
runApp(const MyApp());
}
```
When enabled, Flutter displays the following changes to your app:
* Displays all boxes in a bright teal border.
* Displays all padding as a box with a faded blue fill and blue border
around the child widget.
* Displays all alignment positioning with yellow arrows.
* Displays all spacers in gray, when they have no child.
The [`debugPaintBaselinesEnabled`][] flag
does something similar but for objects with baselines.
The app displays the baseline for alphabetic characters in bright green
and the baseline for ideographic characters in orange.
Alphabetic characters "sit" on the alphabetic baseline,
but that baseline "cuts" through the bottom of [CJK characters][cjk].
Flutter positions the ideographic baseline at the very bottom of the text line.
The [`debugPaintPointersEnabled`][] flag turns on a special mode that
highlights any objects that you tap in teal.
This can help you determine if an object fails to hit test.
This might happen if the object falls outside the bounds of its parent
and thus not considered for hit testing in the first place.
If you're trying to debug compositor layers, consider using the following flags.
* Use the [`debugPaintLayerBordersEnabled`][] flag to find the boundaries
of each layer. This flag results in outlining each layer's bounds in orange.
* Use the [`debugRepaintRainbowEnabled`][] flag to display a repainted layer.
Whenever a layer repaints, it overlays with a rotating set of colors.
Any function or method in the Flutter framework that starts with
`debug...` only works in [debug mode][].
[cjk]: https://en.wikipedia.org/wiki/CJK_characters
## Debug animation issues
{{site.alert.note}}
To debug animations with the least effort, slow them down.
To slow down the animation,
click **Slow Animations** in DevTools' [Inspector view][].
This reduces the animation to 20% speed.
If you want more control over the amount of slowness,
use the following instructions.
{{site.alert.end}}
Set the [`timeDilation`][] variable (from the `scheduler`
library) to a number greater than 1.0, for instance, 50.0.
It's best to only set this once on app startup. If you
change it on the fly, especially if you reduce it while
animations are running, it's possible that the framework
will observe time going backwards, which will probably
result in asserts and generally interfere with your efforts.
## Debug performance issues
{{site.alert.note}}
You can achieve similar results to some of these debug
flags using [DevTools][]. Some of the debug flags provide little benefit.
If you find a flag with functionality you would like to add to [DevTools][],
[file an issue][].
{{site.alert.end}}
Flutter provides a wide variety of top-level properties and functions
to help you debug your app at various points along the
development cycle.
To use these features, compile your app in debug mode.
The following list highlights some of flags and one function from the
[rendering library][] for debugging performance issues.
[`debugDumpRenderTree()`][]
: To dump the rendering tree to the console,
call this function when not in a layout or repaint phase.
{% comment %}
Feature is not yet added to DevTools:
Rather than using this flag to dump the render tree
to a file, view the render tree in the Flutter inspector.
To do so, bring up the Flutter inspector and select the
**Render Tree** tab.
{% endcomment %}
To set these flags either:
* edit the framework code
* import the module, set the value in your `main()` function,
then hot restart.
[`debugPaintLayerBordersEnabled`][]
: To display the boundaries of each layer, set this property to `true`.
When set, each layer paints a box around its boundary.
[`debugRepaintRainbowEnabled`][]
: To display a colored border around each widget, set this property to `true`.
These borders change color as the app user scrolls in the app.
To set this flag, add `debugRepaintRainbowEnabled = true;` as a top-level
property in your app.
If any static widgets rotate through colors after setting this flag,
consider adding repaint boundaries to those areas.
[`debugPrintMarkNeedsLayoutStacks`][]
: To determine if your app creates more layouts than expected,
set this property to `true`.
This layout issue could happen on the timeline, on a profile,
or from a `print` statement inside a layout method.
When set, the framework outputs stack traces to the console
to explain why your app marks each render object to be laid out.
[`debugPrintMarkNeedsPaintStacks`][]
: To determine if your app paints more layouts than expected,
set this property to `true`.
You can generate stack traces on demand as well.
To print your own stack traces, add the `debugPrintStack()`
function to your app.
### Trace Dart code performance
{{site.alert.note}}
You can use the DevTools [Timeline events tab][] to perform traces.
You can also import and export trace files into the Timeline view,
but only files generated by DevTools.
{{site.alert.end}}
To perform custom performance traces and
measure wall or CPU time of arbitrary segments of Dart code
like Android does with [systrace][],
use `dart:developer` [Timeline][] utilities.
1. Open your source code.
1. Wrap the code you want to measure in `Timeline` methods.
<?code-excerpt "lib/perf_trace.dart"?>
```dart
import 'dart:developer';
void main() {
Timeline.startSync('interesting function');
// iWonderHowLongThisTakes();
Timeline.finishSync();
}
```
1. While connected to your app, open DevTools' [Timeline events tab][].
1. Select the **Dart** recording option in the **Performance settings**.
1. Perform the function you want to measure.
To ensure that the runtime performance characteristics closely match that
of your final product, run your app in [profile mode][].
### Add performance overlay
{{site.alert.note}}
You can toggle display of the performance overlay on
your app using the **Performance Overlay** button in the
[Flutter inspector][]. If you prefer to do it in code,
use the following instructions.
{{site.alert.end}}
To enable the `PerformanceOverlay` widget in your code,
set the `showPerformanceOverlay` property to `true` on the
[`MaterialApp`][], [`CupertinoApp`][], or [`WidgetsApp`][]
constructor:
#### Example 10
<?code-excerpt "lib/performance_overlay.dart (PerfOverlay)"?>
```dart
import 'package:flutter/material.dart';
class MyApp extends StatelessWidget {
const MyApp({super.key});
@override
Widget build(BuildContext context) {
return MaterialApp(
showPerformanceOverlay: true,
title: 'My Awesome App',
theme: ThemeData(
colorScheme: ColorScheme.fromSeed(seedColor: Colors.deepPurple),
),
home: const MyHomePage(title: 'My Awesome App'),
);
}
}
```
(If you're not using `MaterialApp`, `CupertinoApp`,
or `WidgetsApp`, you can get the same effect by wrapping your
application in a stack and putting a widget on your stack that was
created by calling [`PerformanceOverlay.allEnabled()`][].)
To learn how to interpret the graphs in the overlay,
check out [The performance overlay][] in
[Profiling Flutter performance][].
## Add widget alignment grid
To add an overlay to a [Material Design baseline grid][] on your app to
help verify alignments, add the `debugShowMaterialGrid` argument in the
[`MaterialApp` constructor][].
To add an overlay to non-Material applications, add a [`GridPaper`][] widget.
[Debugger]: /tools/devtools/debugger
[Debugging]: /testing/debugging
[DevTools]: /tools/devtools
[DiagnosticsProperty]: {{site.api}}/flutter/foundation/DiagnosticsProperty-class.html
[Flutter inspector]: /tools/devtools/inspector
[Inspector view]: /tools/devtools/inspector
[Logging view]: /tools/devtools/logging
[Material Design baseline grid]: {{site.material}}/foundations/layout/understanding-layout/spacing
[Profiling Flutter performance]: /perf/ui-performance
[The performance overlay]: /perf/ui-performance#the-performance-overlay
[Timeline events tab]: /tools/devtools/performance#timeline-events-tab
[Timeline]: {{site.dart.api}}/stable/dart-developer/Timeline-class.html
[`Center`]: {{site.api}}/flutter/widgets/Center-class.html
[`CupertinoApp`]: {{site.api}}/flutter/cupertino/CupertinoApp-class.html
[`Focus`]: {{site.api}}/flutter/widgets/Focus-class.html
[`GridPaper`]: {{site.api}}/flutter/widgets/GridPaper-class.html
[`MaterialApp` constructor]: {{site.api}}/flutter/material/MaterialApp/MaterialApp.html
[`MaterialApp`]: {{site.api}}/flutter/material/MaterialApp/MaterialApp.html
[`Material`]: {{site.api}}/flutter/material/Material-class.html
[`PerformanceOverlay.allEnabled()`]: {{site.api}}/flutter/widgets/PerformanceOverlay/PerformanceOverlay.allEnabled.html
[`RenderParagraph`]: {{site.api}}/flutter/rendering/RenderParagraph-class.html
[`RenderPositionedBox`]: {{site.api}}/flutter/rendering/RenderPositionedBox-class.html
[`TextButton`]: {{site.api}}/flutter/material/TextButton-class.html
[`WidgetsApp`]: {{site.api}}/flutter/widgets/WidgetsApp-class.html
[`_InkFeatures`]: {{site.api}}/flutter/material/InkFeature-class.html
[`debugDumpApp()`]: {{site.api}}/flutter/widgets/debugDumpApp.html
[`debugDumpFocusTree()`]: {{site.api}}/flutter/widgets/debugDumpFocusTree.html
[`debugDumpLayerTree()`]: {{site.api}}/flutter/rendering/debugDumpLayerTree.html
[`debugDumpRenderTree()`]: {{site.api}}/flutter/rendering/debugDumpRenderTree.html
[`debugDumpSemanticsTree()`]: {{site.api}}/flutter/rendering/debugDumpSemanticsTree.html
[`debugFocusChanges`]: {{site.api}}/flutter/widgets/debugFocusChanges.html
[`debugLabel`]: {{site.api}}/flutter/widgets/Focus/debugLabel.html
[`debugPaintBaselinesEnabled`]: {{site.api}}/flutter/rendering/debugPaintBaselinesEnabled.html
[`debugPaintLayerBordersEnabled`]: {{site.api}}/flutter/rendering/debugPaintLayerBordersEnabled.html
[`debugPaintPointersEnabled`]: {{site.api}}/flutter/rendering/debugPaintPointersEnabled.html
[`debugPaintSizeEnabled`]: {{site.api}}/flutter/rendering/debugPaintSizeEnabled.html
[`debugPrint()`]: {{site.api}}/flutter/foundation/debugPrint.html
[`debugPrintBeginFrameBanner`]: {{site.api}}/flutter/scheduler/debugPrintBeginFrameBanner.html
[`debugPrintEndFrameBanner`]: {{site.api}}/flutter/scheduler/debugPrintEndFrameBanner.html
[`debugPrintMarkNeedsLayoutStacks`]: {{site.api}}/flutter/rendering/debugPrintMarkNeedsLayoutStacks.html
[`debugPrintMarkNeedsPaintStacks`]: {{site.api}}/flutter/rendering/debugPrintMarkNeedsPaintStacks.html
[`debugPrintScheduleFrameStacks`]: {{site.api}}/flutter/scheduler/debugPrintScheduleFrameStacks.html
[`debugRepaintRainbowEnabled`]: {{site.api}}/flutter/rendering/debugRepaintRainbowEnabled.html
[`log()`]: {{site.api}}/flutter/dart-developer/log.html
[`setState()`]: {{site.api}}/flutter/widgets/State/setState.html
[`timeDilation`]: {{site.api}}/flutter/scheduler/timeDilation.html
[debug mode]: /testing/build-modes#debug
[file an issue]: {{site.github}}/flutter/devtools/issues
[frame callback]: {{site.api}}/flutter/scheduler/SchedulerBinding/addPersistentFrameCallback.html
[profile mode]: /testing/build-modes#profile
[render-fill]: {{site.api}}/flutter/rendering/Layer/debugFillProperties.html
[rendering library]: {{site.api}}/flutter/rendering/rendering-library.html
[systrace]: {{site.android-dev}}/studio/profile/systrace
[widget-fill]: {{site.api}}/flutter/widgets/Widget/debugFillProperties.html
[`BoxConstraints`]: {{site.api}}/flutter/rendering/BoxConstraints-class.html
| website/src/testing/code-debugging.md/0 | {
"file_path": "website/src/testing/code-debugging.md",
"repo_id": "website",
"token_count": 9081
} | 1,289 |
---
title: DevTools extensions
description: Learn how to use and build DevTools extensions.
---
## What are DevTools extensions?
[DevTools extensions](https://pub.dev/packages/devtools_extensions) are developer
tools provided by third-party packages that are tightly integrated into the
DevTools tooling suite. Extensions are distributed as part of a pub package,
and they are dynamically loaded into DevTools when a user is debugging their app.
## Use a DevTools extension
If your app depends on a package that provides a DevTools extension, the
extension automatically shows up in a new tab when you open DevTools.
### Configure extension enablement states
You need to manually enable the extension before it loads for the first time.
Make sure the extension is provided by a source you trust before enabling it.

Extension enablement states are stored in a `devtools_options.yaml` file in the
root of the user's project (similar to `analysis_options.yaml`). This file
stores per-project (or optionally, per user) settings for DevTools.
If this file is **checked into source control**, the specified options are
configured for the project. This means that anyone who pulls a project's
source code and works on the project uses the same settings.
If this file is **omitted from source control**, for example by adding
`devtools_options.yaml` as an entry in the `.gitignore` file, then the specified
options are configured separately for each user. Since each user or
contributor to the project uses a local copy of the `devtools_options.yaml`
file in this case, the specified options might differ between project contributors.
## Build a DevTools extension
For an in-depth guide on how to build a DevTools extension, check out
[Dart and Flutter DevTools extensions][article], a free article on Medium.
[article]: {{site.flutter-medium}}/dart-flutter-devtools-extensions-c8bc1aaf8e5f | website/src/tools/devtools/extensions.md/0 | {
"file_path": "website/src/tools/devtools/extensions.md",
"repo_id": "website",
"token_count": 501
} | 1,290 |
# DevTools 2.15.0 release notes
The 2.15.0 release of the Dart and Flutter DevTools
includes the following changes among other general improvements.
To learn more about DevTools, check out the
[DevTools overview](https://docs.flutter.dev/tools/devtools/overview).
## General updates
* The DevTools 2.15 release includes improvements to all tables in
DevTools (logging view, network profiler, CPU profiler, and so on) -
[#4175](https://github.com/flutter/devtools/pull/4175)
## Performance updates
* Added outlines to each layer displayed in the Raster Metrics tool -
[#4192](https://github.com/flutter/devtools/pull/4192)

* Fix a bug with loading offline data -
[#4189](https://github.com/flutter/devtools/pull/4189)
## Network updates
* Added a Json viewer with syntax highlighting for network responses -
[#4167](https://github.com/flutter/devtools/pull/4167)

* Added the ability to copy network responses -
[#4190](https://github.com/flutter/devtools/pull/4190)
## Memory updates
* Added the ability to select a different isolate from the DevTools footer -
[#4173](https://github.com/flutter/devtools/pull/4173)
* Made the automatic snapshotting feature a configurable setting -
[#4200](https://github.com/flutter/devtools/pull/4200)
## CPU profiler
* Stop manually truncating source URIs in the profiler tables -
[#4166](https://github.com/flutter/devtools/pull/4166)
## Full commit history
To find a complete list of changes since the previous release,
check out
[the diff on GitHub](https://github.com/flutter/devtools/compare/v2.14.0...v2.15.0).
| website/src/tools/devtools/release-notes/release-notes-2.15.0-src.md/0 | {
"file_path": "website/src/tools/devtools/release-notes/release-notes-2.15.0-src.md",
"repo_id": "website",
"token_count": 573
} | 1,291 |
# DevTools 2.23.1 release notes
The 2.23.1 release of the Dart and Flutter DevTools
includes the following changes among other general improvements.
To learn more about DevTools, check out the
[DevTools overview](https://docs.flutter.dev/tools/devtools/overview).
## General updates
* Update DevTools to the new Material 3 design -
[#5429](https://github.com/flutter/devtools/pull/5429)
* Use the default Flutter service worker -
[#5331](https://github.com/flutter/devtools/pull/5331)
* Added the new verbose logging feature for helping us debug user issues -
[#5404](https://github.com/flutter/devtools/pull/5404)

* Fix a bug where some asynchronous errors were not being reported -
[#5456](https://github.com/flutter/devtools/pull/5456)
* Added support for viewing data after an app disconnects for
screens that support offline viewing
(currently only the Performance and CPU profiler pages) -
[#5509](https://github.com/flutter/devtools/pull/5509)
* Include settings button in the footer of the embedded view -
[#5528](https://github.com/flutter/devtools/pull/5528)
## Performance updates
* Fix a performance regression in timeline event processing -
[#5460](https://github.com/flutter/devtools/pull/5460)
* Persist a user's preference for whether the
Flutter Frames chart should be shown by default -
[#5339](https://github.com/flutter/devtools/pull/5339)
* Point users to [Impeller](https://docs.flutter.dev/perf/impeller) when
shader compilation jank is detected on an iOS device -
[#5455](https://github.com/flutter/devtools/pull/5455)
* Remove the CPU profiler from the legacy trace viewer -
[#5539](https://github.com/flutter/devtools/pull/5539)
## CPU profiler updates
* Add a Method Table to the CPU profiler -
[#5366](https://github.com/flutter/devtools/pull/5366)

* Improve the performance of data processing in the CPU profiler -
[#5468](https://github.com/flutter/devtools/pull/5468),
[#5533](https://github.com/flutter/devtools/pull/5533),
[#5535](https://github.com/flutter/devtools/pull/5535)
* Polish and performance improvements for the CPU profile flame chart -
[#5529](https://github.com/flutter/devtools/pull/5529)
* Add ability to inspect statistics for a CPU profile -
[#5340](https://github.com/flutter/devtools/pull/5340)
* Fix a bug where Native stack frames were missing their name -
[#5344](https://github.com/flutter/devtools/pull/5344)
* Fix an error in total and self time calculations for the bottom up tree -
[#5348](https://github.com/flutter/devtools/pull/5348)
* Add support for zooming and navigating the flame chart
with ,AOE keys (helpful for Dvorak users) -
[#5545](https://github.com/flutter/devtools/pull/5545)
## Memory updates
* Fix filtering bug in the "Trace Instances" view -
[#5406](https://github.com/flutter/devtools/pull/5406)
* Enabled evaluation and browsing for instances in heap snapshot -
[#5542](https://github.com/flutter/devtools/pull/5542)
* Fix heap snapshot failure -
[#5520](https://github.com/flutter/devtools/pull/5520)
* Stop displaying external sizes in the allocation profile -
[#5555](https://github.com/flutter/devtools/pull/5555)
* Expose totals for memory in heap snapshot -
[#5593](https://github.com/flutter/devtools/pull/5593)
## Debugger updates
* Fix a bug where variable inspection
for instances sometimes showed no children -
[#5356](https://github.com/flutter/devtools/pull/5356)
* Hide "search in file" dialog if the "file search" dialog is open -
[#5393](https://github.com/flutter/devtools/pull/5393)
* Fix file search bug where last letter disappeared when
searching at end of file name -
[#5397](https://github.com/flutter/devtools/pull/5397)
* Add search icon in file bar to make file search more discoverable -
[#5351](https://github.com/flutter/devtools/issues/5351)
* Allow expression evaluation when pausing in JS for web apps -
[#5427](https://github.com/flutter/devtools/pull/5427)
* Update syntax highlighting to
[dart-lang/dart-syntax-highlight v1.2.0](https://github.com/dart-lang/dart-syntax-highlight/blob/master/CHANGELOG.md#120-2023-01-30) -
[#5477](https://github.com/flutter/devtools/pull/5477)
* Debugger panel respects "dense mode" -
[#5517](https://github.com/flutter/devtools/pull/5517)
## Network profiler updates
* Fix a bug viewing JSON responses with null values -
[#5424](https://github.com/flutter/devtools/pull/5424)
* Fix a bug where JSON requests were shown in plain text,
instead of the formatted JSON viewer -
[#5463](https://github.com/flutter/devtools/pull/5463)
* Fix a UI issue where the copy button on the response or request tab
would let you copy while still loading the data -
[#5476](https://github.com/flutter/devtools/pull/5476)
## Full commit history
To find a complete list of changes since the previous release,
check out
[the diff on GitHub](https://github.com/flutter/devtools/compare/v2.22.2...v2.23.1).
| website/src/tools/devtools/release-notes/release-notes-2.23.1-src.md/0 | {
"file_path": "website/src/tools/devtools/release-notes/release-notes-2.23.1-src.md",
"repo_id": "website",
"token_count": 1653
} | 1,292 |
# DevTools 2.28.4 release notes
The 2.28.4 release of the Dart and Flutter DevTools
includes the following changes among other general improvements.
To learn more about DevTools, check out the
[DevTools overview](https://docs.flutter.dev/tools/devtools/overview).
This was a cherry-pick release on top of DevTools 2.28.3.
To learn about the improvements included in DevTools 2.28.3, please read the
[release notes](/tools/devtools/release-notes/release-notes-2.28.3).
## Inspector updates
* Added link to package directory documentation, from the inspect settings dialog - [#6825](https://github.com/flutter/devtools/pull/6825)
* Fixed a bug where widgets owned by the Flutter framework were showing up in the widget tree view -
[#6857](https://github.com/flutter/devtools/pull/6857)
## Full commit history
To find a complete list of changes in this release, check out the
[DevTools git log](https://github.com/flutter/devtools/tree/v2.28.4).
| website/src/tools/devtools/release-notes/release-notes-2.28.4-src.md/0 | {
"file_path": "website/src/tools/devtools/release-notes/release-notes-2.28.4-src.md",
"repo_id": "website",
"token_count": 275
} | 1,293 |
# DevTools 2.8.0 release notes
The 2.8.0 release of the Dart and Flutter DevTools
includes the following changes among other general improvements.
To learn more about DevTools, check out the
[DevTools overview](https://docs.flutter.dev/tools/devtools/overview).
## General updates
* Improvements for initial page load time -
[#3325](https://github.com/flutter/devtools/pull/3325)
* Performance improvements for connecting DevTools to a device,
particularly impactful for low-memory devices -
[#3468](https://github.com/flutter/devtools/pull/3468)
* For users on Flutter 2.8.0 or greater (or Dart 2.15.0 or greater),
DevTools should now be launched via the `dart devtools` command
instead of running `pub global activate devtools`.
DevTools 2.8.0 will be the last version of DevTools shipped on pub,
and all future versions of DevTools will be shipped as part of the Dart SDK.
If you see this warning,
be sure to open DevTools via `dart devtools` instead of from pub:

## Performance updates
* Added a new "Enhance Tracing" feature to help users diagnose UI jank
stemming from expensive Build, Layout, and Paint operations.

The expected workflow is as such:
1. User is investigating UI jank in the performance page
2. User notices a long Build, Layout, and/or Paint event
3. User turns on the respective tracking toggle in the "Enhance Tracing" feature
4. User reproduces the UI jank in their app
5. User looks at the new set of Timeline events, which should now have
additional child events for widgets built, render objects laid out,
and/or render objects painted

* Added new "More debugging options" feature to allow for disabling
rendering layers for Clip, Opacity, and Physical Shapes.

The expected workflow is as such:
1. User is investigating UI jank in the performance page
2. User notices a lot of janky frames and suspects it could be due to
excessive use of clipping, opacity, or physical shapes.
3. User turns off the respective render layer toggle in the "More
debugging options" feature
4. User reproduces the UI jank in their app
5. If the UI jank is reduced with a rendering layer turned off,
the user should try to optimize their app to use
less clipping/opacity/physical shape effects.
If the UI jank is not reduced,
the user now knows that the performance problem
is not due to these UI effects.
## Debugger updates
* Replaced the "Libraries" pane with a "File Explorer" pane -
[#3448](https://github.com/flutter/devtools/pull/3448).
The "File Explorer" pane has two components:
1. A tree view of the libraries present in your application.
You can use the File Explorer to find and open a library,
or you can use the existing <kbd>Ctrl</kbd> / <kbd>Cmd</kbd> +
<kbd>P</kbd> keyboard shortcut to search for a file.
1. A new "Outline" view that shows the structure of the selected library.
This view will show classes, members, methods, etc.,
and when an item is selected,
the source view will jump to the respective line of code
for the selected item.

* Performance improvements to expression evaluation auto complete -
[#3463](https://github.com/flutter/devtools/pull/3463)
* Fixed a bug with keyboard shortcuts -
[#3458](https://github.com/flutter/devtools/pull/3458)
* UI polish - [#3421](https://github.com/flutter/devtools/pull/3421),
[#3449](https://github.com/flutter/devtools/pull/3449)
## Full commit history
To find a complete list of changes since the previous release,
check out
[the diff on GitHub](https://github.com/flutter/devtools/compare/v2.7.0...v2.8.0).
| website/src/tools/devtools/release-notes/release-notes-2.8.0-src.md/0 | {
"file_path": "website/src/tools/devtools/release-notes/release-notes-2.8.0-src.md",
"repo_id": "website",
"token_count": 1251
} | 1,294 |
---
title: Accessibility
description: Information on Flutter's accessibility support.
---
Ensuring apps are accessible to a broad range of users is an essential
part of building a high-quality app. Applications that are poorly
designed create barriers to people of all ages. The [UN Convention on
the Rights of Persons with Disabilities][CRPD] states the moral and legal
imperative to ensure universal access to information systems; countries
around the world enforce accessibility as a requirement; and companies
recognize the business advantages of maximizing access to their services.
We strongly encourage you to include an accessibility checklist
as a key criteria before shipping your app. Flutter is committed to
supporting developers in making their apps more accessible, and includes
first-class framework support for accessibility in addition to that
provided by the underlying operating system, including:
[**Large fonts**][]
: Render text widgets with user-specified font sizes
[**Screen readers**][]
: Communicate spoken feedback about UI contents
[**Sufficient contrast**][]
: Render widgets with colors that have sufficient contrast
Details of these features are discussed below.
## Inspecting accessibility support
In addition to testing for these specific topics,
we recommend using automated accessibility scanners:
* For Android:
1. Install the [Accessibility Scanner][] for Android
1. Enable the Accessibility Scanner from
**Android Settings > Accessibility >
Accessibility Scanner > On**
1. Navigate to the Accessibility Scanner 'checkbox'
icon button to initiate a scan
* For iOS:
1. Open the `iOS` folder of your Flutter app in Xcode
1. Select a Simulator as the target, and click **Run** button
1. In Xcode, select
**Xcode > Open Developer Tools > Accessibility Inspector**
1. In the Accessibility Inspector,
select **Inspection > Enable Point to Inspect**,
and then select the various user interface elements in running
Flutter app to inspect their accessibility attributes
1. In the Accessibility Inspector,
select **Audit** in the toolbar, and then
select **Run Audit** to get a report of potential issues
* For web:
1. Open Chrome DevTools (or similar tools in other browsers)
2. Inspect the HTML tree containing the ARIA attributes generated by Flutter.
3. In Chrome, the "Elements" tab has a "Accessibility" sub-tab
that can be used to inspect the data exported to semantics tree
## Large fonts
Both Android and iOS contain system settings to configure the desired font
sizes used by apps. Flutter text widgets respect this OS setting when
determining font sizes.
Font sizes are calculated automatically by Flutter based on the OS setting.
However, as a developer you should make sure your layout has enough room to
render all its contents when the font sizes are increased.
For example, you can test all parts of your app on a small-screen
device configured to use the largest font setting.
### Example
The following two screenshots show the standard Flutter app
template rendered with the default iOS font setting,
and with the largest font setting selected in iOS accessibility settings.
<div class="row">
<div class="col-md-6">
{% include docs/app-figure.md image="a18n/app-regular-fonts.png" caption="Default font setting" img-class="border" %}
</div>
<div class="col-md-6">
{% include docs/app-figure.md image="a18n/app-large-fonts.png" caption="Largest accessibility font setting" img-class="border" %}
</div>
</div>
## Screen readers
For mobile, screen readers ([TalkBack][], [VoiceOver][])
enable visually impaired users to get spoken feedback about
the contents of the screen and interact with the UI by using
gestures on mobile and keyboard shortcuts on desktop.
Turn on VoiceOver or TalkBack on your mobile device and
navigate around your app.
**To turn on the screen reader on your device, complete the following steps:**
{% comment %} Nav tabs {% endcomment -%}
<ul class="nav nav-tabs" id="editor-setup" role="tablist">
<li class="nav-item">
<a class="nav-link active" id="talkback-tab" href="#talkback" role="tab" aria-controls="talkback" aria-selected="true">TalkBack on Android</a>
</li>
<li class="nav-item">
<a class="nav-link" id="voiceover-tab" href="#voiceover" role="tab" aria-controls="voiceover" aria-selected="false">VoiceOver on iPhone</a>
</li>
<li class="nav-item">
<a class="nav-link" id="browsers-tab" href="#browsers" role="tab" aria-controls="browsers" aria-selected="false">Browsers</a>
</li>
<li class="nav-item">
<a class="nav-link" id="desktop-tab" href="#desktop" role="tab" aria-controls="desktop" aria-selected="false">Desktop</a>
</li>
</ul>
{% comment %} Tab panes {% endcomment -%}
<div class="tab-content">
<div class="tab-pane active" id="talkback" role="tabpanel" aria-labelledby="talkback-tab" markdown="1">
1. On your device, open **Settings**.
2. Select **Accessibility** and then **TalkBack**.
3. Turn 'Use TalkBack' on or off.
4. Select Ok.
To learn how to find and customize Android's
accessibility features, view the following video.
<iframe width="560" height="315" src="{{site.yt.embed}}/FQyj_XTl01w" title="Learn about the accessibility features on the Google Pixel" {{site.yt.set}}>
</iframe>
</div>
<div class="tab-pane" id="voiceover" role="tabpanel" aria-labelledby="voiceover-tab" markdown="1">
1. On your device, open **Settings > Accessibility > VoiceOver**
2. Turn the VoiceOver setting on or off
To learn how to find and customize iOS
accessibility features, view the following video.
<iframe width="560" height="315" src="{{site.yt.embed}}/qDm7GiKra28" title="Learn how to navigate your iPhone or iPad with VoiceOver" {{site.yt.set}}>
</iframe>
</div>
<div class="tab-pane" id="browsers" role="tabpanel" aria-labelledby="browsers-tab" markdown="1">
For web, the following screen readers are currently supported:
Mobile browsers:
* iOS - VoiceOver
* Android - TalkBack
Desktop browsers:
* macOS - VoiceOver
* Windows - JAWs & NVDA
Screen readers users on web must toggle the
"Enable accessibility" button to build the semantics tree.
Users can skip this step if you programmatically auto-enable
accessibility for your app using this API:
```dart
import 'package:flutter/material.dart';
import 'package:flutter/semantics.dart';
void main() {
runApp(const MyApp());
SemanticsBinding.instance.ensureSemantics();
}
```
</div>
<div class="tab-pane" id="desktop" role="tabpanel" aria-labelledby="desktop-tab" markdown="1">
Windows comes with a screen reader called Narrator
but some developers recommend using the more popular
NVDA screen reader. To learn about using NVDA to test
Windows apps, check out
[Screen Readers 101 For Front-End Developers (Windows)][nvda].
[nvda]: https://get-evinced.com/blog/screen-readers-101-for-front-end-developers-windows
On a Mac, you can use the desktop version of VoiceOver,
which is included in macOS.
<iframe width="560" height="315" src="{{site.yt.embed}}/5R-6WvAihms" title="Learn about the macOS VoiceOver screen reader" {{site.yt.set}}></iframe>
On Linux, a popular screen reader is called Orca.
It comes pre-installed with some distributions
and is available on package repositories such as `apt`.
To learn about using Orca, check out
[Getting started with Orca screen reader on Gnome desktop][orca].
[orca]: https://www.a11yproject.com/posts/getting-started-with-orca
</div>
</div>{% comment %} End: Tab panes. {% endcomment -%}
<br/>
Check out the following [video demo][] to see Victor Tsaran,
using VoiceOver with the now-archived [Flutter Gallery][] web app.
Flutter's standard widgets generate an accessibility tree automatically.
However, if your app needs something different,
it can be customized using the [`Semantics` widget][].
When there is text in your app that should be voiced
with a specific voice, inform the screen reader
which voice to use by calling [`TextSpan.locale`][].
Note that `MaterialApp.locale` and `Localizations.override`
don't affect which voice the screen reader uses.
Usually, the screen reader uses the system voice
except where you explicitly set it with `TextSpan.locale`.
[Flutter Gallery]: {{site.gallery-archive}}
[`TextSpan.locale`]: {{site.api}}/flutter/painting/TextSpan/locale.html
## Sufficient contrast
Sufficient color contrast makes text and images easier to read.
Along with benefitting users with various visual impairments,
sufficient color contrast helps all users when viewing an interface
on devices in extreme lighting conditions,
such as when exposed to direct sunlight or on a display with low
brightness.
The [W3C recommends][]:
* At least 4.5:1 for small text (below 18 point regular or 14 point bold)
* At least 3.0:1 for large text (18 point and above regular or 14 point and
above bold)
## Building with accessibility in mind
Ensuring your app can be used by everyone means building accessibility
into it from the start. For some apps, that's easier said than done.
In the video below, two of our engineers take a mobile app from a dire
accessibility state to one that takes advantage of Flutter's built-in
widgets to offer a dramatically more accessible experience.
<iframe width="560" height="315" src="{{site.yt.embed}}/bWbBgbmAdQs" title="Learn about building Flutter apps with Accessibility in mind" {{site.yt.set}}></iframe>
## Testing accessibility on mobile
Test your app using Flutter's [Accessibility Guideline API][].
This API checks if your app's UI meets Flutter's accessibility recommendations.
These cover recommendations for text contrast, target size, and target labels.
The following example shows how to use the Guideline API on Name Generator.
You created this app as part of the
[Write your first Flutter app](/get-started/codelab) codelab.
Each button on the app's main screen serves as a tappable target
with text represented in 18 point.
<?code-excerpt path-base="codelabs/namer/step_08"?>
<?code-excerpt "test/a11y_test.dart (insideTest)" indent-by="2"?>
```dart
final SemanticsHandle handle = tester.ensureSemantics();
await tester.pumpWidget(MyApp());
// Checks that tappable nodes have a minimum size of 48 by 48 pixels
// for Android.
await expectLater(tester, meetsGuideline(androidTapTargetGuideline));
// Checks that tappable nodes have a minimum size of 44 by 44 pixels
// for iOS.
await expectLater(tester, meetsGuideline(iOSTapTargetGuideline));
// Checks that touch targets with a tap or long press action are labeled.
await expectLater(tester, meetsGuideline(labeledTapTargetGuideline));
// Checks whether semantic nodes meet the minimum text contrast levels.
// The recommended text contrast is 3:1 for larger text
// (18 point and above regular).
await expectLater(tester, meetsGuideline(textContrastGuideline));
handle.dispose();
```
You can add Guideline API tests
in `test/widget_test.dart` of your app directory, or as a separate test
file (such as `test/a11y_test.dart` in the case of the Name Generator).
[Accessibility Guideline API]: {{site.api}}/flutter/flutter_test/AccessibilityGuideline-class.html
## Testing accessibility on web
You can debug accessibility by visualizing the semantic nodes created for your web app
using the following command line flag in profile and release modes:
```terminal
flutter run -d chrome --profile --dart-define=FLUTTER_WEB_DEBUG_SHOW_SEMANTICS=true
```
With the flag activated, the semantic nodes appear on top of the widgets;
you can verify that the semantic elements are placed where they should be.
If the semantic nodes are incorrectly placed, please [file a bug report][].
## Accessibility release checklist
Here is a non-exhaustive list of things to consider as you prepare your
app for release.
* **Active interactions**. Ensure that all active interactions do
something. Any button that can
be pushed should do something when pushed. For example, if you have a
no-op callback for an `onPressed` event, change it to show a `SnackBar`
on the screen explaining which control you just pushed.
* **Screen reader testing**. The screen reader should be able to
describe all controls on the page when you tap on them, and the
descriptions should be intelligible. Test your app with [TalkBack][]
(Android) and [VoiceOver][] (iOS).
* **Contrast ratios**. We encourage you to have a contrast ratio of at
least 4.5:1 between controls or text and the background, with the
exception of disabled components. Images should also be vetted for
sufficient contrast.
* **Context switching**. Nothing should change the user's context
automatically while typing in information. Generally, the widgets
should avoid changing the user's context without some sort of
confirmation action.
* **Tappable targets**. All tappable targets should be at least 48x48
pixels.
* **Errors**. Important actions should be able to be undone. In fields
that show errors, suggest a correction if possible.
* **Color vision deficiency testing**. Controls should be usable and
legible in colorblind and grayscale modes.
* **Scale factors**. The UI should remain legible and usable at very
large scale factors for text size and display scaling.
## Learn more
To learn more about Flutter and accessibility, check out
the following articles written by community members:
* [A deep dive into Flutter's accessibility widgets][]
* [Semantics in Flutter][]
* [Flutter: Crafting a great experience for screen readers][]
[CRPD]: https://www.un.org/development/desa/disabilities/convention-on-the-rights-of-persons-with-disabilities/article-9-accessibility.html
[A deep dive into Flutter's accessibility widgets]: {{site.medium}}/flutter-community/a-deep-dive-into-flutters-accessibility-widgets-eb0ef9455bc
[Flutter: Crafting a great experience for screen readers]: https://blog.gskinner.com/archives/2022/09/flutter-crafting-a-great-experience-for-screen-readers.html
[Accessibility Scanner]: https://play.google.com/store/apps/details?id=com.google.android.apps.accessibility.auditor&hl=en
[**Large fonts**]: #large-fonts
[**Screen readers**]: #screen-readers
[Semantics in Flutter]: https://www.didierboelens.com/2018/07/semantics/
[`Semantics` widget]: {{site.api}}/flutter/widgets/Semantics-class.html
[**Sufficient contrast**]: #sufficient-contrast
[TalkBack]: https://support.google.com/accessibility/android/answer/6283677?hl=en
[W3C recommends]: https://www.w3.org/TR/UNDERSTANDING-WCAG20/visual-audio-contrast-contrast.html
[VoiceOver]: https://www.apple.com/lae/accessibility/iphone/vision/
[video demo]: {{site.yt.watch}}?v=A6Sx0lBP8PI
[file a bug report]: https://goo.gle/flutter_web_issue
| website/src/ui/accessibility-and-internationalization/accessibility.md/0 | {
"file_path": "website/src/ui/accessibility-and-internationalization/accessibility.md",
"repo_id": "website",
"token_count": 4198
} | 1,295 |
---
title: Flutter's fonts and typography
description: Learn about Flutter's support for typography.
---
[_Typography_][] covers the style and appearance of
type or fonts: it specifies how heavy the font is,
the slant of the font, the spacing between
the letters, and other visual aspects of the text.
All fonts are _not_ created the same. Fonts are a huge
topic and beyond the scope of this site, however,
this page discusses Flutter's support for variable
and static fonts.
[_Typography_]: https://en.wikipedia.org/wiki/Typography
## Variable fonts
[Variable fonts][] (also called OpenType fonts),
allow you to control pre-defined aspects of text styling.
Variable fonts support specific axes, such as width,
weight, slant (to name a few).
The user can select _any value along the continuous axis_
when specifying the type.
<img src='/assets/images/docs/development/ui/typography/variable-font-axes.png'
class="mw-100" alt="Example of two variable font axes">
However, the font must first define what axes are available,
and that isn't always easy to figure out. If you are using
a Google Font, you _can_ learn what axes are available using
the **type tester** feature, described in the next section.
[Variable fonts]: https://fonts.google.com/knowledge/introducing_type/introducing_variable_fonts
### Using the Google Fonts type tester
The Google Fonts site offers both variable and static fonts.
Use the type tester to learn more about its variable fonts.
1. To investigate a variable Google font, go to the [Google Fonts][]
website. Note that in the upper right corner of each font card,
it says either **variable** for a variable font, or
**x styles** indicating how many styles a static
font supports.
1. To see all variable fonts, check the **Show only variable fonts**
checkbox.
1. Either scroll down (or use the search field) to find Roboto.
This lists several Roboto variable fonts.
1. Select **Roboto Serif** to open up its details page.
1. On the details page, select the **Type tester** tab.
For the Roboto Serif font,
the **Variable axes** column looks like the following:
<img src='/assets/images/docs/development/ui/typography/roboto-serif-font-axes.png'
class="mw-100" alt="Listing of available font axes for Roboto Serif">
In real time, move the slider on any of the axes to
see how it affects the font. When programming a variable font,
use the [`FontVariation`][] class to modify the font's design axes.
The `FontVariation` class conforms to the
[OpenType font variables spec][].
[`FontVariation`]: {{site.api}}/flutter/dart-ui/FontVariation-class.html
[Google Fonts]: https://fonts.google.com/
[OpenType font variables spec]: https://learn.microsoft.com/en-us/typography/opentype/spec/otvaroverview
## Static fonts
Google Fonts also contains static fonts. As with variable fonts,
you need to know how the font is designed to know what options
are available to you.
Once again, the Google Fonts site can help.
### Using the Google Fonts site
Use the font's details page to learn more about its static fonts.
1. To investigate a variable Google font, go to the [Google Fonts][]
website. Note that in the upper right corner of each font card,
it says either **variable** for a variable font, or
**x styles** indicating how many styles a static
font supports.
1. Make sure that **Show only variable fonts** is **not** checked
and the search field is empty.
1. Open the **Font properties** menu. Check the **Number of styles**
checkbox, and move the slider to 10+.
1. Select a font, such as **Roboto** to open up its details page.
1. Roboto has 12 styles, and each style is previewed on its details
page, along with the name of that variation.
1. In real time, move the pixel slider to preview the font at
different pixel sizes.
1. Select the **Type tester** tab to see the supported styles for
the font. In this case, there are 3 supported styles.
1. Select the **Glyph** tab. This shows the glyphs that the
font supports.
Use the following API to programmatically alter a static font
(but remember that this only works if the font was _designed_
to support the feature):
* [`FontFeature`][] to select glyphs
* [`FontWeight`][] to modify weight
* [`FontStyle`][] to italicize
A `FontFeature` corresponds to an [OpenType feature tag][]
and can be thought of as a boolean flag to enable or disable
a feature of a given font.
The following example is for CSS, but illustrates the concept:
<img src='/assets/images/docs/development/ui/typography/feature-tag-example.png'
class="mw-100" alt="Example feature tags in CSS">
[`FontFeature`]: {{site.api}}/flutter/dart-ui/FontFeature-class.html
[`FontStyle`]: {{site.api}}/flutter/dart-ui/FontStyle.html
[`FontWeight`]: {{site.api}}/flutter/dart-ui/FontWeight-class.html
[OpenType feature tag]: https://learn.microsoft.com/en-us/typography/opentype/spec/featuretags
## Other resources
The following video shows you some of the capabilities
of Flutter's typography and combines it with the Material
_and_ Cupertino look and feel (depending on the platform
the app runs on), animation, and custom fragment shaders:
<iframe width="560" height="315" src="{{site.yt.embed}}/sA5MRFFUuOU" title="Learn how to prototype beautiful designs with Flutter" {{site.yt.set}}></iframe>
<b>Prototyping beautiful designs with Flutter</b>
To read one engineer's experience
customizing variable fonts and animating them as they
morph (and was the basis for the above video),
check out [Playful typography with Flutter][article],
a free article on Medium. The associated example also
uses a custom shader.
[article]: {{site.flutter-medium}}/playful-typography-with-flutter-f030385058b4
| website/src/ui/design/text/typography.md/0 | {
"file_path": "website/src/ui/design/text/typography.md",
"repo_id": "website",
"token_count": 1608
} | 1,296 |
---
title: Build a Flutter layout
short-title: Layout tutorial
description: Learn how to build a layout in Flutter.
diff2html: true
---
{% assign api = site.api | append: '/flutter' -%}
{% capture examples -%} {{site.repo.this}}/tree/{{site.branch}}/examples {%- endcapture -%}
{% assign rawExFile = '<https://raw.githubusercontent.com/flutter/website/main/examples>' -%}
<style>dl, dd { margin-bottom: 0; }</style>
{{site.alert.secondary}}
## What you'll learn
* How to lay out widgets next to each other.
* How to add space between widgets.
* How adding and nesting widgets results in a Flutter layout.
{{site.alert.end}}
This tutorial explains how to design and build layouts in Flutter.
If you use the example code provided, you can build the following app.
{% include docs/app-figure.liquid
img-class="site-mobile-screenshot border"
image="ui/layout/layout-demo-app.png"
caption="The finished app."
width="50%" %}
<figcaption class="figure-caption" markdown="1">
Photo by [Dino Reichmuth][ch-photo] on [Unsplash][].
Text by [Switzerland Tourism][].
</figcaption>
To get a better overview of the layout mechanism, start with
[Flutter's approach to layout][].
## Diagram the layout
In this section, consider what type of user experience you want for
your app users.
Consider how to position the components of your user interface.
A layout consists of the total end result of these positionings.
Consider planning your layout to speed up your coding.
Using visual cues to know where something goes on screen can be a great help.
Use whichever method you prefer, like an interface design tool or a pencil
and a sheet of paper. Figure out where you want to place elements on your
screen before writing code. It's the programming version of the adage:
"Measure twice, cut once."
<ol>
<li markdown="1">
Ask these questions to break the layout down to its basic elements.
* Can you identify the rows and columns?
* Does the layout include a grid?
* Are there overlapping elements?
* Does the UI need tabs?
* What do you need to align, pad, or border?
</li>
<li markdown="1">
Identify the larger elements. In this example, you arrange the image, title,
buttons, and description into a column.
{% include docs/app-figure.liquid
img-class="site-mobile-screenshot border"
image="ui/layout/layout-sketch-intro.svg"
caption="Major elements in the layout: image, row, row, and text block"
width="50%" %}
</li>
<li markdown="1">
Diagram each row.
<ol type="a">
<li markdown="1">
Row 1, the **Title** section, has three children:
a column of text, a star icon, and a number.
Its first child, the column, contains two lines of text.
That first column might need more space.
{% include docs/app-figure.liquid
image="ui/layout/layout-sketch-title-block.svg"
caption="Title section with text blocks and an icon"
-%}
</li>
<li markdown="1">
Row 2, the **Button** section, has three children: each child contains
a column which then contains an icon and text.
{% include docs/app-figure.liquid
image="ui/layout/layout-sketch-button-block.svg"
caption="The Button section with three labeled buttons"
width="50%" %}
</li>
</ol>
</li>
</ol>
After diagramming the layout, consider how you would code it.
Would you write all the code in one class?
Or, would you create one class for each part of the layout?
To follow Flutter best practices, create one class, or Widget,
to contain each part of your layout.
When Flutter needs to re-render part of a UI,
it updates the smallest part that changes.
This is why Flutter makes "everything a widget".
If only the text changes in a `Text` widget, Flutter redraws only that text.
Flutter changes the least amount of the UI possible in response to user input.
For this tutorial, write each element you have identified as its own widget.
## Create the app base code
In this section, shell out the basic Flutter app code to start your app.
<?code-excerpt path-base="layout/base"?>
1. [Set up your Flutter environment][].
1. [Create a new Flutter app][new-flutter-app].
1. Replace the contents of `lib/main.dart` with the following code.
This app uses a parameter for the app title and the title shown
on the app's `appBar`. This decision simplifies the code.
<?code-excerpt "lib/main.dart (all)" title?>
```dart
import 'package:flutter/material.dart';
void main() => runApp(const MyApp());
class MyApp extends StatelessWidget {
const MyApp({super.key});
@override
Widget build(BuildContext context) {
const String appTitle = 'Flutter layout demo';
return MaterialApp(
title: appTitle,
home: Scaffold(
appBar: AppBar(
title: const Text(appTitle),
),
body: const Center(
child: Text('Hello World'),
),
),
);
}
}
```
## Add the Title section
In this section, create a `TitleSection` widget that resembles
the following layout.
<?code-excerpt path-base="layout/lakes"?>
{% include docs/app-figure.liquid
image="ui/layout/layout-sketch-title-block-unlabeled.svg"
caption="The Title section as sketch and prototype UI" %}
### Add the `TitleSection` Widget
Add the following code after the `MyApp` class.
<?code-excerpt "step2/lib/main.dart (titleSection)" title?>
```dart
class TitleSection extends StatelessWidget {
const TitleSection({
super.key,
required this.name,
required this.location,
});
final String name;
final String location;
@override
Widget build(BuildContext context) {
return Padding(
padding: const EdgeInsets.all(32),
child: Row(
children: [
Expanded(
/*1*/
child: Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
/*2*/
Padding(
padding: const EdgeInsets.only(bottom: 8),
child: Text(
name,
style: const TextStyle(
fontWeight: FontWeight.bold,
),
),
),
Text(
location,
style: TextStyle(
color: Colors.grey[500],
),
),
],
),
),
/*3*/
Icon(
Icons.star,
color: Colors.red[500],
),
const Text('41'),
],
),
);
}
}
```
{:.numbered-code-notes}
1. To use all remaining free space in the row, use the `Expanded` widget to
stretch the `Column` widget.
To place the column at the start of the row,
set the `crossAxisAlignment` property to `CrossAxisAlignment.start`.
2. To add space between the rows of text, put those rows in a `Padding` widget.
3. The title row ends with a red star icon and the text `41`.
The entire row falls inside a `Padding` widget and pads each edge
by 32 pixels.
### Change the app body to a scrolling view
In the `body` property, replace the `Center` widget with a
`SingleChildScrollView` widget.
Within the [`SingleChildScrollView`][] widget, replace the `Text` widget with a
`Column` widget.
<?code-excerpt "{../base,step2}/lib/main.dart" from="body:" to="children: ["?>
```diff
--- ../base/lib/main.dart
+++ step2/lib/main.dart
@@ -21,2 +17,3 @@
- body: const Center(
- child: Text('Hello World'),
+ body: const SingleChildScrollView(
+ child: Column(
+ children: [
```
These code updates change the app in the following ways.
* A `SingleChildScrollView` widget can scroll.
This allows elements that don't fit on the current screen to display.
* A `Column` widget displays any elements within its `children` property
in the order listed.
The first element listed in the `children` list displays at
the top of the list. Elements in the `children` list display
in array order on the screen from top to bottom.
[`SingleChildScrollView`]: {{api}}/widgets/SingleChildScrollView-class.html
### Update the app to display the title section
Add the `TitleSection` widget as the first element in the `children` list.
This places it at the top of the screen.
Pass the provided name and location to the `TitleSection` constructor.
<?code-excerpt "{../base,step2}/lib/main.dart" from="children:" to="],"?>
```diff
--- ../base/lib/main.dart
+++ step2/lib/main.dart
@@ -23 +19,6 @@
+ children: [
+ TitleSection(
+ name: 'Oeschinen Lake Campground',
+ location: 'Kandersteg, Switzerland',
+ ),
+ ],
```
{{site.alert.tip}}
* When pasting code into your app, indentation can become skewed.
To fix this in your Flutter editor, use [automatic reformatting support][].
* To accelerate your development, try Flutter's [hot reload][] feature.
* If you have problems, compare your code to [`lib/main.dart`][].
{{site.alert.end}}
## Add the Button section
In this section, add the buttons that will add functionality to your app.
<?code-excerpt path-base="layout/lakes/step3"?>
The **Button** section contains three columns that use the same layout:
an icon over a row of text.
{% include docs/app-figure.liquid
image="ui/layout/layout-sketch-button-block-unlabeled.svg"
caption="The Button section as sketch and prototype UI" %}
Plan to distribute these columns in one row so each takes the same
amount of space. Paint all text and icons with the primary color.
### Add the `ButtonSection` widget
Add the following code after the `TitleSection` widget to contain the code
to build the row of buttons.
<?code-excerpt "lib/main.dart (ButtonStart)" title?>
```dart
class ButtonSection extends StatelessWidget {
const ButtonSection({super.key});
@override
Widget build(BuildContext context) {
final Color color = Theme.of(context).primaryColor;
// ···
}
}
```
### Create a widget to make buttons
As the code for each column could use the same syntax,
create a widget named `ButtonWithText`.
The widget's constructor accepts a color, icon data, and a label for the button.
Using these values, the widget builds a `Column` with an `Icon` and a stylized
`Text` widget as its children.
To help separate these children, a `Padding` widget the `Text` widget
is wrapped with a `Padding` widget.
Add the following code after the `ButtonSection` class.
<?code-excerpt "lib/main.dart (ButtonWithText)" title?>
```dart
class ButtonSection extends StatelessWidget {
const ButtonSection({super.key});
// ···
}
class ButtonWithText extends StatelessWidget {
const ButtonWithText({
super.key,
required this.color,
required this.icon,
required this.label,
});
final Color color;
final IconData icon;
final String label;
@override
Widget build(BuildContext context) {
return Column(
mainAxisSize: MainAxisSize.min,
mainAxisAlignment: MainAxisAlignment.center,
children: [
Icon(icon, color: color),
Padding(
padding: const EdgeInsets.only(top: 8),
child: Text(
label,
style: TextStyle(
fontSize: 12,
fontWeight: FontWeight.w400,
color: color,
),
),
),
],
);
}
```
### Position the buttons with a `Row` widget
Add the following code into the `ButtonSection` widget.
1. Add three instances of the `ButtonWithText` widget, once for each button.
1. Pass the color, `Icon`, and text for that specific button.
1. Align the columns along the main axis with the
`MainAxisAlignment.spaceEvenly` value.
The main axis for a `Row` widget is horizontal and the main axis for a
`Column` widget is vertical.
This value, then, tells Flutter to arrange the free space in equal amounts
before, between, and after each column along the `Row`.
<?code-excerpt "lib/main.dart (ButtonSection)" title?>
```dart
class ButtonSection extends StatelessWidget {
const ButtonSection({super.key});
@override
Widget build(BuildContext context) {
final Color color = Theme.of(context).primaryColor;
return SizedBox(
child: Row(
mainAxisAlignment: MainAxisAlignment.spaceEvenly,
children: [
ButtonWithText(
color: color,
icon: Icons.call,
label: 'CALL',
),
ButtonWithText(
color: color,
icon: Icons.near_me,
label: 'ROUTE',
),
ButtonWithText(
color: color,
icon: Icons.share,
label: 'SHARE',
),
],
),
);
}
}
class ButtonWithText extends StatelessWidget {
const ButtonWithText({
super.key,
required this.color,
required this.icon,
required this.label,
});
final Color color;
final IconData icon;
final String label;
@override
Widget build(BuildContext context) {
return Column(
// ···
);
}
}
```
### Update the app to display the button section
Add the button section to the `children` list.
<?code-excerpt path-base="layout/lakes"?>
<?code-excerpt "step{2,3}/lib/main.dart (addWidget)" title?>
```diff
--- step2/lib/main.dart (addWidget)
+++ step3/lib/main.dart (addWidget)
@@ -5,6 +5,7 @@
name: 'Oeschinen Lake Campground',
location: 'Kandersteg, Switzerland',
),
+ ButtonSection(),
],
),
),
```
## Add the Text section
In this section, add the text description to this app.
{% include docs/app-figure.liquid
image="ui/layout/layout-sketch-add-text-block.svg"
caption="The text block as sketch and prototype UI" %}
<?code-excerpt path-base="layout/lakes"?>
### Add the `TextSection` widget
Add the following code as a separate widget after the `ButtonSection` widget.
<?code-excerpt "step4/lib/main.dart (TextSection)" title?>
```dart
class TextSection extends StatelessWidget {
const TextSection({
super.key,
required this.description,
});
final String description;
@override
Widget build(BuildContext context) {
return Padding(
padding: const EdgeInsets.all(32),
child: Text(
description,
softWrap: true,
),
);
}
}
```
By setting [`softWrap`][] to `true`, text lines fill the column width before
wrapping at a word boundary.
[`softWrap`]: {{api}}/widgets/Text/softWrap.html
### Update the app to display the text section
Add a new `TextSection` widget as a child after the `ButtonSection`.
When adding the `TextSection` widget, set its `description` property to
the text of the location description.
<?code-excerpt "step{3,4}/lib/main.dart (addWidget)" title?>
```diff
--- step3/lib/main.dart (addWidget)
+++ step4/lib/main.dart (addWidget)
@@ -6,6 +6,16 @@
location: 'Kandersteg, Switzerland',
),
ButtonSection(),
+ TextSection(
+ description:
+ 'Lake Oeschinen lies at the foot of the Blüemlisalp in the '
+ 'Bernese Alps. Situated 1,578 meters above sea level, it '
+ 'is one of the larger Alpine Lakes. A gondola ride from '
+ 'Kandersteg, followed by a half-hour walk through pastures '
+ 'and pine forest, leads you to the lake, which warms to 20 '
+ 'degrees Celsius in the summer. Activities enjoyed here '
+ 'include rowing, and riding the summer toboggan run.',
+ ),
],
),
),
```
## Add the Image section
In this section, add the image file to complete your layout.
### Configure your app to use supplied images
To configure your app to reference images, modify its `pubspec.yaml` file.
1. Create an `images` directory at the top of the project.
1. Download the [`lake.jpg`][] image and add it to the new `images` directory.
{{site.alert.info}}
You can't use `wget` to save this binary file.
You can download the [image][ch-photo] from [Unsplash][]
under the Unsplash License. The small size comes in at 94.4 kB.
{{site.alert.end}}
1. To include images, add an `assets` tag to the `pubspec.yaml` file
at the root directory of your app.
When you add `assets`, it serves as the set of pointers to the images
available to your code.
<?code-excerpt "{step4,step5}/pubspec.yaml"?>
```diff
--- step4/pubspec.yaml
+++ step5/pubspec.yaml
@@ -19,3 +19,5 @@
flutter:
uses-material-design: true
+ assets:
+ - images/lake.jpg
```
{{site.alert.tip}}
Text in the `pubspec.yaml` respects whitespace and text case.
Write the changes to the file as given in the previous example.
This change might require you to restart the running program to
display the image.
{{site.alert.end}}
### Create the `ImageSection` widget
Define the following `ImageSection` widget after the other declarations.
<?code-excerpt "step5/lib/main.dart (ImageSection)" title?>
```dart
class ImageSection extends StatelessWidget {
const ImageSection({super.key, required this.image});
final String image;
@override
Widget build(BuildContext context) {
return Image.asset(
image,
width: 600,
height: 240,
fit: BoxFit.cover,
);
}
}
```
The `BoxFit.cover` value tells Flutter to display the image with
two constraints. First, display the image as small as possible.
Second, cover all the space that the layout allotted, called the render box.
### Update the app to display the image section
Add an `ImageSection` widget as the first child in the `children` list.
Set the `image` property to the path of the image you added in
[Configure your app to use supplied images](#configure-your-app-to-use-supplied-images).
<?code-excerpt "step{4,5}/lib/main.dart (addWidget)" title?>
```diff
--- step4/lib/main.dart (addWidget)
+++ step5/lib/main.dart (addWidget)
@@ -1,6 +1,9 @@
body: const SingleChildScrollView(
child: Column(
children: [
+ ImageSection(
+ image: 'images/lake.jpg',
+ ),
TitleSection(
name: 'Oeschinen Lake Campground',
location: 'Kandersteg, Switzerland',
```
## Congratulations
That's it! When you hot reload the app, your app should look like this.
{% include docs/app-figure.liquid
img-class="site-mobile-screenshot border"
image="ui/layout/layout-demo-app.png"
caption="The finished app"
width="50%" %}
## Resources
You can access the resources used in this tutorial from these locations:
**Dart code:** [`main.dart`][]<br>
**Image:** [ch-photo][]<br>
**Pubspec:** [`pubspec.yaml`][]<br>
## Next Steps
To add interactivity to this layout, follow the
[interactivity tutorial][Adding Interactivity to Your Flutter App].
[Adding Interactivity to Your Flutter App]: /ui/interactivity
[automatic reformatting support]: /tools/formatting
[ch-photo]: https://unsplash.com/photos/red-and-gray-tents-in-grass-covered-mountain-5Rhl-kSRydQ
[Unsplash]: https://unsplash.com
[Switzerland Tourism]: https://www.myswitzerland.com/en-us/destinations/lake-oeschinen
[Flutter's approach to layout]: /ui/layout
[new-flutter-app]: /get-started/test-drive
[`lake.jpg`]: {{rawExFile}}/layout/lakes/step5/images/lake.jpg
[`lib/main.dart`]: {{examples}}/layout/lakes/step2/lib/main.dart
[hot reload]: /tools/hot-reload
[`main.dart`]: {{examples}}/layout/lakes/step6/lib/main.dart
[`pubspec.yaml`]: {{examples}}/layout/lakes/step6/pubspec.yaml
[Set up your Flutter environment]: /get-started/install
| website/src/ui/layout/tutorial.md/0 | {
"file_path": "website/src/ui/layout/tutorial.md",
"repo_id": "website",
"token_count": 7066
} | 1,297 |
---
title: Painting and effect widgets
short-title: Painting
description: >
A catalog of Flutter's widgets that provide effects and custom painting.
---
{% include docs/catalogpage.html category="Painting and effects" %}
| website/src/ui/widgets/painting.md/0 | {
"file_path": "website/src/ui/widgets/painting.md",
"repo_id": "website",
"token_count": 58
} | 1,298 |
// Copyright 2024 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.
import 'dart:io';
import 'package:args/args.dart';
import 'package:path/path.dart' as path;
final bool _runningInCi = Platform.environment['CI'] == 'true';
void groupStart(String text) {
if (_runningInCi) {
print('::group::$text');
} else {
print('');
}
}
void groupEnd() {
if (_runningInCi) {
print('::endgroup::');
}
}
int runPubGetIfNecessary(String directory) {
final pubGetOutput = Process.runSync(
'flutter',
const ['pub', 'get'],
workingDirectory: directory,
);
if (pubGetOutput.exitCode != 0) {
final normalOutput = pubGetOutput.stdout.toString();
final errorOutput = pubGetOutput.stderr.toString();
stderr.write(normalOutput);
stderr.write(errorOutput);
stderr.writeln('Error: Pub get in $directory failed.');
return 1;
}
return 0;
}
extension ArgResultExtensions on ArgResults? {
/// Assuming its type is [T], get the value specified for
/// the argument named [key], or the [defaultValue] if not specified.
T get<T>(String key, T defaultValue) => this?[key] as T? ?? defaultValue;
}
/// A collection of the paths of all Dart projects with
/// a pubspec.yaml file in the `/examples` directory,
/// excluding ones in hidden directories or codelabs.
final List<String> exampleProjectDirectories = findNestedDirectoriesWithPubspec(
Directory('examples'),
skipPaths: {path.join('examples', 'codelabs')},
skipHidden: true,
)..sort();
List<String> findNestedDirectoriesWithPubspec(
Directory rootDirectory, {
Set<String> skipPaths = const {},
bool skipHidden = true,
}) {
final normalizedPath = path.normalize(rootDirectory.path);
// Base case: Doesn't exist, skipped, or hidden.
if (skipPaths.contains(normalizedPath) ||
(skipHidden && path.basename(normalizedPath).startsWith('.')) ||
!rootDirectory.existsSync()) {
return const <String>[];
}
final directoriesWithPubspec = <String>[];
for (final entity in rootDirectory.listSync()) {
if (entity is Directory) {
// If this entity is a direct, recurse in to it
// to find any pubspec files.
directoriesWithPubspec.addAll(findNestedDirectoriesWithPubspec(
entity,
skipPaths: skipPaths,
skipHidden: skipHidden,
));
} else if (entity is File && path.basename(entity.path) == 'pubspec.yaml') {
// If the directory has a pubspec.yaml file, this directory counts.
directoriesWithPubspec.add(normalizedPath);
}
}
return directoriesWithPubspec;
}
| website/tool/flutter_site/lib/src/utils.dart/0 | {
"file_path": "website/tool/flutter_site/lib/src/utils.dart",
"repo_id": "website",
"token_count": 909
} | 1,299 |
#include "Generated.xcconfig"
| codelabs/adaptive_app/step_03/ios/Flutter/Release.xcconfig/0 | {
"file_path": "codelabs/adaptive_app/step_03/ios/Flutter/Release.xcconfig",
"repo_id": "codelabs",
"token_count": 12
} | 0 |
#include "ephemeral/Flutter-Generated.xcconfig"
| codelabs/adaptive_app/step_03/macos/Flutter/Flutter-Release.xcconfig/0 | {
"file_path": "codelabs/adaptive_app/step_03/macos/Flutter/Flutter-Release.xcconfig",
"repo_id": "codelabs",
"token_count": 19
} | 1 |
#include "../../Flutter/Flutter-Release.xcconfig"
#include "Warnings.xcconfig"
| codelabs/adaptive_app/step_06/macos/Runner/Configs/Release.xcconfig/0 | {
"file_path": "codelabs/adaptive_app/step_06/macos/Runner/Configs/Release.xcconfig",
"repo_id": "codelabs",
"token_count": 32
} | 2 |
#include "Generated.xcconfig"
| codelabs/animated-responsive-layout/step_03/ios/Flutter/Release.xcconfig/0 | {
"file_path": "codelabs/animated-responsive-layout/step_03/ios/Flutter/Release.xcconfig",
"repo_id": "codelabs",
"token_count": 12
} | 3 |
#include "ephemeral/Flutter-Generated.xcconfig"
| codelabs/animated-responsive-layout/step_03/macos/Flutter/Flutter-Release.xcconfig/0 | {
"file_path": "codelabs/animated-responsive-layout/step_03/macos/Flutter/Flutter-Release.xcconfig",
"repo_id": "codelabs",
"token_count": 19
} | 4 |
include: ../../analysis_options.yaml
| codelabs/animated-responsive-layout/step_06/analysis_options.yaml/0 | {
"file_path": "codelabs/animated-responsive-layout/step_06/analysis_options.yaml",
"repo_id": "codelabs",
"token_count": 12
} | 5 |
org.gradle.jvmargs=-Xmx4G
android.useAndroidX=true
android.enableJetifier=true
| codelabs/animated-responsive-layout/step_07/android/gradle.properties/0 | {
"file_path": "codelabs/animated-responsive-layout/step_07/android/gradle.properties",
"repo_id": "codelabs",
"token_count": 30
} | 6 |
#import "GeneratedPluginRegistrant.h"
| codelabs/animated-responsive-layout/step_07/ios/Runner/Runner-Bridging-Header.h/0 | {
"file_path": "codelabs/animated-responsive-layout/step_07/ios/Runner/Runner-Bridging-Header.h",
"repo_id": "codelabs",
"token_count": 13
} | 7 |
#include "Generated.xcconfig"
| codelabs/animated-responsive-layout/step_08/ios/Flutter/Debug.xcconfig/0 | {
"file_path": "codelabs/animated-responsive-layout/step_08/ios/Flutter/Debug.xcconfig",
"repo_id": "codelabs",
"token_count": 12
} | 8 |
#include "ephemeral/Flutter-Generated.xcconfig"
| codelabs/animated-responsive-layout/step_08/macos/Flutter/Flutter-Release.xcconfig/0 | {
"file_path": "codelabs/animated-responsive-layout/step_08/macos/Flutter/Flutter-Release.xcconfig",
"repo_id": "codelabs",
"token_count": 19
} | 9 |
export 'ball.dart';
export 'play_area.dart';
| codelabs/brick_breaker/step_06/lib/src/components/components.dart/0 | {
"file_path": "codelabs/brick_breaker/step_06/lib/src/components/components.dart",
"repo_id": "codelabs",
"token_count": 18
} | 10 |
include: ../../analysis_options.yaml
| codelabs/brick_breaker/step_09/analysis_options.yaml/0 | {
"file_path": "codelabs/brick_breaker/step_09/analysis_options.yaml",
"repo_id": "codelabs",
"token_count": 12
} | 11 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.