text
stringlengths 6
13.6M
| id
stringlengths 13
176
| metadata
dict | __index_level_0__
int64 0
1.69k
|
---|---|---|---|
// #docregion FullApp
import 'package:flutter/material.dart';
// Include the Google Fonts package to provide more text format options
// https://pub.dev/packages/google_fonts
import 'package:google_fonts/google_fonts.dart';
void main() {
runApp(const MyApp());
}
class MyApp extends StatelessWidget {
const MyApp({super.key});
@override
Widget build(BuildContext context) {
const appName = 'Custom Themes';
// #docregion MaterialApp
return MaterialApp(
title: appName,
theme: ThemeData(
useMaterial3: true,
// Define the default brightness and colors.
colorScheme: ColorScheme.fromSeed(
seedColor: Colors.purple,
// #enddocregion MaterialApp
// TRY THIS: Change to "Brightness.light"
// and see that all colors change
// to better contrast a light background.
// #docregion MaterialApp
brightness: Brightness.dark,
),
// Define the default `TextTheme`. Use this to specify the default
// text styling for headlines, titles, bodies of text, and more.
textTheme: TextTheme(
displayLarge: const TextStyle(
fontSize: 72,
fontWeight: FontWeight.bold,
),
// #enddocregion MaterialApp
// TRY THIS: Change one of the GoogleFonts
// to "lato", "poppins", or "lora".
// The title uses "titleLarge"
// and the middle text uses "bodyMedium".
// #docregion MaterialApp
titleLarge: GoogleFonts.oswald(
fontSize: 30,
fontStyle: FontStyle.italic,
),
bodyMedium: GoogleFonts.merriweather(),
displaySmall: GoogleFonts.pacifico(),
),
),
home: const MyHomePage(
title: appName,
),
);
// #enddocregion MaterialApp
}
}
class MyHomePage extends StatelessWidget {
final String title;
const MyHomePage({super.key, required this.title});
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: Text(title,
style: Theme.of(context).textTheme.titleLarge!.copyWith(
color: Theme.of(context).colorScheme.onSecondary,
)),
backgroundColor: Theme.of(context).colorScheme.secondary,
),
body: Center(
// #docregion Container
child: Container(
padding: const EdgeInsets.symmetric(
horizontal: 12,
vertical: 12,
),
color: Theme.of(context).colorScheme.primary,
child: Text(
'Text with a background color',
// #enddocregion Container
// TRY THIS: Change the Text value
// or change the Theme.of(context).textTheme
// to "displayLarge" or "displaySmall".
// #docregion Container
style: Theme.of(context).textTheme.bodyMedium!.copyWith(
color: Theme.of(context).colorScheme.onPrimary,
),
),
),
// #enddocregion Container
),
floatingActionButton: Theme(
data: Theme.of(context).copyWith(
// TRY THIS: Change the seedColor to "Colors.red" or
// "Colors.blue".
colorScheme: ColorScheme.fromSeed(
seedColor: Colors.pink,
brightness: Brightness.dark,
),
),
child: FloatingActionButton(
onPressed: () {},
child: const Icon(Icons.add),
),
),
);
}
}
// #enddocregion FullApp
void theme(BuildContext context) {
// #docregion Theme
Theme(
// Create a unique theme with `ThemeData`.
data: ThemeData(
colorScheme: ColorScheme.fromSeed(
seedColor: Colors.pink,
),
),
child: FloatingActionButton(
onPressed: () {},
child: const Icon(Icons.add),
),
);
// #enddocregion Theme
// #docregion ThemeCopyWith
Theme(
// Find and extend the parent theme using `copyWith`.
// To learn more, check out the section on `Theme.of`.
data: Theme.of(context).copyWith(
colorScheme: ColorScheme.fromSeed(
seedColor: Colors.pink,
),
),
child: const FloatingActionButton(
onPressed: null,
child: Icon(Icons.add),
),
);
// #enddocregion ThemeCopyWith
}
| website/examples/cookbook/design/themes/lib/main.dart/0 | {
"file_path": "website/examples/cookbook/design/themes/lib/main.dart",
"repo_id": "website",
"token_count": 1990
} | 1,600 |
import 'package:flutter/material.dart';
// #docregion ExpandableFab
@immutable
class ExpandableFab extends StatefulWidget {
const ExpandableFab({
super.key,
this.initialOpen,
required this.distance,
required this.children,
});
final bool? initialOpen;
final double distance;
final List<Widget> children;
@override
State<ExpandableFab> createState() => _ExpandableFabState();
}
class _ExpandableFabState extends State<ExpandableFab> {
@override
Widget build(BuildContext context) {
return const SizedBox();
}
}
// #enddocregion ExpandableFab
| website/examples/cookbook/effects/expandable_fab/lib/excerpt1.dart/0 | {
"file_path": "website/examples/cookbook/effects/expandable_fab/lib/excerpt1.dart",
"repo_id": "website",
"token_count": 189
} | 1,601 |
import 'package:flutter/material.dart';
const routeHome = '/';
const routeSettings = '/settings';
const routePrefixDeviceSetup = '/setup/';
const routeDeviceSetupStart = '/setup/$routeDeviceSetupStartPage';
const routeDeviceSetupStartPage = 'find_devices';
const routeDeviceSetupSelectDevicePage = 'select_device';
const routeDeviceSetupConnectingPage = 'connecting';
const routeDeviceSetupFinishedPage = 'finished';
void main() {
runApp(
MaterialApp(
theme: ThemeData(
brightness: Brightness.dark,
appBarTheme: const AppBarTheme(
backgroundColor: Colors.blue,
),
floatingActionButtonTheme: const FloatingActionButtonThemeData(
backgroundColor: Colors.blue,
),
),
onGenerateRoute: (settings) {
late Widget page;
if (settings.name == routeHome) {
page = const HomeScreen();
} else if (settings.name == routeSettings) {
page = const SettingsScreen();
} else if (settings.name!.startsWith(routePrefixDeviceSetup)) {
final subRoute =
settings.name!.substring(routePrefixDeviceSetup.length);
page = SetupFlow(
setupPageRoute: subRoute,
);
} else {
throw Exception('Unknown route: ${settings.name}');
}
return MaterialPageRoute<dynamic>(
builder: (context) {
return page;
},
settings: settings,
);
},
debugShowCheckedModeBanner: false,
),
);
}
@immutable
class SetupFlow extends StatefulWidget {
static SetupFlowState of(BuildContext context) {
return context.findAncestorStateOfType<SetupFlowState>()!;
}
const SetupFlow({
super.key,
required this.setupPageRoute,
});
final String setupPageRoute;
@override
State<SetupFlow> createState() => SetupFlowState();
}
class SetupFlowState extends State<SetupFlow> {
final _navigatorKey = GlobalKey<NavigatorState>();
@override
void initState() {
super.initState();
}
void _onDiscoveryComplete() {
_navigatorKey.currentState!.pushNamed(routeDeviceSetupSelectDevicePage);
}
void _onDeviceSelected(String deviceId) {
_navigatorKey.currentState!.pushNamed(routeDeviceSetupConnectingPage);
}
void _onConnectionEstablished() {
_navigatorKey.currentState!.pushNamed(routeDeviceSetupFinishedPage);
}
Future<void> _onExitPressed() async {
final isConfirmed = await _isExitDesired();
if (isConfirmed && mounted) {
_exitSetup();
}
}
Future<bool> _isExitDesired() async {
return await showDialog<bool>(
context: context,
builder: (context) {
return AlertDialog(
title: const Text('Are you sure?'),
content: const Text(
'If you exit device setup, your progress will be lost.'),
actions: [
TextButton(
onPressed: () {
Navigator.of(context).pop(true);
},
child: const Text('Leave'),
),
TextButton(
onPressed: () {
Navigator.of(context).pop(false);
},
child: const Text('Stay'),
),
],
);
}) ??
false;
}
void _exitSetup() {
Navigator.of(context).pop();
}
@override
Widget build(BuildContext context) {
return PopScope(
canPop: false,
onPopInvoked: (didPop) async {
if (didPop) return;
if (await _isExitDesired() && context.mounted) {
_exitSetup();
}
},
child: Scaffold(
appBar: _buildFlowAppBar(),
body: Navigator(
key: _navigatorKey,
initialRoute: widget.setupPageRoute,
onGenerateRoute: _onGenerateRoute,
),
),
);
}
Route _onGenerateRoute(RouteSettings settings) {
late Widget page;
switch (settings.name) {
case routeDeviceSetupStartPage:
page = WaitingPage(
message: 'Searching for nearby bulb...',
onWaitComplete: _onDiscoveryComplete,
);
case routeDeviceSetupSelectDevicePage:
page = SelectDevicePage(
onDeviceSelected: _onDeviceSelected,
);
case routeDeviceSetupConnectingPage:
page = WaitingPage(
message: 'Connecting...',
onWaitComplete: _onConnectionEstablished,
);
case routeDeviceSetupFinishedPage:
page = FinishedPage(
onFinishPressed: _exitSetup,
);
}
return MaterialPageRoute<dynamic>(
builder: (context) {
return page;
},
settings: settings,
);
}
PreferredSizeWidget _buildFlowAppBar() {
return AppBar(
leading: IconButton(
onPressed: _onExitPressed,
icon: const Icon(Icons.chevron_left),
),
title: const Text('Bulb Setup'),
);
}
}
class SelectDevicePage extends StatelessWidget {
const SelectDevicePage({
super.key,
required this.onDeviceSelected,
});
final void Function(String deviceId) onDeviceSelected;
@override
Widget build(BuildContext context) {
return Scaffold(
body: Center(
child: Padding(
padding: const EdgeInsets.symmetric(horizontal: 24),
child: Column(
mainAxisSize: MainAxisSize.min,
children: [
Text(
'Select a nearby device:',
style: Theme.of(context).textTheme.titleLarge,
),
const SizedBox(height: 24),
SizedBox(
width: double.infinity,
height: 54,
child: ElevatedButton(
style: ButtonStyle(
backgroundColor: MaterialStateColor.resolveWith((states) {
return const Color(0xFF222222);
}),
),
onPressed: () {
onDeviceSelected('22n483nk5834');
},
child: const Text(
'Bulb 22n483nk5834',
style: TextStyle(
fontSize: 24,
),
),
),
),
],
),
),
),
);
}
}
class WaitingPage extends StatefulWidget {
const WaitingPage({
super.key,
required this.message,
required this.onWaitComplete,
});
final String message;
final VoidCallback onWaitComplete;
@override
State<WaitingPage> createState() => _WaitingPageState();
}
class _WaitingPageState extends State<WaitingPage> {
@override
void initState() {
super.initState();
_startWaiting();
}
Future<void> _startWaiting() async {
await Future<dynamic>.delayed(const Duration(seconds: 3));
if (mounted) {
widget.onWaitComplete();
}
}
@override
Widget build(BuildContext context) {
return Scaffold(
body: Center(
child: Padding(
padding: const EdgeInsets.symmetric(horizontal: 24),
child: Column(
mainAxisSize: MainAxisSize.min,
children: [
const CircularProgressIndicator(),
const SizedBox(height: 32),
Text(widget.message),
],
),
),
),
);
}
}
class FinishedPage extends StatelessWidget {
const FinishedPage({
super.key,
required this.onFinishPressed,
});
final VoidCallback onFinishPressed;
@override
Widget build(BuildContext context) {
return Scaffold(
body: Center(
child: Padding(
padding: const EdgeInsets.symmetric(horizontal: 24),
child: Column(
mainAxisSize: MainAxisSize.min,
children: [
Container(
width: 250,
height: 250,
decoration: const BoxDecoration(
shape: BoxShape.circle,
color: Color(0xFF222222),
),
child: const Center(
child: Icon(
Icons.lightbulb,
size: 175,
color: Colors.white,
),
),
),
const SizedBox(height: 32),
const Text(
'Bulb added!',
textAlign: TextAlign.center,
style: TextStyle(
fontSize: 24,
fontWeight: FontWeight.bold,
),
),
const SizedBox(height: 32),
ElevatedButton(
style: ButtonStyle(
padding: MaterialStateProperty.resolveWith((states) {
return const EdgeInsets.symmetric(
horizontal: 24, vertical: 12);
}),
backgroundColor: MaterialStateColor.resolveWith((states) {
return const Color(0xFF222222);
}),
shape: MaterialStateProperty.resolveWith((states) {
return const StadiumBorder();
}),
),
onPressed: onFinishPressed,
child: const Text(
'Finish',
style: TextStyle(
fontSize: 24,
),
),
),
],
),
),
),
);
}
}
@immutable
class HomeScreen extends StatelessWidget {
const HomeScreen({
super.key,
});
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: _buildAppBar(context),
body: Center(
child: Padding(
padding: const EdgeInsets.symmetric(horizontal: 24),
child: Column(
mainAxisSize: MainAxisSize.min,
children: [
Container(
width: 250,
height: 250,
decoration: const BoxDecoration(
shape: BoxShape.circle,
color: Color(0xFF222222),
),
child: Center(
child: Icon(
Icons.lightbulb,
size: 175,
color: Theme.of(context).scaffoldBackgroundColor,
),
),
),
const SizedBox(height: 32),
const Text(
'Add your first bulb',
textAlign: TextAlign.center,
style: TextStyle(
fontSize: 24,
fontWeight: FontWeight.bold,
),
),
],
),
),
),
floatingActionButton: FloatingActionButton(
onPressed: () {
Navigator.of(context).pushNamed(routeDeviceSetupStart);
},
child: const Icon(Icons.add),
),
);
}
PreferredSizeWidget _buildAppBar(BuildContext context) {
return AppBar(
title: const Text('Welcome'),
actions: [
IconButton(
icon: const Icon(Icons.settings),
onPressed: () {
Navigator.pushNamed(context, routeSettings);
},
),
],
);
}
}
class SettingsScreen extends StatelessWidget {
const SettingsScreen({
super.key,
});
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: _buildAppBar(),
body: SingleChildScrollView(
child: Column(
mainAxisSize: MainAxisSize.min,
children: List.generate(8, (index) {
return Container(
width: double.infinity,
height: 54,
margin: const EdgeInsets.only(left: 16, right: 16, top: 16),
decoration: BoxDecoration(
borderRadius: BorderRadius.circular(8),
color: const Color(0xFF222222),
),
);
}),
),
),
);
}
PreferredSizeWidget _buildAppBar() {
return AppBar(
title: const Text('Settings'),
);
}
}
| website/examples/cookbook/effects/nested_nav/lib/original_example.dart/0 | {
"file_path": "website/examples/cookbook/effects/nested_nav/lib/original_example.dart",
"repo_id": "website",
"token_count": 6104
} | 1,602 |
import 'package:flutter/material.dart';
@immutable
class FilterSelector extends StatefulWidget {
const FilterSelector({
super.key,
required this.filters,
required this.onFilterChanged,
this.padding = const EdgeInsets.symmetric(vertical: 24),
});
final List<Color> filters;
final void Function(Color selectedColor) onFilterChanged;
final EdgeInsets padding;
@override
State<FilterSelector> createState() => _FilterSelectorState();
}
class _FilterSelectorState extends State<FilterSelector> {
static const _filtersPerScreen = 5;
static const _viewportFractionPerItem = 1.0 / _filtersPerScreen;
Color itemColor(int index) => widget.filters[index % widget.filters.length];
Widget _buildShadowGradient(double itemSize) {
return SizedBox(
height: itemSize * 2 + widget.padding.vertical,
child: const DecoratedBox(
decoration: BoxDecoration(
gradient: LinearGradient(
begin: Alignment.topCenter,
end: Alignment.bottomCenter,
colors: [
Colors.transparent,
Colors.black,
],
),
),
child: SizedBox.expand(),
),
);
}
Widget _buildSelectionRing(double itemSize) {
return IgnorePointer(
child: Padding(
padding: widget.padding,
child: SizedBox(
width: itemSize,
height: itemSize,
child: const DecoratedBox(
decoration: BoxDecoration(
shape: BoxShape.circle,
border: Border.fromBorderSide(
BorderSide(width: 6, color: Colors.white),
),
),
),
),
),
);
}
// #docregion PageView
@override
Widget build(BuildContext context) {
return LayoutBuilder(builder: (context, constraints) {
final itemSize = constraints.maxWidth * _viewportFractionPerItem;
return Stack(
alignment: Alignment.bottomCenter,
children: [
_buildShadowGradient(itemSize),
_buildCarousel(itemSize),
_buildSelectionRing(itemSize),
],
);
});
}
Widget _buildCarousel(double itemSize) {
return Container(
height: itemSize,
margin: widget.padding,
child: PageView.builder(
itemCount: widget.filters.length,
itemBuilder: (context, index) {
return const SizedBox();
},
),
);
}
// #enddocregion PageView
}
| website/examples/cookbook/effects/photo_filter_carousel/lib/excerpt3.dart/0 | {
"file_path": "website/examples/cookbook/effects/photo_filter_carousel/lib/excerpt3.dart",
"repo_id": "website",
"token_count": 1050
} | 1,603 |
import 'package:flutter/material.dart';
void main() {
runApp(
const MaterialApp(
home: ExampleStaggeredAnimations(),
debugShowCheckedModeBanner: false,
),
);
}
class ExampleStaggeredAnimations extends StatefulWidget {
const ExampleStaggeredAnimations({
super.key,
});
@override
State<ExampleStaggeredAnimations> createState() =>
_ExampleStaggeredAnimationsState();
}
class _ExampleStaggeredAnimationsState extends State<ExampleStaggeredAnimations>
with SingleTickerProviderStateMixin {
late AnimationController _drawerSlideController;
@override
void initState() {
super.initState();
_drawerSlideController = AnimationController(
vsync: this,
duration: const Duration(milliseconds: 150),
);
}
@override
void dispose() {
_drawerSlideController.dispose();
super.dispose();
}
bool _isDrawerOpen() {
return _drawerSlideController.value == 1.0;
}
bool _isDrawerOpening() {
return _drawerSlideController.status == AnimationStatus.forward;
}
bool _isDrawerClosed() {
return _drawerSlideController.value == 0.0;
}
void _toggleDrawer() {
if (_isDrawerOpen() || _isDrawerOpening()) {
_drawerSlideController.reverse();
} else {
_drawerSlideController.forward();
}
}
@override
Widget build(BuildContext context) {
return Scaffold(
backgroundColor: Colors.white,
appBar: _buildAppBar(),
body: Stack(
children: [
_buildContent(),
_buildDrawer(),
],
),
);
}
PreferredSizeWidget _buildAppBar() {
return AppBar(
title: const Text(
'Flutter Menu',
style: TextStyle(
color: Colors.black,
),
),
backgroundColor: Colors.transparent,
elevation: 0.0,
automaticallyImplyLeading: false,
actions: [
AnimatedBuilder(
animation: _drawerSlideController,
builder: (context, child) {
return IconButton(
onPressed: _toggleDrawer,
icon: _isDrawerOpen() || _isDrawerOpening()
? const Icon(
Icons.clear,
color: Colors.black,
)
: const Icon(
Icons.menu,
color: Colors.black,
),
);
},
),
],
);
}
Widget _buildContent() {
// Put page content here.
return const SizedBox();
}
Widget _buildDrawer() {
return AnimatedBuilder(
animation: _drawerSlideController,
builder: (context, child) {
return FractionalTranslation(
translation: Offset(1.0 - _drawerSlideController.value, 0.0),
child: _isDrawerClosed() ? const SizedBox() : const Menu(),
);
},
);
}
}
class Menu extends StatefulWidget {
const Menu({super.key});
@override
State<Menu> createState() => _MenuState();
}
class _MenuState extends State<Menu> with SingleTickerProviderStateMixin {
static const _menuTitles = [
'Declarative style',
'Premade widgets',
'Stateful hot reload',
'Native performance',
'Great community',
];
static const _initialDelayTime = Duration(milliseconds: 50);
static const _itemSlideTime = Duration(milliseconds: 250);
static const _staggerTime = Duration(milliseconds: 50);
static const _buttonDelayTime = Duration(milliseconds: 150);
static const _buttonTime = Duration(milliseconds: 500);
final _animationDuration = _initialDelayTime +
(_staggerTime * _menuTitles.length) +
_buttonDelayTime +
_buttonTime;
late AnimationController _staggeredController;
final List<Interval> _itemSlideIntervals = [];
late Interval _buttonInterval;
@override
void initState() {
super.initState();
_createAnimationIntervals();
_staggeredController = AnimationController(
vsync: this,
duration: _animationDuration,
)..forward();
}
void _createAnimationIntervals() {
for (var i = 0; i < _menuTitles.length; ++i) {
final startTime = _initialDelayTime + (_staggerTime * i);
final endTime = startTime + _itemSlideTime;
_itemSlideIntervals.add(
Interval(
startTime.inMilliseconds / _animationDuration.inMilliseconds,
endTime.inMilliseconds / _animationDuration.inMilliseconds,
),
);
}
final buttonStartTime =
Duration(milliseconds: (_menuTitles.length * 50)) + _buttonDelayTime;
final buttonEndTime = buttonStartTime + _buttonTime;
_buttonInterval = Interval(
buttonStartTime.inMilliseconds / _animationDuration.inMilliseconds,
buttonEndTime.inMilliseconds / _animationDuration.inMilliseconds,
);
}
@override
void dispose() {
_staggeredController.dispose();
super.dispose();
}
@override
Widget build(BuildContext context) {
return Container(
color: Colors.white,
child: Stack(
fit: StackFit.expand,
children: [
_buildFlutterLogo(),
_buildContent(),
],
),
);
}
Widget _buildFlutterLogo() {
return const Positioned(
right: -100,
bottom: -30,
child: Opacity(
opacity: 0.2,
child: FlutterLogo(
size: 400,
),
),
);
}
Widget _buildContent() {
return Column(
crossAxisAlignment: CrossAxisAlignment.start,
children: [
const SizedBox(height: 16),
..._buildListItems(),
const Spacer(),
_buildGetStartedButton(),
],
);
}
List<Widget> _buildListItems() {
final listItems = <Widget>[];
for (var i = 0; i < _menuTitles.length; ++i) {
listItems.add(
AnimatedBuilder(
animation: _staggeredController,
builder: (context, child) {
final animationPercent = Curves.easeOut.transform(
_itemSlideIntervals[i].transform(_staggeredController.value),
);
final opacity = animationPercent;
final slideDistance = (1.0 - animationPercent) * 150;
return Opacity(
opacity: opacity,
child: Transform.translate(
offset: Offset(slideDistance, 0),
child: child,
),
);
},
child: Padding(
padding: const EdgeInsets.symmetric(horizontal: 36, vertical: 16),
child: Text(
_menuTitles[i],
textAlign: TextAlign.left,
style: const TextStyle(
fontSize: 24,
fontWeight: FontWeight.w500,
),
),
),
),
);
}
return listItems;
}
Widget _buildGetStartedButton() {
return SizedBox(
width: double.infinity,
child: Padding(
padding: const EdgeInsets.all(24),
child: AnimatedBuilder(
animation: _staggeredController,
builder: (context, child) {
final animationPercent = Curves.elasticOut.transform(
_buttonInterval.transform(_staggeredController.value));
final opacity = animationPercent.clamp(0.0, 1.0);
final scale = (animationPercent * 0.5) + 0.5;
return Opacity(
opacity: opacity,
child: Transform.scale(
scale: scale,
child: child,
),
);
},
child: ElevatedButton(
style: ElevatedButton.styleFrom(
shape: const StadiumBorder(),
backgroundColor: Colors.blue,
padding: const EdgeInsets.symmetric(horizontal: 48, vertical: 14),
),
onPressed: () {},
child: const Text(
'Get started',
style: TextStyle(
color: Colors.white,
fontSize: 22,
),
),
),
),
),
);
}
}
| website/examples/cookbook/effects/staggered_menu_animation/lib/main.dart/0 | {
"file_path": "website/examples/cookbook/effects/staggered_menu_animation/lib/main.dart",
"repo_id": "website",
"token_count": 3624
} | 1,604 |
import 'package:flutter/material.dart';
// Define a custom Form widget.
class MyCustomForm extends StatefulWidget {
const MyCustomForm({super.key});
@override
State<MyCustomForm> createState() => _MyCustomFormState();
}
// Define a corresponding State class.
// This class holds data related to the form.
class _MyCustomFormState extends State<MyCustomForm> {
// Define the focus node. To manage the lifecycle, create the FocusNode in
// the initState method, and clean it up in the dispose method.
late FocusNode myFocusNode;
@override
void initState() {
super.initState();
myFocusNode = FocusNode();
}
@override
void dispose() {
// Clean up the focus node when the Form is disposed.
myFocusNode.dispose();
super.dispose();
}
// #docregion Build
@override
Widget build(BuildContext context) {
return TextField(
focusNode: myFocusNode,
);
}
// #enddocregion Build
}
| website/examples/cookbook/forms/focus/lib/step2.dart/0 | {
"file_path": "website/examples/cookbook/forms/focus/lib/step2.dart",
"repo_id": "website",
"token_count": 298
} | 1,605 |
// ignore_for_file: directives_ordering
import 'package:flutter/material.dart';
import 'package:logging/logging.dart' hide Level;
import 'package:provider/provider.dart';
import '../game_internals/board_state.dart';
// #docregion imports
import 'package:cloud_firestore/cloud_firestore.dart';
import '../multiplayer/firestore_controller.dart';
// #enddocregion imports
class PlaySessionScreen extends StatefulWidget {
const PlaySessionScreen({super.key});
@override
State<PlaySessionScreen> createState() => _PlaySessionScreenState();
}
class _PlaySessionScreenState extends State<PlaySessionScreen> {
static final _log = Logger('PlaySessionScreen');
late final BoardState _boardState;
// #docregion controller
FirestoreController? _firestoreController;
// #enddocregion controller
@override
Widget build(BuildContext context) {
return const Placeholder();
}
@override
void dispose() {
_boardState.dispose();
// #docregion dispose
_firestoreController?.dispose();
// #enddocregion dispose
super.dispose();
}
@override
void initState() {
super.initState();
_boardState = BoardState(onWin: _playerWon);
// #docregion initState
final firestore = context.read<FirebaseFirestore?>();
if (firestore == null) {
_log.warning("Firestore instance wasn't provided. "
'Running without _firestoreController.');
} else {
_firestoreController = FirestoreController(
instance: firestore,
boardState: _boardState,
);
}
// #enddocregion initState
}
void _playerWon() {}
}
| website/examples/cookbook/games/firestore_multiplayer/lib/play_session/play_session_screen.dart/0 | {
"file_path": "website/examples/cookbook/games/firestore_multiplayer/lib/play_session/play_session_screen.dart",
"repo_id": "website",
"token_count": 533
} | 1,606 |
name: cached_images
description: Example for cached_images cookbook recipe
publish_to: none
version: 1.0.0+1
environment:
sdk: ^3.3.0
dependencies:
flutter:
sdk: flutter
cupertino_icons: ^1.0.6
cached_network_image: ^3.3.1
dev_dependencies:
example_utils:
path: ../../../example_utils
flutter_test:
sdk: flutter
flutter:
uses-material-design: true
| website/examples/cookbook/images/cached_images/pubspec.yaml/0 | {
"file_path": "website/examples/cookbook/images/cached_images/pubspec.yaml",
"repo_id": "website",
"token_count": 154
} | 1,607 |
name: floating_app_bar
description: Example for floating_app_bar cookbook recipe
environment:
sdk: ^3.3.0
dependencies:
flutter:
sdk: flutter
dev_dependencies:
example_utils:
path: ../../../example_utils
flutter:
uses-material-design: true
| website/examples/cookbook/lists/floating_app_bar/pubspec.yaml/0 | {
"file_path": "website/examples/cookbook/lists/floating_app_bar/pubspec.yaml",
"repo_id": "website",
"token_count": 95
} | 1,608 |
name: spaced_items
description: Example for spaced_items cookbook recipe
environment:
sdk: ^3.3.0
dependencies:
flutter:
sdk: flutter
dev_dependencies:
example_utils:
path: ../../../example_utils
flutter:
uses-material-design: true
| website/examples/cookbook/lists/spaced_items/pubspec.yaml/0 | {
"file_path": "website/examples/cookbook/lists/spaced_items/pubspec.yaml",
"repo_id": "website",
"token_count": 91
} | 1,609 |
import 'package:flutter/material.dart';
void main() {
runApp(const MaterialApp(
title: 'Navigation Basics',
home: FirstRoute(),
));
}
class FirstRoute extends StatelessWidget {
const FirstRoute({super.key});
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: const Text('First Route'),
),
body: Center(
child: ElevatedButton(
child: const Text('Open route'),
onPressed: () {
Navigator.push(
context,
MaterialPageRoute(builder: (context) => const SecondRoute()),
);
},
),
),
);
}
}
class SecondRoute extends StatelessWidget {
const SecondRoute({super.key});
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: const Text('Second Route'),
),
body: Center(
child: ElevatedButton(
onPressed: () {
Navigator.pop(context);
},
child: const Text('Go back!'),
),
),
);
}
}
| website/examples/cookbook/navigation/navigation_basics/lib/main.dart/0 | {
"file_path": "website/examples/cookbook/navigation/navigation_basics/lib/main.dart",
"repo_id": "website",
"token_count": 498
} | 1,610 |
name: hero_animations
description: Hero animations
environment:
sdk: ^3.3.0
dependencies:
flutter:
sdk: flutter
http: ^1.2.0
dev_dependencies:
example_utils:
path: ../../../example_utils
flutter:
uses-material-design: true
| website/examples/cookbook/networking/authenticated_requests/pubspec.yaml/0 | {
"file_path": "website/examples/cookbook/networking/authenticated_requests/pubspec.yaml",
"repo_id": "website",
"token_count": 96
} | 1,611 |
import 'dart:async';
import 'dart:convert';
import 'package:flutter/material.dart';
// #docregion Http
import 'package:http/http.dart' as http;
// #enddocregion Http
// #docregion createAlbum
Future<Album> createAlbum(String title) async {
final response = await http.post(
Uri.parse('https://jsonplaceholder.typicode.com/albums'),
headers: <String, String>{
'Content-Type': 'application/json; charset=UTF-8',
},
body: jsonEncode(<String, String>{
'title': title,
}),
);
if (response.statusCode == 201) {
// If the server did return a 201 CREATED response,
// then parse the JSON.
return Album.fromJson(jsonDecode(response.body) as Map<String, dynamic>);
} else {
// If the server did not return a 201 CREATED response,
// then throw an exception.
throw Exception('Failed to create album.');
}
}
// #enddocregion createAlbum
// #docregion 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.'),
};
}
}
// #enddocregion 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> {
final TextEditingController _controller = TextEditingController();
Future<Album>? _futureAlbum;
@override
Widget build(BuildContext context) {
return MaterialApp(
title: 'Create Data Example',
theme: ThemeData(
colorScheme: ColorScheme.fromSeed(seedColor: Colors.deepPurple),
),
home: Scaffold(
appBar: AppBar(
title: const Text('Create Data Example'),
),
body: Container(
alignment: Alignment.center,
padding: const EdgeInsets.all(8),
child: (_futureAlbum == null) ? buildColumn() : buildFutureBuilder(),
),
),
);
}
Column buildColumn() {
// #docregion Column
return Column(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[
TextField(
controller: _controller,
decoration: const InputDecoration(hintText: 'Enter Title'),
),
ElevatedButton(
onPressed: () {
setState(() {
_futureAlbum = createAlbum(_controller.text);
});
},
child: const Text('Create Data'),
),
],
);
// #enddocregion Column
}
FutureBuilder<Album> buildFutureBuilder() {
// #docregion FutureBuilder
return FutureBuilder<Album>(
future: _futureAlbum,
builder: (context, snapshot) {
if (snapshot.hasData) {
return Text(snapshot.data!.title);
} else if (snapshot.hasError) {
return Text('${snapshot.error}');
}
return const CircularProgressIndicator();
},
);
// #enddocregion FutureBuilder
}
}
| website/examples/cookbook/networking/send_data/lib/main.dart/0 | {
"file_path": "website/examples/cookbook/networking/send_data/lib/main.dart",
"repo_id": "website",
"token_count": 1315
} | 1,612 |
import 'dart:async';
import 'package:camera/camera.dart';
import 'package:flutter/material.dart';
// ignore_for_file: unused_local_variable
Future<void> main() async {
// 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;
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')),
// 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());
}
},
),
// #docregion FAB
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 then get the location
// where the image file is saved.
final image = await _controller.takePicture();
} catch (e) {
// If an error occurs, log the error to the console.
print(e);
}
},
child: const Icon(Icons.camera_alt),
),
// #enddocregion FAB
);
}
}
| website/examples/cookbook/plugins/picture_using_camera/lib/main_step5.dart/0 | {
"file_path": "website/examples/cookbook/plugins/picture_using_camera/lib/main_step5.dart",
"repo_id": "website",
"token_count": 1191
} | 1,613 |
// #docregion Timeline
import 'package:flutter_driver/flutter_driver.dart' as driver;
import 'package:integration_test/integration_test_driver.dart';
Future<void> main() {
return integrationDriver(
responseDataCallback: (data) async {
if (data != null) {
final timeline = driver.Timeline.fromJson(
data['scrolling_timeline'] as Map<String, dynamic>,
);
// Convert the Timeline into a TimelineSummary that's easier to
// read and understand.
final summary = driver.TimelineSummary.summarize(timeline);
// Then, write the entire timeline to disk in a json format.
// This file can be opened in the Chrome browser's tracing tools
// found by navigating to chrome://tracing.
// Optionally, save the summary to disk by setting includeSummary
// to true
await summary.writeTimelineToFile(
'scrolling_timeline',
pretty: true,
includeSummary: true,
);
}
},
);
}
// #enddocregion Timeline
| website/examples/cookbook/testing/integration/profiling/test_driver/perf_driver.dart/0 | {
"file_path": "website/examples/cookbook/testing/integration/profiling/test_driver/perf_driver.dart",
"repo_id": "website",
"token_count": 388
} | 1,614 |
import 'package:flutter/material.dart';
import 'package:flutter_test/flutter_test.dart';
// #docregion main
void main() {
// Define a test. The TestWidgets function also provides a WidgetTester
// to work with. The WidgetTester allows you to build and interact
// with widgets in the test environment.
testWidgets('MyWidget has a title and message', (tester) async {
// Test code goes here.
});
}
// #enddocregion main
class MyWidget extends StatelessWidget {
const MyWidget({
super.key,
required this.title,
required this.message,
});
final String title;
final String message;
@override
Widget build(BuildContext context) {
return MaterialApp(
title: 'Flutter Demo',
home: Scaffold(
appBar: AppBar(
title: Text(title),
),
body: Center(
child: Text(message),
),
),
);
}
}
| website/examples/cookbook/testing/widget/introduction/test/main_step3_test.dart/0 | {
"file_path": "website/examples/cookbook/testing/widget/introduction/test/main_step3_test.dart",
"repo_id": "website",
"token_count": 334
} | 1,615 |
#!/bin/sh
# Fail this script if any subcommand fails.
set -e
# The default execution directory of this script is the ci_scripts directory.
cd $CI_PRIMARY_REPOSITORY_PATH # change working directory to the root of your cloned repo.
# Install Flutter using git.
git clone https://github.com/flutter/flutter.git --depth 1 -b stable $HOME/flutter
export PATH="$PATH:$HOME/flutter/bin"
# Install Flutter artifacts for iOS (--ios), or macOS (--macos) platforms.
flutter precache --ios
# Install Flutter dependencies.
flutter pub get
# Install CocoaPods using Homebrew.
HOMEBREW_NO_AUTO_UPDATE=1 # disable homebrew's automatic updates.
brew install cocoapods
# Install CocoaPods dependencies.
cd ios && pod install # run `pod install` in the `ios` directory.
exit 0
| website/examples/deployment/xcode_cloud/ci_post_clone.sh/0 | {
"file_path": "website/examples/deployment/xcode_cloud/ci_post_clone.sh",
"repo_id": "website",
"token_count": 234
} | 1,616 |
// GENERATED CODE - DO NOT MODIFY BY HAND
part of 'user.dart';
// **************************************************************************
// JsonSerializableGenerator
// **************************************************************************
User _$UserFromJson(Map<String, dynamic> json) => User(
json['name'] as String,
json['email'] as String,
);
Map<String, dynamic> _$UserToJson(User instance) => <String, dynamic>{
'name': instance.name,
'email': instance.email,
};
| website/examples/development/data-and-backend/json/lib/serializable/user.g.dart/0 | {
"file_path": "website/examples/development/data-and-backend/json/lib/serializable/user.g.dart",
"repo_id": "website",
"token_count": 154
} | 1,617 |
name: plugin_api_migration
description: A new Flutter project.
# The following line prevents the package from being accidentally published to
# pub.dev using `flutter pub publish`. This is preferred for private packages.
publish_to: none # Remove this line if you wish to publish to pub.dev
# The following defines the version and build number for your application.
# A version number is three numbers separated by dots, like 1.2.43
# followed by an optional build number separated by a +.
# Both the version and the builder number may be overridden in flutter
# build by specifying --build-name and --build-number, respectively.
# In Android, build-name is used as versionName while build-number used as versionCode.
# Read more about Android versioning at https://developer.android.com/studio/publish/versioning
# In iOS, build-name is used as CFBundleShortVersionString while build-number used as CFBundleVersion.
# Read more about iOS versioning at
# https://developer.apple.com/library/archive/documentation/General/Reference/InfoPlistKeyReference/Articles/CoreFoundationKeys.html
version: 1.0.0+1
environment:
sdk: ^3.3.0
# Dependencies specify other packages that your package needs in order to work.
# To automatically upgrade your package dependencies to the latest versions
# consider running `flutter pub upgrade --major-versions`. Alternatively,
# dependencies can be manually updated by changing the version numbers below to
# the latest version available on pub.dev. To see which dependencies have newer
# versions available, run `flutter pub outdated`.
dependencies:
flutter:
sdk: flutter
css_colors: ^1.1.4
url_launcher: ^6.2.4
battery: ^2.0.3
flutter_test:
sdk: flutter
path: ^1.9.0
integration_test:
sdk: flutter
# The following adds the Cupertino Icons font to your application.
# Use with the CupertinoIcons class for iOS style icons.
cupertino_icons: ^1.0.6
dev_dependencies:
example_utils:
path: ../../example_utils
flutter:
uses-material-design: true
| website/examples/development/plugin_api_migration/pubspec.yaml/0 | {
"file_path": "website/examples/development/plugin_api_migration/pubspec.yaml",
"repo_id": "website",
"token_count": 568
} | 1,618 |
import 'package:flutter/material.dart';
void main() => runApp(const SignUpApp());
class SignUpApp extends StatelessWidget {
const SignUpApp({super.key});
@override
Widget build(BuildContext context) {
return MaterialApp(
routes: {
'/': (context) => const SignUpScreen(),
},
);
}
}
class SignUpScreen extends StatelessWidget {
const SignUpScreen({super.key});
@override
Widget build(BuildContext context) {
return Scaffold(
backgroundColor: Colors.grey[200],
body: const Center(
child: SizedBox(
width: 400,
child: Card(
child: SignUpForm(),
),
),
),
);
}
}
class SignUpForm extends StatefulWidget {
const SignUpForm({super.key});
@override
State<SignUpForm> createState() => _SignUpFormState();
}
class _SignUpFormState extends State<SignUpForm> {
final _firstNameTextController = TextEditingController();
final _lastNameTextController = TextEditingController();
final _usernameTextController = TextEditingController();
double _formProgress = 0;
@override
Widget build(BuildContext context) {
return Form(
child: Column(
mainAxisSize: MainAxisSize.min,
children: [
LinearProgressIndicator(value: _formProgress),
Text('Sign up', style: Theme.of(context).textTheme.headlineMedium),
Padding(
padding: const EdgeInsets.all(8),
child: TextFormField(
controller: _firstNameTextController,
decoration: const InputDecoration(hintText: 'First name'),
),
),
Padding(
padding: const EdgeInsets.all(8),
child: TextFormField(
controller: _lastNameTextController,
decoration: const InputDecoration(hintText: 'Last name'),
),
),
Padding(
padding: const EdgeInsets.all(8),
child: TextFormField(
controller: _usernameTextController,
decoration: const InputDecoration(hintText: 'Username'),
),
),
TextButton(
style: ButtonStyle(
foregroundColor: MaterialStateProperty.resolveWith((states) {
return states.contains(MaterialState.disabled)
? null
: Colors.white;
}),
backgroundColor: MaterialStateProperty.resolveWith((states) {
return states.contains(MaterialState.disabled)
? null
: Colors.blue;
}),
),
onPressed: null,
child: const Text('Sign up'),
),
],
),
);
}
}
| website/examples/get-started/codelab_web/lib/starter.dart/0 | {
"file_path": "website/examples/get-started/codelab_web/lib/starter.dart",
"repo_id": "website",
"token_count": 1256
} | 1,619 |
import 'package:flutter/material.dart';
// #docregion Map
void main() {
runApp(MaterialApp(
home: const MyAppHome(), // Becomes the route named '/'.
routes: <String, WidgetBuilder>{
'/a': (context) => const MyPage(title: 'page A'),
'/b': (context) => const MyPage(title: 'page B'),
'/c': (context) => const MyPage(title: 'page C'),
},
));
}
// #enddocregion Map
class MyAppHome extends StatefulWidget {
const MyAppHome({super.key});
@override
State<MyAppHome> createState() => _MyAppHomeState();
}
class _MyAppHomeState extends State<MyAppHome> {
@override
Widget build(BuildContext context) {
return const Text('Hello World!');
}
}
class MyPage extends StatelessWidget {
const MyPage({super.key, required this.title});
final String title;
void navigate(BuildContext context) {
// #docregion Push
Navigator.of(context).pushNamed('/b');
// #enddocregion Push
}
Object? push(BuildContext context) async {
// #docregion PushAwait
Object? coordinates = await Navigator.of(context).pushNamed('/location');
// #enddocregion PushAwait
return coordinates;
}
void pop(BuildContext context) {
// #docregion Pop
Navigator.of(context).pop({'lat': 43.821757, 'long': -79.226392});
// #enddocregion Pop
}
@override
Widget build(BuildContext context) {
return Text(title);
}
}
| website/examples/get-started/flutter-for/android_devs/lib/intent.dart/0 | {
"file_path": "website/examples/get-started/flutter-for/android_devs/lib/intent.dart",
"repo_id": "website",
"token_count": 490
} | 1,620 |
// #docregion Theme
import 'package:flutter/material.dart';
class SampleApp extends StatelessWidget {
const SampleApp({super.key});
@override
Widget build(BuildContext context) {
return MaterialApp(
title: 'Sample App',
theme: ThemeData(
colorScheme: ColorScheme.fromSeed(seedColor: Colors.deepPurple),
textSelectionTheme:
const TextSelectionThemeData(selectionColor: Colors.red),
),
home: const SampleAppPage(),
);
}
}
// #enddocregion Theme
class SampleAppPage extends StatelessWidget {
const SampleAppPage({super.key});
@override
Widget build(BuildContext context) {
return const Text('Hello World!');
}
}
| website/examples/get-started/flutter-for/android_devs/lib/theme.dart/0 | {
"file_path": "website/examples/get-started/flutter-for/android_devs/lib/theme.dart",
"repo_id": "website",
"token_count": 246
} | 1,621 |
import 'package:flutter/cupertino.dart';
import 'package:flutter/material.dart';
// #docregion main
void main() {
runApp(const MyApp());
}
// #enddocregion main
// #docregion myapp
class MyApp extends StatelessWidget {
const MyApp({super.key});
@override
Widget build(BuildContext context) {
// Returns a CupertinoApp that, by default,
// has the look and feel of an iOS app.
return const CupertinoApp(
home: HomePage(),
);
}
}
// #enddocregion myapp
// #docregion homepage
class HomePage extends StatelessWidget {
const HomePage({super.key});
@override
Widget build(BuildContext context) {
return const Scaffold(
body: Center(
child: Text(
'Hello, World!',
),
),
);
}
}
// #enddocregion homepage
| website/examples/get-started/flutter-for/ios_devs/lib/get_started.dart/0 | {
"file_path": "website/examples/get-started/flutter-for/ios_devs/lib/get_started.dart",
"repo_id": "website",
"token_count": 295
} | 1,622 |
import 'package:flutter/cupertino.dart';
import 'package:flutter/material.dart';
void main() {
runApp(
const App(),
);
}
// Define the name of the route as a constant so that
// you can use it in the Navigator to push the route using
// its name, as well as use it to create the list of your app-routes.
const detailsPageRouteName = '/details';
class App extends StatelessWidget {
const App({
super.key,
});
@override
Widget build(BuildContext context) {
// Return a [CupertinoApp] that, by default,
// has the look and feel of an iOS app.
return CupertinoApp(
debugShowCheckedModeBanner: false,
home: const HomePage(),
// Define your routes using a Map where the keys
// are the route names and the values are
// a function that receives a BuildContext and returns
// the corresponding Widget.
routes: {
detailsPageRouteName: (context) => const DetailsPage(),
},
);
}
}
// 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: 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,
);
},
);
},
),
),
);
}
}
class DetailsPage extends StatelessWidget {
const DetailsPage({super.key});
@override
Widget build(BuildContext context) {
final Person person = ModalRoute.of(
context,
)?.settings.arguments as Person;
final age = '${person.age} years old';
return CupertinoPageScaffold(
navigationBar: CupertinoNavigationBar(
middle: Text(
person.name,
),
),
child: SafeArea(
child: Material(
child: Column(
children: [
ListTile(
title: Text(person.name),
subtitle: Text(age),
),
// #docregion PopBackExample
TextButton(
onPressed: () {
// This code allows the
// view to pop back to its presenter.
Navigator.of(context).pop();
},
child: const Text('Pop back'),
),
// #enddocregion PopBackExample
],
),
),
),
);
}
}
| website/examples/get-started/flutter-for/ios_devs/lib/popback.dart/0 | {
"file_path": "website/examples/get-started/flutter-for/ios_devs/lib/popback.dart",
"repo_id": "website",
"token_count": 1666
} | 1,623 |
// Nothing to see here, move along...
| website/examples/get-started/flutter-for/react_native_devs/my_widgets/lib/my_widgets.dart/0 | {
"file_path": "website/examples/get-started/flutter-for/react_native_devs/my_widgets/lib/my_widgets.dart",
"repo_id": "website",
"token_count": 10
} | 1,624 |
import 'dart:async';
import 'dart:convert';
import 'dart:isolate';
import 'package:flutter/material.dart';
import 'package:http/http.dart' as http;
void main() {
runApp(const SampleApp());
}
class SampleApp extends StatelessWidget {
const SampleApp({super.key});
@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> {
List<Map<String, dynamic>> data = <Map<String, dynamic>>[];
@override
void initState() {
super.initState();
loadData();
}
bool get showLoadingDialog => data.isEmpty;
// #docregion SimpleIsolate
Future<void> loadData() async {
final ReceivePort receivePort = ReceivePort();
await Isolate.spawn(dataLoader, receivePort.sendPort);
// The 'echo' isolate sends its SendPort as the first message
final SendPort sendPort = await receivePort.first as SendPort;
final List<Map<String, dynamic>> msg = await sendReceive(
sendPort,
'https://jsonplaceholder.typicode.com/posts',
);
setState(() {
data = msg;
});
}
// The entry point for the isolate
static Future<void> dataLoader(SendPort sendPort) async {
// Open the ReceivePort for incoming messages.
final ReceivePort port = ReceivePort();
// Notify any other isolates what port this isolate listens to.
sendPort.send(port.sendPort);
await for (final dynamic msg in port) {
final String url = msg[0] as String;
final SendPort replyTo = msg[1] as SendPort;
final Uri dataURL = Uri.parse(url);
final http.Response response = await http.get(dataURL);
// Lots of JSON to parse
replyTo.send(jsonDecode(response.body) as List<Map<String, dynamic>>);
}
}
Future<List<Map<String, dynamic>>> sendReceive(SendPort port, String msg) {
final ReceivePort response = ReceivePort();
port.send(<dynamic>[msg, response.sendPort]);
return response.first as Future<List<Map<String, dynamic>>>;
}
// #enddocregion SimpleIsolate
Widget getBody() {
if (showLoadingDialog) {
return getProgressDialog();
}
return getListView();
}
Widget getProgressDialog() {
return const Center(child: CircularProgressIndicator());
}
ListView getListView() {
return ListView.builder(
itemCount: data.length,
itemBuilder: (context, index) {
return getRow(index);
},
);
}
Widget getRow(int index) {
return Padding(
padding: const EdgeInsets.all(10),
child: Text('Row ${data[index]['title']}'),
);
}
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(title: const Text('Sample App')),
body: getBody(),
);
}
}
| website/examples/get-started/flutter-for/xamarin_devs/lib/isolates.dart/0 | {
"file_path": "website/examples/get-started/flutter-for/xamarin_devs/lib/isolates.dart",
"repo_id": "website",
"token_count": 1049
} | 1,625 |
import 'package:flutter_driver/driver_extension.dart';
import 'package:integration_test_migration/main.dart' as app;
void main() {
enableFlutterDriverExtension();
app.main();
}
| website/examples/integration_test_migration/test_driver/main.dart/0 | {
"file_path": "website/examples/integration_test_migration/test_driver/main.dart",
"repo_id": "website",
"token_count": 62
} | 1,626 |
{
"title": "Hello World",
"@title": {
"description": "Title for the Demo application",
"type": "text"
}
}
| website/examples/internationalization/intl_example/lib/l10n/intl_en.arb/0 | {
"file_path": "website/examples/internationalization/intl_example/lib/l10n/intl_en.arb",
"repo_id": "website",
"token_count": 46
} | 1,627 |
// Basic Flutter widget test.
// Learn more at https://docs.flutter.dev/testing/overview#widget-tests.
import 'package:flutter_test/flutter_test.dart';
import 'package:layout/main.dart';
void main() {
testWidgets('Example app smoke test', (tester) async {
// Build our app and trigger a frame.
await tester.pumpWidget(const MyApp());
expect(find.text('Flutter layout demo'), findsOneWidget);
});
}
| website/examples/layout/grid_and_list/test/widget_test.dart/0 | {
"file_path": "website/examples/layout/grid_and_list/test/widget_test.dart",
"repo_id": "website",
"token_count": 139
} | 1,628 |
name: layout
description: >-
Sample app from "Building Layouts", https://docs.flutter.dev/ui/layout.
version: 1.0.0
environment:
sdk: ^3.3.0
dependencies:
flutter:
sdk: flutter
cupertino_icons: ^1.0.6
dev_dependencies:
example_utils:
path: ../../../example_utils
flutter_test:
sdk: flutter
flutter:
uses-material-design: true
assets:
- images/lake.jpg
| website/examples/layout/lakes/step6/pubspec.yaml/0 | {
"file_path": "website/examples/layout/lakes/step6/pubspec.yaml",
"repo_id": "website",
"token_count": 158
} | 1,629 |
name: deferred_components
description: Samples to showcase deferred component imports/loading.
publish_to: none
environment:
sdk: ^3.3.0
dependencies:
flutter:
sdk: flutter
provider: ^6.1.1
dev_dependencies:
example_utils:
path: ../../example_utils
flutter_test:
sdk: flutter
test: ^1.24.9
flutter:
uses-material-design: true
| website/examples/perf/deferred_components/pubspec.yaml/0 | {
"file_path": "website/examples/perf/deferred_components/pubspec.yaml",
"repo_id": "website",
"token_count": 136
} | 1,630 |
import 'package:flutter/material.dart';
/// This is here so we don't need to show Scaffold and AppBar in the snippet.
/// We need Scaffold+AppBar so that the smoke test can get out of this page.
class HelperScaffoldWrapper extends StatelessWidget {
const HelperScaffoldWrapper({super.key});
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(),
body: const MyHomepage(),
);
}
}
// #docregion Ephemeral
class MyHomepage extends StatefulWidget {
const MyHomepage({super.key});
@override
State<MyHomepage> createState() => _MyHomepageState();
}
class _MyHomepageState extends State<MyHomepage> {
int _index = 0;
@override
Widget build(BuildContext context) {
return BottomNavigationBar(
currentIndex: _index,
onTap: (newIndex) {
setState(() {
_index = newIndex;
});
},
// #enddocregion Ephemeral
items: const [
BottomNavigationBarItem(label: 'abc', icon: Icon(Icons.title)),
BottomNavigationBarItem(label: 'def', icon: Icon(Icons.map)),
],
// #docregion Ephemeral
);
}
}
// #enddocregion Ephemeral
| website/examples/state_mgmt/simple/lib/src/set_state.dart/0 | {
"file_path": "website/examples/state_mgmt/simple/lib/src/set_state.dart",
"repo_id": "website",
"token_count": 442
} | 1,631 |
// ignore_for_file: directives_ordering
import 'dart:io';
// #docregion log
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');
}
// #enddocregion log
void output() {
// #docregion stderr
stderr.writeln('print me');
// #enddocregion stderr
}
| website/examples/testing/code_debugging/lib/main.dart/0 | {
"file_path": "website/examples/testing/code_debugging/lib/main.dart",
"repo_id": "website",
"token_count": 148
} | 1,632 |
// ignore_for_file: directives_ordering
import './backend.dart';
import 'package:flutter/services.dart';
// #docregion CatchError
import 'package:flutter/material.dart';
import 'dart:ui';
void main() {
MyBackend myBackend = MyBackend();
PlatformDispatcher.instance.onError = (error, stack) {
myBackend.sendError(error, stack);
return true;
};
runApp(const MyApp());
}
// #enddocregion CatchError
// #docregion CustomError
class MyApp extends StatelessWidget {
const MyApp({super.key});
@override
Widget build(BuildContext context) {
return MaterialApp(
builder: (context, widget) {
Widget error = const Text('...rendering error...');
if (widget is Scaffold || widget is Navigator) {
error = Scaffold(body: Center(child: error));
}
ErrorWidget.builder = (errorDetails) => error;
if (widget != null) return widget;
throw StateError('widget is null');
},
);
}
}
// #enddocregion CustomError
class MyButton extends StatelessWidget {
const MyButton({super.key});
@override
Widget build(BuildContext context) {
// #docregion OnPressed
return OutlinedButton(
child: const Text('Click me!'),
onPressed: () async {
const channel = MethodChannel('crashy-custom-channel');
await channel.invokeMethod('blah');
},
);
// #enddocregion OnPressed
}
}
| website/examples/testing/errors/lib/excerpts.dart/0 | {
"file_path": "website/examples/testing/errors/lib/excerpts.dart",
"repo_id": "website",
"token_count": 517
} | 1,633 |
import 'package:flutter/material.dart';
import 'package:flutter/services.dart';
class ShortcutsExample extends StatelessWidget {
const ShortcutsExample({super.key});
// #docregion ShortcutsExample
@override
Widget build(BuildContext context) {
return Shortcuts(
shortcuts: <LogicalKeySet, Intent>{
LogicalKeySet(LogicalKeyboardKey.control, LogicalKeyboardKey.keyA):
const SelectAllIntent(),
},
child: Actions(
dispatcher: LoggingActionDispatcher(),
actions: <Type, Action<Intent>>{
SelectAllIntent: SelectAllAction(model),
},
child: Builder(
builder: (context) => TextButton(
onPressed: Actions.handler<SelectAllIntent>(
context,
const SelectAllIntent(),
),
child: const Text('SELECT ALL'),
),
),
),
);
}
// #enddocregion ShortcutsExample
}
// #docregion LoggingShortcutManager
class LoggingShortcutManager extends ShortcutManager {
@override
KeyEventResult handleKeypress(BuildContext context, KeyEvent event) {
final KeyEventResult result = super.handleKeypress(context, event);
if (result == KeyEventResult.handled) {
print('Handled shortcut $event in $context');
}
return result;
}
}
// #enddocregion LoggingShortcutManager
class SelectAllIntent extends Intent {
const SelectAllIntent({this.controller});
final TextEditingController? controller;
}
class Model {
void selectAll() {}
}
Model model = Model();
// #docregion SelectAllAction
class SelectAllAction extends Action<SelectAllIntent> {
SelectAllAction(this.model);
final Model model;
@override
void invoke(covariant SelectAllIntent intent) => model.selectAll();
}
// #enddocregion SelectAllAction
void callbackActionSample() {
// #docregion CallbackAction
CallbackAction(onInvoke: (intent) => model.selectAll());
// #enddocregion CallbackAction
}
class SelectAllExample extends StatelessWidget {
const SelectAllExample({super.key, required this.child});
final Widget child;
// #docregion SelectAllExample
@override
Widget build(BuildContext context) {
return Actions(
actions: <Type, Action<Intent>>{
SelectAllIntent: SelectAllAction(model),
},
child: child,
);
}
// #enddocregion SelectAllExample
}
late BuildContext context;
void findAndInvokeExample() {
// #docregion MaybeFindExample
Action<SelectAllIntent>? selectAll =
Actions.maybeFind<SelectAllIntent>(context);
// #enddocregion MaybeFindExample
// #docregion InvokeActionExample
Object? result;
if (selectAll != null) {
result =
Actions.of(context).invokeAction(selectAll, const SelectAllIntent());
}
// #enddocregion InvokeActionExample
print('$result');
}
void maybeInvokeExample() {
// #docregion MaybeInvokeExample
Object? result =
Actions.maybeInvoke<SelectAllIntent>(context, const SelectAllIntent());
// #enddocregion MaybeInvokeExample
print('$result');
}
class HandlerExample extends StatelessWidget {
const HandlerExample(this.controller, {super.key});
final TextEditingController controller;
// #docregion HandlerExample
@override
Widget build(BuildContext context) {
return Actions(
actions: <Type, Action<Intent>>{
SelectAllIntent: SelectAllAction(model),
},
child: Builder(
builder: (context) => TextButton(
onPressed: Actions.handler<SelectAllIntent>(
context,
SelectAllIntent(controller: controller),
),
child: const Text('SELECT ALL'),
),
),
);
}
// #enddocregion HandlerExample
}
// #docregion LoggingActionDispatcher
class LoggingActionDispatcher extends ActionDispatcher {
@override
Object? invokeAction(
covariant Action<Intent> action,
covariant Intent intent, [
BuildContext? context,
]) {
print('Action invoked: $action($intent) from $context');
super.invokeAction(action, intent, context);
return null;
}
@override
(bool, Object?) invokeActionIfEnabled(
covariant Action<Intent> action,
covariant Intent intent, [
BuildContext? context,
]) {
print('Action invoked: $action($intent) from $context');
return super.invokeActionIfEnabled(action, intent, context);
}
}
// #enddocregion LoggingActionDispatcher
class LoggingActionDispatcherExample extends StatelessWidget {
const LoggingActionDispatcherExample({super.key});
// #docregion LoggingActionDispatcherExample
@override
Widget build(BuildContext context) {
return Actions(
dispatcher: LoggingActionDispatcher(),
actions: <Type, Action<Intent>>{
SelectAllIntent: SelectAllAction(model),
},
child: Builder(
builder: (context) => TextButton(
onPressed: Actions.handler<SelectAllIntent>(
context,
const SelectAllIntent(),
),
child: const Text('SELECT ALL'),
),
),
);
}
// #enddocregion LoggingActionDispatcherExample
}
class CallbackShortcutsExample extends StatefulWidget {
const CallbackShortcutsExample({super.key});
@override
State<CallbackShortcutsExample> createState() =>
_CallbackShortcutsExampleState();
}
class _CallbackShortcutsExampleState extends State<CallbackShortcutsExample> {
int count = 0;
// #docregion CallbackShortcuts
@override
Widget build(BuildContext context) {
return CallbackShortcuts(
bindings: <ShortcutActivator, VoidCallback>{
const SingleActivator(LogicalKeyboardKey.arrowUp): () {
setState(() => count = count + 1);
},
const SingleActivator(LogicalKeyboardKey.arrowDown): () {
setState(() => count = count - 1);
},
},
child: Focus(
autofocus: true,
child: Column(
children: <Widget>[
const Text('Press the up arrow key to add to the counter'),
const Text('Press the down arrow key to subtract from the counter'),
Text('count: $count'),
],
),
),
);
}
// #enddocregion CallbackShortcuts
}
| website/examples/ui/advanced/actions_and_shortcuts/lib/samples.dart/0 | {
"file_path": "website/examples/ui/advanced/actions_and_shortcuts/lib/samples.dart",
"repo_id": "website",
"token_count": 2231
} | 1,634 |
import 'package:flutter/widgets.dart';
import 'package:provider/provider.dart';
/// Provides a top level scope for targeted actions.
///
/// Targeted actions are useful for making actions that are bound to children or
/// siblings of the focused widget available for invocation that wouldn't
/// normally be visible to a Shortcuts widget ancestor of the focused widget.
/// TargetedActionScope is used in place or in addition to the Shortcuts widget
/// that defines the key bindings for a subtree.
///
/// To use a targeted action, define this scope with a set of shortcuts that
/// should be active in this scope. Then, in a child widget of this one, define
/// a [TargetedActionBinding] with the actions that you wish to execute when the
/// binding is activated with the intent. If no action is defined for a scope
/// for that intent, then nothing happens.
class TargetedActionScope extends StatefulWidget {
const TargetedActionScope({
super.key,
required this.child,
required this.shortcuts,
});
final Widget child;
final Map<LogicalKeySet, Intent> shortcuts;
@override
State<TargetedActionScope> createState() => _TargetedActionScopeState();
}
class _TargetedActionScopeState extends State<TargetedActionScope> {
late _TargetedActionRegistry registry;
Map<LogicalKeySet, Intent> mappedShortcuts = <LogicalKeySet, Intent>{};
@override
void initState() {
super.initState();
registry = _TargetedActionRegistry();
mappedShortcuts = _buildShortcuts();
}
@override
void didUpdateWidget(TargetedActionScope oldWidget) {
super.didUpdateWidget(oldWidget);
if (oldWidget.shortcuts != widget.shortcuts) {
mappedShortcuts = _buildShortcuts();
}
}
Map<LogicalKeySet, Intent> _buildShortcuts() {
Map<LogicalKeySet, Intent> mapped = <LogicalKeySet, Intent>{};
for (final LogicalKeySet activator in widget.shortcuts.keys) {
mapped[activator] = _TargetedIntent(widget.shortcuts[activator]!);
}
return mapped;
}
@override
Widget build(BuildContext context) {
return Provider<_TargetedActionRegistry>.value(
value: registry,
child: Shortcuts(
shortcuts: mappedShortcuts,
child: Actions(
actions: <Type, Action<Intent>>{
_TargetedIntent: _TargetedAction(registry),
},
child: widget.child,
),
),
);
}
}
/// A binding for use within a [TargetedActionScope].
///
/// Place an instance of this widget as a descendant of a [TargetedActionScope],
/// and optionally define any actions that should handle the intents with
/// bindings in the scope. Any actions defined in parents of this widget will
/// also be in the scope.
///
/// If more than one of these exists in the same [TargetedActionScope], then
/// each of the corresponding contexts will be searched for an action to fulfill
/// the intent. The first one to be found that fulfills the intent will have its
/// action invoked. The order duplicate bindings are searched in is stable with
/// respect to build order, but arbitrary.
// This is a stateful widget because we need to be able to implement deactivate.
class TargetedActionBinding extends StatefulWidget {
const TargetedActionBinding({super.key, required this.child, this.actions});
final Widget child;
final Map<Type, Action<Intent>>? actions;
@override
State<TargetedActionBinding> createState() => _TargetedActionBindingState();
}
class _TargetedActionBindingState extends State<TargetedActionBinding> {
final GlobalKey _subtreeKey =
GlobalKey(debugLabel: 'Targeted Action Binding');
@override
Widget build(BuildContext context) {
Provider.of<_TargetedActionRegistry>(context).addTarget(_subtreeKey);
Widget result = KeyedSubtree(
key: _subtreeKey,
child: widget.child,
);
if (widget.actions != null) {
result = Actions(actions: widget.actions!, child: result);
}
return result;
}
@override
void deactivate() {
Provider.of<_TargetedActionRegistry>(context, listen: false)
.targetKeys
.remove(_subtreeKey);
super.deactivate();
}
}
// This is a registry that keeps track of the set of targets in the scope, and
// handles invoking them.
//
// It is found through a provider.
class _TargetedActionRegistry {
_TargetedActionRegistry() : targetKeys = <GlobalKey>{};
Set<GlobalKey> targetKeys;
// Adds the given target key to the set of keys to check.
void addTarget(GlobalKey target) {
targetKeys.add(target);
}
bool isEnabled(Intent intent) {
// Check each of the target keys to see if there's an action registered in
// that context for the intent. If so, find out if it is enabled. It is
// build-order dependent which action gets invoked if there are two contexts
// tha support the action.
for (GlobalKey key in targetKeys) {
if (key.currentContext != null) {
Action? foundAction =
Actions.maybeFind<Intent>(key.currentContext!, intent: intent);
if (foundAction != null && foundAction.isEnabled(intent)) {
return true;
}
}
}
return false;
}
Object? invoke(Intent intent) {
// Check each of the target keys to see if there's an action registered in
// that context for the intent. If so, execute it and return the result. It
// is build-order dependent which action gets invoked if there are two
// contexts tha support the action.
for (GlobalKey key in targetKeys) {
if (key.currentContext != null) {
if (Actions.maybeFind<Intent>(key.currentContext!, intent: intent) !=
null) {
return Actions.invoke(key.currentContext!, intent);
}
}
}
return null;
}
}
// A wrapper intent class so that it can hold the "real" intent, and serve as a
// mapping type for the _TargetedAction.
class _TargetedIntent extends Intent {
const _TargetedIntent(this.intent);
final Intent intent;
}
// A special action class that invokes the intent tunneled into it via the
// _TargetedIntent.
class _TargetedAction extends Action<_TargetedIntent> {
_TargetedAction(this.registry);
final _TargetedActionRegistry registry;
@override
bool isEnabled(_TargetedIntent intent) {
return registry.isEnabled(intent.intent);
}
@override
Object? invoke(covariant _TargetedIntent intent) {
registry.invoke(intent.intent);
return null;
}
}
| website/examples/ui/layout/adaptive_app_demos/lib/global/targeted_actions.dart/0 | {
"file_path": "website/examples/ui/layout/adaptive_app_demos/lib/global/targeted_actions.dart",
"repo_id": "website",
"token_count": 2032
} | 1,635 |
import 'package:flutter/material.dart';
class Counter extends StatefulWidget {
// This class is the configuration for the state.
// It holds the values (in this case nothing) provided
// by the parent and used by the build method of the
// State. Fields in a Widget subclass are always marked
// "final".
const Counter({super.key});
@override
State<Counter> createState() => _CounterState();
}
class _CounterState extends State<Counter> {
int _counter = 0;
void _increment() {
setState(() {
// This call to setState tells the Flutter framework
// that something has changed in this State, which
// causes it to rerun the build method below so that
// the display can reflect the updated values. If you
// change _counter without calling setState(), then
// the build method won't be called again, and so
// nothing would appear to happen.
_counter++;
});
}
@override
Widget build(BuildContext context) {
// This method is rerun every time setState is called,
// for instance, as done by the _increment method above.
// The Flutter framework has been optimized to make
// rerunning build methods fast, so that you can just
// rebuild anything that needs updating rather than
// having to individually changes instances of widgets.
return Row(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[
ElevatedButton(
onPressed: _increment,
child: const Text('Increment'),
),
const SizedBox(width: 16),
Text('Count: $_counter'),
],
);
}
}
void main() {
runApp(
const MaterialApp(
home: Scaffold(
body: Center(
child: Counter(),
),
),
),
);
}
| website/examples/ui/widgets_intro/lib/main_counter.dart/0 | {
"file_path": "website/examples/ui/widgets_intro/lib/main_counter.dart",
"repo_id": "website",
"token_count": 615
} | 1,636 |
{
"name": "docs.flutter.dev",
"version": "0.0.0",
"private": true,
"description": "Source for https://docs.flutter.dev",
"type": "module",
"repository": {
"type": "git",
"url": "https://github.com/flutter/website.git"
},
"engines": {
"node": ">=20.10.0",
"pnpm": ">=8.14.0"
},
"packageManager": "[email protected]",
"dependencies": {
"bootstrap-scss": "^4.6.2",
"diff2html-cli": "^5.2.15"
},
"devDependencies": {
"firebase-tools": "^13.4.1"
}
}
| website/package.json/0 | {
"file_path": "website/package.json",
"repo_id": "website",
"token_count": 241
} | 1,637 |
<section id="cookie-notice">
<div class="container">
<p>Google uses cookies to deliver its services, to personalize ads, and to
analyze traffic. You can adjust your privacy controls anytime in your
<a href="https://myaccount.google.com/data-and-personalization" target="_blank" rel="noopener">Google settings</a>.
<a href="https://policies.google.com/technologies/cookies" target="_blank" rel="noopener">Learn more</a>.
</p>
<button id="cookie-consent" class="btn btn-primary">Okay</button>
</div>
</section>
| website/src/_includes/cookie-notice.html/0 | {
"file_path": "website/src/_includes/cookie-notice.html",
"repo_id": "website",
"token_count": 185
} | 1,638 |
#### Build the iOS version of the Flutter app in the Terminal
To generate the needed iOS platform dependencies,
run the `flutter build` command.
```terminal
flutter build ios --config-only --no-codesign --debug
```
```terminal
Warning: Building for device with codesigning disabled. You will have to manually codesign before deploying to device.
Building com.example.myApp for device (ios)...
```
{% comment %} Nav tabs {% endcomment -%}
<ul class="nav nav-tabs" id="vscode-to-xcode-ios-setup" role="tablist">
<li class="nav-item">
<a class="nav-link active" id="from-vscode-to-xcode-ios-tab" href="#from-vscode-to-xcode-ios" role="tab" aria-controls="from-vscode-to-xcode-ios" aria-selected="true">Start from VS Code</a>
</li>
<li class="nav-item">
<a class="nav-link" id="from-xcode-ios-tab" href="#from-xcode-ios" role="tab" aria-controls="from-xcode-ios" aria-selected="false">Start from Xcode</a>
</li>
</ul>
{% comment %} Tab panes {% endcomment -%}
<div class="tab-content">
<div class="tab-pane active" id="from-vscode-to-xcode-ios" role="tabpanel" aria-labelledby="from-vscode-to-xcode-ios-tab" markdown="1">
#### Start debugging with VS Code first {#vscode-ios}
If you use VS Code to debug most of your code, start with this section.
##### Start the Dart debugger in VS Code
{% include docs/debug/debug-flow-vscode-as-start.md %}
##### Attach to the Flutter process in Xcode
1. To attach to the Flutter app, go to
**Debug** <span aria-label="and then">></span>
**Attach to Process** <span aria-label="and then">></span>
**Runner**.
**Runner** should be at the top of the **Attach to Process** menu
under the **Likely Targets** heading.
</div>
<div class="tab-pane" id="from-xcode-ios" role="tabpanel" aria-labelledby="from-xcode-ios-tab" markdown="1">
#### Start debugging with Xcode first {#xcode-ios}
If you use Xcode to debug most of your code, start with this section.
##### Start the Xcode debugger
1. Open `ios/Runner.xcworkspace` from your Flutter app directory.
1. Select the correct device using the **Scheme** menu in the toolbar.
If you have no preference, choose **iPhone Pro 14**.
{% comment %}
{:width="100%"}
<div class="figure-caption">
Selecting iPhone 14 in the Scheme menu in the Xcode toolbar.
</div>
{% endcomment %}
1. Run this Runner as a normal app in Xcode.
{% comment %}

<div class="figure-caption">
Start button displayed in Xcode interface.
</div>
{% endcomment %}
When the run completes, the **Debug** area at the bottom of Xcode displays
a message with the Dart VM service URI. It resembles the following response:
```terminal
2023-07-12 14:55:39.966191-0500 Runner[58361:53017145]
flutter: The Dart VM service is listening on
http://127.0.0.1:50642/00wEOvfyff8=/
```
1. Copy the Dart VM service URI.
##### Attach to the Dart VM in VS Code
1. To open the command palette, go to
**View** <span aria-label="and then">></span>
**Command Palette...**
You can also press <kbd>Cmd</kbd> + <kbd>Shift</kbd> + <kbd>P</kbd>.
1. Type `debug`.
1. Click the **Debug: Attach to Flutter on Device** command.
{% comment %}
{:width="100%"}
{% endcomment %}
1. In the **Paste an VM Service URI** box, paste the URI you copied
from Xcode and press <kbd>Enter</kbd>.
{% comment %}

{% endcomment %}
</div>
</div>
{% comment %} End: Tab panes. {% endcomment -%}
| website/src/_includes/docs/debug/debug-flow-ios.md/0 | {
"file_path": "website/src/_includes/docs/debug/debug-flow-ios.md",
"repo_id": "website",
"token_count": 1444
} | 1,639 |
#### Set up your target Android device
{% include docs/help-link.md location='android-device' section='#android-setup' %}
{% assign devos = include.devos %}
{% assign target = include.target %}
{% assign compiler = include.compiler %}
{% assign attempt = include.attempt %}
To configure your Flutter app to run on a physical Android device,
you need an Android device running {{site.targetmin.android}} or later.
1. Enable **Developer options** and **USB debugging** on your device
as described in the
[Android documentation]({{site.android-dev}}/studio/debug/dev-options).
1. [Optional] To leverage wireless debugging,
enable **Wireless debugging** on your device as described in the
[Android documentation]({{site.android-dev}}/studio/run/device#wireless).
{%- if devos == 'Windows' %}
1. Install the [Google USB Driver]({{site.android-dev}}/studio/run/win-usb).
{% endif %}
1. Plug your device into your {{devos}} computer.
If your device prompts you, authorize your computer to access your device.
1. Verify that Flutter recognizes your connected Android device.
{%- if devos == 'Windows' %}
In PowerShell, run:
```terminal
c:\> flutter devices
```
{% elsif devos == 'macOS' %}
In the Terminal, run:
```terminal
$ flutter devices
```
{% endif %}
By default, Flutter uses the version of the Android
SDK where your `adb` tool is based.
To use a different Android SDK installation path with Flutter,
set the `ANDROID_SDK_ROOT` environment variable
to that installation directory.
| website/src/_includes/docs/install/devices/android-physical.md/0 | {
"file_path": "website/src/_includes/docs/install/devices/android-physical.md",
"repo_id": "website",
"token_count": 481
} | 1,640 |
{% assign terminal=include.terminal %}
### Remove Flutter from your Windows Path variable
{:.no_toc}
To remove Flutter commands from {{terminal}},
remove Flutter from the `PATH` environment variable.
{% include docs/install/reqs/windows/open-envvars.md %}
1. Under **User variables for (username)** section,
look for the **Path** entry.
{:type="a"}
1. Double-click on it.
The **Edit Environment Variable** dialog displays.
1. Click the **%USERPROFILE%\dev\flutter\bin** entry.
1. Click **Delete**.
1. Click **OK** three times.
1. To enable these changes,
close and reopen any existing command prompts and {{terminal}} instances.
| website/src/_includes/docs/install/reqs/linux/unset-path.md/0 | {
"file_path": "website/src/_includes/docs/install/reqs/linux/unset-path.md",
"repo_id": "website",
"token_count": 210
} | 1,641 |
{{site.alert.warning}}
If VS Code was running during your initial Flutter setup,
you might need to restart it for VS Code's Flutter plugin to detect the Flutter SDK.
{{site.alert.end}}
| website/src/_includes/docs/install/test-drive/restart-vscode.md/0 | {
"file_path": "website/src/_includes/docs/install/test-drive/restart-vscode.md",
"repo_id": "website",
"token_count": 52
} | 1,642 |
{% comment %}
This include file requires the material symbols font.
Style the button pair using the `#page-github-links` selector.
{% endcomment -%}
{% assign repo = page.repo | default: site.repo.this -%}
{% capture path -%} {{repo}}/tree/{{site.branch}}/{{site.source}}/{{page.path}} {%- endcapture -%}
{% assign title = page.title | default: page.url -%}
{% assign url = site.url | append: page.url -%}
{% capture issueTitle -%} title=[PAGE ISSUE]: '{{title}}' {%- endcapture -%}
<div id="page-github-links" class="btn-group" aria-label="Page GitHub links" role="group">
<a href="{{path}}" class="btn no-automatic-external" title="View page source" target="_blank" rel="noopener">
<i class="material-symbols">description</i>
</a>
<a href="{{repo}}/issues/new?template=1_page_issue.yml&{{issueTitle}}&page-url={{url}}&page-source={{path}}" class="btn no-automatic-external" title="Report an issue with this page"
target="_blank" rel="noopener">
<i class="material-symbols">bug_report</i>
</a>
</div>
| website/src/_includes/page-github-links.html/0 | {
"file_path": "website/src/_includes/page-github-links.html",
"repo_id": "website",
"token_count": 370
} | 1,643 |
# Copyright (c) 2018, the project authors. Please see the AUTHORS file
# for details. All rights reserved. Use of this source code is governed by a
# BSD-style license that can be found in the LICENSE file.
require 'nokogiri'
require 'open3'
require_relative 'dart_site_util'
module DartSite
class CodeDiffCore
def initialize
@log_diffs = false
end
def render(args, diff)
return '' if diff.empty?
# Get the indentation before the closing tag.
indentation = _get_indentation_string(diff)
diff = DartSite::Util.trim_min_leading_space(diff)
lines = _diff(diff, args).split(/\n/)
_log_puts ">> CodeDiff content (#{args}):\n#{diff}\n---\n" if @log_diffs
# We're rendering to markdown, and we don't want the diff table HTML
# to be adjacent to any text, otherwise the text might not be rendered
# as a paragraph (e.g., esp. if inside an <li>).
lines.unshift('')
lines.push('')
# Indent the table in case the diff is inside a markdown list,
# which has its content indented.
indented_lines = lines.map{|s| indentation + s}
indented_lines.join("\n")
end
def _diff(unified_diff_text, args)
_log_puts ">> Diff input:\n#{unified_diff_text}" if @log_diffs
begin
o, e, _s = Open3.capture3('npx diff2html --su hidden -i stdin -o stdout',
stdin_data: unified_diff_text)
_log_puts e if e.length > 0
rescue Errno::ENOENT => _e
raise "** ERROR: diff2html isn't installed or could not be found. " \
'To install with NPM run: npm install -g diff2html-cli'
end
doc = Nokogiri::HTML(o)
doc.css('div.d2h-file-header span.d2h-tag').remove
diff_html = doc.search('.d2h-wrapper')
_trim_diff(diff_html, args) if args[:from] || args[:to]
_log_puts "Diff output:\n#{diff_html.to_s[0, [diff_html.to_s.length, 100].min]}...\n" if @log_diffs
diff_html.to_s
end
def _trim_diff(diff_html, args)
# The code updater truncates the diff after `to`. Only trim before `from` here.
# (We don't trim after `to` here because of an unwanted optimizing behavior of diff2html.)
_log_puts ">>> from='#{args[:from]}' to='#{args[:to]}'" if @log_diffs
inside_matching_lines = done = false
diff_html.css('tbody.d2h-diff-tbody tr').each do |tr|
if tr.text.strip.start_with?('@')
tr.remove
next
end
code_line = tr.xpath('td[2]//span').text
inside_matching_lines = true if !done && !inside_matching_lines && code_line.match(args[:from] || '.')
saved_inside_matching_lines = inside_matching_lines
# if inside_matching_lines && args[:to] && code_line.match(args[:to])
# inside_matching_lines = false
# done = true;
# end
_log_puts ">>> tr (#{saved_inside_matching_lines}) #{code_line} -> #{tr.text.gsub(/\s+/, ' ')}" if @log_diffs
tr.remove unless saved_inside_matching_lines
end
end
def _get_indentation_string(diff)
lines = diff.split(/\n/, -1)
# Try to figure out if the diff is part of a Jekyll block or a markdown block.
# For a Jekyll block, figure out the indentation from the whitespace before
# the block closing tag. Otherwise, look at the indentation before the first line
# (which should be a file specifier of the form '--- 1-base/lib/main.dart ...').
line = lines.last.match?(/^[ \t]*$/) ? lines.last : lines[0]
DartSite::Util.get_indentation_string(line)
end
def _log_puts(s)
puts(s)
end
end
end
| website/src/_plugins/code_diff_core.rb/0 | {
"file_path": "website/src/_plugins/code_diff_core.rb",
"repo_id": "website",
"token_count": 1547
} | 1,644 |
// Colors
$flutter-color-blue: #043875;
$flutter-color-teal: #158477;
$flutter-color-blue-on-dark: #B8EAFE;
$flutter-color-blue-500: #0468D7;
$flutter-color-blue-600: #0553B1;
$flutter-color-dark-blue: #042B59;
$flutter-color-grey-500: #E8EAED;
$flutter-color-fuchsia: #E64637;
$flutter-color-yellow: #FFF275;
$flutter-color-yellow-300: #FFF59C;
$flutter-color-light-blue: #E7F8FF;
$flutter-dark-blue-texture: #232C33;
$site-color-black: #000;
$site-color-white: #FFF;
$site-color-codeblock-bg: #F8F9FA;
$site-color-light-grey: #DADCE0;
$site-color-sub-grey: #8d9399;
$site-color-nav-links: #6E7274;
$site-color-body: #212121; // Poor contrast with links
$site-color-body-light: rgba(0, 0, 0, .8);
$site-color-footer: #303c42;
$site-color-primary: $flutter-color-blue-500;
$twitter-color: #60CAF6;
// Fonts
$font-size-base-weight: 400;
$site-font-family-base: 'Google Sans Text', 'Roboto', sans-serif;
$site-font-family-alt: 'Google Sans', 'Google Sans Text', 'Roboto', sans-serif;
$site-font-family-icon: 'Material Symbols Outlined';
$site-font-family-monospace: 'Google Sans Mono', 'Roboto Mono', monospace;
$site-font-icon: 24px/1 $site-font-family-icon;
// Layout
$site-header-height: 66px;
$site-footer-md-default-height: 140px;
$site-content-top-padding: 40px;
$site-content-max-width: 960px;
$site-sidebar-top-padding: 24px;
$site-sidebar-side-padding: 16px;
$site-nav-mobile-side-padding: 20px;
$site-snackbar-padding: 20px;
$site-spacer: 1rem;
// Alerts
$alert-success-bg: #f1fbf9;
$alert-success-fg: #155723;
$alert-info-bg: #e7f8ff;
$alert-warning-bg: #fcf8e3;
$alert-danger-bg: #fef3f6;
$alert-danger-fg: #cb1425;
| website/src/_sass/base/_variables.scss/0 | {
"file_path": "website/src/_sass/base/_variables.scss",
"repo_id": "website",
"token_count": 764
} | 1,645 |
@use '../base/variables' as *;
@use '../vendor/bootstrap';
.not-found {
font-size: 20px;
h1 {
color: $flutter-color-dark-blue;
font-size: 80px;
margin-bottom: bootstrap.bs-spacer(3);
}
&__wrapper {
padding: bootstrap.bs-spacer(10) 0;
text-align: center;
}
&__illo {
margin-bottom: bootstrap.bs-spacer(4);
max-width: 600px;
width: 100%;
}
&__link-list {
list-style: none;
margin: bootstrap.bs-spacer(8) auto 0;
max-width: 680px;
padding: 0;
text-align: left;
@include bootstrap.media-breakpoint-up(xs) {
column-count: 2;
}
@include bootstrap.media-breakpoint-up(sm) {
column-count: 3;
}
li {
margin-bottom: bootstrap.bs-spacer(2);
}
}
}
| website/src/_sass/pages/_not-found.scss/0 | {
"file_path": "website/src/_sass/pages/_not-found.scss",
"repo_id": "website",
"token_count": 350
} | 1,646 |
---
title: Multiple Flutter screens or views
short-title: Add multiple Flutters
description: >
How to integrate multiple instances of
Flutter engine, screens, or views to your application.
---
## Scenarios
If you're integrating Flutter into an existing app,
or gradually migrating an existing app to use Flutter,
you might find yourself wanting to add multiple
Flutter instances to the same project.
In particular, this can be useful in the
following scenarios:
* An application where the integrated Flutter screen is not a leaf node of
the navigation graph, and the navigation stack might be a hybrid mixture of
native -> Flutter -> native -> Flutter.
* A screen where multiple partial screen Flutter views might be integrated
and visible at once.
The advantage of using multiple Flutter instances is that each
instance is independent and maintains its own internal navigation
stack, UI, and application states. This simplifies the overall application code's
responsibility for state keeping and improves modularity. More details on the
scenarios motivating the usage of multiple Flutters can be found at
[flutter.dev/go/multiple-flutters][].
Flutter is optimized for this scenario, with a low incremental
memory cost (~180kB) for adding additional Flutter instances. This fixed cost
reduction allows the multiple Flutter instance pattern to be used more liberally
in your add-to-app integration.
## Components
The primary API for adding multiple Flutter instances on both Android and iOS
is based on a new `FlutterEngineGroup` class ([Android API][], [iOS API][])
to construct `FlutterEngine`s, rather than the `FlutterEngine`
constructors used previously.
Whereas the `FlutterEngine` API was direct and easier to consume, the
`FlutterEngine` spawned from the same `FlutterEngineGroup` have the performance
advantage of sharing many of the common, reusable resources such as the GPU
context, font metrics, and isolate group snapshot, leading to a faster initial
rendering latency and lower memory footprint.
* `FlutterEngine`s spawned from `FlutterEngineGroup` can be used to
connect to UI classes like [`FlutterActivity`][] or [`FlutterViewController`][]
in the same way as normally constructed cached `FlutterEngine`s.
* The first `FlutterEngine` spawned from the `FlutterEngineGroup` doesn't need
to continue surviving in order for subsequent `FlutterEngine`s to share
resources as long as there's at least 1 living `FlutterEngine` at all
times.
* Creating the very first `FlutterEngine` from a `FlutterEngineGroup` has
the same [performance characteristics][] as constructing a
`FlutterEngine` using the constructors did previously.
* When all `FlutterEngine`s from a `FlutterEngineGroup` are destroyed, the next
`FlutterEngine` created has the same performance characteristics as the very
first engine.
* The `FlutterEngineGroup` itself doesn't need to live beyond all of the spawned
engines. Destroying the `FlutterEngineGroup` doesn't affect existing spawned
`FlutterEngine`s but does remove the ability to spawn additional
`FlutterEngine`s that share resources with existing spawned engines.
## Communication
Communication between Flutter instances is handled using [platform channels][]
(or [Pigeon][]) through the host platform. To see our roadmap on communication,
or other planned work on enhancing multiple Flutter instances, check out
[Issue 72009][].
## Samples
You can find a sample demonstrating how to use `FlutterEngineGroup`
on both Android and iOS on [GitHub][].
{% include docs/app-figure.md image="development/add-to-app/multiple-flutters-sample.gif" alt="A sample demonstrating multiple-Flutters" %}
[GitHub]: {{site.repo.samples}}/tree/main/add_to_app/multiple_flutters
[`FlutterActivity`]: {{site.api}}/javadoc/io/flutter/embedding/android/FlutterActivity.html
[`FlutterViewController`]: {{site.api}}/ios-embedder/interface_flutter_view_controller.html
[performance characteristics]: /add-to-app/performance
[flutter.dev/go/multiple-flutters]: /go/multiple-flutters
[Issue 72009]: {{site.repo.flutter}}/issues/72009
[Pigeon]: {{site.pub}}/packages/pigeon
[platform channels]: /platform-integration/platform-channels
[Android API]: https://cs.opensource.google/flutter/engine/+/master:shell/platform/android/io/flutter/embedding/engine/FlutterEngineGroup.java
[iOS API]: https://cs.opensource.google/flutter/engine/+/master:shell/platform/darwin/ios/framework/Headers/FlutterEngineGroup.h
| website/src/add-to-app/multiple-flutters.md/0 | {
"file_path": "website/src/add-to-app/multiple-flutters.md",
"repo_id": "website",
"token_count": 1163
} | 1,647 |
<?xml version="1.0" encoding="utf-8"?>
<!-- Generator: Adobe Illustrator 22.0.1, SVG Export Plug-In . SVG Version: 6.00 Build 0) -->
<svg version="1.1" id="Layer_1" xmlns="http://www.w3.org/2000/svg" xmlns:xlink="http://www.w3.org/1999/xlink" x="0px" y="0px"
width="842px" height="1042.66px" viewBox="0 0 842 1042.66" enable-background="new 0 0 842 1042.66" xml:space="preserve">
<g>
<g>
<g>
<g>
<defs>
<path id="SVGID_1_" d="M840.4,481.28l-279.6,279.7l279.6,279.7l0,0H520.9L401,920.78l0,0l-159.8-159.8l279.7-279.7H840.4
L840.4,481.28L840.4,481.28z M520.9,1.98L1.6,521.28l159.8,159.8l679-679.1H520.9z"/>
</defs>
<clipPath id="SVGID_2_">
<use xlink:href="#SVGID_1_" overflow="visible"/>
</clipPath>
<g clip-path="url(#SVGID_2_)">
<g>
<polygon fill="#39CEFD" points="840.4,481.28 840.4,481.28 840.4,481.28 520.9,481.28 241.3,760.98 401,920.78 "/>
</g>
</g>
</g>
</g>
<g>
<g>
<defs>
<path id="SVGID_3_" d="M840.4,481.28l-279.6,279.7l279.6,279.7l0,0H520.9L401,920.78l0,0l-159.8-159.8l279.7-279.7H840.4
L840.4,481.28L840.4,481.28z M520.9,1.98L1.6,521.28l159.8,159.8l679-679.1H520.9z"/>
</defs>
<clipPath id="SVGID_4_">
<use xlink:href="#SVGID_3_" overflow="visible"/>
</clipPath>
<polygon clip-path="url(#SVGID_4_)" fill="#39CEFD" points="161.4,681.08 1.6,521.28 520.9,1.98 840.4,1.98 "/>
</g>
</g>
<g>
<g>
<defs>
<path id="SVGID_5_" d="M840.4,481.28l-279.6,279.7l279.6,279.7l0,0H520.9L401,920.78l0,0l-159.8-159.8l279.7-279.7H840.4
L840.4,481.28L840.4,481.28z M520.9,1.98L1.6,521.28l159.8,159.8l679-679.1H520.9z"/>
</defs>
<clipPath id="SVGID_6_">
<use xlink:href="#SVGID_5_" overflow="visible"/>
</clipPath>
<polygon clip-path="url(#SVGID_6_)" fill="#03569B" points="401,920.78 520.9,1040.58 840.4,1040.58 840.4,1040.58
560.8,760.98 "/>
</g>
</g>
<g>
<g>
<defs>
<path id="SVGID_7_" d="M840.4,481.28l-279.6,279.7l279.6,279.7l0,0H520.9L401,920.78l0,0l-159.8-159.8l279.7-279.7H840.4
L840.4,481.28L840.4,481.28z M520.9,1.98L1.6,521.28l159.8,159.8l679-679.1H520.9z"/>
</defs>
<clipPath id="SVGID_8_">
<use xlink:href="#SVGID_7_" overflow="visible"/>
</clipPath>
<linearGradient id="SVGID_9_" gradientUnits="userSpaceOnUse" x1="15272.4932" y1="9729.5889" x2="15748.5527" y2="9253.5293" gradientTransform="matrix(0.25 0 0 0.25 -3370.5 -1480.7891)">
<stop offset="0" style="stop-color:#1A237E;stop-opacity:0.4"/>
<stop offset="1" style="stop-color:#1A237E;stop-opacity:0"/>
</linearGradient>
<polygon clip-path="url(#SVGID_8_)" fill="url(#SVGID_9_)" points="401,920.78 638,838.68 560.8,760.98 "/>
</g>
</g>
<g>
<g>
<defs>
<path id="SVGID_10_" d="M840.4,481.28l-279.6,279.7l279.6,279.7l0,0H520.9L401,920.78l0,0l-159.8-159.8l279.7-279.7H840.4
L840.4,481.28L840.4,481.28z M520.9,1.98L1.6,521.28l159.8,159.8l679-679.1H520.9z"/>
</defs>
<clipPath id="SVGID_11_">
<use xlink:href="#SVGID_10_" overflow="visible"/>
</clipPath>
<g clip-path="url(#SVGID_11_)">
<rect x="288.09" y="647.93" transform="matrix(0.7071 -0.7071 0.7071 0.7071 -420.5804 506.4808)" fill="#16B9FD" width="226" height="226"/>
</g>
</g>
</g>
</g>
<radialGradient id="SVGID_12_" cx="13582.6582" cy="6214.2603" r="5082.8887" gradientTransform="matrix(0.25 0 0 0.25 -3370.5 -1480.7891)" gradientUnits="userSpaceOnUse">
<stop offset="0" style="stop-color:#FFFFFF;stop-opacity:0.1"/>
<stop offset="1" style="stop-color:#FFFFFF;stop-opacity:0"/>
</radialGradient>
<path fill="url(#SVGID_12_)" d="M840.4,481.28l-279.6,279.7l279.6,279.7l0,0H520.9L401,920.78l0,0l-159.8-159.8l279.7-279.7H840.4
L840.4,481.28L840.4,481.28z M520.9,1.98L1.6,521.28l159.8,159.8l679-679.1H520.9z"/>
</g>
</svg>
| website/src/assets/images/branding/flutter/logo/1080.svg/0 | {
"file_path": "website/src/assets/images/branding/flutter/logo/1080.svg",
"repo_id": "website",
"token_count": 2250
} | 1,648 |
// Number of releases to show by default (rest will be behind a "show all" link).
const releasesToShow = 99999;
// The Flutter SDK archive filename prefix.
const FILE_NAME_PREFIX = 'flutter_';
const filenameReplacement = new RegExp(`^(.*) (.*?)\\b${FILE_NAME_PREFIX}\\w+_v?[X|0-9]+\\..* (.*)`, 'm');
// const filenameReplacement = new RegExp(`^(.*?)\\b{FILE_NAME_PREFIX}\\w+_v?([X|0-9]+\\.)+[zip|tar\\.xz](.*)$`, 'm');
// const filenameReplacement = new RegExp(`\\b{FILE_NAME_PREFIX}\\w+_v?\\d+(\\.\\d+)+\\.(zip|tar\\.xz)\\b`, 'm');
// Fetches Flutter release JSON for the given OS and calls the callback once the data is available.
function fetchFlutterReleases(os, callback, errorCallback) {
// OS: windows, macos, linux
const url = `https://storage.googleapis.com/flutter_infra_release/releases/releases_${os}.json`;
fetch(url, { method: 'GET' })
.then(response => response.json())
.then(data => callback(data, os))
.catch(_ => {
if (errorCallback) {
errorCallback(os);
}
});
}
function updateTable(releases, os) {
const releaseData = releases.releases;
for (const channel in releases.current_release) {
const table = document.getElementById(`downloads-${os}-${channel}`);
// Table is not present when the channel is `dev`.
if (!table) {
continue;
}
table.classList.add('collapsed');
const loadingElements = table.querySelectorAll('.loading');
loadingElements.forEach(function (element) {
element.remove();
});
const releasesForChannel = releaseData.filter(function (release) {
return release.channel === channel;
});
releasesForChannel.forEach(function (release, index) {
// If this is the first row after the cut-off, insert the "Show more..." link.
if (index === releasesToShow) {
const showAll = document.createElement('a');
showAll.textContent = 'Show all...';
showAll.href = '#';
showAll.addEventListener('click', function (event) {
this.closest('table').classList.remove('collapsed');
this.closest('tr').remove();
event.preventDefault();
});
const row = document.createElement('tr');
const cell = document.createElement('td');
cell.colSpan = 6;
cell.appendChild(showAll);
row.appendChild(cell);
table.appendChild(row);
}
const row = document.createElement('tr');
if (index >= releasesToShow) {
row.classList.add('overflow');
}
table.appendChild(row);
const hashLabel = document.createElement('span');
hashLabel.textContent = release.hash.substr(0, 7);
hashLabel.classList.add('git-hash');
const url = releases.base_url + '/' + release.archive;
const downloadLink = document.createElement('a');
downloadLink.href = url;
downloadLink.textContent = release.version;
const dartSdkVersion = document.createElement('span');
dartSdkVersion.textContent = release.dart_sdk_version ? release.dart_sdk_version.split(' ')[0] : '-';
const dartSdkArch = document.createElement('span');
dartSdkArch.textContent = release.dart_sdk_arch ? release.dart_sdk_arch : 'x64';
const date = new Date(Date.parse(release.release_date));
const provenance = getProvenanceLink(os, release, date, channel);
const cells = [
createTableCell(downloadLink),
createTableCell(dartSdkArch),
createTableCell(hashLabel),
createTableCell(date.toLocaleDateString(), 'date'),
createTableCell(dartSdkVersion),
createTableCell(provenance)
];
cells.forEach(function (cell) {
row.appendChild(cell);
});
});
}
}
/**
* Create a new individual cell for HTML table.
*
* @param {string | Node} content - The content to be set in the cell.
* @param {string | null | undefined} dataClass - The class to be set in the cell.
* @returns {HTMLElement} The created table cell element.
*/
function createTableCell(content, dataClass) {
const cell = document.createElement('td');
if (dataClass) {
cell.classList.add(dataClass);
}
if (typeof content === 'string') {
cell.textContent = content;
} else {
cell.appendChild(content);
}
return cell;
}
function updateTableFailed(os) {
const tab = document.getElementById(`tab-os-${os}`);
if (!tab) return;
const loadingElements = tab.querySelectorAll('.loading');
loadingElements.forEach(function (element) {
element.textContent = 'Failed to load releases. Refresh page to try again.';
});
}
let macOSArm64ArchiveFilename = '';
// Listen for the macOS arm64 download link to be clicked and update
// the example unzip command with correct arm64 filename
(() => {
const macDownload = document.querySelector('.download-latest-link-macos-arm64');
if (!macDownload) {
return;
}
macDownload.addEventListener('click', function () {
// Update inlined filenames in <code> element text nodes with arm64 filename:
replaceFilenameInCodeElements(macOSArm64ArchiveFilename);
});
})();
/**
* Replaces the placeholder text or the old filename in code blocks
* with the specified {@link archiveFilename}.
*
* @param archiveFilename The new filename to replace the
* old one in code blocks with
*/
function replaceFilenameInCodeElements(archiveFilename) {
const codeElements = document.querySelectorAll('code');
codeElements.forEach((codeElement) => {
// Check if the <code> element itself needs replacement
if (codeElement.textContent.includes(FILE_NAME_PREFIX)) {
const text = codeElement.textContent;
codeElement.textContent = text.replace(
filenameReplacement,
`$1 $2${archiveFilename} $3`
);
}
// Process child nodes as before
codeElement.childNodes.forEach((node) => {
if (node.nodeType === Node.ELEMENT_NODE &&
node.textContent.includes(FILE_NAME_PREFIX)) {
const text = node.textContent;
node.textContent = text.replace(
filenameReplacement,
`$1 $2${archiveFilename} $3`
);
}
});
});
}
/**
* Update the download button for the latest release.
* @param {Array} releases - A list of Flutter releases
* @param {string} base_url - link for sdk download link such as storage.googleapis.com...
* @param {string} os - macos, windows, or linux
* @param {string} [arch=''] - Only specify if there's additional architecture, such as arm64
*/
function updateReleaseDownloadButton(releases, base_url, os, arch = '') {
const archString = !arch.length ? '' : `-${arch}`;
const release = releases[0];
const linkSegments = release.archive.split('/');
const archiveFilename = linkSegments[linkSegments.length - 1]; // Just the filename part of url
if (os === 'macos' && arch === 'arm64') {
macOSArm64ArchiveFilename = archiveFilename;
}
const downloadLink = document.querySelectorAll(`.download-latest-link-${os}${archString}`);
downloadLink.forEach((link) => {
link.textContent = archiveFilename;
link.setAttribute('href', `${base_url}/${release.archive}`);
})
//Update download-filename placeholders:
const downloadLinkOs = document.querySelectorAll(`.download-latest-link-filename-${os}${archString}`);
downloadLinkOs.forEach(function (element) {
element.textContent = archiveFilename;
});
const genericDownloadLink = document.querySelectorAll('.download-latest-link-filename');
genericDownloadLink.forEach(function (element) {
element.textContent = archiveFilename;
});
// Update inlined filenames in <code> element text nodes:
replaceFilenameInCodeElements(archiveFilename);
}
function updateDownloadLink(releases, os, arch) {
const channel = 'stable';
const releasesOrDefault = releases?.releases ?? [];
const releasesForChannel = Array.from(releasesOrDefault).filter(function (release) {
return release.channel === channel;
});
if (!releasesForChannel.length)
return;
// On macOS, update the download buttons for both architectures, x64 and arm64
if (os === 'macos') {
// Filter releases by x64 architecture
const releasesForX64 = releasesForChannel.filter(function (release) {
return release.dart_sdk_arch === 'x64';
});
// Filter releases by arm64 architecture
const releasesForArm64 = releasesForChannel.filter(function (release) {
return release.dart_sdk_arch === 'arm64';
});
// If no arm64 releases available, delete all apple silicon elements
if (!releasesForArm64.length) {
const appleSiliconElements = document.querySelectorAll('.apple-silicon');
appleSiliconElements.forEach(function (element) {
element.remove();
});
return;
}
updateReleaseDownloadButton(releasesForArm64, releases.base_url, os, 'arm64');
updateReleaseDownloadButton(releasesForX64, releases.base_url, os);
} else {
updateReleaseDownloadButton(releasesForChannel, releases.base_url, os);
}
}
function updateDownloadLinkFailed(os) {
const allDownloadLinks = document.querySelectorAll(`.download-latest-link-${os}`);
allDownloadLinks.forEach(function (link) {
link.textContent = '(failed)';
});
}
function getProvenanceLink(os, release, date, channel) {
const baseUrl = 'https://storage.googleapis.com/flutter_infra_release/releases/';
if (os === 'windows' && date < new Date(Date.parse('4/3/2023'))) {
// provenance not available before 4/3/2023 for Windows
const spanElement = document.createElement('span');
spanElement.textContent = '-';
return spanElement;
} else if (date < new Date(Date.parse('12/15/2022'))) {
// provenance not available before 12/15/2022 for macOS and Linux
const spanElement = document.createElement('span');
spanElement.textContent = '-';
return spanElement;
}
const extension = os === 'linux' ? 'tar.xz' : 'zip';
const provenanceAnchor = document.createElement('a');
provenanceAnchor.href = `${baseUrl}${channel}/${os}/flutter_${os}_${release.version}-${channel}.${extension}.intoto.jsonl`;
provenanceAnchor.textContent = `Attestation bundle`;
provenanceAnchor.target = '_blank';
return provenanceAnchor;
}
// Send requests to render the tables.
document.addEventListener("DOMContentLoaded", function(_) {
const foundSdkArchivesElement = document.getElementById('sdk-archives') !== null;
if (foundSdkArchivesElement) {
fetchFlutterReleases('windows', updateTable, updateTableFailed);
fetchFlutterReleases('macos', updateTable, updateTableFailed);
fetchFlutterReleases('linux', updateTable, updateTableFailed);
}
// The checks below come from getting started page. see https://github.com/flutter/website/issues/8889#issuecomment-1639033078
const foundLatestWindows = document.getElementsByClassName('download-latest-link-windows').length > 0;
if (foundLatestWindows) {
fetchFlutterReleases('windows', updateDownloadLink, updateDownloadLinkFailed);
}
const foundLatestMacOS = document.getElementsByClassName('download-latest-link-macos').length > 0;
if (foundLatestMacOS) {
fetchFlutterReleases('macos', updateDownloadLink, updateDownloadLinkFailed);
}
const foundLatestLinux = document.getElementsByClassName('download-latest-link-linux').length > 0;
if (foundLatestLinux) {
fetchFlutterReleases('linux', updateDownloadLink, updateDownloadLinkFailed);
}
});
| website/src/assets/js/archive.js/0 | {
"file_path": "website/src/assets/js/archive.js",
"repo_id": "website",
"token_count": 3906
} | 1,649 |
---
title: Fade a widget in and out
description: How to fade a widget in and out.
js:
- defer: true
url: https://old-dartpad-3ce3f.web.app/inject_embed.dart.js
---
<?code-excerpt path-base="cookbook/animation/opacity_animation/"?>
UI developers often need to show and hide elements on screen.
However, quickly popping elements on and off the screen can
feel jarring to end users. Instead,
fade elements in and out with an opacity animation to create
a smooth experience.
The [`AnimatedOpacity`][] widget makes it easy to perform opacity
animations. This recipe uses the following steps:
1. Create a box to fade in and out.
2. Define a `StatefulWidget`.
3. Display a button that toggles the visibility.
4. Fade the box in and out.
## 1. Create a box to fade in and out
First, create something to fade in and out. For this example,
draw a green box on screen.
<?code-excerpt "lib/main.dart (Container)" replace="/^child: //g;/,$//g"?>
```dart
Container(
width: 200,
height: 200,
color: Colors.green,
)
```
## 2. Define a `StatefulWidget`
Now that you have a green box to animate,
you need a way to know whether the box should be visible.
To accomplish this, use a [`StatefulWidget`][].
A `StatefulWidget` is a class that creates a `State` object.
The `State` object holds some data about the app and provides a way to
update that data. When updating the data,
you can also ask Flutter to rebuild the UI with those changes.
In this case, you have one piece of data:
a boolean representing whether the button is visible.
To construct a `StatefulWidget`, create two classes: A
`StatefulWidget` and a corresponding `State` class.
Pro tip: The Flutter plugins for Android Studio and VSCode include
the `stful` snippet to quickly generate this code.
<?code-excerpt "lib/starter.dart (Starter)" remove="return Container();"?>
```dart
// The StatefulWidget's job is to take data and create a State class.
// In this case, the widget takes a title, and creates a _MyHomePageState.
class MyHomePage extends StatefulWidget {
final String title;
const MyHomePage({
super.key,
required this.title,
});
@override
State<MyHomePage> createState() => _MyHomePageState();
}
// The State class is responsible for two things: holding some data you can
// update and building the UI using that data.
class _MyHomePageState extends State<MyHomePage> {
// Whether the green box should be visible.
bool _visible = true;
@override
Widget build(BuildContext context) {
// The green box goes here with some other Widgets.
}
}
```
## 3. Display a button that toggles the visibility
Now that you have some data to determine whether the green box
should be visible, you need a way to update that data.
In this example, if the box is visible, hide it.
If the box is hidden, show it.
To handle this, display a button. When a user presses the button,
flip the boolean from true to false, or false to true.
Make this change using [`setState()`][],
which is a method on the `State` class.
This tells Flutter to rebuild the widget.
For more information on working with user input,
see the [Gestures][] section of the cookbook.
<?code-excerpt "lib/main.dart (FAB)" replace="/^floatingActionButton: //g;/,$//g"?>
```dart
FloatingActionButton(
onPressed: () {
// Call setState. This tells Flutter to rebuild the
// UI with the changes.
setState(() {
_visible = !_visible;
});
},
tooltip: 'Toggle Opacity',
child: const Icon(Icons.flip),
)
```
## 4. Fade the box in and out
You have a green box on screen and a button to toggle the visibility
to `true` or `false`. How to fade the box in and out? With an
[`AnimatedOpacity`][] widget.
The `AnimatedOpacity` widget requires three arguments:
* `opacity`: A value from 0.0 (invisible) to 1.0 (fully visible).
* `duration`: How long the animation should take to complete.
* `child`: The widget to animate. In this case, the green box.
<?code-excerpt "lib/main.dart (AnimatedOpacity)" replace="/^child: //g;/,$//g"?>
```dart
AnimatedOpacity(
// If the widget is visible, animate to 0.0 (invisible).
// If the widget is hidden, animate to 1.0 (fully visible).
opacity: _visible ? 1.0 : 0.0,
duration: const Duration(milliseconds: 500),
// The green box must be a child of the AnimatedOpacity widget.
child: Container(
width: 200,
height: 200,
color: Colors.green,
),
)
```
## 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(const MyApp());
class MyApp extends StatelessWidget {
const MyApp({super.key});
@override
Widget build(BuildContext context) {
const appTitle = 'Opacity Demo';
return const MaterialApp(
title: appTitle,
home: MyHomePage(title: appTitle),
);
}
}
// The StatefulWidget's job is to take data and create a State class.
// In this case, the widget takes a title, and creates a _MyHomePageState.
class MyHomePage extends StatefulWidget {
const MyHomePage({
super.key,
required this.title,
});
final String title;
@override
State<MyHomePage> createState() => _MyHomePageState();
}
// The State class is responsible for two things: holding some data you can
// update and building the UI using that data.
class _MyHomePageState extends State<MyHomePage> {
// Whether the green box should be visible
bool _visible = true;
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: Text(widget.title),
),
body: Center(
child: AnimatedOpacity(
// If the widget is visible, animate to 0.0 (invisible).
// If the widget is hidden, animate to 1.0 (fully visible).
opacity: _visible ? 1.0 : 0.0,
duration: const Duration(milliseconds: 500),
// The green box must be a child of the AnimatedOpacity widget.
child: Container(
width: 200,
height: 200,
color: Colors.green,
),
),
),
floatingActionButton: FloatingActionButton(
onPressed: () {
// Call setState. This tells Flutter to rebuild the
// UI with the changes.
setState(() {
_visible = !_visible;
});
},
tooltip: 'Toggle Opacity',
child: const Icon(Icons.flip),
),
);
}
}
```
<noscript>
<img src="/assets/images/docs/cookbook/fade-in-out.gif" alt="Fade In and Out Demo" class="site-mobile-screenshot" />
</noscript>
[`AnimatedOpacity`]: {{site.api}}/flutter/widgets/AnimatedOpacity-class.html
[Gestures]: /cookbook#gestures
[`StatefulWidget`]: {{site.api}}/flutter/widgets/StatefulWidget-class.html
[`setState()`]: {{site.api}}/flutter/widgets/State/setState.html
| website/src/cookbook/animation/opacity-animation.md/0 | {
"file_path": "website/src/cookbook/animation/opacity-animation.md",
"repo_id": "website",
"token_count": 2334
} | 1,650 |
---
title: Create a nested navigation flow
description: How to implement a flow with nested navigation.
js:
- defer: true
url: https://old-dartpad-3ce3f.web.app/inject_embed.dart.js
---
<?code-excerpt path-base="cookbook/effects/nested_nav"?>
Apps accumulate dozens and then hundreds of routes over time.
Some of your routes make sense as top-level (global) routes.
For example, "/", "profile", "contact", "social_feed" are all
possible top-level routes within your app.
But, imagine that you defined every possible route in your
top-level `Navigator` widget. The list would be very long,
and many of these routes would
be better handled nested within another widget.
Consider an Internet of Things (IoT) setup flow for a wireless
light bulb that you control with your app.
This setup flow consists of 4 pages:
find nearby bulbs, select the bulb that you want to add,
add the bulb, and then complete the setup.
You could orchestrate this behavior from your top-level
`Navigator` widget. However, it makes more sense to define a second,
nested `Navigator` widget within your `SetupFlow` widget,
and let the nested `Navigator` take ownership over the 4 pages
in the setup flow. This delegation of navigation facilitates
greater local control, which is
generally preferable when developing software.
The following animation shows the app's behavior:
{:.site-mobile-screenshot}
In this recipe, you implement a four-page IoT setup
flow that maintains its own navigation nested beneath
the top-level `Navigator` widget.
## Prepare for navigation
This IoT app has two top-level screens,
along with the setup flow. Define these
route names as constants so that they can
be referenced within code.
<?code-excerpt "lib/main.dart (Routes)"?>
```dart
const routeHome = '/';
const routeSettings = '/settings';
const routePrefixDeviceSetup = '/setup/';
const routeDeviceSetupStart = '/setup/$routeDeviceSetupStartPage';
const routeDeviceSetupStartPage = 'find_devices';
const routeDeviceSetupSelectDevicePage = 'select_device';
const routeDeviceSetupConnectingPage = 'connecting';
const routeDeviceSetupFinishedPage = 'finished';
```
The home and settings screens are referenced with
static names. The setup flow pages, however,
use two paths to create their route names:
a `/setup/` prefix followed by the name of the specific page.
By combining the two paths, your `Navigator` can determine
that a route name is intended for the setup flow without
recognizing all the individual pages associated with
the setup flow.
The top-level `Navigator` isn't responsible for identifying
individual setup flow pages. Therefore, your top-level
`Navigator` needs to parse the incoming route name to
identify the setup flow prefix. Needing to parse the route name
means that you can't use the `routes` property of your top-level
`Navigator`. Instead, you must provide a function for the
`onGenerateRoute` property.
Implement `onGenerateRoute` to return the appropriate widget
for each of the three top-level paths.
<?code-excerpt "lib/main.dart (OnGenerateRoute)"?>
```dart
onGenerateRoute: (settings) {
late Widget page;
if (settings.name == routeHome) {
page = const HomeScreen();
} else if (settings.name == routeSettings) {
page = const SettingsScreen();
} else if (settings.name!.startsWith(routePrefixDeviceSetup)) {
final subRoute =
settings.name!.substring(routePrefixDeviceSetup.length);
page = SetupFlow(
setupPageRoute: subRoute,
);
} else {
throw Exception('Unknown route: ${settings.name}');
}
return MaterialPageRoute<dynamic>(
builder: (context) {
return page;
},
settings: settings,
);
},
```
Notice that the home and settings routes are matched with exact
route names. However, the setup flow route condition only
checks for a prefix. If the route name contains the setup
flow prefix, then the rest of the route name is ignored
and passed on to the `SetupFlow` widget to process.
This splitting of the route name is what allows the top-level
`Navigator` to be agnostic toward the various subroutes
within the setup flow.
Create a stateful widget called `SetupFlow` that
accepts a route name.
<?code-excerpt "lib/setupflow.dart (SetupFlow)" replace="/@override\n*.*\n\s*return const SizedBox\(\);\n\s*}/\/\/.../g"?>
```dart
class SetupFlow extends StatefulWidget {
const SetupFlow({
super.key,
required this.setupPageRoute,
});
final String setupPageRoute;
@override
State<SetupFlow> createState() => SetupFlowState();
}
class SetupFlowState extends State<SetupFlow> {
//...
}
```
## Display an app bar for the setup flow
The setup flow displays a persistent app bar
that appears across all pages.
Return a `Scaffold` widget from your `SetupFlow`
widget's `build()` method,
and include the desired `AppBar` widget.
<?code-excerpt "lib/setupflow2.dart (SetupFlow2)"?>
```dart
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: _buildFlowAppBar(),
body: const SizedBox(),
);
}
PreferredSizeWidget _buildFlowAppBar() {
return AppBar(
title: const Text('Bulb Setup'),
);
}
```
The app bar displays a back arrow and exits the setup
flow when the back arrow is pressed. However,
exiting the flow causes the user to lose all progress.
Therefore, the user is prompted to confirm whether they
want to exit the setup flow.
Prompt the user to confirm exiting the setup flow,
and ensure that the prompt appears when the user
presses the hardware back button on Android.
<?code-excerpt "lib/prompt_user.dart (PromptUser)"?>
```dart
Future<void> _onExitPressed() async {
final isConfirmed = await _isExitDesired();
if (isConfirmed && mounted) {
_exitSetup();
}
}
Future<bool> _isExitDesired() async {
return await showDialog<bool>(
context: context,
builder: (context) {
return AlertDialog(
title: const Text('Are you sure?'),
content: const Text(
'If you exit device setup, your progress will be lost.'),
actions: [
TextButton(
onPressed: () {
Navigator.of(context).pop(true);
},
child: const Text('Leave'),
),
TextButton(
onPressed: () {
Navigator.of(context).pop(false);
},
child: const Text('Stay'),
),
],
);
}) ??
false;
}
void _exitSetup() {
Navigator.of(context).pop();
}
@override
Widget build(BuildContext context) {
return PopScope(
canPop: false,
onPopInvoked: (didPop) async {
if (didPop) return;
if (await _isExitDesired() && context.mounted) {
_exitSetup();
}
},
child: Scaffold(
appBar: _buildFlowAppBar(),
body: const SizedBox(),
),
);
}
PreferredSizeWidget _buildFlowAppBar() {
return AppBar(
leading: IconButton(
onPressed: _onExitPressed,
icon: const Icon(Icons.chevron_left),
),
title: const Text('Bulb Setup'),
);
}
```
When the user taps the back arrow in the app bar,
or presses the back button on Android,
an alert dialog pops up to confirm that the
user wants to leave the setup flow.
If the user presses **Leave**, then the setup flow pops itself
from the top-level navigation stack.
If the user presses **Stay**, then the action is ignored.
You might notice that the `Navigator.pop()`
is invoked by both the **Leave** and
**Stay** buttons. To be clear,
this `pop()` action pops the alert dialog off
the navigation stack, not the setup flow.
## Generate nested routes
The setup flow's job is to display the appropriate
page within the flow.
Add a `Navigator` widget to `SetupFlow`,
and implement the `onGenerateRoute` property.
<?code-excerpt "lib/add_navigator.dart (AddNavigator)"?>
```dart
final _navigatorKey = GlobalKey<NavigatorState>();
void _onDiscoveryComplete() {
_navigatorKey.currentState!.pushNamed(routeDeviceSetupSelectDevicePage);
}
void _onDeviceSelected(String deviceId) {
_navigatorKey.currentState!.pushNamed(routeDeviceSetupConnectingPage);
}
void _onConnectionEstablished() {
_navigatorKey.currentState!.pushNamed(routeDeviceSetupFinishedPage);
}
@override
Widget build(BuildContext context) {
return PopScope(
canPop: false,
onPopInvoked: (didPop) async {
if (didPop) return;
if (await _isExitDesired() && context.mounted) {
_exitSetup();
}
},
child: Scaffold(
appBar: _buildFlowAppBar(),
body: Navigator(
key: _navigatorKey,
initialRoute: widget.setupPageRoute,
onGenerateRoute: _onGenerateRoute,
),
),
);
}
Route _onGenerateRoute(RouteSettings settings) {
late Widget page;
switch (settings.name) {
case routeDeviceSetupStartPage:
page = WaitingPage(
message: 'Searching for nearby bulb...',
onWaitComplete: _onDiscoveryComplete,
);
case routeDeviceSetupSelectDevicePage:
page = SelectDevicePage(
onDeviceSelected: _onDeviceSelected,
);
case routeDeviceSetupConnectingPage:
page = WaitingPage(
message: 'Connecting...',
onWaitComplete: _onConnectionEstablished,
);
case routeDeviceSetupFinishedPage:
page = FinishedPage(
onFinishPressed: _exitSetup,
);
}
return MaterialPageRoute<dynamic>(
builder: (context) {
return page;
},
settings: settings,
);
}
```
The `_onGenerateRoute` function works the same as
for a top-level `Navigator`. A `RouteSettings`
object is passed into the function,
which includes the route's `name`.
Based on that route name,
one of four flow pages is returned.
The first page, called `find_devices`,
waits a few seconds to simulate network scanning.
After the wait period, the page invokes its callback.
In this case, that callback is `_onDiscoveryComplete`.
The setup flow recognizes that, when device discovery
is complete, the device selection page should be shown.
Therefore, in `_onDiscoveryComplete`, the `_navigatorKey`
instructs the nested `Navigator` to navigate to the
`select_device` page.
The `select_device` page asks the user to select a
device from a list of available devices. In this recipe,
only one device is presented to the user.
When the user taps a device, the `onDeviceSelected`
callback is invoked. The setup flow recognizes that,
when a device is selected, the connecting page
should be shown. Therefore, in `_onDeviceSelected`,
the `_navigatorKey` instructs the nested `Navigator`
to navigate to the `"connecting"` page.
The `connecting` page works the same way as the
`find_devices` page. The `connecting` page waits
for a few seconds and then invokes its callback.
In this case, the callback is `_onConnectionEstablished`.
The setup flow recognizes that, when a connection is established,
the final page should be shown. Therefore,
in `_onConnectionEstablished`, the `_navigatorKey`
instructs the nested `Navigator` to navigate to the
`finished` page.
The `finished` page provides the user with a **Finish**
button. When the user taps **Finish**,
the `_exitSetup` callback is invoked, which pops the entire
setup flow off the top-level `Navigator` stack,
taking the user back to the home screen.
Congratulations!
You implemented nested navigation with four subroutes.
## Interactive example
Run the app:
* On the **Add your first bulb** screen,
click the FAB, shown with a plus sign, **+**.
This brings you to the **Select a nearby device**
screen. A single bulb is listed.
* Click the listed bulb. A **Finished!** screen appears.
* Click the **Finished** button to return to the
first screen.
<!-- 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 'package:flutter/material.dart';
const routeHome = '/';
const routeSettings = '/settings';
const routePrefixDeviceSetup = '/setup/';
const routeDeviceSetupStart = '/setup/$routeDeviceSetupStartPage';
const routeDeviceSetupStartPage = 'find_devices';
const routeDeviceSetupSelectDevicePage = 'select_device';
const routeDeviceSetupConnectingPage = 'connecting';
const routeDeviceSetupFinishedPage = 'finished';
void main() {
runApp(
MaterialApp(
theme: ThemeData(
brightness: Brightness.dark,
appBarTheme: const AppBarTheme(
backgroundColor: Colors.blue,
),
floatingActionButtonTheme: const FloatingActionButtonThemeData(
backgroundColor: Colors.blue,
),
),
onGenerateRoute: (settings) {
late Widget page;
if (settings.name == routeHome) {
page = const HomeScreen();
} else if (settings.name == routeSettings) {
page = const SettingsScreen();
} else if (settings.name!.startsWith(routePrefixDeviceSetup)) {
final subRoute =
settings.name!.substring(routePrefixDeviceSetup.length);
page = SetupFlow(
setupPageRoute: subRoute,
);
} else {
throw Exception('Unknown route: ${settings.name}');
}
return MaterialPageRoute<dynamic>(
builder: (context) {
return page;
},
settings: settings,
);
},
debugShowCheckedModeBanner: false,
),
);
}
@immutable
class SetupFlow extends StatefulWidget {
static SetupFlowState of(BuildContext context) {
return context.findAncestorStateOfType<SetupFlowState>()!;
}
const SetupFlow({
super.key,
required this.setupPageRoute,
});
final String setupPageRoute;
@override
SetupFlowState createState() => SetupFlowState();
}
class SetupFlowState extends State<SetupFlow> {
final _navigatorKey = GlobalKey<NavigatorState>();
@override
void initState() {
super.initState();
}
void _onDiscoveryComplete() {
_navigatorKey.currentState!.pushNamed(routeDeviceSetupSelectDevicePage);
}
void _onDeviceSelected(String deviceId) {
_navigatorKey.currentState!.pushNamed(routeDeviceSetupConnectingPage);
}
void _onConnectionEstablished() {
_navigatorKey.currentState!.pushNamed(routeDeviceSetupFinishedPage);
}
Future<void> _onExitPressed() async {
final isConfirmed = await _isExitDesired();
if (isConfirmed && mounted) {
_exitSetup();
}
}
Future<bool> _isExitDesired() async {
return await showDialog<bool>(
context: context,
builder: (context) {
return AlertDialog(
title: const Text('Are you sure?'),
content: const Text(
'If you exit device setup, your progress will be lost.'),
actions: [
TextButton(
onPressed: () {
Navigator.of(context).pop(true);
},
child: const Text('Leave'),
),
TextButton(
onPressed: () {
Navigator.of(context).pop(false);
},
child: const Text('Stay'),
),
],
);
}) ??
false;
}
void _exitSetup() {
Navigator.of(context).pop();
}
@override
Widget build(BuildContext context) {
return PopScope(
canPop: false,
onPopInvoked: (didPop) async {
if (didPop) return;
if (await _isExitDesired() && context.mounted) {
_exitSetup();
}
},
child: Scaffold(
appBar: _buildFlowAppBar(),
body: Navigator(
key: _navigatorKey,
initialRoute: widget.setupPageRoute,
onGenerateRoute: _onGenerateRoute,
),
),
);
}
Route _onGenerateRoute(RouteSettings settings) {
late Widget page;
switch (settings.name) {
case routeDeviceSetupStartPage:
page = WaitingPage(
message: 'Searching for nearby bulb...',
onWaitComplete: _onDiscoveryComplete,
);
case routeDeviceSetupSelectDevicePage:
page = SelectDevicePage(
onDeviceSelected: _onDeviceSelected,
);
case routeDeviceSetupConnectingPage:
page = WaitingPage(
message: 'Connecting...',
onWaitComplete: _onConnectionEstablished,
);
case routeDeviceSetupFinishedPage:
page = FinishedPage(
onFinishPressed: _exitSetup,
);
}
return MaterialPageRoute<dynamic>(
builder: (context) {
return page;
},
settings: settings,
);
}
PreferredSizeWidget _buildFlowAppBar() {
return AppBar(
leading: IconButton(
onPressed: _onExitPressed,
icon: const Icon(Icons.chevron_left),
),
title: const Text('Bulb Setup'),
);
}
}
class SelectDevicePage extends StatelessWidget {
const SelectDevicePage({
super.key,
required this.onDeviceSelected,
});
final void Function(String deviceId) onDeviceSelected;
@override
Widget build(BuildContext context) {
return Scaffold(
body: Center(
child: Padding(
padding: const EdgeInsets.symmetric(horizontal: 24),
child: Column(
mainAxisSize: MainAxisSize.min,
children: [
Text(
'Select a nearby device:',
style: Theme.of(context).textTheme.titleLarge,
),
const SizedBox(height: 24),
SizedBox(
width: double.infinity,
height: 54,
child: ElevatedButton(
style: ButtonStyle(
backgroundColor: MaterialStateColor.resolveWith((states) {
return const Color(0xFF222222);
}),
),
onPressed: () {
onDeviceSelected('22n483nk5834');
},
child: const Text(
'Bulb 22n483nk5834',
style: TextStyle(
fontSize: 24,
),
),
),
),
],
),
),
),
);
}
}
class WaitingPage extends StatefulWidget {
const WaitingPage({
super.key,
required this.message,
required this.onWaitComplete,
});
final String message;
final VoidCallback onWaitComplete;
@override
State<WaitingPage> createState() => _WaitingPageState();
}
class _WaitingPageState extends State<WaitingPage> {
@override
void initState() {
super.initState();
_startWaiting();
}
Future<void> _startWaiting() async {
await Future<dynamic>.delayed(const Duration(seconds: 3));
if (mounted) {
widget.onWaitComplete();
}
}
@override
Widget build(BuildContext context) {
return Scaffold(
body: Center(
child: Padding(
padding: const EdgeInsets.symmetric(horizontal: 24),
child: Column(
mainAxisSize: MainAxisSize.min,
children: [
const CircularProgressIndicator(),
const SizedBox(height: 32),
Text(widget.message),
],
),
),
),
);
}
}
class FinishedPage extends StatelessWidget {
const FinishedPage({
super.key,
required this.onFinishPressed,
});
final VoidCallback onFinishPressed;
@override
Widget build(BuildContext context) {
return Scaffold(
body: Center(
child: Padding(
padding: const EdgeInsets.symmetric(horizontal: 24),
child: Column(
mainAxisSize: MainAxisSize.min,
children: [
Container(
width: 250,
height: 250,
decoration: const BoxDecoration(
shape: BoxShape.circle,
color: Color(0xFF222222),
),
child: const Center(
child: Icon(
Icons.lightbulb,
size: 175,
color: Colors.white,
),
),
),
const SizedBox(height: 32),
const Text(
'Bulb added!',
textAlign: TextAlign.center,
style: TextStyle(
fontSize: 24,
fontWeight: FontWeight.bold,
),
),
const SizedBox(height: 32),
ElevatedButton(
style: ButtonStyle(
padding: MaterialStateProperty.resolveWith((states) {
return const EdgeInsets.symmetric(
horizontal: 24, vertical: 12);
}),
backgroundColor: MaterialStateColor.resolveWith((states) {
return const Color(0xFF222222);
}),
shape: MaterialStateProperty.resolveWith((states) {
return const StadiumBorder();
}),
),
onPressed: onFinishPressed,
child: const Text(
'Finish',
style: TextStyle(
fontSize: 24,
),
),
),
],
),
),
),
);
}
}
@immutable
class HomeScreen extends StatelessWidget {
const HomeScreen({
super.key,
});
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: _buildAppBar(context),
body: Center(
child: Padding(
padding: const EdgeInsets.symmetric(horizontal: 24),
child: Column(
mainAxisSize: MainAxisSize.min,
children: [
Container(
width: 250,
height: 250,
decoration: const BoxDecoration(
shape: BoxShape.circle,
color: Color(0xFF222222),
),
child: Center(
child: Icon(
Icons.lightbulb,
size: 175,
color: Theme.of(context).scaffoldBackgroundColor,
),
),
),
const SizedBox(height: 32),
const Text(
'Add your first bulb',
textAlign: TextAlign.center,
style: TextStyle(
fontSize: 24,
fontWeight: FontWeight.bold,
),
),
],
),
),
),
floatingActionButton: FloatingActionButton(
onPressed: () {
Navigator.of(context).pushNamed(routeDeviceSetupStart);
},
child: const Icon(Icons.add),
),
);
}
PreferredSizeWidget _buildAppBar(BuildContext context) {
return AppBar(
title: const Text('Welcome'),
actions: [
IconButton(
icon: const Icon(Icons.settings),
onPressed: () {
Navigator.pushNamed(context, routeSettings);
},
),
],
);
}
}
class SettingsScreen extends StatelessWidget {
const SettingsScreen({
super.key,
});
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: _buildAppBar(),
body: SingleChildScrollView(
child: Column(
mainAxisSize: MainAxisSize.min,
children: List.generate(8, (index) {
return Container(
width: double.infinity,
height: 54,
margin: const EdgeInsets.only(left: 16, right: 16, top: 16),
decoration: BoxDecoration(
borderRadius: BorderRadius.circular(8),
color: const Color(0xFF222222),
),
);
}),
),
),
);
}
PreferredSizeWidget _buildAppBar() {
return AppBar(
title: const Text('Settings'),
);
}
}
```
| website/src/cookbook/effects/nested-nav.md/0 | {
"file_path": "website/src/cookbook/effects/nested-nav.md",
"repo_id": "website",
"token_count": 10044
} | 1,651 |
---
title: Handle taps
description: How to handle tapping and dragging.
js:
- defer: true
url: https://old-dartpad-3ce3f.web.app/inject_embed.dart.js
---
<?code-excerpt path-base="cookbook/gestures/handling_taps/"?>
You not only want to display information to users,
you want users to interact with your app.
Use the [`GestureDetector`][] widget to respond
to fundamental actions, such as tapping and dragging.
{{site.alert.note}}
To learn more, watch this short Widget of the Week video on the GestureDetector widget:
<iframe class="full-width" src="{{site.yt.embed}}/WhVXkCFPmK4" title="Learn about the GestureDetector Flutter Widget" {{site.yt.set}}></iframe>
{{site.alert.end}}
This recipe shows how to make a custom button that shows
a snackbar when tapped with the following steps:
1. Create the button.
2. Wrap it in a `GestureDetector` that an `onTap()` callback.
<?code-excerpt "lib/main.dart (GestureDetector)" replace="/return //g;/;$//g"?>
```dart
// The GestureDetector wraps the button.
GestureDetector(
// When the child is tapped, show a snackbar.
onTap: () {
const snackBar = SnackBar(content: Text('Tap'));
ScaffoldMessenger.of(context).showSnackBar(snackBar);
},
// The custom button
child: Container(
padding: const EdgeInsets.all(12),
decoration: BoxDecoration(
color: Colors.lightBlue,
borderRadius: BorderRadius.circular(8),
),
child: const Text('My Button'),
),
)
```
## Notes
1. For information on adding the Material ripple effect to your
button, see the [Add Material touch ripples][] recipe.
2. Although this example creates a custom button,
Flutter includes a handful of button implementations, such as:
[`ElevatedButton`][], [`TextButton`][], and
[`CupertinoButton`][].
## 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(const MyApp());
class MyApp extends StatelessWidget {
const MyApp({super.key});
@override
Widget build(BuildContext context) {
const title = 'Gesture Demo';
return const MaterialApp(
title: title,
home: MyHomePage(title: title),
);
}
}
class MyHomePage extends StatelessWidget {
final String title;
const MyHomePage({super.key, required this.title});
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: Text(title),
),
body: const Center(
child: MyButton(),
),
);
}
}
class MyButton extends StatelessWidget {
const MyButton({super.key});
@override
Widget build(BuildContext context) {
// The GestureDetector wraps the button.
return GestureDetector(
// When the child is tapped, show a snackbar.
onTap: () {
const snackBar = SnackBar(content: Text('Tap'));
ScaffoldMessenger.of(context).showSnackBar(snackBar);
},
// The custom button
child: Container(
padding: const EdgeInsets.all(12),
decoration: BoxDecoration(
color: Colors.lightBlue,
borderRadius: BorderRadius.circular(8),
),
child: const Text('My Button'),
),
);
}
}
```
<noscript>
<img src="/assets/images/docs/cookbook/handling-taps.gif" alt="Handle taps demo" class="site-mobile-screenshot" />
</noscript>
[Add Material touch ripples]: /cookbook/gestures/ripples
[`CupertinoButton`]: {{site.api}}/flutter/cupertino/CupertinoButton-class.html
[`TextButton`]: {{site.api}}/flutter/material/TextButton-class.html
[`GestureDetector`]: {{site.api}}/flutter/widgets/GestureDetector-class.html
[`ElevatedButton`]: {{site.api}}/flutter/material/ElevatedButton-class.html
| website/src/cookbook/gestures/handling-taps.md/0 | {
"file_path": "website/src/cookbook/gestures/handling-taps.md",
"repo_id": "website",
"token_count": 1384
} | 1,652 |
---
title: List with spaced items
description: How to create a list with spaced or expanded items
js:
- defer: true
url: https://old-dartpad-3ce3f.web.app/inject_embed.dart.js
---
<?code-excerpt path-base="cookbook/lists/spaced_items/"?>
Perhaps you want to create a list where all list items
are spaced evenly, so that the items take up the visible space.
For example, the four items in the following image are spaced evenly,
with "Item 0" at the top, and "Item 3" at the bottom.
{:.site-mobile-screenshot}
At the same time, you might want to allow users
to scroll through the list when the list of items won't fit,
maybe because a device is too small, a user resized a window,
or the number of items exceeds the screen size.
{:.site-mobile-screenshot}
Typically, you use [`Spacer`][] to tune the spacing between widgets,
or [`Expanded`][] to expand a widget to fill the available space.
However, these solutions are not possible inside scrollable widgets,
because they need a finite height constraint.
This recipe demonstrates how to use [`LayoutBuilder`][] and [`ConstrainedBox`][]
to space out list items evenly when there is enough space, and to allow
users to scroll when there is not enough space,
using the following steps:
1. Add a [`LayoutBuilder`][] with a [`SingleChildScrollView`][].
2. Add a [`ConstrainedBox`][] inside the [`SingleChildScrollView`][].
3. Create a [`Column`][] with spaced items.
## 1. Add a `LayoutBuilder` with a `SingleChildScrollView`
Start by creating a [`LayoutBuilder`][]. You need to provide
a `builder` callback function with two parameters:
1. The [`BuildContext`][] provided by the [`LayoutBuilder`][].
2. The [`BoxConstraints`][] of the parent widget.
In this recipe, you won't be using the [`BuildContext`][],
but you will need the [`BoxConstraints`][] in the next step.
Inside the `builder` function, return a [`SingleChildScrollView`][].
This widget ensures that the child widget can be scrolled,
even when the parent container is too small.
<?code-excerpt "lib/spaced_list.dart (builder)"?>
```dart
LayoutBuilder(builder: (context, constraints) {
return SingleChildScrollView(
child: Placeholder(),
);
});
```
## 2. Add a `ConstrainedBox` inside the `SingleChildScrollView`
In this step, add a [`ConstrainedBox`][]
as the child of the [`SingleChildScrollView`][].
The [`ConstrainedBox`][] widget imposes additional constraints to its child.
Configure the constraint by setting the `minHeight` parameter to be
the `maxHeight` of the [`LayoutBuilder`][] constraints.
This ensures that the child widget
is constrained to have a minimum height equal to the available
space provided by the [`LayoutBuilder`][] constraints,
namely the maximum height of the [`BoxConstraints`][].
<?code-excerpt "lib/spaced_list.dart (constrainedBox)"?>
```dart
LayoutBuilder(builder: (context, constraints) {
return SingleChildScrollView(
child: ConstrainedBox(
constraints: BoxConstraints(minHeight: constraints.maxHeight),
child: Placeholder(),
),
);
});
```
However, you don't set the `maxHeight` parameter,
because you need to allow the child to be larger
than the [`LayoutBuilder`][] size,
in case the items don't fit the screen.
## 3. Create a `Column` with spaced items
Finally, add a [`Column`][] as the child of the [`ConstrainedBox`][].
To space the items evenly,
set the `mainAxisAlignment` to `MainAxisAlignment.spaceBetween`.
<?code-excerpt "lib/spaced_list.dart (column)"?>
```dart
LayoutBuilder(builder: (context, constraints) {
return SingleChildScrollView(
child: ConstrainedBox(
constraints: BoxConstraints(minHeight: constraints.maxHeight),
child: Column(
mainAxisAlignment: MainAxisAlignment.spaceBetween,
children: [
ItemWidget(text: 'Item 1'),
ItemWidget(text: 'Item 2'),
ItemWidget(text: 'Item 3'),
],
),
),
);
});
```
Alternatively, you can use the [`Spacer`][] widget
to tune the spacing between the items,
or the [`Expanded`][] widget, if you want one widget to take more space than others.
For that, you have to wrap the [`Column`] with an [`IntrinsicHeight`][] widget,
which forces the [`Column`][] widget to size itself to a minimum height,
instead of expanding infinitely.
<?code-excerpt "lib/spaced_list.dart (intrinsic)"?>
```dart
LayoutBuilder(builder: (context, constraints) {
return SingleChildScrollView(
child: ConstrainedBox(
constraints: BoxConstraints(minHeight: constraints.maxHeight),
child: IntrinsicHeight(
child: Column(
children: [
ItemWidget(text: 'Item 1'),
Spacer(),
ItemWidget(text: 'Item 2'),
Expanded(
child: ItemWidget(text: 'Item 3'),
),
],
),
),
),
);
});
```
{{site.alert.tip}}
Play around with different devices, resizing the app,
or resizing the browser window, and see how the item list adapts
to the available space.
{{site.alert.end}}
## Interactive example
This example shows a list of items that are spaced evenly within a column.
The list can be scrolled up and down when the items don't fit the screen.
The number of items is defined by the variable `items`,
change this value to see what happens when the items won't fit the screen.
<?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(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)),
),
);
}
}
```
[`BoxConstraints`]: {{site.api}}/flutter/rendering/BoxConstraints-class.html
[`BuildContext`]: {{site.api}}/flutter/widgets/BuildContext-class.html
[`Column`]: {{site.api}}/flutter/widgets/Column-class.html
[`ConstrainedBox`]: {{site.api}}/flutter/widgets/ConstrainedBox-class.html
[`Expanded`]: {{site.api}}/flutter/widgets/Expanded-class.html
[`IntrinsicHeight`]: {{site.api}}/flutter/widgets/IntrinsicHeight-class.html
[`LayoutBuilder`]: {{site.api}}/flutter/widgets/LayoutBuilder-class.html
[`SingleChildScrollView`]: {{site.api}}/flutter/widgets/SingleChildScrollView-class.html
[`Spacer`]: {{site.api}}/flutter/widgets/Spacer-class.html
| website/src/cookbook/lists/spaced-items.md/0 | {
"file_path": "website/src/cookbook/lists/spaced-items.md",
"repo_id": "website",
"token_count": 2718
} | 1,653 |
---
title: Networking
description: A catalog of recipes for networking in your Flutter app.
---
{% include docs/cookbook-group-index.md %}
| website/src/cookbook/networking/index.md/0 | {
"file_path": "website/src/cookbook/networking/index.md",
"repo_id": "website",
"token_count": 41
} | 1,654 |
---
title: Unit
description: A catalog of recipes for adding unit testing to your Flutter app.
---
{% include docs/cookbook-group-index.md %}
| website/src/cookbook/testing/unit/index.md/0 | {
"file_path": "website/src/cookbook/testing/unit/index.md",
"repo_id": "website",
"token_count": 42
} | 1,655 |
---
title: Start thinking declaratively
description: How to think about declarative programming.
prev:
title: Intro
path: /development/data-and-backend/state-mgmt
next:
title: Ephemeral versus app state
path: /development/data-and-backend/state-mgmt/ephemeral-vs-app
---
If you're coming to Flutter from an imperative framework
(such as Android SDK or iOS UIKit), you need to start
thinking about app development from a new perspective.
Many assumptions that you might have don't apply to Flutter. For example, in
Flutter it's okay to rebuild parts of your UI from scratch instead of modifying
it. Flutter is fast enough to do that, even on every frame if needed.
Flutter is _declarative_. This means that Flutter builds its user interface to
reflect the current state of your app:
<img src='/assets/images/docs/development/data-and-backend/state-mgmt/ui-equals-function-of-state.png' width="100%" alt="A mathematical formula of UI = f(state). 'UI' is the layout on the screen. 'f' is your build methods. 'state' is the application state.">
{% comment %}
Source drawing for the png above: : https://docs.google.com/drawings/d/1RDcR5LyFtzhpmiT5-UupXBeos2Ban5cUTU0-JujS3Os/edit?usp=sharing
{% endcomment %}
When the state of your app changes
(for example, the user flips a switch in the settings screen),
you change the state, and that triggers a redraw of the user interface.
There is no imperative changing of the UI itself
(like `widget.setText`)—you change the state,
and the UI rebuilds from scratch.
Read more about the declarative approach to UI programming
in the [get started guide][].
The declarative style of UI programming has many benefits.
Remarkably, there is only one code path for any state of the UI.
You describe what the UI should look
like for any given state, once—and that is it.
At first,
this style of programming might not seem as intuitive as the
imperative style. This is why this section is here. Read on.
[get started guide]: /get-started/flutter-for/declarative
| website/src/data-and-backend/state-mgmt/declarative.md/0 | {
"file_path": "website/src/data-and-backend/state-mgmt/declarative.md",
"repo_id": "website",
"token_count": 581
} | 1,656 |
---
title: Embedded support for Flutter
description: >
Details of how Flutter supports the creation of embedded experiences.
---
If you would like to embed Flutter engine into a car,
a refrigerator, a thermostat... you CAN! For example,
you might embed Flutter in the following situations:
* Using Flutter on an "embedded device",
typically a low-powered hardware device
such as a smart-display, a thermostat, or similar.
* Embedding Flutter into a new operating system or
environment, for example a new mobile platform
or a new operating system.
The ability to embed Flutter, while stable,
uses low-level API and is _not_ for beginners.
In addition to the resources listed below, you
might consider joining [Discord][], where Flutter
developers (including Google engineers) discuss
various aspects of Flutter. The Flutter
[community][] page has info on more community
resources.
* [Custom Flutter Engine Embedders][], on the Flutter wiki.
* The doc comments in the
[Flutter engine `embedder.h` file][] on GitHub.
* The [Flutter architectural overview][] on docs.flutter.dev.
* A small, self-contained [Flutter Embedder Engine GLFW example][]
in the Flutter engine GitHub repo.
* An exploration into [embedding Flutter in a terminal][] by
implementing Flutter's custom embedder API.
* [Issue 31043][]: _Questions for porting flutter engine to
a new os_ might also be helpful.
[community]: {{site.main-url}}/community
[Discord]: https://discord.com/invite/N7Yshp4
[Custom Flutter Engine Embedders]: {{site.repo.flutter}}/wiki/Custom-Flutter-Engine-Embedders
[Flutter architectural overview]: /resources/architectural-overview
[Flutter engine `embedder.h` file]: {{site.repo.engine}}/blob/main/shell/platform/embedder/embedder.h
[Flutter Embedder Engine GLFW example]: {{site.repo.engine}}/tree/main/examples/glfw#flutter-embedder-engine-glfw-example
[embedding Flutter in a terminal]: https://github.com/jiahaog/flt
[Issue 31043]: {{site.repo.flutter}}/issues/31043
| website/src/embedded/index.md/0 | {
"file_path": "website/src/embedded/index.md",
"repo_id": "website",
"token_count": 582
} | 1,657 |
---
title: Layouts
description: Learn how to create layouts in Flutter.
prev:
title: Flutter fundamentals
path: /get-started/fwe/fundamentals
next:
title: State management
---
Given that Flutter is a UI toolkit,
you’ll spend a lot of time creating layouts
with Flutter widgets. In this section,
you’ll learn how to build simple and
complex layouts with some of the most common layout widgets.
You’ll use DevTools to understand how
Flutter is creating your layout.
Finally, you'll encounter and debug one of
Flutter's most common layout errors,
the dreaded "unbounded constraints" error.
### Introduction to layouts
The following tutorial introduces you to layouts
in Flutter, and gives you an opportunity to work
with the most common layout widgets, like rows and columns.
<i class="material-symbols" aria-hidden="true">flutter_dash</i> Tutorial: [Layouts in Flutter][]
### Constraints
Understanding “constraints” in Flutter is an
important part of understanding
how Flutter’s layout algorithm works.
The following resources teach you what
constraints are and some widgets that
allow you to work with constraints.
* Article: [Understanding constraints][]
* Video: [Expanded—Flutter Widget of the Week][]
* Video: [Flexible—Flutter Widget of the Week][]
* Video: [Intrinsic widgets—Decoding Flutter][]
### Intermediate layout tutorial
Now that you understand layouts and some tools
for working with them, check out the following tutorial,
which goes a bit deeper into common layout
widgets than the starting tutorial.
<i class="material-symbols" aria-hidden="true">flutter_dash</i> Tutorial: [Build a Flutter Layout][]
### Specific layout concepts
The following resources cover some common layout concepts
that are a bit more involved than using rows and columns.
#### Scrollable widgets
Several Flutter widgets facilitate scrolling through
content in your application.
First, you’ll see how to use the most common widget for
making any page scrollable,
as well as a widget for creating scrollable lists.
You’ll also be introduced to a common pattern in
Flutter—the builder pattern.
Many Flutter widgets use the builder pattern,
including some scrolling widgets.
* Documentation: [Basic scrolling][]
* Video: [Builder—Flutter Widget of the Week][]
* Video: [ListView—Flutter Widget of the Week][]
* Example code: [Work with long lists][]
* Example code: [Create a horizontal list][]
* Example code: [Create a grid list][]
* Video: [PageView—Flutter Widget of the Week][]
#### Stacks
Stacks give you more flexibility in placing widgets
in Flutter by allowing you to specify exact locations
of widgets within their parent,
including on top of each other.
If you’re coming from the web,
`Stacks` solve the same problem as `z-index`.
If you followed the previous tutorials mentioned
on this page, you’ve already worked with `Stack`s.
If not, these resources provide an overview.
* Video: [Stack—Flutter Widget of the Week][]
* Documentation: [Stack documentation][]
#### Overlays
Use an `Overlay`` when you have widgets that are
logically related to each other but visually separate,
such as tooltips.
* Video: [OverlayPortal—Flutter Widget of the Week][]
### Adaptive layouts
Because Flutter is used to create mobile,
tablet, desktop, _and_ web apps,
it’s likely you’ll need to adjust your
application to behave differently depending on
things like screen size or input device.
This is referred to as making an app
_adaptive_ and _responsive_.
The following resources start by
showing the most important widgets when
building adaptive layouts,
and finish with a codelab that has you
build an adaptive layout yourself.
* Video: [LayoutBuilder—Flutter Widget of the Week][]
* Video: [MediaQuery—Flutter Widget of the Week][]
* Video: [Building platform adaptive apps][]
<i class="material-symbols" aria-hidden="true">flutter_dash</i> Tutorial: [Adaptive Apps codelab][]
### DevTools and debugging layout
Flutter has a robust suite of DevTools that
help you work with any number of aspects of
Flutter development.
The "Widget Inspector" tool is particularly
useful when building layouts (and working with widgets in general).
Additionally, perhaps the most common error
you’ll run into while building a Flutter application
is due to incorrectly using layout widgets,
and is referred to as the “unbounded constraints” error.
If there was only one type error you should be prepared
to confront when you first start building Flutter apps,
it would be this one.
* Article: [DevTools—Widget inspector][]
* Video: [Unbounded height and width—Decoding Flutter][]
### Reference material
The following resources explain individual APIs.
* [`Builder`][]
* [`Row`][]
* [`Column`][]
* [`Expanded`][]
* [`Flexible`][]
* [`ListView`][]
* [`Stack`][]
* [`Positioned`][]
* [`MediaQuery`][]
[Layouts in Flutter]: {{site.url}}/ui/layout
[Understanding constraints]: {{site.url}}/ui/layout/constraints
[Expanded—Flutter Widget of the Week]: {{site.youtube-site}}/watch?v=_rnZaagadyo
[Flexible—Flutter Widget of the Week]: {{site.youtube-site}}/watch?v=CI7x0mAZiY0
[Intrinsic widgets—Decoding Flutter]: {{site.youtube-site}}/watch?v=Si5XJ_IocEs
[Build a Flutter Layout]: {{site.url}}/ui/layout/tutorial
[Basic scrolling]: {{site.url}}/ui/layout/scrolling#basic-scrolling
[Builder—Flutter Widget of the Week]: {{site.youtube-site}}/watch?v=xXNOkIuSYuA
[ListView—Flutter Widget of the Week]: {{site.youtube-site}}/watch?v=KJpkjHGiI5A
[Work with long lists]: {{site.url}}/cookbook/lists/long-lists
[Create a horizontal list]: {{site.url}}/cookbook/lists/horizontal-list
[Create a grid list]: {{site.url}}/cookbook/lists/grid-lists
[PageView—Flutter Widget of the Week]: {{site.youtube-site}}/watch?v=J1gE9xvph-A
[Stack—Flutter Widget of the Week]: {{site.youtube-site}}/watch?v=liEGSeD3Zt8
[Stack documentation]: {{site.url}}/ui/layout#stack
[OverlayPortal—Flutter Widget of the Week]: {{site.youtube-site}}/watch?v=S0Ylpa44OAQ
[LayoutBuilder—Flutter Widget of the Week]: {{site.youtube-site}}/watch?v=IYDVcriKjsw
[MediaQuery—Flutter Widget of the Week]: {{site.youtube-site}}/watch?v=A3WrA4zAaPw
[Adaptive apps codelab]: {{site.codelabs}}/codelabs/flutter-adaptive-app
[Building platform adaptive apps]: {{site.youtube-site}}/watch?v=RCdeSKVt7LI
[DevTools—Widget inspector]: {{site.url}}/tools/devtools/inspector
[Unbounded height and width—Decoding Flutter]: {{site.youtube-site}}/watch?v=jckqXR5CrPI
[2D Scrolling]: {{site.youtube-site}}/watch?v=ppEdTo-VGcg
[`Builder`]: {{site.api}}/flutter/widgets/Builder-class.html
[`Row`]: {{site.api}}flutter/widgets/Row-class.html
[`Column`]: {{site.api}}flutter/widgets/Column-class.html
[`Expanded`]: {{site.api}}flutter/widgets/Expanded-class.html
[`Flexible`]: {{site.api}}flutter/widgets/Flexible-class.html
[`ListView`]: {{site.api}}flutter/widgets/ListView-class.html
[`Stack`]: {{site.api}}flutter/widgets/Stack-class.html
[`Positioned`]: {{site.api}}flutter/widgets/Positioned-class.html
[`MediaQuery`]: {{site.api}}flutter/widgets/MediaQuery-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/layout.md/0 | {
"file_path": "website/src/get-started/fwe/layout.md",
"repo_id": "website",
"token_count": 2195
} | 1,658 |
### Update your path
Independent of how you installed Flutter,
you need to add the Flutter SDK to your `PATH`.
You can add Flutter to your `PATH` either for the current session
or for all sessions going forward.
{% include docs/dart-tool.md %}
#### Update your path for the current session only
To update your `PATH` variable for the current session,
enter this command in your terminal:
```terminal
$ export PATH="$PATH:[PATH_TO_FLUTTER_GIT_DIRECTORY]/flutter/bin"
```
In this command,
replace `[PATH_TO_FLUTTER_GIT_DIRECTORY]`
with the path to your Flutter SDK install.
#### Update your path for all future sessions
To add Flutter to your `PATH` for _any_ terminal session,
follow these steps:
1. Find your Flutter SDK installation path.
```terminal
$ find / -type d -wholename "flutter/bin" 2>/dev/null
```
Response should resemble:
```terminal
/usr/<example>dev/flutter/bin
```
2. Append the following line to your `rc` shell file
Linux reads the `rc` shell "resource" file each
time it opens a terminal.
Replace `<path_to_flutter_directory>` with your Flutter path
```terminal
$ echo 'export PATH="$PATH:<path_to_flutter_directory>/flutter/bin"' >> $HOME/.bashrc
```
3. Reload the current shell profile.
```terminal
source $HOME/.<rc file>
```
4. Verify that the `flutter/bin` directory exists in your `PATH`.
```terminal
$ echo $PATH
```
Response should resemble:
```terminal
/usr/<example>/dev/flutter/bin:/usr/local/git/git-google/bin:/usr/local/git/current/bin:/usr/local/bin:/usr/bin:/bin:/usr/local/sbin:/usr/sbin:/sbin:
```
5. Verify that you can now use the `flutter` command.
```terminal
$ which flutter
```
Response should resemble:
```
/usr/<example>/dev/flutter/bin/flutter
```
{% include docs/dart-tool.md %}
| website/src/get-started/install/_deprecated/_path-linux-chromeos.md/0 | {
"file_path": "website/src/get-started/install/_deprecated/_path-linux-chromeos.md",
"repo_id": "website",
"token_count": 710
} | 1,659 |
---
title: Start building Flutter iOS apps on macOS
description: Configure your system to develop Flutter mobile apps on macOS and iOS.
short-title: Make iOS apps
target: iOS
config: macOSiOS
devos: macOS
next:
title: Create a test app
path: /get-started/test-drive
---
{% include docs/install/reqs/macos/base.md
os=page.devos
target=page.target
-%}
{% include docs/install/flutter-sdk.md
os=page.devos
target=page.target
terminal='Terminal'
-%}
{% include docs/install/compiler/xcode.md
os=page.devos
target=page.target
attempt='first'
-%}
{% include docs/install/flutter-doctor.md
devos=page.devos
target=page.target
config=page.config
-%}
{% include docs/install/next-steps.md
devos=page.devos
target=page.target
config=page.config
-%}
| website/src/get-started/install/macos/mobile-ios.md/0 | {
"file_path": "website/src/get-started/install/macos/mobile-ios.md",
"repo_id": "website",
"token_count": 305
} | 1,660 |
---
title: Using packages
description: How to use packages in your Flutter app.
---
<?code-excerpt path-base="development/plugin_api_migration"?>
Flutter supports using shared packages contributed by other developers
to the Flutter and Dart ecosystems. This allows quickly building
an app without having to develop everything from scratch.
{{site.alert.secondary}}
**What is the difference between a package
and a plugin?** A plugin is a _type_ of
package—the full designation is _plugin package_,
which is generally shortened to _plugin_.
**Packages**
: At a minimum, a Dart package is a directory
containing a `pubspec.yaml` file. Additionally,
a package can contain dependencies
(listed in the pubspec), Dart libraries, apps,
resources, tests, images, fonts, and examples.
The [pub.dev][] site lists many packages—developed by Google engineers
and generous members of the Flutter and Dart community—
that you can use in your app.
**Plugins**
: A plugin package is a special kind of package that makes
platform functionality available to the app.
Plugin packages can be written for Android (using Kotlin or Java),
iOS (using Swift or Objective-C), web, macOS, Windows, Linux,
or any combination thereof.
For example, a plugin might provide Flutter apps
with the ability to use a device's camera.
<iframe width="560" height="315" src="{{site.yt.embed}}/Y9WifT8aN6o?start=1" title="Learn the difference between a package and a plugin" {{site.yt.set}}></iframe>
{{site.alert.end}}
Existing packages enable many use cases—for example,
making network requests ([`http`][]),
navigation/route handling ([`go_router`][]),
integration with device APIs
([`url_launcher`][] and [`battery_plus`][]),
and using third-party platform SDKs like Firebase
([FlutterFire][]).
To write a new package, see [developing packages][].
To add assets, images, or fonts,
whether stored in files or packages,
see [Adding assets and images][].
[Adding assets and images]: /ui/assets/assets-and-images
[`battery_plus`]: {{site.pub-pkg}}/battery_plus
[developing packages]: /packages-and-plugins/developing-packages
[FlutterFire]: {{site.github}}/firebase/flutterfire
[`go_router`]: {{site.pub-pkg}}/go_router
[`http`]: /cookbook/networking/fetch-data
[pub.dev]: {{site.pub}}
[`url_launcher`]: {{site.pub-pkg}}/url_launcher
## Using packages
The following section describes how to use
existing published packages.
### Searching for packages
Packages are published to [pub.dev][].
The [Flutter landing page][] on pub.dev displays
top packages that are compatible with Flutter
(those that declare dependencies generally compatible with Flutter),
and supports searching among all published packages.
The [Flutter Favorites][] page on pub.dev lists
the plugins and packages that have been identified as
packages you should first consider using when writing
your app. For more information on what it means to
be a Flutter Favorite, see the
[Flutter Favorites program][].
You can also browse the packages on pub.dev by filtering
on [Android][], [iOS][], [web][],
[Linux][], [Windows][], [macOS][],
or any combination thereof.
[Android]: {{site.pub-pkg}}?q=sdk%3Aflutter+platform%3Aandroid
[Flutter Favorites]: {{site.pub}}/flutter/favorites
[Flutter Favorites program]: /packages-and-plugins/favorites
[Flutter landing page]: {{site.pub}}/flutter
[Linux]: {{site.pub-pkgs}}?q=sdk%3Aflutter+platform%3Alinux
[iOS]: {{site.pub-pkg}}?q=sdk%3Aflutter+platform%3Aios
[macOS]: {{site.pub-pkg}}?q=sdk%3Aflutter+platform%3Amacos
[web]: {{site.pub-pkg}}?q=sdk%3Aflutter+platform%3Aweb
[Windows]: {{site.pub-pkg}}?q=sdk%3Aflutter+platform%3Awindows
### Adding a package dependency to an app
To add the package, `css_colors`, to an app:
1. Depend on it
* Open the `pubspec.yaml` file located inside the app folder,
and add `css_colors:` under `dependencies`.
1. Install it
* From the terminal: Run `flutter pub get`.<br/>
**OR**
* From VS Code: Click **Get Packages** located in right side of the action
ribbon at the top of `pubspec.yaml` indicated by the Download icon.
* From Android Studio/IntelliJ: Click **Pub get** in the action
ribbon at the top of `pubspec.yaml`.
1. Import it
* Add a corresponding `import` statement in the Dart code.
1. Stop and restart the app, if necessary
* If the package brings platform-specific code
(Kotlin/Java for Android, Swift/Objective-C for iOS),
that code must be built into your app.
Hot reload and hot restart only update the Dart code,
so a full restart of the app might be required to avoid
errors like `MissingPluginException` when using the package.
### Adding a package dependency to an app using `flutter pub add`
To add the package, `css_colors`, to an app:
1. Issue the command while being inside the project directory
* `flutter pub add css_colors`
1. Import it
* Add a corresponding `import` statement in the Dart code.
1. Stop and restart the app, if necessary
* If the package brings platform-specific code
(Kotlin/Java for Android, Swift/Objective-C for iOS),
that code must be built into your app.
Hot reload and hot restart only update the Dart code,
so a full restart of the app might be required to avoid
errors like `MissingPluginException` when using the package.
### Removing a package dependency to an app using `flutter pub remove`
To remove the package, `css_colors`, to an app:
1. Issue the command while being inside the project directory
* `flutter pub remove css_colors`
The [Installing tab][],
available on any package page on pub.dev,
is a handy reference for these steps.
For a complete example,
see the [css_colors example][] below.
[css_colors example]: #css-example
[Installing tab]: {{site.pub-pkg}}/css_colors/install
### Conflict resolution
Suppose you want to use `some_package` and
`another_package` in an app,
and both of these depend on `url_launcher`,
but in different versions.
That causes a potential conflict.
The best way to avoid this is for package authors to use
[version ranges][] rather than specific versions when
specifying dependencies.
```yaml
dependencies:
url_launcher: ^5.4.0 # Good, any version >= 5.4.0 but < 6.0.0
image_picker: '5.4.3' # Not so good, only version 5.4.3 works.
```
If `some_package` declares the dependencies above
and `another_package` declares a compatible
`url_launcher` dependency like `'5.4.6'` or
`^5.5.0`, pub resolves the issue automatically.
Platform-specific dependencies on
[Gradle modules][] and/or [CocoaPods][]
are solved in a similar way.
Even if `some_package` and `another_package`
declare incompatible versions for `url_launcher`,
they might actually use `url_launcher` in
compatible ways. In this situation,
the conflict can be resolved by adding
a dependency override declaration to the app's
`pubspec.yaml` file, forcing the use of a particular version.
For example, to force the use of `url_launcher` version `5.4.0`,
make the following changes to the app's `pubspec.yaml` file:
```yaml
dependencies:
some_package:
another_package:
dependency_overrides:
url_launcher: '5.4.0'
```
If the conflicting dependency is not itself a package,
but an Android-specific library like `guava`,
the dependency override declaration must be added to
Gradle build logic instead.
To force the use of `guava` version `28.0`, make the following
changes to the app's `android/build.gradle` file:
```groovy
configurations.all {
resolutionStrategy {
force 'com.google.guava:guava:28.0-android'
}
}
```
CocoaPods doesn't currently offer dependency
override functionality.
[CocoaPods]: https://guides.cocoapods.org/syntax/podspec.html#dependency
[Gradle modules]: https://docs.gradle.org/current/userguide/declaring_dependencies.html
[version ranges]: {{site.dart-site}}/tools/pub/dependencies#version-constraints
## Developing new packages
If no package exists for your specific use case,
you can [write a custom package][].
[write a custom package]: /packages-and-plugins/developing-packages
## Managing package dependencies and versions
To minimize the risk of version collisions,
specify a version range in the `pubspec.yaml` file.
### Package versions
All packages have a version number, specified in the
package's `pubspec.yaml` file. The current version of a package
is displayed next to its name (for example,
see the [`url_launcher`][] package), as
well as a list of all prior versions
(see [`url_launcher` versions][]).
To ensure that the app doesn't break when you update a package,
specify a version range using one of the following formats.
* **Ranged constraints:** Specify a minimum and maximum version.
```yaml
dependencies:
url_launcher: '>=5.4.0 <6.0.0'
```
* **Ranged constraints using the [caret syntax][]:**
Specify the version that serves as the inclusive minimum version.
This covers all versions from that version to the next major version.
```yaml
dependencies:
collection: '^5.4.0'
```
This syntax means the same as the one noted in the first bullet.
To learn more, check out the [package versioning guide][].
[caret syntax]: {{site.dart-site}}/tools/pub/dependencies#caret-syntax
[package versioning guide]: {{site.dart-site}}/tools/pub/versioning
[`url_launcher` versions]: {{site.pub-pkg}}/url_launcher/versions
### Updating package dependencies
When running `flutter pub get`
for the first time after adding a package,
Flutter saves the concrete package version found in the `pubspec.lock`
[lockfile][]. This ensures that you get the same version again
if you, or another developer on your team, run `flutter pub get`.
To upgrade to a new version of the package,
for example to use new features in that package,
run `flutter pub upgrade`
to retrieve the highest available version of the package
that is allowed by the version constraint specified in
`pubspec.yaml`.
Note that this is a different command from
`flutter upgrade` or `flutter update-packages`,
which both update Flutter itself.
[lockfile]: {{site.dart-site}}/tools/pub/glossary#lockfile
### Dependencies on unpublished packages
Packages can be used even when not published on pub.dev.
For private packages, or for packages not ready for publishing,
additional dependency options are available:
**Path dependency**
: A Flutter app can depend on a package using a file system
`path:` dependency. The path can be either relative or absolute.
Relative paths are evaluated relative to the directory
containing `pubspec.yaml`. For example, to depend on a
package, packageA, located in a directory next to the app,
use the following syntax:
```yaml
dependencies:
packageA:
path: ../packageA/
```
**Git dependency**
: You can also depend on a package stored in a Git repository.
If the package is located at the root of the repo,
use the following syntax:
```yaml
dependencies:
packageA:
git:
url: https://github.com/flutter/packageA.git
```
**Git dependency using SSH**
: If the repository is private and you can connect to it using SSH,
depend on the package by using the repo's SSH url:
```yaml
dependencies:
packageA:
git:
url: [email protected]:flutter/packageA.git
```
**Git dependency on a package in a folder**
: Pub assumes the package is located in
the root of the Git repository. If that isn't
the case, specify the location with the `path` argument.
For example:
```yaml
dependencies:
packageA:
git:
url: https://github.com/flutter/packages.git
path: packages/packageA
```
Finally, use the `ref` argument to pin the dependency to a
specific git commit, branch, or tag. For more details, see
[Package dependencies][].
[Package dependencies]: {{site.dart-site}}/tools/pub/dependencies
## Examples
The following examples walk through the necessary steps for
using packages.
### Example: Using the css_colors package {#css-example}
The [`css_colors`][] package
defines color constants for CSS colors, so use the constants
wherever the Flutter framework expects the `Color` type.
To use this package:
1. Create a new project called `cssdemo`.
1. Open `pubspec.yaml`, and add the `css-colors` dependency:
```yaml
dependencies:
flutter:
sdk: flutter
css_colors: ^1.0.0
```
1. Run `flutter pub get` in the terminal,
or click **Get Packages** in VS Code.
1. Open `lib/main.dart` and replace its full contents with:
<?code-excerpt "lib/css_colors.dart (CssColors)"?>
```dart
import 'package:css_colors/css_colors.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(
home: DemoPage(),
);
}
}
class DemoPage extends StatelessWidget {
const DemoPage({super.key});
@override
Widget build(BuildContext context) {
return Scaffold(body: Container(color: CSSColors.orange));
}
}
```
[`css_colors`]: {{site.pub-pkg}}/css_colors
1. Run the app. The app's background should now be orange.
### Example: Using the url_launcher package to launch the browser {#url-example}
The [`url_launcher`][] plugin package enables opening
the default browser on the mobile platform to display
a given URL, and is supported on Android, iOS, web,
Windows, Linux, and macOS.
This package is a special Dart package called a
_plugin package_ (or _plugin_),
which includes platform-specific code.
To use this plugin:
1. Create a new project called `launchdemo`.
1. Open `pubspec.yaml`, and add the `url_launcher` dependency:
```yaml
dependencies:
flutter:
sdk: flutter
url_launcher: ^5.4.0
```
1. Run `flutter pub get` in the terminal,
or click **Get Packages get** in VS Code.
1. Open `lib/main.dart` and replace its full contents with the
following:
<?code-excerpt "lib/url_launcher.dart (UrlLauncher)"?>
```dart
import 'package:flutter/material.dart';
import 'package:path/path.dart' as p;
import 'package:url_launcher/url_launcher.dart';
void main() {
runApp(const MyApp());
}
class MyApp extends StatelessWidget {
const MyApp({super.key});
@override
Widget build(BuildContext context) {
return const MaterialApp(
home: DemoPage(),
);
}
}
class DemoPage extends StatelessWidget {
const DemoPage({super.key});
void launchURL() {
launchUrl(p.toUri('https://flutter.dev'));
}
@override
Widget build(BuildContext context) {
return Scaffold(
body: Center(
child: ElevatedButton(
onPressed: launchURL,
child: const Text('Show Flutter homepage'),
),
),
);
}
}
```
1. Run the app (or stop and restart it, if it was already running
before adding the plugin). Click **Show Flutter homepage**.
You should see the default browser open on the device,
displaying the homepage for flutter.dev.
| website/src/packages-and-plugins/using-packages.md/0 | {
"file_path": "website/src/packages-and-plugins/using-packages.md",
"repo_id": "website",
"token_count": 4924
} | 1,661 |
---
layout: toc
title: Android
description: Content covering integration with Android in Flutter apps.
---
| website/src/platform-integration/android/index.md/0 | {
"file_path": "website/src/platform-integration/android/index.md",
"repo_id": "website",
"token_count": 26
} | 1,662 |
---
title: Leveraging Apple's System APIs and Frameworks
description: Learn about Flutter plugins that offer equivalent functionalities to Apple's frameworks
---
When you come from iOS development, you might need to find
Flutter plugins that offer the same abilities as Apple's system
libraries. This might include accessing device hardware or interacting
with specific frameworks like `HealthKit` or `MapKit`.
For an overview of how the SwiftUI framework compares to Flutter,
see [Flutter for SwiftUI developers][].
### Introducing Flutter plugins
Dart calls libraries that contain platform-specific code _plugins_.
When developing an app with Flutter, you use _plugins_ to interact
with system libraries.
In your Dart code, you use the plugin's Dart API to call the native
code from the system library being used. This means that you can write
the code to call the Dart API. The API then makes it work for all
platforms that the plugin supports.
To learn more about plugins, see [Using packages][].
Though this page links to some popular plugins,
you can find thousands more, along with examples,
on [pub.dev][]. The following table does not endorse any particular plugin.
If you can't find a package that meets your need,
you can create your own or use platform channels directly in your project.
To learn more, see [Writing platform-specific code][].
### Adding a plugin to your project
To use an Apple framework within your native project,
import it into your Swift or Objective-C file.
To add a Flutter plugin, run `flutter pub add package_name`
from the root of your project.
This adds the dependency to your [`pubspec.yaml`][] file.
After you add the dependency, add an `import` statement for the package
in your Dart file.
You might need to change app settings or initialization logic.
If that's needed, the package's "Readme" page on [pub.dev][]
should provide details.
### Flutter Plugins and Apple Frameworks
| Use Case | Apple Framework or Class | Flutter Plugin |
|------------------------------------------------|---------------------------------------------------------------------------------------|------------------------------|
| Access the photo library | `PhotoKit`using the `Photos` and `PhotosUI ` frameworks and `UIImagePickerController` | [`image_picker`][] |
| Access the camera | `UIImagePickerController` using the `.camera` `sourceType` | [`image_picker`][] |
| Use advanced camera features | `AVFoundation` | [`camera`][] |
| Offer In-app purchases | `StoreKit` | [`in_app_purchase`][][^1] |
| Process payments | `PassKit` | [`pay`][][^2] |
| Send push notifications | `UserNotifications` | [`firebase_messaging`][][^3] |
| Access GPS coordinates | `CoreLocation` | [`geolocator`][] |
| Access sensor data[^4] | `CoreMotion` | [`sensors_plus`][] |
| Embed maps | `MapKit` | [`google_maps_flutter`][] |
| Make network requests | `URLSession` | [`http`][] |
| Store key-values | `@AppStorage` property wrapper and `NSUserDefaults` | [`shared_preferences`][] |
| Persist to a database | `CoreData` or SQLite | [`sqflite`][] |
| Access health data | `HealthKit` | [`health`][] |
| Use machine learning | `CoreML` | [`google_ml_kit`][][^5] |
| Recognize text | `VisionKit` | [`google_ml_kit`][][^5] |
| Recognize speech | `Speech` | [`speech_to_text`][] |
| Use augmented reality | `ARKit` | [`ar_flutter_plugin`][] |
| Access weather data | `WeatherKit` | [`weather`][][^6] |
| Access and manage contacts | `Contacts` | [`contacts_service`][] |
| Expose quick actions on the home screen | `UIApplicationShortcutItem` | [`quick_actions`][] |
| Index items in Spotlight search | `CoreSpotlight` | [`flutter_core_spotlight`][] |
| Configure, update and communicate with Widgets | `WidgetKit` | [`home_widget`][] |
{:.table.table-striped.nowrap}
[^1]: Supports both Google Play Store on Android and Apple App Store on iOS.
[^2]: Adds Google Pay payments on Android and Apple Pay payments on iOS.
[^3]: Uses Firebase Cloud Messaging and integrates with APNs.
[^4]: Includes sensors like accelerometer, gyroscope, etc.
[^5]: Uses Google's ML Kit and supports various features like text recognition, face detection, image labeling, landmark recognition, and barcode scanning. You can also create a custom model with Firebase. To learn more, see [Use a custom TensorFlow Lite model with Flutter][].
[^6]: Uses the [OpenWeatherMap API][]. Other packages exist that can pull from different weather APIs.
[Flutter for SwiftUI developers]: /get-started/flutter-for/swiftui-devs
[Using packages]: /packages-and-plugins/using-packages
[pub.dev]: {{site.pub-pkg}}
[`shared_preferences`]: {{site.pub-pkg}}/shared_preferences
[`http`]: {{site.pub-pkg}}/http
[`sensors_plus`]: {{site.pub-pkg}}/sensors_plus
[`geolocator`]: {{site.pub-pkg}}/geolocator
[`image_picker`]: {{site.pub-pkg}}/image_picker
[`pubspec.yaml`]: /tools/pubspec
[`quick_actions`]: {{site.pub-pkg}}/quick_actions
[`in_app_purchase`]: {{site.pub-pkg}}/in_app_purchase
[`pay`]: {{site.pub-pkg}}/pay
[`firebase_messaging`]: {{site.pub-pkg}}/firebase_messaging
[`google_maps_flutter`]: {{site.pub-pkg}}/google_maps_flutter
[`google_ml_kit`]: {{site.pub-pkg}}/google_ml_kit
[Use a custom TensorFlow Lite model with Flutter]: {{site.firebase}}/docs/ml/flutter/use-custom-models
[`speech_to_text`]: {{site.pub-pkg}}/speech_to_text
[`ar_flutter_plugin`]: {{site.pub-pkg}}/ar_flutter_plugin
[`weather`]: {{site.pub-pkg}}/weather
[`contacts_service`]: {{site.pub-pkg}}/contacts_service
[`health`]: {{site.pub-pkg}}/health
[OpenWeatherMap API]: https://openweathermap.org/api
[`sqflite`]: {{site.pub-pkg}}/sqflite
[Writing platform-specific code]: /platform-integration/platform-channels
[`camera`]: {{site.pub-pkg}}/camera
[`flutter_core_spotlight`]: {{site.pub-pkg}}/flutter_core_spotlight
[`home_widget`]: {{site.pub-pkg}}/home_widget
| website/src/platform-integration/ios/apple-frameworks.md/0 | {
"file_path": "website/src/platform-integration/ios/apple-frameworks.md",
"repo_id": "website",
"token_count": 4024
} | 1,663 |
---
title: Add Linux devtools to Flutter from web start
description: Configure your system to develop Flutter mobile apps on Linux.
short-title: Starting from web
---
To add Linux as a Flutter app target for Linux, follow this procedure.
## Install Linux compilation tools
1. Allocate a minimum of 5 GB of storage for the Linux compiliation tools.
{% include docs/install/reqs/linux/install-desktop-tools.md devos='linux' %}
{% include docs/install/flutter-doctor.md
target='Linux'
devos='Linux'
config='LinuxDesktopWeb' %}
| website/src/platform-integration/linux/install-linux/install-linux-from-web.md/0 | {
"file_path": "website/src/platform-integration/linux/install-linux/install-linux-from-web.md",
"repo_id": "website",
"token_count": 155
} | 1,664 |
---
title: Add web DevTools to Flutter from Android on Linux start
description: Configure your system to develop Flutter web apps on Linux.
short-title: Starting from Android on Linux
---
To add web as a Flutter app target for Linux with Android,
follow this procedure.
## Configure Chrome as the web DevTools tools
{% include docs/install/reqs/add-web.md devos='Linux' %}
{% include docs/install/flutter-doctor.md
target='Web'
devos='Linux'
config='LinuxDesktopAndroidWeb' %}
| website/src/platform-integration/web/install-web/install-web-from-android-on-linux.md/0 | {
"file_path": "website/src/platform-integration/web/install-web/install-web-from-android-on-linux.md",
"repo_id": "website",
"token_count": 144
} | 1,665 |
---
title: Flutter crash reporting
description: >-
How Google uses crash reporting, what is collected, and how to opt out.
---
If you have not opted-out of Flutter's analytics and crash reporting,
when a `flutter` command crashes,
it attempts to send a crash report to Google in order to
help Google contribute improvements to Flutter over time.
A crash report might contain the following information:
* The name and version of your local operating system.
* The version of Flutter used to run the command.
* The runtime type of the error, for example
`StateError` or `NoSuchMethodError`.
* The stack trace generated by the crash, which contains references to
the Flutter CLI's own code and contains no references to
your application code.
* A client ID: a constant and unique number generated for
the computer where Flutter is installed.
It helps us deduplicate multiple identical crash
reports coming from the same computer.
It also helps us verify if a fix works as intended after
you upgrade to the next version of Flutter.
Google handles all data reported by this tool in accordance with the
[Google Privacy Policy][].
You may review the recently reported data in the
`.dart-tool/dart-flutter-telemetry.log` file.
On macOS or Linux, this log is located in the home directory (`~/`).
On Windows, this log is located in the Roaming AppData directory (`%APPDATA%`).
## Disabling analytics reporting
To opt out of anonymous crash reporting and feature
usage statistics, run the following command:
```terminal
$ flutter --disable-analytics
```
If you opt out of analytics, Flutter sends an opt-out event.
This Flutter installation neither sends nor stores any further information.
To opt into analytics, run the following command:
```terminal
$ flutter --enable-analytics
```
To display the current setting, run the following command:
```terminal
$ flutter config
```
[Google Privacy Policy]: https://policies.google.com/privacy
| website/src/reference/crash-reporting.md/0 | {
"file_path": "website/src/reference/crash-reporting.md",
"repo_id": "website",
"token_count": 504
} | 1,666 |
---
title: Deprecated API removed after v3.16
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.16 stable release have been removed.
All affected APIs have been compiled into this
primary source to aid in migration.
To further aid your migration, check out this
[quick reference sheet][].
[Deprecation Policy]: {{site.repo.flutter}}/wiki/Tree-hygiene#deprecation
[quick reference sheet]: /go/deprecations-removed-after-3-16
## Changes
This section lists the deprecations by the package and affected class.
### Button `styleFrom` properties
Package: flutter
Supported by Flutter Fix: yes
The `TextButton`, `ElevatedButton` and `OutlinedButton` widgets all have a
static `styleFrom` method for generating the `ButtonStyle`. The following color
properties of this method for each class were deprecated in v3.1:
* `TextButton.styleFrom`
* `primary`
* `onSurface`
* `ElevatedButton.styleFrom`
* `primary`
* `onPrimary`
* `onSurface`
* `OutlinedButton.styleFrom`
* `primary`
* `onSurface`
These changes better aligned the API with updated Material Design
specifications. The changes also provided more clarity in how the colors would
be applied to the buttons, by replacing these properties with `backgroundColor`,
`foregroundColor`, and `disabledForegroundColor`.
**Migration guide**
Code before migration:
```dart
TextButton.styleFrom(
primary: Colors.red,
onSurface: Colors.black,
);
ElevatedButton.styleFrom(
primary: Colors.red,
onPrimary: Colors.blue,
onSurface: Colors.black,
);
OutlinedButton.styleFrom(
primary: Colors.red,
onSurface: Colors.black,
);
```
Code after migration:
```dart
TextButton.styleFrom(
foregroundColor: Colors.red,
disabledForegroundColor: Colors.black,
);
ElevatedButton.styleFrom(
backgroundColor: Colors.red,
foregroundColor: Colors.blue,
disabledForegroundColor: Colors.black,
);
OutlinedButton.styleFrom(
foregroundColor: Colors.red,
disabledForegroundColor: Colors.black,
);
```
**References**
API documentation:
* [`TextButton`][]
* [`ElevatedButton`][]
* [`OutlinedButton`][]
* [`ButtonStyle`][]
Relevant PRs:
* Deprecated in [#105291][]
* Removed in [#139267][]
[`TextButton`]: {{site.api}}/flutter/material/TextButton-class.html
[`ElevatedButton`]: {{site.api}}/flutter/material/ElevatedButton-class.html
[`OutlinedButton`]: {{site.api}}/flutter/material/OutlinedButton-class.html
[`ButtonStyle`]: {{site.api}}/flutter/material/ButtonStyle-class.html
[#105291]: {{site.repo.flutter}}/pull/105291
[#139267]: {{site.repo.flutter}}/pull/139267
---
### ThemeData.selectedRowColor
Package: flutter
Supported by Flutter Fix: yes
The `selectedRowColor` property of `ThemeData` was deprecated in v3.1.
The property was no longer used by the framework, as widgets using it migrated
to other component themes or no longer required it in the updated specification
for Material Design.
**Migration guide**
Code before migration:
```dart
ThemeData(
// ...
selectedRowColor: Colors.pink, // Would have no effect.
);
```
Code after migration:
```dart
ThemeData(
// ...
// Remove uses.
);
```
**References**
API documentation:
* [`ThemeData`][]
Relevant PRs:
* Deprecated in [#109070][]
* Removed in [#139080][]
[`ThemeData`]: {{site.api}}/flutter/material/ThemeData-class.html
[#109070]: {{site.repo.flutter}}/pull/109070
[#139080]: {{site.repo.flutter}}/pull/139080
---
### NavigatorState.focusScopeNode
Package: flutter
Supported by Flutter Fix: yes
The `focusScopeNode` property of `NavigatorState` was deprecated in v3.1.
This change was made to resolve several issues stemming around the
`FocusScopeNode` introduced by the `Navigator`. Instead, the `FocusScope`
was moved to enclose the topmost `Navigator` in a `WidgetsApp`.
`NavigatorState` was changed to contain its own `FocusNode`, from where it can
refer to its `FocusNode.enclosingScope` to access the correct `FocusScopeNode`.
**Migration guide**
Code before migration:
```dart
Navigator.of(context).focusScopeNode;
```
Code after migration:
```dart
Navigator.of(context).focusNode.enclosingScope!;
```
**References**
API documentation:
* [`Navigator`][]
* [`NavigatorState`][]
* [`FocusScope`][]
* [`FocusScopeNode`][]
* [`FocusNode`][]
Relevant PRs:
* Deprecated in [#109702][]
* Removed in [#139260][]
[`Navigator`]: {{site.api}}/flutter/widgets/Navigator-class.html
[`NavigatorState`]: {{site.api}}/flutter/widgets/NavigatorState-class.html
[`FocusScope`]: {{site.api}}/flutter/widgets/FocusScope-class.html
[`FocusScopeNode`]: {{site.api}}/flutter/widgets/FocusScopeNode-class.html
[`FocusNode`]: {{site.api}}/flutter/widgets/FocusNode-class.html
[#109702]: {{site.repo.flutter}}/pull/109702
[#139260]: {{site.repo.flutter}}/pull/139260
---
### PlatformMenuBar.body
Package: flutter
Supported by Flutter Fix: yes
The `body` property of `PlatformMenuBar` was deprecated in v3.1.
This change was made to align `PlatformMenuBar` with other widgets in the
framework, renaming it to `child`.
**Migration guide**
Code before migration:
```dart
PlatformMenuBar(
body: myWidget,
);
```
Code after migration:
```dart
PlatformMenuBar(
child: myWidget,
);
```
**References**
API documentation:
* [`PlatformMenuBar`][]
Relevant PRs:
* Deprecated in [#104565][]
* Removed in [#138509][]
[`PlatformMenuBar`]: {{site.api}}/flutter/widgets/PlatformMenuBar-class.html
[#104565]: {{site.repo.flutter}}/pull/104565
[#138509]: {{site.repo.flutter}}/pull/138509
---
The [previously announced][] deprecations for `TextTheme`, `WidgetInspectorService`,
and `WidgetInspectorServiceExtensions` were not removed during this cycle.
The `WidgetInspectorService` and `WidgetInspectorServiceExtensions`
deprecation on `setPubRootDirectories` has been extended another year to allow
IDEs and other customer to migrate.
Expect the `TextTheme` deprecations to be removed in the next cycle, which will
be announced again when it comes.
[previously announced]: https://groups.google.com/g/flutter-announce/c/DLnuqZo714o
---
## Timeline
In stable release: 3.19.0
| website/src/release/breaking-changes/3-16-deprecations.md/0 | {
"file_path": "website/src/release/breaking-changes/3-16-deprecations.md",
"repo_id": "website",
"token_count": 2048
} | 1,667 |
---
title: Removal of AssetManifest.json
description: >-
Built Flutter apps will no longer include an AssetManifest.json asset file.
---
## Summary
Flutter apps currently include an asset file named AssetManifest.json. This file
effectively contains a list of assets. Application code can read it using the
[AssetBundle][] API to determine what assets are available at runtime.
The AssetManifest.json file is an undocumented implementation detail.
It's no longer used by the framework, so it will no longer be
generated in a future release.
If your application code needs to get a list of available assets, use
the [AssetManifest][] API instead.
## Migration guide
### Reading asset manifest from Flutter application code
Before:
```dart
import 'dart:convert';
import 'package:flutter/services.dart';
final String assetManifestContent = await rootBundle.loadString('AssetManifest.json');
final Map<Object?, Object?> decodedAssetManifest =
json.decode(assetManifestContent) as Map<String, Object?>;
final List<String> assets = decodedAssetManifest.keys.toList().cast<String>();
```
After:
```dart
import 'package:flutter/services.dart';
final AssetManifest assetManifest = await AssetManifest.loadFromAssetBundle(rootBundle);
final List<String> assets = assetManifest.listAssets();
```
### Reading asset manifest information from Dart code outside of a Flutter app
The `flutter` CLI tool generates a new file, AssetManifest.bin.
This replaces AssetManifest.json.
This file contains the same information of AssetManifest.json, but in a different format.
If you need to be able to read this file from code that is not part of a
Flutter app(and therefore cannot use the [AssetManifest][] API), you can
still parse the file yourself.
The [standard_message_codec][] package can be used to parse the contents.
```dart
import 'dart:io';
import 'dart:typed_data';
import 'package:standard_message_codec/standard_message_codec.dart';
void main() {
// The path to AssetManifest.bin depends on the target platform.
final String pathToAssetManifest = './build/web/assets/AssetManifest.bin';
final Uint8List manifest = File(pathToAssetManifest).readAsBytesSync();
final Map<Object?, Object?> decoded = const StandardMessageCodec()
.decodeMessage(ByteData.sublistView(manifest));
final List<String> assets = decoded.keys.cast<String>().toList();
}
```
Keep in mind that AssetManifest.bin is an implementation detail of Flutter.
Reading this file is not an officially supported workflow. The contents or
format of the file may change in a future release without announcement.
## Timeline
AssetManifest.json will no longer be generated starting with the fourth stable
release after 3.19 or one year after the release of 3.19, whichever comes last.
## References
Relevant issues:
* When building a Flutter app, the flutter tool generates an AssetManifest.json file that is unused by the framework [(Issue #143577)][]
[AssetBundle]: {{site.api}}/flutter/services/AssetBundle-class.html
[AssetManifest]: {{site.api}}/flutter/services/AssetManifest-class.html
[(Issue #143577)]: {{site.repo.flutter}}/issues/143577
[standard_message_codec]: {{site.pub}}/packages/standard_message_codec
| website/src/release/breaking-changes/asset-manifest-dot-json.md/0 | {
"file_path": "website/src/release/breaking-changes/asset-manifest-dot-json.md",
"repo_id": "website",
"token_count": 914
} | 1,668 |
---
title: Clip Behavior
description: >
Flutter unifies clipBehavior and defaults to not clip in most cases.
---
## Summary
Flutter now defaults to _not_ clip except for a few specialized widgets
(such as `ClipRect`). To override the no-clip default,
explicitly set `clipBehavior` in widgets constructions.
## Context
Flutter used to be slow because of clips. For example,
the Flutter gallery app benchmark had an average frame
rasterization time of about 35ms in May 2018,
where the budget for smooth 60fps rendering is 16ms.
By removing unnecessary clips and their related operations,
we saw an almost 2x speedup from 35ms/frame to 17.5ms/frame.
{% comment %}
The following two images are not visible.

Here's a comparison of transition with and without clips.

{% endcomment %}
The biggest cost associated with clipping at that time is that Flutter
used to add a `saveLayer` call after each clip (unless it was a simple
axis-aligned rectangle clip) to avoid the bleeding edge artifacts
as described in [Issue 18057][]. Such behaviors were universal to
material apps through widgets like `Card`, `Chip`, `Button`, and so on,
which resulted in `PhysicalShape` and `PhysicalModel` clipping their content.
A `saveLayer` call is especially expensive in older devices because
it creates an offscreen render target, and a render target switch
can sometimes cost about 1ms.
Even without `saveLayer` call, a clip is still expensive
because it applies to all subsequent draws until it's restored.
Therefore a single clip may slow down the performance on
hundreds of draw operations.
In addition to performance issues, Flutter also suffered from
some correctness issues as the clip was not managed and implemented
in a single place. In several places, `saveLayer` was inserted
in the wrong place and it therefore only increased the performance
cost without fixing any bleeding edge artifacts.
So, we unified the `clipBehavior` control and its implementation in
this breaking change. The default `clipBehavior` is `Clip.none`
for most widgets to save performance, except the following:
* `ClipPath` defaults to `Clip.antiAlias`
* `ClipRRect` defaults to `Clip.antiAlias`
* `ClipRect` defaults to `Clip.hardEdge`
* `Stack` defaults to `Clip.hardEdge`
* `EditableText` defaults to `Clip.hardEdge`
* `ListWheelScrollView` defaults to `Clip.hardEdge`
* `SingleChildScrollView` defaults to `Clip.hardEdge`
* `NestedScrollView` defaults to `Clip.hardEdge`
* `ShrinkWrappingViewport` defaults to `Clip.hardEdge`
## Migration guide
You have 4 choices for migrating your code:
1. Leave your code as is if your content does not need
to be clipped (for example, none of the widgets' children
expand outside their parent's boundary).
This will likely have a positive impact on your app's
overall performance.
2. Add `clipBehavior: Clip.hardEdge` if you need clipping,
and clipping without anti-alias is good enough for your
(and your clients') eyes. This is the common case
when you clip rectangles or shapes with very small curved areas
(such as the corners of rounded rectangles).
3. Add `clipBehavior: Clip.antiAlias` if you need
anti-aliased clipping. This gives you smoother edges
at a slightly higher cost. This is the common case when
dealing with circles and arcs.
4. Add `clip.antiAliasWithSaveLayer` if you want the exact
same behavior as before (May 2018). Be aware that it's
very costly in performance. This is likely to be only
rarely needed. One case where you might need this is if
you have an image overlaid on a very different background color.
In these cases, consider whether you can avoid overlapping
multiple colors in one spot (for example, by having the
background color only present where the image is absent).
For the `Stack` widget specifically, if you previously used
`overflow: Overflow.visible`, replace it with `clipBehavior: Clip.none`.
For the `ListWheelViewport` widget, if you previously specified
`clipToSize`, replace it with the corresponding `clipBehavior`:
`Clip.none` for `clipToSize = false` and
`Clip.hardEdge` for `clipToSize = true`.
Code before migration:
```dart
await tester.pumpWidget(
Directionality(
textDirection: TextDirection.ltr,
child: Center(
child: Stack(
overflow: Overflow.visible,
children: const <Widget>[
SizedBox(
width: 100,
height: 100,
),
],
),
),
),
);
```
Code after migration:
```dart
await tester.pumpWidget(
Directionality(
textDirection: TextDirection.ltr,
child: Center(
child: Stack(
clipBehavior: Clip.none,
children: const <Widget>[
SizedBox(
width: 100.0,
height: 100.0,
),
],
),
),
),
);
```
## Timeline
Landed in version: _various_<br>
In stable release: 2.0.0
## References
API documentation:
* [`Clip`][]
Relevant issues:
* [Issue 13736][]
* [Issue 18057][]
* [Issue 21830][]
Relevant PRs:
* [PR 5420][]: Remove unnecessary saveLayer
* [PR 18576][]: Add Clip enum to Material and related widgets
* [PR 18616][]: Remove saveLayer after clip from dart
* [PR 5647][]: Add ClipMode to ClipPath/ClipRRect and PhysicalShape layers
* [PR 5670][]: Add anti-alias switch to canvas clip calls
* [PR 5853][]: Rename clip mode to clip behavior
* [PR 5868][]: Rename clip to clipBehavior in compositing.dart
* [PR 5973][]: Call drawPaint instead of drawPath if there's clip
* [PR 5952][]: Call drawPath without clip if possible
* [PR 20205][]: Set default clipBehavior to Clip.none and update tests
* [PR 20538][]: Expose clipBehavior to more Material Buttons
* [PR 20751][]: Add customBorder to InkWell so it can clip ShapeBorder
* [PR 20752][]: Set the default clip to Clip.none again
* [PR 21012][]: Add default-no-clip tests to more buttons
* [PR 21703][]: Default clipBehavior of ClipRect to hardEdge
* [PR 21826][]: Missing default hardEdge clip for ClipRectLayer
[PR 5420]: {{site.repo.engine}}/pull/5420
[PR 5647]: {{site.repo.engine}}/pull/5647
[PR 5670]: {{site.repo.engine}}/pull/5670
[PR 5853]: {{site.repo.engine}}/pull/5853
[PR 5868]: {{site.repo.engine}}/pull/5868
[PR 5952]: {{site.repo.engine}}/pull/5952
[PR 5973]: {{site.repo.engine}}/pull/5937
[PR 18576]: {{site.repo.flutter}}/pull/18576
[PR 18616]: {{site.repo.flutter}}/pull/18616
[PR 20205]: {{site.repo.flutter}}/pull/20205
[PR 20538]: {{site.repo.flutter}}/pull/20538
[PR 20751]: {{site.repo.flutter}}/pull/20751
[PR 20752]: {{site.repo.flutter}}/pull/20752
[PR 21012]: {{site.repo.flutter}}/pull/21012
[PR 21703]: {{site.repo.flutter}}/pull/21703
[PR 21826]: {{site.repo.flutter}}/pull/21826
[`Clip`]: {{site.api}}/flutter/dart-ui/Clip.html
[Issue 13736]: {{site.repo.flutter}}/issues/13736
[Issue 18057]: {{site.repo.flutter}}/issues/18057
[Issue 21830]: {{site.repo.flutter}}/issues/21830
| website/src/release/breaking-changes/clip-behavior.md/0 | {
"file_path": "website/src/release/breaking-changes/clip-behavior.md",
"repo_id": "website",
"token_count": 2583
} | 1,669 |
---
title: FloatingActionButton and ThemeData's accent properties
description: >
Remove FloatingActionButton's undocumented use of
the ThemeData accentTextTheme property, and
its unnecessary use of accentIconTheme.
---
## Summary
Removed Flutter's `FloatingActionButton` (FAB) dependency on
`ThemeData` accent properties.
## Context
This was a small part of the [Material Theme System Updates][] project.
Previously, the `ThemeData` [`accentIconTheme`] property was only
used by [`FloatingActionButton`][] to determine the default
color of the text or icons that appeared within the button.
`FloatingActionButton` also used the
`ThemeData accentTextTheme` property,
however this dependency was undocumented and unnecessary.
Both of these dependencies were confusing.
For example if one configured the `Theme`'s `accentIconTheme`
to change the appearance of all floating action buttons,
it was difficult to know what other components would be affected,
or might be affected in the future.
The [Material Design spec][] no longer includes an "accent" color.
The `ColorScheme`'s [secondary color][] is now used instead.
Previously, applications could configure the color of text and icons
within `FloatingActionButtons` with the widget's `foregroundColor`
property, or with the `FloatingActionButtonTheme`'s `foregroundColor`.
If neither `foregroundColor` property was specified, the foreground
color defaulted to the `accentIconTheme`'s color.
With this change, the default behavior uses the color scheme's
`onSecondary` color instead.
## Description of change
Previously, the `accentIconTheme` provided a default for the
`FloatingActionButton`'s `foregroundColor` property:
```dart
final Color foregroundColor = this.foregroundColor
?? floatingActionButtonTheme.foregroundColor
?? theme.accentIconTheme.color // To be removed.
?? theme.colorScheme.onSecondary;
```
Apps that configure their theme's `accentIconTheme`
to effectively configure the `foregroundColor` of all
floating action buttons, can get the same effect by
configuring the `foregroundColor` of their theme's
`floatingActionButtonTheme`.
The `FloatingActionButton`'s `foregroundColor` is now used
to configure the `textStyle` of the `RawMaterialButton`
created by `FloatingActionButton`. Previously,
this text style was based on the button style of
`ThemeData.accentTextTheme`:
```dart
// theme.accentTextTheme becomes theme.textTheme
final TextStyle textStyle = theme.accentTextTheme.button.copyWith(
color: foregroundColor,
letterSpacing: 1.2,
);
```
Except in a case where an app has explicitly configured the
`accentTextTheme` to take advantage of this undocumented dependency,
this use of `accentTextTheme` is unnecessary.
This change replaces this use of `accentTextTheme` with `textTheme`.
## Migration guide
This change occurred in two steps:
1. If the foreground of a `FloatingActionButton` is set
to a non-default color, a warning is now printed.
2. The `accentIconTheme` dependency was removed.
If you haven't already done so, migrate your apps
per the pattern below.
To configure the `FloatingActionButton`'s `foregroundColor`
for all FABs, you can configure the theme's
`floatingActionButtonTheme` instead of its `accentIconTheme`.
Code before migration:
```dart
MaterialApp(
theme: ThemeData(
accentIconTheme: IconThemeData(color: Colors.red),
),
)
```
Code after migration:
```dart
MaterialApp(
theme: ThemeData(
floatingActionButtonTheme: FloatingActionButtonThemeData(
foregroundColor: Colors.red,
),
),
)
```
## Timeline
Landed in version: 1.16.3<br>
In stable release: 1.17
## References
Design doc:
* [Remove FAB Accent Theme Dependency][]
API documentation:
* [`FloatingActionButton`][]
* [`ThemeData`][]
* [`FloatingActionButtonThemeData`][]
Relevant PRs:
* [Step 1 of 2][] Warn about Flutter's
FloatingActionButton dependency on ThemeData accent properties
* [Step 2 of 2][] Remove Flutter's FloatingActionButton dependency
on ThemeData accent properties
Other:
* [Material Theme System Updates][]
[`accentIconTheme`]: {{site.api}}/flutter/material/ThemeData/accentIconTheme.html
[`FloatingActionButton`]: {{site.api}}/flutter/material/FloatingActionButton/foregroundColor.html
[`FloatingActionButtonThemeData`]: {{site.api}}/flutter/material/FloatingActionButtonThemeData-class.html
[Material Design spec]: {{site.material}}/styles/color
[Material Theme System Updates]: /go/material-theme-system-updates
[Remove FAB Accent Theme Dependency]: /go/remove-fab-accent-theme-dependency
[secondary color]: {{site.material}}/styles/color/the-color-system/color-roles#904230ec-ae73-4f0f-8bff-4024a036ca66
[Step 1 of 2]: {{site.repo.flutter}}/pull/48435
[Step 2 of 2]: {{site.repo.flutter}}/pull/46923
[`ThemeData`]: {{site.api}}/flutter/material/ThemeData/floatingActionButtonTheme.html
| website/src/release/breaking-changes/fab-theme-data-accent-properties.md/0 | {
"file_path": "website/src/release/breaking-changes/fab-theme-data-accent-properties.md",
"repo_id": "website",
"token_count": 1417
} | 1,670 |
---
title: Migrate RawKeyEvent/RawKeyboard system to KeyEvent/HardwareKeyboard system
description: >-
The raw key event subsystem has been superseded by the key event subsystem,
and APIs that use RawKeyEvent and RawKeyboard are converted to KeyEvent and
HardwareKeyboard.
---
## Summary
For some time now (years), Flutter has had two key event systems implemented.
The new system reached parity with the old platform-specific raw key event
system, and the raw system has been deprecated.
## Context
In the original key event subsystem, handling each platform's quirks in the
framework and in client apps caused overly complex code, and the old system
didn't properly represent the true state of key events on the system.
The legacy API [`RawKeyboard`][] has been deprecated
and will be removed in the future.
The [`HardwareKeyboard`][] and [`KeyEvent`][] APIs replace this legacy API.
An example of this change is [`FocusNode.onKeyEvent`][]
replacing `FocusNode.onKey`.
The behavior of [`RawKeyboard`][] provided a
less unified and less regular event model
than [`HardwareKeyboard`][] does.
Consider the following examples:
* Down events were not always matched with an up event, and vice versa (the set
of pressed keys was silently updated).
* The logical key of the down event was not always the same as that of the up
event.
* Down events and repeat events were not easily distinguishable (had to be
tracked manually).
* Lock modes (such as CapsLock) only had their "enabled" state recorded. There
was no way to acquire their pressed state.
So, the new [`KeyEvent`][]/[`HardwareKeyboard`][]-based system was born and, to
minimize breaking changes, was implemented in parallel with the old system with
the intention of eventually deprecating the raw system. That time has arrived,
and application developers should migrate their code to avoid breaking changes
that will occur when the deprecated APIs are removed.
## Description of change
Below are the APIs that have been deprecated.
### Deprecated APIs that have an equivalent
* [`Focus.onKey`][] => [`Focus.onKeyEvent`][]
* [`FocusNode.attach`][]'s `onKey` argument => `onKeyEvent` argument
* [`FocusNode.onKey`][] => [`FocusNode.onKeyEvent`][]
* [`FocusOnKeyCallback`][] => [`FocusOnKeyEventCallback`][]
* [`FocusScope.onKey`][] => [`FocusScope.onKeyEvent`][]
* [`FocusScopeNode.onKey`][] => [`FocusScopeNode.onKeyEvent`][]
* [`RawKeyboard`][] => [`HardwareKeyboard`][]
* [`RawKeyboardListener`][] => [`KeyboardListener`][]
* [`RawKeyDownEvent`][] => [`KeyDownEvent`][]
* [`RawKeyEvent`][] => [`KeyEvent`][]
* [`RawKeyUpEvent`][] => [`KeyUpEvent`][]
### APIs that have been discontinued
These APIs are no longer needed once there is only one key event system, or
their functionality is no longer offered.
* [`debugKeyEventSimulatorTransitModeOverride`][]
* [`GLFWKeyHelper`][]
* [`GtkKeyHelper`][]
* [`KeyboardSide`][]
* [`KeyDataTransitMode`][]
* [`KeyEventManager`][]
* [`KeyHelper`][]
* [`KeyMessage`][]
* [`KeyMessageHandler`][]
* [`KeySimulatorTransitModeVariant`][]
* [`ModifierKey`][]
* [`RawKeyEventData`][]
* [`RawKeyEventDataAndroid`][]
* [`RawKeyEventDataFuchsia`][]
* [`RawKeyEventDataIos`][]
* [`RawKeyEventDataLinux`][]
* [`RawKeyEventDataMacOs`][]
* [`RawKeyEventDataWeb`][]
* [`RawKeyEventDataWindows`][]
* [`RawKeyEventHandler`][]
* [`ServicesBinding.keyEventManager`][]
## Migration guide
The Flutter framework libraries have already been migrated.
If your code uses any of the classes or methods listed in
the previous section, migrate to these new APIs.
### Migrating your code that uses `RawKeyEvent`
For the most part, there are equivalent `KeyEvent` APIs available for all of the
`RawKeyEvent` APIs.
Some APIs relating to platform specific information contained in
[`RawKeyEventData`][] objects or their subclasses have been removed and are no
longer supported. One exception is that [`RawKeyEventDataAndroid.eventSource`][]
information is accessible now as [`KeyEvent.deviceType`][] in a more
platform independent form.
#### Migrating `isKeyPressed` and related functions
If the legacy code used the [`RawKeyEvent.isKeyPressed`][],
[`RawKeyEvent.isControlPressed`][], [`RawKeyEvent.isShiftPressed`][],
[`RawKeyEvent.isAltPressed`][], or [`RawKeyEvent.isMetaPressed`][] APIs, there
are now equivalent functions on the [`HardwareKeyboard`][] singleton instance,
but are not available on [KeyEvent]. [`RawKeyEvent.isKeyPressed`][] is available
as [`HardwareKeyboard.isLogicalKeyPressed`][].
Before:
```dart
KeyEventResult _handleKeyEvent(RawKeyEvent keyEvent) {
if (keyEvent.isControlPressed ||
keyEvent.isShiftPressed ||
keyEvent.isAltPressed ||
keyEvent.isMetaPressed) {
print('Modifier pressed: $keyEvent');
}
if (keyEvent.isKeyPressed(LogicalKeyboardKey.keyA)) {
print('Key A pressed.');
}
return KeyEventResult.ignored;
}
```
After:
```dart
KeyEventResult _handleKeyEvent(KeyEvent _) {
if (HardwareKeyboard.instance.isControlPressed ||
HardwareKeyboard.instance.isShiftPressed ||
HardwareKeyboard.instance.isAltPressed ||
HardwareKeyboard.instance.isMetaPressed) {
print('Modifier pressed: $keyEvent');
}
if (HardwareKeyboard.instance.isLogicalKeyPressed(LogicalKeyboardKey.keyA)) {
print('Key A pressed.');
}
return KeyEventResult.ignored;
}
```
#### Setting `onKey` for focus
If the legacy code was using the [`Focus.onKey`][], [`FocusScope.onKey`][],
[`FocusNode.onKey`][], or [`FocusScopeNode.onKey`][] parameters, then there is
an equivalent [`Focus.onKeyEvent`][], [`FocusScope.onKeyEvent`][],
[`FocusNode.onKeyEvent`][], or [`FocusScopeNode.onKeyEvent`][] parameter that
supplies `KeyEvent`s instead of `RawKeyEvent`s.
Before:
```dart
Widget build(BuildContext context) {
return Focus(
onKey: (RawKeyEvent keyEvent) {
print('Key event: $keyEvent');
return KeyEventResult.ignored;
}
child: child,
);
}
```
After:
```dart
Widget build(BuildContext context) {
return Focus(
onKeyEvent: (KeyEvent keyEvent) {
print('Key event: $keyEvent');
return KeyEventResult.ignored;
}
child: child,
);
}
```
#### Repeat key event handling
If you were relying on the [`RawKeyEvent.repeat`][] attribute to determine if a
key was a repeated key event, that has now been separated into a separate
[`KeyRepeatEvent`][] type.
Before:
```dart
KeyEventResult _handleKeyEvent(RawKeyEvent keyEvent) {
if (keyEvent is RawKeyDownEvent) {
print('Key down: ${keyEvent.data.logicalKey.keyLabel}(${keyEvent.repeat ? ' (repeated)' : ''})');
}
return KeyEventResult.ignored;
}
```
After:
```dart
KeyEventResult _handleKeyEvent(KeyEvent _) {
if (keyEvent is KeyDownEvent || keyEvent is KeyRepeatEvent) {
print('Key down: ${keyEvent.logicalKey.keyLabel}(${keyEvent is KeyRepeatEvent ? ' (repeated)' : ''})');
}
return KeyEventResult.ignored;
}
```
Though it is not a subclass of [`KeyDownEvent`][],
a [`KeyRepeatEvent`][] is also a key down event.
Don't assume that `keyEvent is! KeyDownEvent` only allows key up events.
Check both `KeyDownEvent` and `KeyRepeatEvent`.
## Timeline
Landed in version: 3.18.0-7.0.pre<br>
In stable release: 3.19.0
## References
Replacement API documentation:
* [`Focus.onKeyEvent`][]
* [`FocusNode.onKeyEvent`][]
* [`FocusOnKeyEventCallback`][]
* [`FocusScope.onKeyEvent`][]
* [`FocusScopeNode.onKeyEvent`][]
* [`HardwareKeyboard`][]
* [`KeyboardListener`][]
* [`KeyDownEvent`][]
* [`KeyRepeatEvent`][]
* [`KeyEvent`][]
* [`KeyEventHandler`][]
* [`KeyUpEvent`][]
Relevant issues:
* [`RawKeyEvent` and `RawKeyboard`, et al should be deprecated and removed (Issue 136419)][]
Relevant PRs:
* [Deprecate RawKeyEvent, et al. and exempt uses in the framework.][]
[`debugKeyEventSimulatorTransitModeOverride`]: {{site.api}}/flutter/services/debugKeyEventSimulatorTransitModeOverride-class.html
[`Focus.onKey`]: {{site.api}}/flutter/services/Focus/onKey.html
[`FocusNode.attach`]: {{site.api}}/flutter/services/FocusNode/attach.html
[`FocusNode.onKey`]: {{site.api}}/flutter/services/FocusNode/onKey.html
[`FocusOnKeyCallback`]: {{site.api}}/flutter/services/FocusOnKeyCallback-class.html
[`FocusScope.onKey`]: {{site.api}}/flutter/services/FocusScope/onKey.html
[`FocusScopeNode.onKey`]: {{site.api}}/flutter/services/FocusScopeNode/onKey.html
[`GLFWKeyHelper`]: {{site.api}}/flutter/services/GLFWKeyHelper-class.html
[`GtkKeyHelper`]: {{site.api}}/flutter/services/GtkKeyHelper-class.html
[`KeyboardSide`]: {{site.api}}/flutter/services/KeyboardSide-class.html
[`KeyDataTransitMode`]: {{site.api}}/flutter/services/KeyDataTransitMode-class.html
[`KeyEventManager`]: {{site.api}}/flutter/services/KeyEventManager-class.html
[`KeyHelper`]: {{site.api}}/flutter/services/KeyHelper-class.html
[`KeyMessage`]: {{site.api}}/flutter/services/KeyMessage-class.html
[`KeyMessageHandler`]: {{site.api}}/flutter/services/KeyMessageHandler-class.html
[`KeySimulatorTransitModeVariant`]: {{site.api}}/flutter/services/KeySimulatorTransitModeVariant-class.html
[`ModifierKey`]: {{site.api}}/flutter/services/ModifierKey-class.html
[`RawKeyboard`]: {{site.api}}/flutter/services/RawKeyboard-class.html
[`RawKeyboardListener`]: {{site.api}}/flutter/services/RawKeyboardListener-class.html
[`RawKeyDownEvent`]: {{site.api}}/flutter/services/RawKeyDownEvent-class.html
[`RawKeyEvent`]: {{site.api}}/flutter/services/RawKeyEvent-class.html
[`RawKeyEventData`]: {{site.api}}/flutter/services/RawKeyEventData-class.html
[`RawKeyEventDataAndroid`]: {{site.api}}/flutter/services/RawKeyEventDataAndroid-class.html
[`RawKeyEventDataFuchsia`]: {{site.api}}/flutter/services/RawKeyEventDataFuchsia-class.html
[`RawKeyEventDataIos`]: {{site.api}}/flutter/services/RawKeyEventDataIos-class.html
[`RawKeyEventDataLinux`]: {{site.api}}/flutter/services/RawKeyEventDataLinux-class.html
[`RawKeyEventDataMacOs`]: {{site.api}}/flutter/services/RawKeyEventDataMacOs-class.html
[`RawKeyEventDataWeb`]: {{site.api}}/flutter/services/RawKeyEventDataWeb-class.html
[`RawKeyEventDataWindows`]: {{site.api}}/flutter/services/RawKeyEventDataWindows-class.html
[`RawKeyEventHandler`]: {{site.api}}/flutter/services/RawKeyEventHandler-class.html
[`RawKeyUpEvent`]: {{site.api}}/flutter/services/RawKeyUpEvent-class.html
[`ServicesBinding.keyEventManager`]: {{site.api}}/flutter/services/ServicesBinding/keyEventManager.html
[`Focus.onKeyEvent`]: {{site.api}}/flutter/services/Focus/onKeyEvent.html
[`FocusNode.onKeyEvent`]: {{site.api}}/flutter/services/FocusNode/onKeyEvent.html
[`FocusOnKeyEventCallback`]: {{site.api}}/flutter/services/FocusOnKeyEventCallback-class.html
[`FocusScope.onKeyEvent`]: {{site.api}}/flutter/services/FocusScope/onKeyEvent.html
[`FocusScopeNode.onKeyEvent`]: {{site.api}}/flutter/services/FocusScopeNode/onKeyEvent.html
[`HardwareKeyboard`]: {{site.api}}/flutter/services/HardwareKeyboard-class.html
[`HardwareKeyboard.isLogicalKeyPressed`]: {{site.api}}/flutter/services/HardwareKeyboard/isLogicalKeyPressed.html
[`KeyboardListener`]: {{site.api}}/flutter/services/KeyboardListener-class.html
[`KeyDownEvent`]: {{site.api}}/flutter/services/KeyDownEvent-class.html
[`KeyRepeatEvent`]: {{site.api}}/flutter/services/KeyRepeatEvent-class.html
[`KeyEvent`]: {{site.api}}/flutter/services/KeyEvent-class.html
[`KeyEventHandler`]: {{site.api}}/flutter/services/KeyEventHandler-class.html
[`KeyUpEvent`]: {{site.api}}/flutter/services/KeyUpEvent-class.html
[`RawKeyEvent.isKeyPressed`]: {{site.api}}/flutter/services/RawKeyEvent/isKeyPressed.html
[`RawKeyEvent.isControlPressed`]: {{site.api}}/flutter/services/RawKeyEvent/isControlPressed.html
[`RawKeyEvent.isShiftPressed`]: {{site.api}}/flutter/services/RawKeyEvent/isShiftPressed.html
[`RawKeyEvent.isAltPressed`]: {{site.api}}/flutter/services/RawKeyEvent/isAltPressed.html
[`RawKeyEvent.isMetaPressed`]: {{site.api}}/flutter/services/RawKeyEvent/isMetaPressed.html
[`RawKeyEvent.repeat`]: {{site.api}}/flutter/services/RawKeyEvent/repeat.html
[`RawKeyEventDataAndroid.eventSource`]: {{site.api}}/flutter/services/RawKeyEventDataAndroid/eventSource.html
[`KeyEvent.deviceType`]: {{site.api}}/flutter/services/KeyEvent/deviceType.html
[`RawKeyEvent` and `RawKeyboard`, et al should be deprecated and removed (Issue 136419)]: {{site.repo.flutter}}/issues/136419
[Deprecate RawKeyEvent, et al. and exempt uses in the framework.]: {{site.repo.flutter}}/pull/136677
| website/src/release/breaking-changes/key-event-migration.md/0 | {
"file_path": "website/src/release/breaking-changes/key-event-migration.md",
"repo_id": "website",
"token_count": 4159
} | 1,671 |
---
title: Rebuild optimization for OverlayEntries and Routes
description: OverlayEntries only rebuild on explicit state changes.
---
## Summary
This optimization improves performance for route transitions,
but it may uncover missing calls to `setState` in your app.
## Context
Prior to this change, an `OverlayEntry` would rebuild when
a new opaque entry was added on top of it or removed above it.
These rebuilds were unnecessary because they were not triggered
by a change in state of the affected `OverlayEntry`. This
breaking change optimized how we handle the addition and removal of
`OverlayEntry`s, and removes unnecessary rebuilds
to improve performance.
Since the `Navigator` internally puts each `Route` into an
`OverlayEntry` this change also applies to `Route` transitions:
If an opaque `Route` is pushed on top or removed from above another
`Route`, the `Route`s below the opaque `Route`
no longer rebuilds unnecessarily.
## Description of change
In most cases, this change doesn't require any changes to your code.
However, if your app was erroneously relying on the implicit
rebuilds you may see issues, which can be resolved by wrapping
any state change in a `setState` call.
Furthermore, this change slightly modified the shape of the
widget tree: Prior to this change,
the `OverlayEntry`s were wrapped in a `Stack` widget.
The explicit `Stack` widget was removed from the widget hierarchy.
## Migration guide
If you're seeing issues after upgrading to a Flutter version
that included this change, audit your code for missing calls to
`setState`. In the example below, assigning the return value of
`Navigator.pushNamed` to `buttonLabel` is
implicitly modifying the state and it should be wrapped in an
explicit `setState` call.
Code before migration:
```dart
class FooState extends State<Foo> {
String buttonLabel = 'Click Me';
@override
Widget build(BuildContext context) {
return ElevatedButton(
onPressed: () async {
// Illegal state modification that should be wrapped in setState.
buttonLabel = await Navigator.pushNamed(context, '/bar');
},
child: Text(buttonLabel),
);
}
}
```
Code after migration:
```dart
class FooState extends State<Foo> {
String buttonLabel = 'Click Me';
@override
Widget build(BuildContext context) {
return ElevatedButton(
onPressed: () async {
final newLabel = await Navigator.pushNamed(context, '/bar');
setState(() {
buttonLabel = newLabel;
});
},
child: Text(buttonLabel),
);
}
}
```
## Timeline
Landed in version: 1.16.3<br>
In stable release: 1.17
## References
API documentation:
* [`setState`][]
* [`OverlayEntry`][]
* [`Overlay`][]
* [`Navigator`][]
* [`Route`][]
* [`OverlayRoute`][]
Relevant issues:
* [Issue 45797][]
Relevant PRs:
* [Do not rebuild Routes when a new opaque Route is pushed on top][]
* [Reland "Do not rebuild Routes when a new opaque Route is pushed on top"][]
[Do not rebuild Routes when a new opaque Route is pushed on top]: {{site.repo.flutter}}/pull/48900
[Issue 45797]: {{site.repo.flutter}}/issues/45797
[`Navigator`]: {{site.api}}/flutter/widgets/Navigator-class.html
[`Overlay`]: {{site.api}}/flutter/widgets/Overlay-class.html
[`OverlayEntry`]: {{site.api}}/flutter/widgets/OverlayEntry-class.html
[`OverlayRoute`]: {{site.api}}/flutter/widgets/OverlayRoute-class.html
[`Route`]: {{site.api}}/flutter/widgets/Route-class.html
[`setState`]: {{site.api}}/flutter/widgets/State/setState.html
[Reland "Do not rebuild Routes when a new opaque Route is pushed on top"]: {{site.repo.flutter}}/pull/49376
| website/src/release/breaking-changes/overlay-entry-rebuilds.md/0 | {
"file_path": "website/src/release/breaking-changes/overlay-entry-rebuilds.md",
"repo_id": "website",
"token_count": 1135
} | 1,672 |
---
title: SnackBars managed by the ScaffoldMessenger
description: >
SnackBars are now managed by the ScaffoldMessenger, and persist across routes.
---
## Summary
The `SnackBar` API within the `Scaffold` is now handled by the
`ScaffoldMessenger`, one of which is
available by default within the context of a `MaterialApp`.
## Context
Prior to this change, `SnackBar`s would be shown by calling
on the `Scaffold` within the current `BuildContext`.
By calling `Scaffold.of(context).showSnackBar`,
the current `Scaffold` would animate a `SnackBar` into view.
This would only apply to the current `Scaffold`,
and would not persist across routes if they were changed
in the course of the `SnackBar`s presentation.
This would also lead to errors if `showSnackBar`
would be called in the course of executing an
asynchronous event, and the `BuildContext` became invalidated
by the route changing and the `Scaffold` being disposed of.
The `ScaffoldMessenger` now handles `SnackBar`s in order to
persist across routes and always be displayed on the current `Scaffold`.
By default, a root `ScaffoldMessenger` is included in the `MaterialApp`,
but you can create your own controlled scope for the `ScaffoldMessenger`
to further control _which_ `Scaffold`s receive your `SnackBar`s.
## Description of change
The previous approach called upon the `Scaffold` to show a `SnackBar`.
```dart
Scaffold(
key: scaffoldKey,
body: Builder(
builder: (BuildContext context) {
return GestureDetector(
onTap: () {
Scaffold.of(context).showSnackBar(SnackBar(
content: const Text('snack'),
duration: const Duration(seconds: 1),
action: SnackBarAction(
label: 'ACTION',
onPressed: () { },
),
));
},
child: const Text('SHOW SNACK'),
);
},
)
);
```
The new approach calls on the `ScaffoldMessenger` to show
the `SnackBar`. In this case, the `Builder` is no longer
required to provide a new scope with a `BuildContext` that
is "under" the `Scaffold`.
```dart
Scaffold(
key: scaffoldKey,
body: GestureDetector(
onTap: () {
ScaffoldMessenger.of(context).showSnackBar(SnackBar(
content: const Text('snack'),
duration: const Duration(seconds: 1),
action: SnackBarAction(
label: 'ACTION',
onPressed: () { },
),
));
},
child: const Text('SHOW SNACK'),
),
);
```
When presenting a `SnackBar` during a transition,
the `SnackBar` completes a `Hero` animation,
moving smoothly to the next page.
The `ScaffoldMessenger` creates a scope in which all descendant
`Scaffold`s register to receive `SnackBar`s,
which is how they persist across these transitions.
When using the root `ScaffoldMessenger` provided by the
`MaterialApp`, all descendant `Scaffold`s receive `SnackBar`s,
unless a new `ScaffoldMessenger` scope is created further down the tree.
By instantiating your own `ScaffoldMessenger`,
you can control which `Scaffold`s receive `SnackBar`s, and which are not,
based on the context of your application.
The method `debugCheckHasScaffoldMessenger` is available to assert
that a given context has a `ScaffoldMessenger` ancestor.
Trying to present a `SnackBar` without a `ScaffoldMessenger` ancestor
present results in an assertion such as the following:
```nocode
No ScaffoldMessenger widget found.
Scaffold widgets require a ScaffoldMessenger widget ancestor.
Typically, the ScaffoldMessenger widget is introduced by the MaterialApp
at the top of your application widget tree.
```
## Migration guide
Code before migration:
```dart
// The ScaffoldState of the current context was used for managing SnackBars.
Scaffold.of(context).showSnackBar(mySnackBar);
Scaffold.of(context).hideCurrentSnackBar(mySnackBar);
Scaffold.of(context).removeCurrentSnackBar(mySnackBar);
// If a Scaffold.key is specified, the ScaffoldState can be directly
// accessed without first obtaining it from a BuildContext via
// Scaffold.of. From the key, use the GlobalKey.currentState
// getter. This was previously used to manage SnackBars.
final GlobalKey<ScaffoldState> scaffoldKey = GlobalKey<ScaffoldState>();
Scaffold(
key: scaffoldKey,
body: ...,
);
scaffoldKey.currentState.showSnackBar(mySnackBar);
scaffoldKey.currentState.hideCurrentSnackBar(mySnackBar);
scaffoldKey.currentState.removeCurrentSnackBar(mySnackBar);
```
Code after migration:
```dart
// The ScaffoldMessengerState of the current context is used for managing SnackBars.
ScaffoldMessenger.of(context).showSnackBar(mySnackBar);
ScaffoldMessenger.of(context).hideCurrentSnackBar(mySnackBar);
ScaffoldMessenger.of(context).removeCurrentSnackBar(mySnackBar);
// If a ScaffoldMessenger.key is specified, the ScaffoldMessengerState can be directly
// accessed without first obtaining it from a BuildContext via
// ScaffoldMessenger.of. From the key, use the GlobalKey.currentState
// getter. This is used to manage SnackBars.
final GlobalKey<ScaffoldMessengerState> scaffoldMessengerKey = GlobalKey<ScaffoldMessengerState>();
ScaffoldMessenger(
key: scaffoldMessengerKey,
child: ...
)
scaffoldMessengerKey.currentState.showSnackBar(mySnackBar);
scaffoldMessengerKey.currentState.hideCurrentSnackBar(mySnackBar);
scaffoldMessengerKey.currentState.removeCurrentSnackBar(mySnackBar);
// The root ScaffoldMessenger can also be accessed by providing a key to
// MaterialApp.scaffoldMessengerKey. This way, the ScaffoldMessengerState can be directly accessed
// without first obtaining it from a BuildContext via ScaffoldMessenger.of. From the key, use
// the GlobalKey.currentState getter.
final GlobalKey<ScaffoldMessengerState> rootScaffoldMessengerKey = GlobalKey<ScaffoldMessengerState>();
MaterialApp(
scaffoldMessengerKey: rootScaffoldMessengerKey,
home: ...
)
rootScaffoldMessengerKey.currentState.showSnackBar(mySnackBar);
rootScaffoldMessengerKey.currentState.hideCurrentSnackBar(mySnackBar);
rootScaffoldMessengerKey.currentState.removeCurrentSnackBar(mySnackBar);
```
## Timeline
Landed in version: 1.23.0-13.0.pre<br>
In stable release: 2.0.0
## References
API documentation:
* [`Scaffold`][]
* [`ScaffoldMessenger`][]
* [`SnackBar`][]
* [`MaterialApp`][]
Relevant issues:
* [Issue #57218][]
* [Issue #62921][]
Relevant PRs:
* [ScaffoldMessenger][]
* [ScaffoldMessenger Migration][]
[`Scaffold`]: {{site.api}}/flutter/material/Scaffold-class.html
[`ScaffoldMessenger`]: {{site.api}}/flutter/material/ScaffoldMessenger-class.html
[`SnackBar`]: {{site.api}}/flutter/material/SnackBar-class.html
[`MaterialApp`]: {{site.api}}/flutter/material/MaterialApp-class.html
[Issue #57218]: {{site.repo.flutter}}/issues/57218
[Issue #62921]: {{site.repo.flutter}}/issues/62921
[ScaffoldMessenger]: {{site.repo.flutter}}/pull/64101
[ScaffoldMessenger Migration]: {{site.repo.flutter}}/pull/64170
| website/src/release/breaking-changes/scaffold-messenger.md/0 | {
"file_path": "website/src/release/breaking-changes/scaffold-messenger.md",
"repo_id": "website",
"token_count": 2308
} | 1,673 |
---
title: ThemeData's toggleableActiveColor property has been deprecated
description: >
Material Widgets that use toggleableActiveColor property
are migrated to use Material ColorScheme.
---
## Summary
The Material widgets `Switch`, `SwitchListTile`, `Checkbox`,
`CheckboxListTile`, `Radio`, `RadioListTile` now use
`ColorScheme.secondary` color for their toggleable widget.
`ThemeData.toggleableActiveColor` is deprecated and will eventually be removed.
## Context
The migration of widgets that depend on `ThemeData.toggleableActiveColor`
to `ColorScheme.secondary` caused the `toggleableActiveColor` property
to be unnecessary. This property will eventually be removed, as per Flutter's
[deprecation policy](/release/compatibility-policy#deprecation-policy).
## Description of change
The widgets using `ThemeData.toggleableActiveColor` color for the
active/selected state now use `ColorScheme.secondary`.
## Migration guide
Toggleable widgets' active/selected color can generally be customized in 3 ways:
1. Using ThemeData's `ColorScheme.secondary`.
2. Using components themes `SwitchThemeData`, `ListTileThemeData`,
`CheckboxThemeData`, and `RadioThemeData`.
3. By customizing the widget's color properties.
Code before migration:
```dart
MaterialApp(
theme: ThemeData(toggleableActiveColor: myColor),
// ...
);
```
Code after migration:
```dart
final ThemeData theme = ThemeData();
MaterialApp(
theme: theme.copyWith(
switchTheme: SwitchThemeData(
thumbColor: MaterialStateProperty.resolveWith<Color?>(
(Set<MaterialState> states) {
if (states.contains(MaterialState.disabled)) {
return null;
}
if (states.contains(MaterialState.selected)) {
return myColor;
}
return null;
}),
trackColor: MaterialStateProperty.resolveWith<Color?>(
(Set<MaterialState> states) {
if (states.contains(MaterialState.disabled)) {
return null;
}
if (states.contains(MaterialState.selected)) {
return myColor;
}
return null;
}),
),
radioTheme: RadioThemeData(
fillColor: MaterialStateProperty.resolveWith<Color?>(
(Set<MaterialState> states) {
if (states.contains(MaterialState.disabled)) {
return null;
}
if (states.contains(MaterialState.selected)) {
return myColor;
}
return null;
}),
),
checkboxTheme: CheckboxThemeData(
fillColor: MaterialStateProperty.resolveWith<Color?>(
(Set<MaterialState> states) {
if (states.contains(MaterialState.disabled)) {
return null;
}
if (states.contains(MaterialState.selected)) {
return myColor;
}
return null;
}),
),
),
//...
)
```
## Timeline
In stable release: 3.7
## References
API documentation:
* [`ThemeData.toggleableActiveColor`][]
* [`ColorScheme.secondary`][]
Relevant issues:
* [`Switch` widget color doesn't use `ColorScheme`][]
Relevant PRs:
* [Deprecate `toggleableActiveColor`][].
[`ThemeData.toggleableActiveColor`]: {{site.api}}/flutter/material/ThemeData/toggleableActiveColor.html
[`ColorScheme.secondary`]: {{site.api}}/flutter/material/ColorScheme/secondary.html
[`Switch` widget color doesn't use `ColorScheme`]: {{site.repo.flutter}}/issues/93709
[Deprecate `toggleableActiveColor`]: {{site.repo.flutter}}/pull/97972
| website/src/release/breaking-changes/toggleable-active-color.md/0 | {
"file_path": "website/src/release/breaking-changes/toggleable-active-color.md",
"repo_id": "website",
"token_count": 1245
} | 1,674 |
---
title: Change log for Flutter 1.5.4
short-title: 1.5.4 change log
description: Change log for Flutter 1.5.4 containing a list of all PRs merged for this release.
---
## PRs closed in this release of flutter/flutter
From Thu Feb 21 20:22:00 2019 -0800 to Wed May 1 16:56:00 2019 -0700
[21834](https://github.com/flutter/flutter/pull/21834) Add shapeBorder option on App Bar (cla: yes, f: material design, framework)
[21896](https://github.com/flutter/flutter/pull/21896) Bottom sheet scrolling (a: animation, cla: yes, f: material design, f: routes, framework)
[22762](https://github.com/flutter/flutter/pull/22762) Add support for scrollwheels (cla: yes, f: gestures, framework)
[22810](https://github.com/flutter/flutter/pull/22810) build the gallery on PRs (cla: yes, team)
[24476](https://github.com/flutter/flutter/pull/24476) Fix text selection handles showing outside the visible text region (a: text input, cla: yes, framework)
[25164](https://github.com/flutter/flutter/pull/25164) Pan and zoom gallery demo (cla: yes, team, team: gallery)
[25202](https://github.com/flutter/flutter/pull/25202) fix #19175 How should addTime be used from a test? (a: tests, cla: yes, framework, team: gallery, waiting for tree to go green)
[26438](https://github.com/flutter/flutter/pull/26438) Breaks the moveBy call from drag and dragFrom into two separate calls and changes the default behavior of DragStartBehavior to DragStartBehavior.start (cla: yes, f: gestures, framework, severe: API break)
[26785](https://github.com/flutter/flutter/pull/26785) Document that SearchDelegate.buildResults can be called multiple time… (cla: yes, d: api docs, f: material design, framework, team: flakes, team: gallery)
[27034](https://github.com/flutter/flutter/pull/27034) Updated package template .gitignore file (cla: yes, tool)
[27205](https://github.com/flutter/flutter/pull/27205) Fix TextField height issues (a: text input, cla: no, framework)
[27217](https://github.com/flutter/flutter/pull/27217) Fix Shrine overscroll glow indicator (cla: yes, f: material design, framework, team, team: gallery)
[27435](https://github.com/flutter/flutter/pull/27435) Add lerping between LinearGradients with arbitrary number of colors and stops (cla: yes, framework, waiting for tree to go green)
[27572](https://github.com/flutter/flutter/pull/27572) Remove the flutter_shared assets directory from the Gradle script (cla: yes, tool)
[27612](https://github.com/flutter/flutter/pull/27612) Force line height in TextFields with strut (a: text input, a: typography, cla: yes, f: cupertino, f: material design, framework, severe: API break)
[27660](https://github.com/flutter/flutter/pull/27660) Shader warm up (cla: yes, framework, severe: performance)
[27711](https://github.com/flutter/flutter/pull/27711) Make extended FAB's icon optional (a: fidelity, cla: yes, f: material design, framework)
[27712](https://github.com/flutter/flutter/pull/27712) add2app test (a: existing-apps, a: tests, cla: yes, engine, waiting for tree to go green)
[27749](https://github.com/flutter/flutter/pull/27749) Switch flutter_tools from script to app-jit snapshot. (cla: yes, tool)
[27751](https://github.com/flutter/flutter/pull/27751) Add Sample code for FlatButton #21136 (cla: yes, d: api docs, f: material design, framework)
[27811](https://github.com/flutter/flutter/pull/27811) set literal conversions (cla: yes, framework, team)
[27898](https://github.com/flutter/flutter/pull/27898) Add slight clarification to debugDeterministicCursor (a: text input, cla: yes, framework, waiting for tree to go green)
[27903](https://github.com/flutter/flutter/pull/27903) Lazily download artifacts (III): The Revenge of the Sith (cla: yes, tool)
[27904](https://github.com/flutter/flutter/pull/27904) Convert PointerEvent's toString to Diagnosticable (a: debugging, cla: yes, f: gestures, framework)
[27944](https://github.com/flutter/flutter/pull/27944) Add tests (a: tests, cla: yes, tool)
[27971](https://github.com/flutter/flutter/pull/27971) Run non-perf sensitive tests on Cirrus (a: tests, cla: yes, framework, team)
[28001](https://github.com/flutter/flutter/pull/28001) CupertinoTextField: added ability to change placeholder color (a: text input, cla: yes, f: cupertino, framework, waiting for tree to go green)
[28004](https://github.com/flutter/flutter/pull/28004) Paint backgroundColor in CircularProgressIndicator (cla: yes, f: material design, framework)
[28013](https://github.com/flutter/flutter/pull/28013) [Material] Unit test for skipping Slider tick mark due to overdensity (cla: yes, f: material design, framework)
[28017](https://github.com/flutter/flutter/pull/28017) Add more docs to BackdropFilter (cla: yes, d: api docs, framework)
[28097](https://github.com/flutter/flutter/pull/28097) Allow for gradle downloading missing SDK assets (cla: yes, t: gradle, tool)
[28125](https://github.com/flutter/flutter/pull/28125) [Gallery] Fortnightly demo moved from flutter/samples. (cla: yes, team, team: gallery)
[28152](https://github.com/flutter/flutter/pull/28152) Improve hot reload performance (cla: yes, t: hot reload, tool)
[28157](https://github.com/flutter/flutter/pull/28157) Add await to future to please analyzer (cla: yes, framework, team)
[28159](https://github.com/flutter/flutter/pull/28159) [Material] Expand BottomNavigationBar API (reprise) (cla: no, f: material design, framework)
[28163](https://github.com/flutter/flutter/pull/28163) [Material] Add ability to set shadow color and selected shadow color for chips and for chip themes (cla: yes, f: material design, framework)
[28166](https://github.com/flutter/flutter/pull/28166) Add some more CupertinoPicker doc (cla: yes, d: api docs, f: cupertino, framework)
[28168](https://github.com/flutter/flutter/pull/28168) [flutter_tool,fuchsia_tester] Only require a test source dir for coverage (a: tests, cla: yes, tool, ○ platform-fuchsia)
[28169](https://github.com/flutter/flutter/pull/28169) Add/rewrite tests for FocusScope. (a: text input, cla: yes, framework)
[28171](https://github.com/flutter/flutter/pull/28171) deploy to .dev firebase projects. (cla: yes, team)
[28172](https://github.com/flutter/flutter/pull/28172) Add backgroundColor argument to TextStyle for convenience (cla: yes, framework)
[28174](https://github.com/flutter/flutter/pull/28174) No shrinking for BackdropFilter's cull rect (cla: yes, framework, severe: API break, waiting for tree to go green)
[28175](https://github.com/flutter/flutter/pull/28175) Only call Activity.reportFullyDrawn on Lollipop or above (cla: yes, team, team: gallery)
[28193](https://github.com/flutter/flutter/pull/28193) Clean up flutter_gallery.cmx's sandbox (cla: yes, team, team: gallery)
[28214](https://github.com/flutter/flutter/pull/28214) [Material] Add the ability to theme trailing app bar actions independently from leading (cla: yes, f: material design, framework)
[28215](https://github.com/flutter/flutter/pull/28215) Minor UI tweaks to Cards demo based on internal feedback (cla: yes, team, team: gallery)
[28242](https://github.com/flutter/flutter/pull/28242) Add long-press-move support for text fields 2 (a: text input, cla: yes, f: cupertino, f: gestures, f: material design, framework, severe: API break)
[28245](https://github.com/flutter/flutter/pull/28245) [Typo] Update 'use' to 'user' (cla: yes, d: api docs, f: material design, framework)
[28264](https://github.com/flutter/flutter/pull/28264) Fix the length of the valueHelp on the --sample option for the create command, and turn on wrapping. (cla: yes, d: examples, tool)
[28280](https://github.com/flutter/flutter/pull/28280) [fuchsia] Fix paths to find and ls (cla: yes, tool, ○ platform-fuchsia)
[28281](https://github.com/flutter/flutter/pull/28281) Reduce memory benchmark perf tests outer loop to 10. (cla: yes, team)
[28290](https://github.com/flutter/flutter/pull/28290) Text selection via mouse (a: text input, cla: yes, f: gestures, framework)
[28291](https://github.com/flutter/flutter/pull/28291) Reland #27754, now that bsdiff has moved to flutter/packages. (cla: yes, team)
[28295](https://github.com/flutter/flutter/pull/28295) Revert "Allow for gradle downloading missing SDK assets" (cla: yes, tool, ▣ platform-android)
[28296](https://github.com/flutter/flutter/pull/28296) Roll the engine to 5db4b377244bae48bc21e449e616417e68c9a6b9 (cla: yes)
[28297](https://github.com/flutter/flutter/pull/28297) Test reporter (a: tests, cla: yes, team, waiting for tree to go green)
[28302](https://github.com/flutter/flutter/pull/28302) Add basic web device and run support (cla: yes, tool)
[28308](https://github.com/flutter/flutter/pull/28308) Roll engine to 043d92c48abdebdad926569bc204a59c5cf20a11 (cla: yes)
[28309](https://github.com/flutter/flutter/pull/28309) Roll engine to cb0f7ece1f251c78a07550db89d0fcb3edf61e3c (cla: yes)
[28315](https://github.com/flutter/flutter/pull/28315) Roll engine to 33bb91cc15916610261097eb971ec8a11b804d06 (cla: yes)
[28334](https://github.com/flutter/flutter/pull/28334) Remove unused --packages argument to gen_snapshot. (cla: yes, team, tool)
[28341](https://github.com/flutter/flutter/pull/28341) use deviceManager discovery in daemon protocol (cla: yes, tool)
[28343](https://github.com/flutter/flutter/pull/28343) pass --skip-build-script-checks and remove module usage (cla: yes, team)
[28346](https://github.com/flutter/flutter/pull/28346) [flutter_tool,fuchsia] Add missing dep to flutter_tool (cla: yes, team, tool)
[28349](https://github.com/flutter/flutter/pull/28349) Dynamic patching support for native code libraries. (cla: yes, t: gradle, tool, ▣ platform-android)
[28352](https://github.com/flutter/flutter/pull/28352) only perform multi-root mapping if there are multiple roots (cla: yes, tool)
[28355](https://github.com/flutter/flutter/pull/28355) Reland "Allow for gradle downloading missing SDK assets" (#28097) (cla: yes, t: gradle, tool, waiting for tree to go green, ▣ platform-android)
[28356](https://github.com/flutter/flutter/pull/28356) Log pub return code on failure on Windows (cla: yes, tool, ❖ platform-windows)
[28369](https://github.com/flutter/flutter/pull/28369) Add LICENSE test to presubmit checks (cla: yes, team)
[28370](https://github.com/flutter/flutter/pull/28370) Removed trailing whitespace from the end of the CI config (cla: yes, team)
[28371](https://github.com/flutter/flutter/pull/28371) Ensure that the DropdownButton menu respects its parents bounds (cla: yes, f: material design, framework)
[28372](https://github.com/flutter/flutter/pull/28372) V1.2.1 hotfix.1 --- cherry-pick (cla: yes, team)
[28373](https://github.com/flutter/flutter/pull/28373) Mark non-flaky test as such (a: tests, cla: yes, team)
[28376](https://github.com/flutter/flutter/pull/28376) Revert "Shader warm up (#27660)" (cla: yes, team, team: flakes)
[28386](https://github.com/flutter/flutter/pull/28386) remove personal repo and replace with trivial example for smoke test (cla: yes, tool)
[28398](https://github.com/flutter/flutter/pull/28398) fix red build for analysis (a: typography, cla: yes, framework)
[28400](https://github.com/flutter/flutter/pull/28400) update packages (cla: yes, team)
[28431](https://github.com/flutter/flutter/pull/28431) [Gallery] Fix fortnightly analysis for consts. (cla: yes, team, team: gallery)
[28470](https://github.com/flutter/flutter/pull/28470) Throw assertion error when a Hero has a Hero child. (cla: yes, framework, waiting for tree to go green)
[28472](https://github.com/flutter/flutter/pull/28472) Add SHA256 checksums to published metadata (cla: yes, team)
[28477](https://github.com/flutter/flutter/pull/28477) Fix backspace and clear length in AnsiStatus (cla: yes, tool)
[28478](https://github.com/flutter/flutter/pull/28478) Support iOS devices reporting pressure data of 0 (cla: yes, f: cupertino, f: gestures, f: material design, ⚠ TODAY)
[28480](https://github.com/flutter/flutter/pull/28480) increase timeout (a: tests, cla: yes, team, team: flakes)
[28482](https://github.com/flutter/flutter/pull/28482) Fuschia -> Fuchsia (cla: yes, team)
[28517](https://github.com/flutter/flutter/pull/28517) remove json_schema dep again (cla: yes)
[28527](https://github.com/flutter/flutter/pull/28527) Be more strict about finding version number attached to a revision when packaging. (cla: yes, team)
[28530](https://github.com/flutter/flutter/pull/28530) Fix type issue of the timelineEvents assignment (cla: yes)
[28537](https://github.com/flutter/flutter/pull/28537) Reland "Shader warm up (#27660)" (cla: yes, framework, severe: performance)
[28540](https://github.com/flutter/flutter/pull/28540) Add animation curve slowMiddle (a: animation, cla: yes, framework, severe: new feature)
[28546](https://github.com/flutter/flutter/pull/28546) Call onTapCancel when down pointer gets cancelled (cla: yes, f: gestures, framework)
[28555](https://github.com/flutter/flutter/pull/28555) disable dart2js test (a: tests, cla: yes, team)
[28558](https://github.com/flutter/flutter/pull/28558) Fix typo (a: text input, cla: yes, d: api docs, f: material design)
[28597](https://github.com/flutter/flutter/pull/28597) Adjust remaining Cupertino route animations to match native (a: fidelity, cla: yes, f: cupertino, f: routes, waiting for tree to go green)
[28598](https://github.com/flutter/flutter/pull/28598) TextField Snippet for API Docs (cla: yes)
[28602](https://github.com/flutter/flutter/pull/28602) Allow PointerEnterEvent and PointerExitEvents to be created from any PointerEvent (a: desktop, cla: yes, f: gestures, framework, severe: API break)
[28603](https://github.com/flutter/flutter/pull/28603) select ResidentCompiler during FlutterDevice initialization (cla: yes, tool)
[28604](https://github.com/flutter/flutter/pull/28604) Add warnings and an example to the TextEditingController docs (a: text input, cla: yes, d: api docs, framework)
[28607](https://github.com/flutter/flutter/pull/28607) Roll engine to 3e4e6f5c54db7a705e6d50f7f3bddfa2ac0d6612 (cla: yes)
[28608](https://github.com/flutter/flutter/pull/28608) Roll engine to 4434a39c7d545ed47186b2f4d98cd09c8366e720 (cla: yes)
[28614](https://github.com/flutter/flutter/pull/28614) Add convex path and non-AA paint to shader warm-up (cla: yes, framework, p: firebase_performance)
[28619](https://github.com/flutter/flutter/pull/28619) Updated gallery light and dark themes (cla: yes, team, team: gallery)
[28629](https://github.com/flutter/flutter/pull/28629) Make sure everything in the Cupertino page transition can be linear when back swiping (cla: yes, f: cupertino, f: routes, framework)
[28638](https://github.com/flutter/flutter/pull/28638) Fix the test annotation used for test groups (a: tests, cla: yes, framework)
[28653](https://github.com/flutter/flutter/pull/28653) Fix ink highlight effect of RawChip (cla: yes)
[28657](https://github.com/flutter/flutter/pull/28657) Fix spelling errors. (cla: yes, framework)
[28658](https://github.com/flutter/flutter/pull/28658) Include git output into error message from channel command (cla: yes, team, tool)
[28661](https://github.com/flutter/flutter/pull/28661) Use a simpler implementation of Diagnosticable.toString when running in profile/release mode (cla: yes, framework)
[28663](https://github.com/flutter/flutter/pull/28663) Update TabController.indexIsChanging doc (cla: yes, framework)
[28666](https://github.com/flutter/flutter/pull/28666) Make RenderUiKitView reject absorbed touch events (cla: yes, framework)
[28669](https://github.com/flutter/flutter/pull/28669) Drive-by fix for TODO (cla: yes)
[28672](https://github.com/flutter/flutter/pull/28672) Support hotfix version numbers (cla: yes, tool)
[28673](https://github.com/flutter/flutter/pull/28673) Add missing trailing commas (cla: yes, team)
[28675](https://github.com/flutter/flutter/pull/28675) Update docs for ancestorWidgetOfExactType (cla: yes, d: api docs, framework, waiting for tree to go green)
[28679](https://github.com/flutter/flutter/pull/28679) Shader warm-up doc fixes (cla: yes)
[28681](https://github.com/flutter/flutter/pull/28681) Expanded Snippet for API Docs (cla: yes, d: api docs, d: examples)
[28683](https://github.com/flutter/flutter/pull/28683) Remove the old HaTS implementation on API docs (cla: yes, d: api docs)
[28684](https://github.com/flutter/flutter/pull/28684) Add capability to run build_runner tests for tool (cla: yes)
[28687](https://github.com/flutter/flutter/pull/28687) Make shader warm-up async so it can handle image (cla: yes)
[28688](https://github.com/flutter/flutter/pull/28688) Initialize the lifecycle state with initial state in window. Roll engine (19 commits) (cla: yes, customer: mulligan (g3), framework)
[28698](https://github.com/flutter/flutter/pull/28698) Roll engine to 99f3f7a9c246f1ebedc6eefd867cde250b370380 (cla: yes)
[28709](https://github.com/flutter/flutter/pull/28709) improve error messages on Text constructors (cla: yes, framework)
[28734](https://github.com/flutter/flutter/pull/28734) Update README.md (cla: yes)
[28735](https://github.com/flutter/flutter/pull/28735) [Material] Create a FloatingActionButton ThemeData and honor it within the FloatingActionButton (cla: yes, f: material design, framework)
[28736](https://github.com/flutter/flutter/pull/28736) Avoid the overhead of instantiating a generator in paintImage (cla: yes, framework)
[28746](https://github.com/flutter/flutter/pull/28746) Remove timeout from add2app test for iOS (a: tests, cla: yes, team, ⌺ platform-ios)
[28747](https://github.com/flutter/flutter/pull/28747) Part 1: Improve Overlay API (cla: yes, framework)
[28748](https://github.com/flutter/flutter/pull/28748) Revert "Remove the old HaTS implementation on API docs" (cla: yes, d: api docs, team)
[28749](https://github.com/flutter/flutter/pull/28749) Add minimum time gap requirement to double tap (cla: yes, f: gestures, framework)
[28751](https://github.com/flutter/flutter/pull/28751) Expose decorationThickness in TextStyle. Roll engine (12 commits) (a: typography, cla: yes, framework)
[28752](https://github.com/flutter/flutter/pull/28752) FAB Snippet for API Docs (cla: yes, d: api docs, d: examples, f: material design, framework)
[28756](https://github.com/flutter/flutter/pull/28756) Handle Cupertino back gesture interrupted by Navigator push (cla: yes, f: cupertino, framework)
[28759](https://github.com/flutter/flutter/pull/28759) switch tool tests to build runner (cla: yes)
[28799](https://github.com/flutter/flutter/pull/28799) Add semantics label to FadeInImage. (cla: yes, framework)
[28809](https://github.com/flutter/flutter/pull/28809) fix some formatting issues (cla: yes, framework, team)
[28821](https://github.com/flutter/flutter/pull/28821) [fuchsia] Permit relative entries to the fuchsia_tester (cla: yes, tool)
[28845](https://github.com/flutter/flutter/pull/28845) [Material] Fix radio ink ripple to be centered (cla: yes, f: material design, framework)
[28852](https://github.com/flutter/flutter/pull/28852) Update macOS version in tests (a: tests, cla: yes, team)
[28855](https://github.com/flutter/flutter/pull/28855) Move material iOS back swipe test to material (cla: yes, f: cupertino, framework)
[28857](https://github.com/flutter/flutter/pull/28857) Form Snippet for API Docs (cla: yes, d: api docs, d: examples, framework)
[28863](https://github.com/flutter/flutter/pull/28863) Fall-back to platform tools in Android SDK detection logic. (cla: yes, tool, waiting for tree to go green)
[28866](https://github.com/flutter/flutter/pull/28866) Add build script invalidation and snapshotting logic (cla: yes, tool)
[28873](https://github.com/flutter/flutter/pull/28873) Remove extra build_runner modes, remove flutter_build (cla: yes, tool)
[28888](https://github.com/flutter/flutter/pull/28888) Changed flutter.io to flutter.dev on each link on readme file (cla: yes, team)
[28899](https://github.com/flutter/flutter/pull/28899) Roll engine 4f54a1dd9...e6a5201f0 (cla: yes)
[28900](https://github.com/flutter/flutter/pull/28900) Add key support to cupertino button (cla: yes, f: cupertino, framework, waiting for tree to go green)
[28919](https://github.com/flutter/flutter/pull/28919) Always composite PhysicalModels (cla: yes, framework, severe: API break)
[28922](https://github.com/flutter/flutter/pull/28922) Fix crash on flutter update-packages (cla: yes)
[28933](https://github.com/flutter/flutter/pull/28933) Fix indentations of statements in BlockFunctionBody (cla: yes, framework, team)
[28938](https://github.com/flutter/flutter/pull/28938) Add a `flutter create --list-samples` command (cla: yes, tool)
[28944](https://github.com/flutter/flutter/pull/28944) fix missing variable name (cla: yes, framework, waiting for tree to go green)
[28951](https://github.com/flutter/flutter/pull/28951) Quick fix for shader warm up (cla: yes, framework)
[28953](https://github.com/flutter/flutter/pull/28953) Include platformViewId in semantics tree (cla: yes, framework, severe: API break)
[28955](https://github.com/flutter/flutter/pull/28955) Add more doc pointing to the EditableText's rudimentary nature around gesture handling (cla: yes, framework)
[28963](https://github.com/flutter/flutter/pull/28963) Fix for post submit on cirrus (cla: yes)
[28970](https://github.com/flutter/flutter/pull/28970) Fix coverage shard and print summary after test run (cla: yes, waiting for tree to go green)
[28975](https://github.com/flutter/flutter/pull/28975) Revert "Roll engine f4951df193a7..471a2c89a689 (11 commits)" (cla: yes)
[28990](https://github.com/flutter/flutter/pull/28990) Fix MouseTracker annotation leak (cla: yes, f: gestures, framework, waiting for tree to go green)
[29008](https://github.com/flutter/flutter/pull/29008) Update CupertinoTextField (cla: yes, f: cupertino, framework, waiting for tree to go green)
[29010](https://github.com/flutter/flutter/pull/29010) re-enable dart2js test (cla: yes, tool)
[29012](https://github.com/flutter/flutter/pull/29012) Remove doc references to obsolete SemanticsSortOrder (cla: yes)
[29016](https://github.com/flutter/flutter/pull/29016) make coverage work again (cla: yes)
[29020](https://github.com/flutter/flutter/pull/29020) Add integration to all targets (cla: yes)
[29023](https://github.com/flutter/flutter/pull/29023) update readme for LUCI (cla: yes)
[29024](https://github.com/flutter/flutter/pull/29024) Fix CupertinoTabView tree re-shape on view inset change (cla: yes, ⚠ TODAY)
[29025](https://github.com/flutter/flutter/pull/29025) print system time on all mac builds (a: tests, cla: yes, team)
[29030](https://github.com/flutter/flutter/pull/29030) Revert "re-enable dart2js test" (cla: yes)
[29048](https://github.com/flutter/flutter/pull/29048) Use async execution for xcodebuild commands (cla: yes, tool)
[29051](https://github.com/flutter/flutter/pull/29051) fix block formatting (cla: yes, framework, team)
[29053](https://github.com/flutter/flutter/pull/29053) Update to Container Sample Code in API Docs (cla: yes, d: api docs, d: examples, framework)
[29054](https://github.com/flutter/flutter/pull/29054) Deprecate profile() (cla: yes, framework, waiting for tree to go green)
[29056](https://github.com/flutter/flutter/pull/29056) add heartbeat (cla: yes)
[29057](https://github.com/flutter/flutter/pull/29057) Fix Flex class docs by replacing 'vertical space' with 'space on its main axis' so that the language fits both column and row. (cla: yes, framework, waiting for tree to go green)
[29062](https://github.com/flutter/flutter/pull/29062) fix windows codegen (cla: yes, tool)
[29064](https://github.com/flutter/flutter/pull/29064) Revert "Lazily download artifacts (III)" (cla: yes)
[29069](https://github.com/flutter/flutter/pull/29069) Heroes and nested Navigators (a: animation, cla: yes, framework)
[29072](https://github.com/flutter/flutter/pull/29072) Update to ListView Sample Code in API Docs (cla: yes, d: api docs, d: examples, framework)
[29073](https://github.com/flutter/flutter/pull/29073) Make sure test reporter prints out stderr, and disables Bigquery for non-contributors (a: tests, cla: yes, team)
[29093](https://github.com/flutter/flutter/pull/29093) Revert "Fix TextField height issues" (cla: yes)
[29126](https://github.com/flutter/flutter/pull/29126) Cause `flutter analyze` to fail if the analysis server experienced an error. (cla: yes, team, tool)
[29129](https://github.com/flutter/flutter/pull/29129) Update .cirrus.yml (cla: yes)
[29134](https://github.com/flutter/flutter/pull/29134) Properly escape Android SDK Manager path in error message (cla: yes, tool, waiting for tree to go green)
[29138](https://github.com/flutter/flutter/pull/29138) Update DropdownButton underline to be customizable (cla: yes, f: material design)
[29156](https://github.com/flutter/flutter/pull/29156) Fix typo in RefreshIndicator constructor API doc (cla: yes)
[29165](https://github.com/flutter/flutter/pull/29165) Docs edit for Tab Label Color (cla: yes, d: api docs, f: material design, framework)
[29171](https://github.com/flutter/flutter/pull/29171) Only run codegen at start of flutter_test (cla: yes, tool)
[29175](https://github.com/flutter/flutter/pull/29175) Ensure that animated pairs of Tabs TextStyles have matching inherited values (cla: yes, f: material design, framework)
[29179](https://github.com/flutter/flutter/pull/29179) No image shader caching in default shader warm-up (cla: yes, framework)
[29183](https://github.com/flutter/flutter/pull/29183) Implement labelPadding configuration in TabBarTheme (cla: yes, f: material design, framework)
[29188](https://github.com/flutter/flutter/pull/29188) Fix 25807: implement move in sliver multibox widget (cla: yes, f: material design, framework, severe: API break)
[29189](https://github.com/flutter/flutter/pull/29189) MaterialButton shape should override ButtonTheme shape (cla: yes, f: material design, framework)
[29192](https://github.com/flutter/flutter/pull/29192) Update upgrade to rebase and stash local changes. (cla: yes, tool)
[29195](https://github.com/flutter/flutter/pull/29195) Add sample to forEachTween (a: animation, cla: yes, framework)
[29196](https://github.com/flutter/flutter/pull/29196) Detect and cleanup leaky processes (a: tests, cla: yes, team: flakes)
[29200](https://github.com/flutter/flutter/pull/29200) Cupertino localization step 1: add an English arb file (a: internationalization, cla: yes, f: cupertino, framework)
[29229](https://github.com/flutter/flutter/pull/29229) Install JDK and Android SDK only for integration tests (cla: yes, team, waiting for tree to go green)
[29231](https://github.com/flutter/flutter/pull/29231) Adds macOS raw keyboard mapping (a: desktop, cla: yes, framework)
[29236](https://github.com/flutter/flutter/pull/29236) Add skip to group in test_compat (a: tests, cla: yes, framework)
[29245](https://github.com/flutter/flutter/pull/29245) Fix DartDoc for UniqueKey (cla: yes, d: api docs, framework, waiting for tree to go green)
[29247](https://github.com/flutter/flutter/pull/29247) Update flutter_localizations translations (cla: yes)
[29250](https://github.com/flutter/flutter/pull/29250) Text field height attempt 2 (cla: yes, f: cupertino, f: material design, framework)
[29258](https://github.com/flutter/flutter/pull/29258) Add dump-shader-skp flag to flutter tools (cla: yes, tool)
[29273](https://github.com/flutter/flutter/pull/29273) Speculative fix for #29262 (a: tests, cla: yes, team)
[29304](https://github.com/flutter/flutter/pull/29304) Include platformViewId in semantics tree for iOS (a: accessibility, a: platform-views, cla: yes, framework, ⌺ platform-ios)
[29314](https://github.com/flutter/flutter/pull/29314) Revert "Always composite PhysicalModels" (cla: yes)
[29319](https://github.com/flutter/flutter/pull/29319) Revert "Speculative fix for #29262" (cla: yes)
[29321](https://github.com/flutter/flutter/pull/29321) add option for --verbose-system-logs (cla: yes)
[29329](https://github.com/flutter/flutter/pull/29329) Error message when TextSelectionOverlay finds no Overlay (cla: yes, framework)
[29330](https://github.com/flutter/flutter/pull/29330) Revert "Roll engine 31b289f277c6..b1b388f1c235 (7 commits)", Roll to 8b1a299ed instead. (cla: yes)
[29332](https://github.com/flutter/flutter/pull/29332) add assert if length of TabController and number of tabs do not match (cla: yes, f: material design, framework)
[29340](https://github.com/flutter/flutter/pull/29340) guard new formatter behind env var (a: tests, cla: yes, team)
[29342](https://github.com/flutter/flutter/pull/29342) Add semantic label finders (a: accessibility, a: tests, cla: yes, t: flutter driver)
[29363](https://github.com/flutter/flutter/pull/29363) Manual engine roll with goldens (cla: yes)
[29369](https://github.com/flutter/flutter/pull/29369) Update README.md (cla: yes, waiting for tree to go green)
[29374](https://github.com/flutter/flutter/pull/29374) Revert "Manual engine roll with goldens" (cla: yes)
[29377](https://github.com/flutter/flutter/pull/29377) Roll engine to 403337ebb893380101d1fa9cc435ce9b6cfeb22c (cla: yes)
[29383](https://github.com/flutter/flutter/pull/29383) --verbose-logging to verbose-logging in android (cla: yes)
[29385](https://github.com/flutter/flutter/pull/29385) Skip Dialog interaction on macos (cla: yes)
[29386](https://github.com/flutter/flutter/pull/29386) Use fs.identical to compare paths when finding the engine source path (cla: yes)
[29387](https://github.com/flutter/flutter/pull/29387) Make it easier to ensure semantics in widgetTests (a: accessibility, a: tests, cla: yes)
[29389](https://github.com/flutter/flutter/pull/29389) Update SDK constraints to reflect the fact that set literals are being used (cla: yes)
[29390](https://github.com/flutter/flutter/pull/29390) Make expansion panel optionally toggle its state by tapping its header. (cla: yes, f: material design, framework, severe: new feature)
[29395](https://github.com/flutter/flutter/pull/29395) Fix text selection when user is dragging in the opposite direction (a: text input, cla: yes, framework)
[29399](https://github.com/flutter/flutter/pull/29399) Enable code generation features in tool (via opt-in) (cla: yes, tool)
[29403](https://github.com/flutter/flutter/pull/29403) Disable widget inspector scroll test (cla: yes)
[29404](https://github.com/flutter/flutter/pull/29404) Improve flutter test startup time (cla: yes, tool)
[29407](https://github.com/flutter/flutter/pull/29407) [cupertino_icons] Add circle and circle_filled, for radio buttons. (cla: yes, f: cupertino, framework, waiting for tree to go green)
[29413](https://github.com/flutter/flutter/pull/29413) Fix MaterialApp's _navigatorObserver when only builder used (cla: yes, f: material design, framework)
[29434](https://github.com/flutter/flutter/pull/29434) Add builders and engine hash to fingerprint (cla: yes, tool)
[29442](https://github.com/flutter/flutter/pull/29442) Align Snippet for API Docs (cla: yes, d: api docs, d: examples, framework)
[29445](https://github.com/flutter/flutter/pull/29445) Add doc about MediaQuery to Chip (cla: yes, d: api docs, f: material design, framework)
[29451](https://github.com/flutter/flutter/pull/29451) Added opacity to cupertino switch when disabled (cla: yes, f: cupertino)
[29452](https://github.com/flutter/flutter/pull/29452) some spaces formatting (cla: yes, framework, team)
[29454](https://github.com/flutter/flutter/pull/29454) Update another SDK constraint (cla: yes, customer: fuchsia, team)
[29456](https://github.com/flutter/flutter/pull/29456) Fix for sometimes packages file is an APK (cla: yes)
[29461](https://github.com/flutter/flutter/pull/29461) Remove explicit frame schedule (cla: yes, tool)
[29463](https://github.com/flutter/flutter/pull/29463) Make real JSON in arb (cla: yes, f: cupertino, framework)
[29467](https://github.com/flutter/flutter/pull/29467) prevent stream notifications from interfering with reload (a: tests, cla: yes, team)
[29469](https://github.com/flutter/flutter/pull/29469) fix asset reloading (cla: yes, tool)
[29474](https://github.com/flutter/flutter/pull/29474) Let CupertinoTextField's clear button also call onChanged (cla: yes, f: cupertino, framework, waiting for tree to go green)
[29494](https://github.com/flutter/flutter/pull/29494) initial work on coverage generating script for tool (cla: yes, tool)
[29499](https://github.com/flutter/flutter/pull/29499) Set custom flutter_assets by add FLTAssetsPath to AppFrameworkInfo.plist (cla: yes, tool, waiting for tree to go green)
[29528](https://github.com/flutter/flutter/pull/29528) Ensure that assumed formatting of properties file is correct (cla: yes, tool)
[29532](https://github.com/flutter/flutter/pull/29532) Reland composite physical layers on all platforms (cla: yes, customer: dream (g3), customer: fuchsia, framework)
[29540](https://github.com/flutter/flutter/pull/29540) Improve Navigator documentation (cla: yes)
[29563](https://github.com/flutter/flutter/pull/29563) Avoid flickering while dragging to select text (cla: yes, f: material design, framework)
[29564](https://github.com/flutter/flutter/pull/29564) Update progress indicator API docs (cla: yes, f: material design, framework)
[29566](https://github.com/flutter/flutter/pull/29566) Manually roll engine to 5088735e5f (a: tests, cla: yes, framework)
[29568](https://github.com/flutter/flutter/pull/29568) make build runner configurable (cla: yes, team)
[29572](https://github.com/flutter/flutter/pull/29572) DropdownButton Icon customizability (cla: yes, f: material design, framework)
[29604](https://github.com/flutter/flutter/pull/29604) added friendlier error for invalid AndroidManifest.xml (cla: yes, tool, ▣ platform-android)
[29619](https://github.com/flutter/flutter/pull/29619) make literals const for @immutable constructors (cla: yes, team)
[29621](https://github.com/flutter/flutter/pull/29621) Update PULL_REQUEST_TEMPLATE.md (cla: yes, team)
[29623](https://github.com/flutter/flutter/pull/29623) Revert "Reland composite physical layers on all platforms" (cla: yes, framework)
[29625](https://github.com/flutter/flutter/pull/29625) Fix typo in flutter_tools (cla: yes, tool)
[29627](https://github.com/flutter/flutter/pull/29627) Manual engine roll for 2019-03-19 (cla: yes)
[29630](https://github.com/flutter/flutter/pull/29630) Add heart shapes to CupertinoIcons (cla: yes, f: cupertino, framework)
[29632](https://github.com/flutter/flutter/pull/29632) Enable platform views for Flutter Gallery on iOS. (cla: yes, team, team: gallery)
[29633](https://github.com/flutter/flutter/pull/29633) Download secondary SDK (cla: yes, tool)
[29638](https://github.com/flutter/flutter/pull/29638) Fix transition to stock details (cla: yes, team, team: gallery)
[29641](https://github.com/flutter/flutter/pull/29641) Fix links on homepage of API docs (cla: yes, d: api docs, framework)
[29644](https://github.com/flutter/flutter/pull/29644) Cupertino localization step 3: in-place move some material tools around to make room for cupertino (cla: yes, f: cupertino, f: material design, framework)
[29650](https://github.com/flutter/flutter/pull/29650) Cupertino localization step 4: let generated date localization combine material and cupertino locales (cla: yes, f: cupertino, f: material design, framework)
[29654](https://github.com/flutter/flutter/pull/29654) Include brackets on OutlineButton doc (cla: yes, d: api docs, f: material design, framework)
[29669](https://github.com/flutter/flutter/pull/29669) Speed up CI via mojave-flutter image (a: tests, cla: yes, team)
[29677](https://github.com/flutter/flutter/pull/29677) Fix calculation of hero rectTween when Navigator isn't fullscreen (a: animation, cla: yes, customer: solaris, framework, waiting for tree to go green)
[29684](https://github.com/flutter/flutter/pull/29684) Revert last 2 engine rolls. (cla: yes)
[29693](https://github.com/flutter/flutter/pull/29693) Use source list from the compiler to track invalidated files for hot reload. (cla: yes, t: hot reload, tool)
[29697](https://github.com/flutter/flutter/pull/29697) Embedding new diagrams for API Docs (cla: yes, d: api docs, d: examples, framework)
[29699](https://github.com/flutter/flutter/pull/29699) Fix more tests for ANSI terminals (cla: yes, tool)
[29701](https://github.com/flutter/flutter/pull/29701) Reland composite physical layers for all platforms (cla: yes, framework)
[29708](https://github.com/flutter/flutter/pull/29708) Cupertino localization step 5: add french arb as translated example (cla: yes, f: cupertino, framework)
[29721](https://github.com/flutter/flutter/pull/29721) Use Dart version in script cache check (cla: yes, tool)
[29747](https://github.com/flutter/flutter/pull/29747) Allowing adding/updating packages during hot reload (cla: yes)
[29754](https://github.com/flutter/flutter/pull/29754) Revert "Enable platform views for Flutter Gallery on iOS." (cla: yes)
[29758](https://github.com/flutter/flutter/pull/29758) Linking Higher & Lower Class Docs (cla: yes, d: api docs, framework)
[29760](https://github.com/flutter/flutter/pull/29760) some formatting of map, parameters and spaces (cla: yes, framework, team)
[29764](https://github.com/flutter/flutter/pull/29764) update fuchsia-attach to configure dev_finder location (cla: yes, tool)
[29767](https://github.com/flutter/flutter/pull/29767) Cupertino localization step 6: add a GlobalCupertinoLocalizations base class with date time formatting (cla: yes, f: cupertino)
[29768](https://github.com/flutter/flutter/pull/29768) Directly depend on frontend_server tool in fuchsia_attach (cla: yes, tool)
[29769](https://github.com/flutter/flutter/pull/29769) Add support for text selection via mouse to Cupertino text fields (cla: yes, f: cupertino, framework)
[29771](https://github.com/flutter/flutter/pull/29771) Set Max Height for ListTile trailing and leading widgets (cla: yes, f: material design, framework)
[29779](https://github.com/flutter/flutter/pull/29779) Removes unnecessary "new" in documentation (cla: yes)
[29780](https://github.com/flutter/flutter/pull/29780) Revert "Update upgrade to rebase and stash local changes." (cla: yes)
[29783](https://github.com/flutter/flutter/pull/29783) Fix cache location, artifacts, and re-enable dart2js test (cla: yes, tool)
[29785](https://github.com/flutter/flutter/pull/29785) Lazy cache 4: A New Hope (cla: yes, tool)
[29786](https://github.com/flutter/flutter/pull/29786) Update upgrade to stash local changes and reset off of hotfix branches (cla: yes, tool)
[29811](https://github.com/flutter/flutter/pull/29811) TextField Validator Height Docs (cla: yes, f: material design, framework)
[29817](https://github.com/flutter/flutter/pull/29817) roll engine to 5f8ae420c1ac61bbbb26e61251d129c879fc788d (cla: yes)
[29818](https://github.com/flutter/flutter/pull/29818) dont fail build if codegen fails (cla: yes, tool)
[29821](https://github.com/flutter/flutter/pull/29821) Cupertino localization step 1.5: fix a resource mismatch in cupertino_en.arb (cla: yes, f: cupertino, framework)
[29822](https://github.com/flutter/flutter/pull/29822) Cupertino localization step 7: modularize material specific things out of gen_localizations.dart (cla: yes, f: cupertino, framework)
[29824](https://github.com/flutter/flutter/pull/29824) Cupertino localization step 8: create a gen_cupertino_localizations and generate one for cupertino english and french (cla: yes, f: cupertino, framework)
[29860](https://github.com/flutter/flutter/pull/29860) Move binarySearch to foundation. (cla: yes, framework)
[29861](https://github.com/flutter/flutter/pull/29861) Wrap Timeline calls in assert for material/about.dart (cla: yes)
[29883](https://github.com/flutter/flutter/pull/29883) Watch wildcard directories in addition to asset bundle (cla: yes, tool)
[29885](https://github.com/flutter/flutter/pull/29885) ensure packages file is updated when using build_runner (cla: yes, tool)
[29908](https://github.com/flutter/flutter/pull/29908) Update Twitter handle @flutterio -> @FlutterDev (cla: yes, team, team: gallery)
[29928](https://github.com/flutter/flutter/pull/29928) Limit the semantic nodes ID range to 2^16 (cla: yes, framework)
[29929](https://github.com/flutter/flutter/pull/29929) Remove tranparent paint hack from BackdropFilter (cla: yes, framework)
[29938](https://github.com/flutter/flutter/pull/29938) Pass FLUTTER_TOOL_ARGS to snapshot command. (cla: yes, tool)
[29942](https://github.com/flutter/flutter/pull/29942) [fuchsia] Fix flutter_tool BUILD.gn deps (cla: yes, tool)
[29943](https://github.com/flutter/flutter/pull/29943) Remove unwanted gap between navigation bar and safe area's child (cla: yes, f: cupertino, framework)
[29946](https://github.com/flutter/flutter/pull/29946) Let CupertinoPageScaffold have tap status bar to scroll to top (cla: yes, f: cupertino)
[29980](https://github.com/flutter/flutter/pull/29980) Fix issue with account drawer header arrow rotating when setState is called (cla: yes, f: material design)
[29985](https://github.com/flutter/flutter/pull/29985) Revert "Lazy cache 4" (cla: yes)
[29986](https://github.com/flutter/flutter/pull/29986) Lazy cache 5: The Empire Strikes Back (cla: yes, tool)
[29987](https://github.com/flutter/flutter/pull/29987) update CupertinoSwitch documentation (cla: yes, d: api docs, f: cupertino, framework)
[29989](https://github.com/flutter/flutter/pull/29989) Avoid overwriting task result for non-leak checkers (a: tests, cla: yes, team, tool)
[29993](https://github.com/flutter/flutter/pull/29993) Adds the keyboard mapping for Linux (a: desktop, cla: yes, framework)
[29998](https://github.com/flutter/flutter/pull/29998) Fix edge cases of PointerEventConverter (cla: yes, framework, waiting for tree to go green)
[30019](https://github.com/flutter/flutter/pull/30019) Update to latest matcher (cla: yes, team)
[30032](https://github.com/flutter/flutter/pull/30032) Introduce --report-timings flag for flutter build aot command. (cla: yes, tool)
[30040](https://github.com/flutter/flutter/pull/30040) Implement focus traversal for desktop platforms, shoehorn edition. (a: desktop, cla: yes, framework, severe: API break)
[30048](https://github.com/flutter/flutter/pull/30048) Document that Hero needs to be present on destination page's zero frame (cla: yes, d: api docs, f: material design, framework)
[30053](https://github.com/flutter/flutter/pull/30053) Make timeout durations configurable (cla: yes, tool)
[30055](https://github.com/flutter/flutter/pull/30055) Change -c to --enable-asserts (cla: yes)
[30058](https://github.com/flutter/flutter/pull/30058) Draggable Scrollable sheet (cla: yes, framework)
[30059](https://github.com/flutter/flutter/pull/30059) Added link to Hero animation docs from Hero docs (cla: yes, d: api docs, f: material design, framework)
[30071](https://github.com/flutter/flutter/pull/30071) Move spinner `_defaultSlowWarning` message to a new line (cla: yes, tool)
[30075](https://github.com/flutter/flutter/pull/30075) Ensure that flutter run/drive/test/update_packages only downloads required artifacts (cla: yes, tool)
[30078](https://github.com/flutter/flutter/pull/30078) Add more test coverage to image handling (cla: yes, framework)
[30082](https://github.com/flutter/flutter/pull/30082) skip .dart_tool folders when running update-packages (cla: yes)
[30115](https://github.com/flutter/flutter/pull/30115) Forward missing pub commands (cla: yes, tool)
[30123](https://github.com/flutter/flutter/pull/30123) Fix OutlineInputBorder crash (cla: yes, f: material design, framework)
[30129](https://github.com/flutter/flutter/pull/30129) Fix refresh control in the gallery demo, update comments (cla: yes, f: cupertino, framework)
[30139](https://github.com/flutter/flutter/pull/30139) Intercept errors thrown by synchronous Completers in image resolution. (cla: yes)
[30141](https://github.com/flutter/flutter/pull/30141) Fix a misuse of matchesGoldenFile() in the physical_model_test. (cla: yes)
[30145](https://github.com/flutter/flutter/pull/30145) Error message for setting shaderWarmUp too late (cla: yes)
[30153](https://github.com/flutter/flutter/pull/30153) Allow disabling experimental commands, devices on stable branch (cla: yes, tool)
[30160](https://github.com/flutter/flutter/pull/30160) Cupertino localization 1.9: add needed singular resource for cupertino_en.arb (cla: yes, f: cupertino, framework)
[30194](https://github.com/flutter/flutter/pull/30194) Change order of studies in flutter_gallery (cla: yes)
[30195](https://github.com/flutter/flutter/pull/30195) V1.4.5 hotfixes again (cla: yes)
[30198](https://github.com/flutter/flutter/pull/30198) roll engine to 82765aa77db9621dfbc50801ee2709aa0a00e04d (cla: yes)
[30201](https://github.com/flutter/flutter/pull/30201) update sample code analyzer regexp & test case (cla: yes, d: api docs, team, tool)
[30204](https://github.com/flutter/flutter/pull/30204) disable jit snapshot (cla: yes)
[30205](https://github.com/flutter/flutter/pull/30205) Add missing test case and handle wildcard removal (cla: yes)
[30206](https://github.com/flutter/flutter/pull/30206) Made the showMenu() position parameter required (cla: yes)
[30212](https://github.com/flutter/flutter/pull/30212) Added assert to prevent complete ListTile trailing/leading horizontal expansion (cla: yes, f: material design, framework)
[30215](https://github.com/flutter/flutter/pull/30215) Check for invalid elevations (cla: yes, customer: dream (g3), customer: fuchsia, framework, severe: customer critical, ○ platform-fuchsia)
[30216](https://github.com/flutter/flutter/pull/30216) make sure flutter test asks for cache upgrades (cla: yes)
[30218](https://github.com/flutter/flutter/pull/30218) [fuchsia_tester] Plumb through the location of icudtl (cla: yes, tool)
[30219](https://github.com/flutter/flutter/pull/30219) Added helpful Material assert message (cla: yes, f: material design, framework)
[30222](https://github.com/flutter/flutter/pull/30222) Add coverage benchmark (cla: yes)
[30227](https://github.com/flutter/flutter/pull/30227) Simplify logic of TapGestureRecognizer (cla: yes, framework)
[30228](https://github.com/flutter/flutter/pull/30228) Make heroes fly on pushReplacement (cla: yes, f: routes, framework)
[30232](https://github.com/flutter/flutter/pull/30232) Revert "Ensure that flutter run/drive/test/update_packages only downloads required artifacts" (cla: yes)
[30235](https://github.com/flutter/flutter/pull/30235) Warn on uncomitted changes (cla: yes, tool)
[30254](https://github.com/flutter/flutter/pull/30254) Reland: Ensure that flutter run/drive/test/update_packages only downloads required artifacts (cla: yes, tool)
[30275](https://github.com/flutter/flutter/pull/30275) Implement compute for async function (#16265) (cla: yes, framework)
[30276](https://github.com/flutter/flutter/pull/30276) Random trivial fixes in the animation packages (a: animation, cla: yes, framework, waiting for tree to go green)
[30304](https://github.com/flutter/flutter/pull/30304) no need .toList() before .join() (cla: yes, framework)
[30305](https://github.com/flutter/flutter/pull/30305) shorter nullable list duplications (cla: yes, framework, waiting for tree to go green)
[30327](https://github.com/flutter/flutter/pull/30327) Add "feature request" issue template (cla: yes, team)
[30339](https://github.com/flutter/flutter/pull/30339) Add buttons to gestures (a: desktop, cla: yes, framework)
[30343](https://github.com/flutter/flutter/pull/30343) ExpansionPanelList and ExpansionPanelList.radio documentation (cla: yes, d: api docs, f: material design, framework)
[30346](https://github.com/flutter/flutter/pull/30346) Make sure _handleAppFrame is only registered once per frame (cla: yes, framework)
[30348](https://github.com/flutter/flutter/pull/30348) RaisedButton Sample Code Update for Diagrams (cla: yes, d: api docs, d: examples, framework)
[30353](https://github.com/flutter/flutter/pull/30353) Fix minor typo (cla: yes, f: material design, framework)
[30390](https://github.com/flutter/flutter/pull/30390) [Material] Update slider and slider theme with new sizes, shapes, and color mappings (cla: yes, f: material design, framework)
[30398](https://github.com/flutter/flutter/pull/30398) Embedding new raised button diagram. (cla: yes, d: api docs, d: examples, framework, waiting for tree to go green)
[30414](https://github.com/flutter/flutter/pull/30414) Remove pressure customization from some pointer events (cla: yes, framework, severe: API break)
[30415](https://github.com/flutter/flutter/pull/30415) Add 29 Widget of the Week videos (cla: yes, d: api docs, framework)
[30422](https://github.com/flutter/flutter/pull/30422) Commit a navigator.pop as soon as the back swipe is lifted (cla: yes, framework)
[30428](https://github.com/flutter/flutter/pull/30428) Update repair command for Arch Linux (cla: yes, tool)
[30451](https://github.com/flutter/flutter/pull/30451) Bump dartdocs to 0.28.3 (cla: yes, d: api docs, framework)
[30452](https://github.com/flutter/flutter/pull/30452) Moar Videos (cla: yes, d: api docs, framework)
[30453](https://github.com/flutter/flutter/pull/30453) Updating sample code for BottomNavigationBar class for diagram. (cla: yes, d: api docs, d: examples, framework, waiting for tree to go green)
[30455](https://github.com/flutter/flutter/pull/30455) Prevent vertical scroll in shrine by ensuring card size fits the screen (cla: yes, f: material design, framework, team, team: gallery, waiting for tree to go green)
[30456](https://github.com/flutter/flutter/pull/30456) make shellcheck (linter) changes to bin/flutter bash script (cla: yes, tool)
[30457](https://github.com/flutter/flutter/pull/30457) Touching the screen adds `0x01` to buttons (cla: yes, framework)
[30458](https://github.com/flutter/flutter/pull/30458) [fuchsia] Fix isolate filter (cla: yes, customer: fuchsia, tool)
[30460](https://github.com/flutter/flutter/pull/30460) Fix gallery API doc URL launcher (cla: yes, team, team: gallery)
[30461](https://github.com/flutter/flutter/pull/30461) Be more explicit when ValueNotifier notifies (cla: yes, d: api docs, framework, waiting for tree to go green)
[30463](https://github.com/flutter/flutter/pull/30463) Revert "Error message for setting shaderWarmUp too late (#30145)" (cla: yes, framework, waiting for tree to go green)
[30468](https://github.com/flutter/flutter/pull/30468) Embedding diagram for BottomNavigationBar. (cla: yes, d: api docs, d: examples, framework)
[30470](https://github.com/flutter/flutter/pull/30470) Fixed Table flex column layout error #30437 (cla: yes, framework)
[30475](https://github.com/flutter/flutter/pull/30475) Trackpad mode crash fix (cla: yes, f: material design, framework, ⌺ platform-ios)
[30497](https://github.com/flutter/flutter/pull/30497) Add confirmDismiss example to flutter_gallery (cla: yes, f: material design, team: gallery)
[30513](https://github.com/flutter/flutter/pull/30513) Fix issue 21640: Assertion Error : '_listenerAttached': is not true (cla: yes, framework)
[30521](https://github.com/flutter/flutter/pull/30521) Provide a default IconTheme in CupertinoTheme (cla: yes, f: cupertino, framework)
[30525](https://github.com/flutter/flutter/pull/30525) Fix cursor outside of input width (cla: yes, f: material design, framework)
[30527](https://github.com/flutter/flutter/pull/30527) Cupertino localization step 11: add more translation clarifications in the instructions (cla: yes, f: cupertino, framework)
[30530](https://github.com/flutter/flutter/pull/30530) Let docker image install fastlane too for Linux (cla: yes)
[30531](https://github.com/flutter/flutter/pull/30531) Correct MaterialButton disabledColor (cla: yes)
[30535](https://github.com/flutter/flutter/pull/30535) Correctly synthesise event buttons (cla: yes, waiting for tree to go green)
[30537](https://github.com/flutter/flutter/pull/30537) Embedded images and added variations to ListTile sample code (cla: yes, d: api docs, f: material design, framework)
[30562](https://github.com/flutter/flutter/pull/30562) Replace flutter.io with flutter.dev (a: first hour, a: quality, cla: yes)
[30563](https://github.com/flutter/flutter/pull/30563) Fixed a typo in the Expanded API doc (cla: yes, d: api docs, framework)
[30570](https://github.com/flutter/flutter/pull/30570) Bump dartdocs to 0.28.3+1 (cla: yes)
[30572](https://github.com/flutter/flutter/pull/30572) [Material] Adaptive Slider constructor (cla: yes, f: material design, framework)
[30578](https://github.com/flutter/flutter/pull/30578) Mark ios-deploy version 2.0.0 as bad (cla: yes, tool)
[30579](https://github.com/flutter/flutter/pull/30579) PointerDownEvent and PointerMoveEvent default `buttons` to 1 (a: desktop, cla: yes, framework, severe: API break)
[30594](https://github.com/flutter/flutter/pull/30594) Update README.md (a: first hour, a: quality, cla: yes)
[30612](https://github.com/flutter/flutter/pull/30612) Added required parameters to FlexibleSpaceBarSettings (cla: yes, f: material design, framework)
[30626](https://github.com/flutter/flutter/pull/30626) Add sample for ValueListenable (cla: yes, d: api docs, framework)
[30640](https://github.com/flutter/flutter/pull/30640) Add `const Border.uniformSide()` (cla: yes, framework)
[30643](https://github.com/flutter/flutter/pull/30643) Add Form.onSaved (a: desktop, cla: yes, framework)
[30644](https://github.com/flutter/flutter/pull/30644) Make FormField._validate() return void (cla: yes, framework)
[30645](https://github.com/flutter/flutter/pull/30645) Add docs to FormFieldValidator (cla: yes, framework)
[30648](https://github.com/flutter/flutter/pull/30648) Allow downloading of desktop embedding artifacts (a: desktop, cla: yes, tool)
[30667](https://github.com/flutter/flutter/pull/30667) Fix additional @mustCallSuper indirect overrides and mixins (cla: yes, framework)
[30746](https://github.com/flutter/flutter/pull/30746) Baseline Aligned Row (cla: yes, f: material design, framework)
[30747](https://github.com/flutter/flutter/pull/30747) Print warning if flutter drive is run in debug (a: tests, cla: yes, t: flutter driver)
[30754](https://github.com/flutter/flutter/pull/30754) [Material] Fix showDialog crasher caused by old contexts (cla: yes, f: material design, framework)
[30755](https://github.com/flutter/flutter/pull/30755) Register Gradle wrapper as universal artifact (cla: yes)
[30760](https://github.com/flutter/flutter/pull/30760) fix cast NPE in invokeListMethod and invokeMapMethod (cla: yes, framework)
[30767](https://github.com/flutter/flutter/pull/30767) Mark cubic_bezier_perf__timeline_summary nonflaky (cla: yes)
[30792](https://github.com/flutter/flutter/pull/30792) Rename Border.uniform() -> Border.fromSide() (cla: yes, framework)
[30793](https://github.com/flutter/flutter/pull/30793) Revert "Add Form.onSaved" (cla: yes, f: material design, framework)
[30796](https://github.com/flutter/flutter/pull/30796) Unbounded TextField width error (cla: yes, f: material design, framework)
[30800](https://github.com/flutter/flutter/pull/30800) Update ListTile sample snippets to use Material Scaffold Template (cla: yes, d: api docs, f: material design, framework)
[30805](https://github.com/flutter/flutter/pull/30805) Update ExpansionPanelList Samples with Scaffold Template (cla: yes, d: api docs, f: material design, framework)
[30809](https://github.com/flutter/flutter/pull/30809) Fix issue 23527: Exception: RenderViewport exceeded its maximum numb… (cla: yes, framework)
[30811](https://github.com/flutter/flutter/pull/30811) Make coverage, like, really fast (cla: yes, tool)
[30814](https://github.com/flutter/flutter/pull/30814) Fix StatefulWidget and StatelessWidget Sample Documentation (cla: yes, d: api docs, framework)
[30815](https://github.com/flutter/flutter/pull/30815) Make CupertinoNavigationBarBackButton correctly return an assert error (cla: yes, f: cupertino)
[30818](https://github.com/flutter/flutter/pull/30818) New flag to `flutter drive` to skip installing fresh app on device (cla: yes, tool)
[30828](https://github.com/flutter/flutter/pull/30828) add golden tests for CupertinoDatePicker (cla: yes, f: cupertino, f: date/time picker, framework)
[30829](https://github.com/flutter/flutter/pull/30829) Keep hover annotation layers in sync with the mouse detector. (a: desktop, cla: yes, framework)
[30832](https://github.com/flutter/flutter/pull/30832) Bump Android build tools to 28.0.3 in Dockerfile (cla: yes, team)
[30837](https://github.com/flutter/flutter/pull/30837) Add semanticsLabel parameter to TextSpan (cla: yes)
[30857](https://github.com/flutter/flutter/pull/30857) Added support for authentication codes for the VM service. (a: tests, cla: yes, tool)
[30862](https://github.com/flutter/flutter/pull/30862) CupertinoDatePicker initialDateTime accounts for minuteInterval (cla: yes, f: cupertino, framework)
[30867](https://github.com/flutter/flutter/pull/30867) Add toggle for debugProfileWidgetBuilds (cla: yes, tool)
[30871](https://github.com/flutter/flutter/pull/30871) Update the upload key which seems to have trouble for some reason (a: tests, cla: yes, team)
[30873](https://github.com/flutter/flutter/pull/30873) Revert "Remove pressure customization from some pointer events" (cla: yes)
[30876](https://github.com/flutter/flutter/pull/30876) Simplify toImage future handling (cla: yes, framework)
[30880](https://github.com/flutter/flutter/pull/30880) Let `sliver.dart` `_createErrorWidget` work with other Widgets (cla: yes, framework)
[30883](https://github.com/flutter/flutter/pull/30883) Fix iTunes Transporter quirk (cla: yes)
[30884](https://github.com/flutter/flutter/pull/30884) [Material] Update TabController to support dynamic Tabs (cla: yes, f: material design, framework)
[30886](https://github.com/flutter/flutter/pull/30886) Allow mouse hover to only respond to some mouse events but not all. (cla: yes)
[30887](https://github.com/flutter/flutter/pull/30887) Add more dialog doc cross-reference (cla: yes, d: api docs)
[30898](https://github.com/flutter/flutter/pull/30898) Check that ErrorWidget.builder is not modified after test (a: tests, cla: yes, framework, waiting for tree to go green)
[30919](https://github.com/flutter/flutter/pull/30919) Manual engine roll with disabled service authentication codes (cla: yes)
[30921](https://github.com/flutter/flutter/pull/30921) Use identical instead of '==' in a constant expression. (cla: yes)
[30930](https://github.com/flutter/flutter/pull/30930) Revert "Manual engine roll with disabled service authentication codes" (cla: yes)
[30932](https://github.com/flutter/flutter/pull/30932) 2d transforms UX improvements (cla: yes, framework, team: gallery)
[30937](https://github.com/flutter/flutter/pull/30937) Backport fixes into v1.4.9 (cla: yes, team)
[30938](https://github.com/flutter/flutter/pull/30938) Update keycodes, fix a comment. (a: desktop, cla: yes, framework)
[30942](https://github.com/flutter/flutter/pull/30942) rectMoreOrLess equals, prep for 64bit rects (a: tests, cla: yes, f: material design, framework)
[30946](https://github.com/flutter/flutter/pull/30946) Add some more cupertino icons (cla: yes, f: cupertino, framework)
[30985](https://github.com/flutter/flutter/pull/30985) Add rrect contains microbenchmark (a: tests, cla: yes, severe: performance, waiting for tree to go green)
[30990](https://github.com/flutter/flutter/pull/30990) Allow profile widget builds in profile mode (cla: yes, severe: performance, team)
[30991](https://github.com/flutter/flutter/pull/30991) Use full height of the glyph for caret height on Android (a: fidelity, a: text input, a: typography, cla: yes, severe: API break)
[30995](https://github.com/flutter/flutter/pull/30995) revert last 2 engine rolls (cla: yes)
[30997](https://github.com/flutter/flutter/pull/30997) Fix the warning test by checking stderr (cla: yes)
[30998](https://github.com/flutter/flutter/pull/30998) Revert "revert last 2 engine rolls" (cla: yes)
[31000](https://github.com/flutter/flutter/pull/31000) Fix bugs in contrast guideline and improve heuristic (cla: yes)
[31005](https://github.com/flutter/flutter/pull/31005) [scenic] Remove dead view_manager ref (cla: yes, customer: fuchsia, team: gallery, ○ platform-fuchsia)
[31063](https://github.com/flutter/flutter/pull/31063) Download and handle product version of flutter patched sdk (cla: yes, tool)
[31064](https://github.com/flutter/flutter/pull/31064) Add sorting to flutter version command (cla: yes, tool)
[31073](https://github.com/flutter/flutter/pull/31073) Fuchsia step 1: add SDK version file and artifact download (cla: yes, tool)
[31074](https://github.com/flutter/flutter/pull/31074) make flutterProject option of CoverageCollector optional (cla: yes, tool)
[31088](https://github.com/flutter/flutter/pull/31088) Text field scroll physics (cla: yes, f: cupertino, f: material design, framework)
[31092](https://github.com/flutter/flutter/pull/31092) Add null checks to coverage collection (cla: yes)
[31093](https://github.com/flutter/flutter/pull/31093) Make the matchesGoldenFile docs link to an explanation of how to create golden image files (cla: yes, framework)
[31097](https://github.com/flutter/flutter/pull/31097) Fix text field selection toolbar under Opacity (cla: yes, framework)
[31109](https://github.com/flutter/flutter/pull/31109) Clarify various CupertinoTabView docs (cla: yes, f: cupertino, framework)
[31148](https://github.com/flutter/flutter/pull/31148) Bump dartdoc to 0.28.3+2 (cla: yes)
[31159](https://github.com/flutter/flutter/pull/31159) Revert "Use full height of the glyph for caret height on Android" (cla: yes, framework)
[31171](https://github.com/flutter/flutter/pull/31171) Allow disabling all fingerprint caches via environment variable (cla: yes, tool)
[31178](https://github.com/flutter/flutter/pull/31178) Add breadcrumb to docs (cla: yes)
[31205](https://github.com/flutter/flutter/pull/31205) Add desktop projects and build commands (experimental) (a: desktop, cla: yes, tool)
[31207](https://github.com/flutter/flutter/pull/31207) fix issue 12999: Make assets available during tests (cla: yes, framework, tool)
[31210](https://github.com/flutter/flutter/pull/31210) Use full height of the glyph for caret height on Android v2 (a: text input, cla: yes, framework)
[31216](https://github.com/flutter/flutter/pull/31216) Disable macOS integration tests (cla: yes)
[31218](https://github.com/flutter/flutter/pull/31218) Add run capability for macOS target (a: desktop, cla: yes, ⌘ platform-mac)
[31228](https://github.com/flutter/flutter/pull/31228) Fix ExpansionPanelList Duplicate Global Keys Exception (cla: yes, f: material design, framework, severe: crash)
[31229](https://github.com/flutter/flutter/pull/31229) Add flutter run support for linux and windows (a: desktop, cla: yes, tool)
[31262](https://github.com/flutter/flutter/pull/31262) Add track-widget-creation flag to attach command (cla: yes)
[31267](https://github.com/flutter/flutter/pull/31267) remove the unused hintMessage and hintId fields from the reload results (cla: yes)
[31273](https://github.com/flutter/flutter/pull/31273) add daemon.log to the daemon spec (cla: yes)
[31275](https://github.com/flutter/flutter/pull/31275) Update SnackBar to allow for support of the new style from Material spec (cla: yes, f: material design, framework)
[31277](https://github.com/flutter/flutter/pull/31277) pass track widget creation flag through to build script (a: desktop, cla: yes, tool)
[31278](https://github.com/flutter/flutter/pull/31278) add --force flag to precache (cla: yes)
[31279](https://github.com/flutter/flutter/pull/31279) Add flutter attach documentation (cla: yes)
[31282](https://github.com/flutter/flutter/pull/31282) Stop precaching the artifacts for dynamic mode. (cla: yes, tool)
[31283](https://github.com/flutter/flutter/pull/31283) Add desktop workflows to doctor (a: desktop, cla: yes, tool)
[31291](https://github.com/flutter/flutter/pull/31291) Add some docs to StatefulBuilder (cla: yes, framework)
[31294](https://github.com/flutter/flutter/pull/31294) Improve Radio Documentation with Example (cla: yes, d: api docs, f: material design, framework)
[31295](https://github.com/flutter/flutter/pull/31295) Improve ThemeData.accentColor connection to secondary color (cla: yes, d: api docs, f: material design, framework)
[31310](https://github.com/flutter/flutter/pull/31310) Updated flutter_driver to support auth codes (cla: yes)
[31315](https://github.com/flutter/flutter/pull/31315) Fixed failing tests caused by introduction of authentication codes (cla: yes)
[31316](https://github.com/flutter/flutter/pull/31316) Add InkWell docs on transitions and ink splash clipping (cla: yes, d: api docs, f: material design, framework)
[31321](https://github.com/flutter/flutter/pull/31321) Fixed flutter_attach_test not respecting authentication codes (cla: yes)
[31326](https://github.com/flutter/flutter/pull/31326) Add more shuffle cupertino icons (cla: yes, f: cupertino, framework)
[31329](https://github.com/flutter/flutter/pull/31329) Add Xcode build script for macOS target (a: desktop, cla: yes, tool, ⌘ platform-mac)
[31332](https://github.com/flutter/flutter/pull/31332) iOS selection handles are invisible (cla: yes, framework, ⌺ platform-ios)
[31339](https://github.com/flutter/flutter/pull/31339) Revert "[Material] Update slider and slider theme with new sizes, shapes, and color mappings" (cla: yes)
[31342](https://github.com/flutter/flutter/pull/31342) check if project exists before regenerating platform specific tooling (cla: yes, tool)
[31359](https://github.com/flutter/flutter/pull/31359) Remove support for building dynamic patches on Android (cla: yes, tool)
[31395](https://github.com/flutter/flutter/pull/31395) Roll engine ca31a7c57bad..206cab6e7013 (11 commits) (cla: yes)
[31399](https://github.com/flutter/flutter/pull/31399) add ignorable track-widget-creation flag to build aot (cla: yes, tool)
[31400](https://github.com/flutter/flutter/pull/31400) add printError messages and tool exit to android device (cla: yes, tool)
[31404](https://github.com/flutter/flutter/pull/31404) throw toolExit instead of rethrowing on filesystem exceptions (cla: yes, tool)
[31406](https://github.com/flutter/flutter/pull/31406) if there is no .ios or ios sub-project, don't attempt building for iOS (cla: yes, tool)
[31419](https://github.com/flutter/flutter/pull/31419) Add a note about events coming from the server (cla: yes, tool)
[31420](https://github.com/flutter/flutter/pull/31420) Add more breadcrumb docs to Transformation (cla: yes, framework)
[31421](https://github.com/flutter/flutter/pull/31421) Add Widget of the Week video to SizedBox (cla: yes, framework)
[31434](https://github.com/flutter/flutter/pull/31434) Add more context to flutter create sample (cla: yes)
[31446](https://github.com/flutter/flutter/pull/31446) Allow filtering devices to only those supported by current project (cla: yes, tool)
[31451](https://github.com/flutter/flutter/pull/31451) Set SYMROOT as absolute in Generated.xcconfig for macOS (cla: yes)
[31452](https://github.com/flutter/flutter/pull/31452) Remove engine tests (a: tests, cla: yes, team, waiting for tree to go green)
[31454](https://github.com/flutter/flutter/pull/31454) Improve docs to address flutter/flutter#31202 (cla: yes)
[31456](https://github.com/flutter/flutter/pull/31456) Relax the string matching for path in test (cla: yes)
[31461](https://github.com/flutter/flutter/pull/31461) Revert "Implement focus traversal for desktop platforms, shoehorn edition. (#30040)" (cla: yes)
[31463](https://github.com/flutter/flutter/pull/31463) Disable all Dart fingerprinters (cla: yes)
[31464](https://github.com/flutter/flutter/pull/31464) CupertinoPicker fidelity revision (a: fidelity, cla: yes, f: cupertino, f: date/time picker, framework)
[31486](https://github.com/flutter/flutter/pull/31486) fix precedence issue (cla: yes, team: gallery)
[31491](https://github.com/flutter/flutter/pull/31491) Allow adb stdout to contain the port number without failing (cla: yes, tool, ▣ platform-android)
[31493](https://github.com/flutter/flutter/pull/31493) Keycode generation doc fix (a: desktop, cla: yes, d: api docs, framework)
[31497](https://github.com/flutter/flutter/pull/31497) Revert "Fix 25807: implement move for sliver multibox widget (#29188)" (cla: yes, framework)
[31502](https://github.com/flutter/flutter/pull/31502) Improve Tabs documentation (cla: yes, d: api docs, f: material design, framework)
[31505](https://github.com/flutter/flutter/pull/31505) add desktop artifacts to run/target_platform selectors (cla: yes)
[31515](https://github.com/flutter/flutter/pull/31515) Support local engine and asset sync for macOS (cla: yes, tool)
[31520](https://github.com/flutter/flutter/pull/31520) Don't add empty OpacityLayer to the engine (cla: yes, engine, framework)
[31526](https://github.com/flutter/flutter/pull/31526) replace no-op log reader with real implementation (cla: yes, tool)
[31538](https://github.com/flutter/flutter/pull/31538) Fix typo in docs (cla: yes, f: material design, framework)
[31561](https://github.com/flutter/flutter/pull/31561) Add support for Tooltip hover (cla: yes)
[31562](https://github.com/flutter/flutter/pull/31562) Allow all tests to run with --update-goldens. (cla: yes)
[31564](https://github.com/flutter/flutter/pull/31564) [Material] Update slider and slider theme with new sizes, shapes, and color mappings (2nd attempt) (cla: yes)
[31566](https://github.com/flutter/flutter/pull/31566) TimePicker moves to minute mode after hour selection (cla: yes, f: material design, framework)
[31567](https://github.com/flutter/flutter/pull/31567) Remove need for build/name scripts on Linux desktop (a: desktop, cla: yes)
[31568](https://github.com/flutter/flutter/pull/31568) fix transform assert (cla: yes, framework)
[31569](https://github.com/flutter/flutter/pull/31569) Roll engine to 3e47b4bb39bb4993f03a278ea7b1c11ee6459b06 (cla: yes)
[31578](https://github.com/flutter/flutter/pull/31578) Add support for the Kazakh language (cla: yes)
[31582](https://github.com/flutter/flutter/pull/31582) Issues/31511 (cla: yes)
[31584](https://github.com/flutter/flutter/pull/31584) Capture JSON RPC errors that presently get swallowed (cla: yes)
[31591](https://github.com/flutter/flutter/pull/31591) make sure we exit early if the Runner.xcodeproj file is missing (cla: yes, tool)
[31600](https://github.com/flutter/flutter/pull/31600) Re-enable const (cla: yes, framework, waiting for tree to go green)
[31614](https://github.com/flutter/flutter/pull/31614) [Re-Land] Implement focus traversal for desktop platforms. (cla: yes)
[31616](https://github.com/flutter/flutter/pull/31616) Make FlutterPlatform public so we can start testing/refactoring it (cla: yes)
[31619](https://github.com/flutter/flutter/pull/31619) Fix the documentation for UiKitView#creationParams (cla: yes, framework)
[31621](https://github.com/flutter/flutter/pull/31621) Add check that xcode project configuration is not missing (cla: yes)
[31622](https://github.com/flutter/flutter/pull/31622) refactor context to be implicit-downcast safe (cla: yes)
[31623](https://github.com/flutter/flutter/pull/31623) fix edge swiping and dropping back at starting point (cla: yes, f: cupertino, framework)
[31634](https://github.com/flutter/flutter/pull/31634) Improve canvas example in sample dart ui app (cla: yes, d: api docs, d: examples, framework)
[31638](https://github.com/flutter/flutter/pull/31638) Fix doc link (cla: yes)
[31642](https://github.com/flutter/flutter/pull/31642) Refactor the test compiler into a separate library (cla: yes)
[31687](https://github.com/flutter/flutter/pull/31687) Center iOS caret, remove constant offsets that do not scale (a: text input, cla: yes, framework, ⌺ platform-ios)
[31692](https://github.com/flutter/flutter/pull/31692) Revert "Add support for Tooltip hover (#31561)" (cla: yes)
[31693](https://github.com/flutter/flutter/pull/31693) Adds a note to Radio's/RadioListTile's onChange (cla: yes, d: api docs, f: material design, framework)
[31696](https://github.com/flutter/flutter/pull/31696) Attempt to reduce usage of runtimeType (cla: yes, framework)
[31736](https://github.com/flutter/flutter/pull/31736) update packages and unpin build (cla: yes, tool)
[31757](https://github.com/flutter/flutter/pull/31757) Make FlutterProject factories synchronous (cla: yes, tool)
[31759](https://github.com/flutter/flutter/pull/31759) Remove deprecated commands (cla: yes, tool)
[31761](https://github.com/flutter/flutter/pull/31761) Support clipBehavior changes in hot reload (cla: yes, framework)
[31762](https://github.com/flutter/flutter/pull/31762) Remove trailing whitespace from README template (cla: yes)
[31765](https://github.com/flutter/flutter/pull/31765) Initial sketch of tools testbed (cla: yes, tool)
[31771](https://github.com/flutter/flutter/pull/31771) Fix a simple typo (cla: yes)
[31795](https://github.com/flutter/flutter/pull/31795) Revert "update packages and unpin build" (cla: yes)
[31800](https://github.com/flutter/flutter/pull/31800) Revert "Fix text field selection toolbar under Opacity" (cla: yes)
[31801](https://github.com/flutter/flutter/pull/31801) Revert "Add buttons to gestures" (cla: yes)
[31802](https://github.com/flutter/flutter/pull/31802) Reland "Fix text field selection toolbar under Opacity (#31097)" (cla: yes, framework)
[31804](https://github.com/flutter/flutter/pull/31804) only build asset when there is asset declared in pubspec (cla: yes, framework, tool)
[31807](https://github.com/flutter/flutter/pull/31807) Make const available for classes that override AssetBundle (cla: yes, tool)
[31812](https://github.com/flutter/flutter/pull/31812) Fix #31764: Show appropriate error message when fonts pubspec.yaml isn't iterable (cla: yes, tool)
[31815](https://github.com/flutter/flutter/pull/31815) remove assert (cla: yes)
[31819](https://github.com/flutter/flutter/pull/31819) Redo: Add buttons to gestures (a: desktop, cla: yes, framework)
[31832](https://github.com/flutter/flutter/pull/31832) Allow DSS to be dragged when its children do not fill extent (cla: yes, f: scrolling, framework, waiting for tree to go green)
[31835](https://github.com/flutter/flutter/pull/31835) Cherry-pick ADB CrOS fix to beta (cla: yes, tool)
[31860](https://github.com/flutter/flutter/pull/31860) Fix prefer_const_constructors (cla: yes)
[31862](https://github.com/flutter/flutter/pull/31862) iOS selection handles are invisible (#31332) (cla: yes)
[31868](https://github.com/flutter/flutter/pull/31868) Handle notification errors (cla: yes, tool, waiting for tree to go green)
[31871](https://github.com/flutter/flutter/pull/31871) Pick up v1.5.4-hotfix-2 engine for flutter 1.5.4 hotfix branch (cla: yes)
[31874](https://github.com/flutter/flutter/pull/31874) add stderr to log processor for desktop (cla: yes)
[31876](https://github.com/flutter/flutter/pull/31876) Revert "fix edge swiping and dropping back at starting point" (cla: yes)
[31886](https://github.com/flutter/flutter/pull/31886) Revert "Handle notification errors" (cla: yes)
## PRs closed in this release of flutter/engine
From Thu Feb 21 20:22:00 2019 -0800 to Wed May 1 16:56:00 2019 -0700
[7494](https://github.com/flutter/engine/pull/7494) Add engine support for scrollwheel events (cla: yes)
[7776](https://github.com/flutter/engine/pull/7776) Support ContextWrapper when instantiating a FlutterView. (cla: yes)
[7783](https://github.com/flutter/engine/pull/7783) Refactor ios play input sound logic. (cla: yes)
[7803](https://github.com/flutter/engine/pull/7803) [re-land] Use all font managers to discover fonts for strut. (cla: yes)
[7828](https://github.com/flutter/engine/pull/7828) Revert Versions API (cla: yes)
[7851](https://github.com/flutter/engine/pull/7851) Improve path metrics tests and docs (cla: yes)
[7888](https://github.com/flutter/engine/pull/7888) Reland #7777 with proper LICENSE (cla: yes)
[7896](https://github.com/flutter/engine/pull/7896) Android Embedding PR 6: Introduce FlutterView structure with FlutterSurfaceView and FlutterTextureView. (cla: yes)
[7906](https://github.com/flutter/engine/pull/7906) Do not add ghost runs for trailing whitespace if the text is ellipsized (cla: yes)
[7908](https://github.com/flutter/engine/pull/7908) Link dart:* sources into engine for debugger source support (affects: dev experience, affects: engine, cla: yes)
[7911](https://github.com/flutter/engine/pull/7911) Reland "PerformanceOverlayLayer golden test (#7863)" (cla: yes)
[7912](https://github.com/flutter/engine/pull/7912) Android PR 7: Introduce structure of FlutterActivity and FlutterFragment (cla: yes)
[7913](https://github.com/flutter/engine/pull/7913) Revert dart rolls (cla: yes)
[7914](https://github.com/flutter/engine/pull/7914) Allow embedder to specify a vsync waiter. (cla: yes)
[7915](https://github.com/flutter/engine/pull/7915) Embedder API for setting the persistent cache path (cla: yes)
[7916](https://github.com/flutter/engine/pull/7916) Revert "Revert "Revert "Reland PerformanceOverlayLayer golden test (#… (cla: yes)
[7917](https://github.com/flutter/engine/pull/7917) Allow embedders to add events to the timeline. (cla: yes)
[7919](https://github.com/flutter/engine/pull/7919) fix Memory leak when using PlatformView [IOS] #24714 (cla: yes)
[7923](https://github.com/flutter/engine/pull/7923) Move canvas clear after preroll (cla: yes)
[7925](https://github.com/flutter/engine/pull/7925) Make the layout of dynamic patch bundle similar to APK. (cla: yes)
[7926](https://github.com/flutter/engine/pull/7926) Remove unused FML file export.h (cla: yes)
[7927](https://github.com/flutter/engine/pull/7927) Dynamic patching support for native code libraries. (cla: yes)
[7928](https://github.com/flutter/engine/pull/7928) New setting to decide whether we want the engine to load ICU mapping. (cla: yes)
[7929](https://github.com/flutter/engine/pull/7929) Do not clear FlutterJNI state when a FlutterView is detached (cla: yes)
[7937](https://github.com/flutter/engine/pull/7937) fix sendLocales on old android versions (cla: yes)
[7942](https://github.com/flutter/engine/pull/7942) Correct FlutterSemanticsNode member name style (cla: yes)
[7946](https://github.com/flutter/engine/pull/7946) Android Embedding PR 8: Add FlutterEngine attachment/detachment to FlutterView (cla: yes)
[7947](https://github.com/flutter/engine/pull/7947) Android Embedding PR 9: Introduce an AndroidTouchProcessor to convert MotionEvents to Flutter touch data. (cla: yes)
[7953](https://github.com/flutter/engine/pull/7953) libtxt: remove a debug log message in ComputeStrut (cla: yes)
[7954](https://github.com/flutter/engine/pull/7954) Fixed an Android keyboard entry bug that was introduced by the embedding refactor. (#28438) (cla: yes)
[7960](https://github.com/flutter/engine/pull/7960) Android Embedding PR 10: Add system channels to FlutterEngine. (cla: yes)
[7964](https://github.com/flutter/engine/pull/7964) Fix cursor jumping when typing some special characters. (cla: yes)
[7967](https://github.com/flutter/engine/pull/7967) Add api 21 check to LocalizationChannel.java (cla: yes)
[7968](https://github.com/flutter/engine/pull/7968) Switch flutter's dart sdk to full and add dartdevc libraries (cla: yes)
[7972](https://github.com/flutter/engine/pull/7972) Android Embedding PR 11: Add FlutterEngine to FlutterFragment. (cla: yes)
[7973](https://github.com/flutter/engine/pull/7973) Suppress deprecation warning for usage of Configuration.locale (cla: yes)
[7974](https://github.com/flutter/engine/pull/7974) Android Embedding PR 12: Add lifecycle methods to FlutterActivity. (cla: yes)
[7975](https://github.com/flutter/engine/pull/7975) [macos] Add hover support to FLEViewController (cla: yes)
[7978](https://github.com/flutter/engine/pull/7978) Refactor web configuration/ Add dartdevc (cla: yes)
[7979](https://github.com/flutter/engine/pull/7979) Android Embedding PR 13: Integrated text input, keyevent input, and some other channel comms in FlutterView. (cla: yes)
[7982](https://github.com/flutter/engine/pull/7982) Fix deleting text when the last character is some special characters on IOS (cla: yes)
[7985](https://github.com/flutter/engine/pull/7985) Add async events to pipeline flows. (cla: yes)
[7986](https://github.com/flutter/engine/pull/7986) Check for a null pressure range for motion events (cla: yes)
[7988](https://github.com/flutter/engine/pull/7988) Provide batching for semantics updates (cla: yes)
[7990](https://github.com/flutter/engine/pull/7990) Improve performance of Locale.toString (cla: yes)
[7991](https://github.com/flutter/engine/pull/7991) Select MPL instead of LGPL (cla: yes)
[7993](https://github.com/flutter/engine/pull/7993) Fix two typos in embedder.h (cla: yes)
[7997](https://github.com/flutter/engine/pull/7997) Fix spelling errors in dartdocs (cla: yes)
[7999](https://github.com/flutter/engine/pull/7999) Buffer lifecycle in WindowData (cla: yes)
[8000](https://github.com/flutter/engine/pull/8000) Android Embedding PR 14: Almost done with FlutterFragment. (cla: yes)
[8001](https://github.com/flutter/engine/pull/8001) Fix incorrect transformation matrix (cla: yes)
[8005](https://github.com/flutter/engine/pull/8005) A11y callback (cla: yes)
[8006](https://github.com/flutter/engine/pull/8006) Guard against using Android API not defined in API level 16 & 17 (cla: yes)
[8007](https://github.com/flutter/engine/pull/8007) Add overloads for lookup that lets you specify a bundle (cla: yes)
[8008](https://github.com/flutter/engine/pull/8008) Expose decorationThickness to dart:ui (cla: yes)
[8010](https://github.com/flutter/engine/pull/8010) Revert "Buffer lifecycle in WindowData" (cla: yes)
[8011](https://github.com/flutter/engine/pull/8011) Build engine for iOS on presubmit (cla: yes)
[8023](https://github.com/flutter/engine/pull/8023) Start of linting Android embedding (cla: yes)
[8024](https://github.com/flutter/engine/pull/8024) [fuchsia] Fix snapshot BUILD.gn file for Fuchsia roll (cla: yes)
[8026](https://github.com/flutter/engine/pull/8026) [platform_views] Fix duplicated touch event pass down to flutter view from platform view. (cla: yes)
[8029](https://github.com/flutter/engine/pull/8029) Android Embedding PR15: Add Viewport Metrics to FlutterView (cla: yes)
[8030](https://github.com/flutter/engine/pull/8030) Add missing kHasImplicitScrolling enum value (cla: yes)
[8032](https://github.com/flutter/engine/pull/8032) Re-land "Buffer lifecycle in WindowData" (cla: yes)
[8033](https://github.com/flutter/engine/pull/8033) Add missing values to semantics action enums (cla: yes)
[8034](https://github.com/flutter/engine/pull/8034) Android Embedding PR 16: Add touch support to FlutterView. (cla: yes)
[8036](https://github.com/flutter/engine/pull/8036) add lint script for Android with baseline (cla: yes)
[8041](https://github.com/flutter/engine/pull/8041) [platform_views]remove an unnecessary extra statement. (cla: yes)
[8043](https://github.com/flutter/engine/pull/8043) Minor cleanups to CONTRIBUTING.md (cla: yes)
[8044](https://github.com/flutter/engine/pull/8044) Improve elevation bounds for physical shape layers (cla: yes)
[8045](https://github.com/flutter/engine/pull/8045) Merge only gpu and platform threads for platform views, fix deadlock. (cla: yes)
[8046](https://github.com/flutter/engine/pull/8046) Fix weak pointer use violations in shell and platform view. (cla: yes)
[8047](https://github.com/flutter/engine/pull/8047) Add clang static analysis support to gn wrapper (cla: yes)
[8048](https://github.com/flutter/engine/pull/8048) Guard against NewAPI failures (cla: yes)
[8049](https://github.com/flutter/engine/pull/8049) Add read-only persistent cache (cla: yes)
[8050](https://github.com/flutter/engine/pull/8050) Skip skp files in license check (cla: yes)
[8051](https://github.com/flutter/engine/pull/8051) Used named conditionals for platform specific dependencies and suppress Android and Windows hooks on Mac. (cla: yes)
[8052](https://github.com/flutter/engine/pull/8052) remove extra source files (cla: yes)
[8053](https://github.com/flutter/engine/pull/8053) Remove redundant thread checker in FML. (cla: yes)
[8054](https://github.com/flutter/engine/pull/8054) Correct URL for Cirrus CI build status badge (cla: yes)
[8055](https://github.com/flutter/engine/pull/8055) Adds a platfromViewId to SemanticsNode (cla: yes)
[8056](https://github.com/flutter/engine/pull/8056) Send scroll events from the macOS shell (cla: yes)
[8061](https://github.com/flutter/engine/pull/8061) Android Embedding PR 17: Clarify AccessibilityBridge. (cla: yes)
[8065](https://github.com/flutter/engine/pull/8065) add signal to pointer kinds (cla: yes)
[8066](https://github.com/flutter/engine/pull/8066) Revert "add signal to pointer kinds" (cla: yes)
[8071](https://github.com/flutter/engine/pull/8071) Only build a full Dart SDK when building for the host system (cla: yes)
[8072](https://github.com/flutter/engine/pull/8072) Delay the vsync callback till the frame start time specified by embedder. (cla: yes)
[8073](https://github.com/flutter/engine/pull/8073) Update a11y word forward/back enum names (cla: yes)
[8074](https://github.com/flutter/engine/pull/8074) Add script to help generate PR messages (cla: yes, waiting for tree to go green)
[8077](https://github.com/flutter/engine/pull/8077) Mark const extern (cla: yes)
[8078](https://github.com/flutter/engine/pull/8078) only partial rule revert (cla: yes)
[8079](https://github.com/flutter/engine/pull/8079) Fix text.dart height docs (cla: yes)
[8080](https://github.com/flutter/engine/pull/8080) Only build full sdk on release to speed up bots (cla: yes)
[8084](https://github.com/flutter/engine/pull/8084) Move android_sdk_downloader so I can more easily deprecate it (cla: yes)
[8085](https://github.com/flutter/engine/pull/8085) Remove deprecated libraries from snapshot (cla: yes)
[8087](https://github.com/flutter/engine/pull/8087) Drop android_sdk_downloader in favor of cipd (cla: yes)
[8089](https://github.com/flutter/engine/pull/8089) Allow embedders to post tasks onto the render thread. (cla: yes)
[8090](https://github.com/flutter/engine/pull/8090) Android linter prints to the console by default (cla: yes)
[8093](https://github.com/flutter/engine/pull/8093) Clarify arguments to FlutterEngineOnVsync. (cla: yes)
[8094](https://github.com/flutter/engine/pull/8094) Add support for trace counters with variable arguments and instrument the raster cache. (cla: yes)
[8095](https://github.com/flutter/engine/pull/8095) Integrated AndroidTouchProcessor within the old FlutterView (cla: yes)
[8096](https://github.com/flutter/engine/pull/8096) Log non-kSuccess returns from embedder API calls. (cla: yes)
[8098](https://github.com/flutter/engine/pull/8098) Do not cache gclient sync (cla: yes)
[8099](https://github.com/flutter/engine/pull/8099) Use right stream for Java, on mac try to autoselect Java 1.8 (cla: yes)
[8102](https://github.com/flutter/engine/pull/8102) Fix typo (cla: yes)
[8103](https://github.com/flutter/engine/pull/8103) Guard initialization of touch exploration listener (cla: yes)
[8105](https://github.com/flutter/engine/pull/8105) Support dartdevc, dart2js with shared source files, dartdevc sdk (cla: yes)
[8106](https://github.com/flutter/engine/pull/8106) Fix the Windows build (cla: yes)
[8109](https://github.com/flutter/engine/pull/8109) Android Embedding PR 19: Add accessibility to new FlutterView. (cla: yes)
[8114](https://github.com/flutter/engine/pull/8114) Improve shadow doc in PhysicalShapeLayer (cla: yes)
[8115](https://github.com/flutter/engine/pull/8115) Add Views V2 support for Fuchsia (cla: yes)
[8122](https://github.com/flutter/engine/pull/8122) Revert "Add support for trace counters with variable arguments and instrument the raster cache." (cla: yes)
[8124](https://github.com/flutter/engine/pull/8124) Use final state passed to dart before initialization as the initial lifecycleState. (cla: yes)
[8126](https://github.com/flutter/engine/pull/8126) Bugfix #29203: NPE in getAccessibilityProvider in old FlutterView. (cla: yes)
[8139](https://github.com/flutter/engine/pull/8139) Look up ICU symbols based on the path to libflutter.so as a fallback (cla: yes)
[8140](https://github.com/flutter/engine/pull/8140) Reland PerformanceOverlayLayer golden test (cla: yes)
[8141](https://github.com/flutter/engine/pull/8141) Fix TextStyle decode misalignment (cla: yes)
[8142](https://github.com/flutter/engine/pull/8142) Typo "fast an inline" to "fast and inline" (cla: yes)
[8143](https://github.com/flutter/engine/pull/8143) Fix indexing error in dart:ui TextStyle.toString (cla: yes)
[8145](https://github.com/flutter/engine/pull/8145) Reland "Add support for trace counters with variable arguments and instrument the raster cache." (cla: yes)
[8147](https://github.com/flutter/engine/pull/8147) Add "full-dart-debug" that disabled optimizations in the Dart VM. (cla: yes)
[8148](https://github.com/flutter/engine/pull/8148) Add dump-shader-skp switch to help ShaderWarmUp (cla: yes)
[8149](https://github.com/flutter/engine/pull/8149) Encode scroll motion events in the Android touch processor (cla: yes)
[8150](https://github.com/flutter/engine/pull/8150) Disable build_ios task due to lack of credits. (cla: yes)
[8151](https://github.com/flutter/engine/pull/8151) [Skia] Rollback Skia to 29d5dec9a0783a033b921dc483fb98d565d684f6 (cla: yes)
[8153](https://github.com/flutter/engine/pull/8153) Revert "Disable build_ios task due to lack of credits." (cla: yes)
[8154](https://github.com/flutter/engine/pull/8154) Suppress deprecation warning for use of Build.CPU_ABI (cla: yes)
[8155](https://github.com/flutter/engine/pull/8155) Ensure that typed data is released within SendPlatformMessage scope. (cla: yes)
[8156](https://github.com/flutter/engine/pull/8156) Add a11y support for embedded iOS platform view (cla: yes)
[8157](https://github.com/flutter/engine/pull/8157) Anti-Aliasing for shape layers (cla: yes)
[8159](https://github.com/flutter/engine/pull/8159) Initial import of GLFW Linux shell from FDE (cla: yes)
[8160](https://github.com/flutter/engine/pull/8160) Add a build dependencies script for Linux desktop (cla: yes)
[8166](https://github.com/flutter/engine/pull/8166) Do not pass short-lived buffers as labels to Dart_TimelineEvent (cla: yes)
[8168](https://github.com/flutter/engine/pull/8168) Add an allocator specific check to ensure that strings passed to the timeline are not heap allocated. (cla: yes)
[8170](https://github.com/flutter/engine/pull/8170) Bugfix: Prevent crash when responding to a platform message after FlutterJNI detaches from native. (cla: yes)
[8171](https://github.com/flutter/engine/pull/8171) Add docs for helpful commands to fix format (cla: yes)
[8172](https://github.com/flutter/engine/pull/8172) Add frame and target time metadata to vsync events and connect platform vsync events using flows. (cla: yes)
[8174](https://github.com/flutter/engine/pull/8174) [scenic][SCN-1054] Move back off of SetTranslationRH (cla: yes)
[8175](https://github.com/flutter/engine/pull/8175) Keep overlays_gr_context_ in sync with the overlay surface (cla: yes)
[8180](https://github.com/flutter/engine/pull/8180) Fix log level typo from ERROR to INFO (cla: yes)
[8181](https://github.com/flutter/engine/pull/8181) Fix include of libzx. (cla: yes)
[8182](https://github.com/flutter/engine/pull/8182) Ensure that Picture::RasterizeToImage destroys Dart persistent values on the UI thread (cla: yes)
[8183](https://github.com/flutter/engine/pull/8183) Clip to clip_rect instead of paint bounds (cla: yes)
[8185](https://github.com/flutter/engine/pull/8185) Simplify the fallback waiter and add traces for vsync scheduling overhead. (cla: yes)
[8196](https://github.com/flutter/engine/pull/8196) Add --no-full-dart-sdk option to GN (cla: yes)
[8202](https://github.com/flutter/engine/pull/8202) [platform_view] iOSP platformView composition optimize. (cla: yes, platform-ios)
[8203](https://github.com/flutter/engine/pull/8203) Export FlutterSemanticsUpdateNotification and improve docs (cla: yes)
[8204](https://github.com/flutter/engine/pull/8204) Disable build_ios due to large queue times. (cla: yes)
[8206](https://github.com/flutter/engine/pull/8206) Define the dart_platform_sdk GN variable only on host targets (cla: yes)
[8208](https://github.com/flutter/engine/pull/8208) Plumb a reference of PlatformViewsController and AccessibilityBridge to each other (cla: yes)
[8210](https://github.com/flutter/engine/pull/8210) Correct greater than or equal logic in offset base (cla: yes)
[8214](https://github.com/flutter/engine/pull/8214) libtxt: more accurate tracking of run positioning and width for justified text (cla: yes)
[8217](https://github.com/flutter/engine/pull/8217) Allow exported __const on iOS (cla: yes)
[8218](https://github.com/flutter/engine/pull/8218) [ios] Set contentsScale before we commit CATransaction (cla: yes)
[8219](https://github.com/flutter/engine/pull/8219) Send macOS keyboard data to the engine (cla: yes)
[8221](https://github.com/flutter/engine/pull/8221) Moved io.flutter.embedding.engine.android package to io.flutter.embedding.android (cla: yes)
[8227](https://github.com/flutter/engine/pull/8227) Add the Linux desktop setup script to Dockerfile (cla: yes)
[8229](https://github.com/flutter/engine/pull/8229) Have the AccessibilityBridge attach/detach itself to the (cla: yes)
[8230](https://github.com/flutter/engine/pull/8230) Remove jsoncpp from desktop Linux shell setup (cla: yes)
[8231](https://github.com/flutter/engine/pull/8231) Removed Activity reference from AccessibilityBridge by using a View for insets instead of the Activity (cla: yes)
[8233](https://github.com/flutter/engine/pull/8233) Enable Linux shell build (cla: yes)
[8234](https://github.com/flutter/engine/pull/8234) Use the GPU thread for Android surface on-screen context lifecycle operations (cla: yes)
[8237](https://github.com/flutter/engine/pull/8237) Mirror Android platform views a11y tree in the Flutter a11y tree. (cla: yes)
[8241](https://github.com/flutter/engine/pull/8241) fix video player dismiss when there is a iOS platform view (cla: yes)
[8246](https://github.com/flutter/engine/pull/8246) Remove more forced crashes from FlutterJNI (cla: yes)
[8247](https://github.com/flutter/engine/pull/8247) Fix incorrect vertices colors length check (cla: yes)
[8249](https://github.com/flutter/engine/pull/8249) Allow specifying an alternate Mac host SDK. (cla: yes)
[8250](https://github.com/flutter/engine/pull/8250) Delegate a11y events and action to/from embedded Android platform views. (cla: yes)
[8251](https://github.com/flutter/engine/pull/8251) Fixed service isolate not being initialized correctly due to bad name (cla: yes)
[8253](https://github.com/flutter/engine/pull/8253) Add platformViewId to stub_ui (cla: yes)
[8254](https://github.com/flutter/engine/pull/8254) Do not drop the DartExecutor's message handler when a FlutterNativeView is detached from the FlutterView (cla: yes)
[8256](https://github.com/flutter/engine/pull/8256) check that public API of dart:ui conforms to web implementation (cla: yes)
[8265](https://github.com/flutter/engine/pull/8265) Linking Higher & Lower Class Docs (affects: docs, cla: yes)
[8273](https://github.com/flutter/engine/pull/8273) Allow embedders to specify their own task runner interfaces. (cla: yes)
[8274](https://github.com/flutter/engine/pull/8274) [ui] Add null check in FontWeight.lerp (Work in progress (WIP), cla: yes, prod: API break)
[8276](https://github.com/flutter/engine/pull/8276) Make it easy to write embedder unit tests by creating a fixture and config builder. (cla: yes)
[8277](https://github.com/flutter/engine/pull/8277) Roll buildroot to 9c7b023ff266ee58b00fe60326fa1db910a087f3 (cla: yes)
[8293](https://github.com/flutter/engine/pull/8293) [vulkan] Add FUCHSIA external sem/mem extensions (cla: yes)
[8295](https://github.com/flutter/engine/pull/8295) Fixing links between higher and lower classes. (affects: docs, cla: yes)
[8296](https://github.com/flutter/engine/pull/8296) Migrate existing embedder unit tests to use the fixture. (cla: yes)
[8297](https://github.com/flutter/engine/pull/8297) [fuchsia] Add missing trace macros (cla: yes)
[8299](https://github.com/flutter/engine/pull/8299) Enable lambda like native callbacks in tests and add support for custom entrypoints. (cla: yes)
[8308](https://github.com/flutter/engine/pull/8308) Map glfw into third_party, and roll buildroot (cla: yes)
[8309](https://github.com/flutter/engine/pull/8309) Allow specification of std::functions as native entrypoints from Dart code. (cla: yes)
[8312](https://github.com/flutter/engine/pull/8312) Revert "Allow specification of std::functions as native entrypoints from Dart code." (cla: yes)
[8317](https://github.com/flutter/engine/pull/8317) Android Embedding PR22: Polish - FlutterActivity Intent factories, FlutterFragment control of render modes, FlutterSurfaceView transparent until rendering is ready. (cla: yes)
[8318](https://github.com/flutter/engine/pull/8318) Reduce z-fighting on Scenic (cla: yes)
[8319](https://github.com/flutter/engine/pull/8319) Fix "PointerEvent" flow end event (cla: yes)
[8325](https://github.com/flutter/engine/pull/8325) [fuchsia] Disable FML_TRACE_COUNTER events to unblock roll (cla: yes)
[8327](https://github.com/flutter/engine/pull/8327) Build GLFW from source for Linux shell (cla: yes)
[8329](https://github.com/flutter/engine/pull/8329) Reland "Allow specification of std::functions as native entrypoints from Dart code." (cla: yes)
[8330](https://github.com/flutter/engine/pull/8330) Create a new resource loading EGL context for each PlatformView instance on Android (cla: yes)
[8331](https://github.com/flutter/engine/pull/8331) Build Windows shell (cla: yes)
[8333](https://github.com/flutter/engine/pull/8333) Allow delegation of a11y events from nodes that were not yet traversed (cla: yes)
[8334](https://github.com/flutter/engine/pull/8334) Remove use of epoxy from Linux shell (cla: yes)
[8335](https://github.com/flutter/engine/pull/8335) Add super call in FLEView reshape (cla: yes)
[8336](https://github.com/flutter/engine/pull/8336) Fix Windows build. (cla: yes)
[8337](https://github.com/flutter/engine/pull/8337) Cleanups to run_tests.sh script (cla: yes)
[8338](https://github.com/flutter/engine/pull/8338) Remove the standalone a11y test runners and merge its tests into embedder_unittests. (cla: yes)
[8339](https://github.com/flutter/engine/pull/8339) Fix typos (cla: yes)
[8343](https://github.com/flutter/engine/pull/8343) Reset min log levels on each engine launch. (cla: yes)
[8345](https://github.com/flutter/engine/pull/8345) Build precompiled sdk and analyzer summary for dartdevc (cla: yes)
[8346](https://github.com/flutter/engine/pull/8346) Introduce unit tests and refactor web dart:ui into "package" (cla: yes)
[8353](https://github.com/flutter/engine/pull/8353) Revert "Build precompiled sdk and analyzer summary for dartdevc" (cla: yes)
[8354](https://github.com/flutter/engine/pull/8354) Rename threshold to access_threshold (cla: yes)
[8355](https://github.com/flutter/engine/pull/8355) Create ddc summary file and precompiled sdk (cla: yes)
[8358](https://github.com/flutter/engine/pull/8358) Allow per-platform customization of the default Skia font manager (cla: yes)
[8359](https://github.com/flutter/engine/pull/8359) update buildroot dep for PR #227 (cla: yes)
[8360](https://github.com/flutter/engine/pull/8360) Remove old Fuchsia external mem,sem extensions (cla: yes)
[8362](https://github.com/flutter/engine/pull/8362) Ensure OpacityLayer to have a single child (cla: yes)
[8368](https://github.com/flutter/engine/pull/8368) libtxt: track the start and end x positions of glyph blobs for more accurate rendering of text decorations (cla: yes)
[8369](https://github.com/flutter/engine/pull/8369) GN Format all files in the engine. (cla: yes)
[8371](https://github.com/flutter/engine/pull/8371) Add a GN format presubmit. (cla: yes)
[8373](https://github.com/flutter/engine/pull/8373) Move libdart selection into its own target in //flutter/runtime. (cla: yes)
[8374](https://github.com/flutter/engine/pull/8374) [flutter_tester] Accept --icu-data-file-path (cla: yes)
[8375](https://github.com/flutter/engine/pull/8375) Allow running runtime_unittests in AOT mode. (cla: yes)
[8376](https://github.com/flutter/engine/pull/8376) Check for hover motion events in AndroidTouchProcessor (cla: yes)
[8377](https://github.com/flutter/engine/pull/8377) Handle null values in TextInputConfiguration.actionLabel JSON (cla: yes)
[8379](https://github.com/flutter/engine/pull/8379) Allow native entrypoint registration for runtime unittests. (cla: yes)
[8380](https://github.com/flutter/engine/pull/8380) Delay platform view removal to submitFrame. (cla: yes)
[8381](https://github.com/flutter/engine/pull/8381) Remove unused DartVM::IsKernelMapping (cla: yes)
[8382](https://github.com/flutter/engine/pull/8382) Add missing import to functional for Windows. (cla: yes)
[8387](https://github.com/flutter/engine/pull/8387) Make the resource context primary on iOS (cla: yes)
[8393](https://github.com/flutter/engine/pull/8393) Don't access a11y APIs with reflection starting Android P. (cla: yes)
[8397](https://github.com/flutter/engine/pull/8397) Separate the data required to bootstrap the VM into its own class. (cla: yes)
[8400](https://github.com/flutter/engine/pull/8400) Make sure FlutterViewController flushs all pending touches when no longer active (cla: yes)
[8402](https://github.com/flutter/engine/pull/8402) Enable shutting down all root isolates in a VM. (cla: yes)
[8406](https://github.com/flutter/engine/pull/8406) Revert "Separate the data required to bootstrap the VM into its own class." (cla: yes)
[8407](https://github.com/flutter/engine/pull/8407) [fuchsia] Exclude glfw from the Fuchsia host build (cla: yes)
[8410](https://github.com/flutter/engine/pull/8410) [txt] Add back FontCollection::SetDefaultFontManager (cla: yes)
[8411](https://github.com/flutter/engine/pull/8411) Added new Android embedding packages to javadoc generation. (cla: yes)
[8412](https://github.com/flutter/engine/pull/8412) Pass environment defines to compile flutter platform step. (cla: yes)
[8414](https://github.com/flutter/engine/pull/8414) Separate the data required to bootstrap the VM into its own class. (cla: yes)
[8416](https://github.com/flutter/engine/pull/8416) Add scroll wheel support to desktop GLFW shell (cla: yes)
[8417](https://github.com/flutter/engine/pull/8417) Remove use of DART_CHECK_VALID. (cla: yes)
[8419](https://github.com/flutter/engine/pull/8419) Support message loops whose tasks are executed concurrently. (cla: yes)
[8421](https://github.com/flutter/engine/pull/8421) dart:ui Locale: add toLanguageTag() (cla: yes)
[8425](https://github.com/flutter/engine/pull/8425) Roll buildroot (cla: yes)
[8427](https://github.com/flutter/engine/pull/8427) Eliminate unused displayBounds parameter (cla: yes)
[8429](https://github.com/flutter/engine/pull/8429) Make AccessibilityViewEmbedder final (cla: yes)
[8431](https://github.com/flutter/engine/pull/8431) Revert "Enable shutting down all root isolates in a VM." (cla: yes)
[8435](https://github.com/flutter/engine/pull/8435) Add window title/icon support to GLFW shell (cla: yes)
[8439](https://github.com/flutter/engine/pull/8439) update to use SkTileMode (cla: yes)
[8442](https://github.com/flutter/engine/pull/8442) Build windows engine on GCE (cla: yes)
[8446](https://github.com/flutter/engine/pull/8446) Add scripts that prepares our windows VM image (cla: yes)
[8448](https://github.com/flutter/engine/pull/8448) Android Embedding PR24: Allow FlutterActivity to provide an engine, also adjust FlutterFragment timing to avoid Activity launch lag. (cla: yes)
[8456](https://github.com/flutter/engine/pull/8456) More detailed comments for engine build windows VM (cla: yes)
[8457](https://github.com/flutter/engine/pull/8457) Enable shutting down all root isolates in a VM. (cla: yes)
[8460](https://github.com/flutter/engine/pull/8460) Android Embedding PR25: Prevent black rectangle when launching FlutterActivity (cla: yes)
[8461](https://github.com/flutter/engine/pull/8461) Log the correct function on error in the embedder. (cla: yes)
[8462](https://github.com/flutter/engine/pull/8462) Document the leak_vm flag. (cla: yes)
[8465](https://github.com/flutter/engine/pull/8465) Android Embedding PR26: Offer an async version of FlutterMain's ensure initialization complete. (cla: yes)
[8467](https://github.com/flutter/engine/pull/8467) Initialize OpacityLayer's matrix to identity (cla: yes)
[8472](https://github.com/flutter/engine/pull/8472) [Docs] Correcting link to contributing guide. (affects: docs, cla: yes, easy fix)
[8473](https://github.com/flutter/engine/pull/8473) Roll dart back to 907c514c8937cf76e (cla: yes)
[8477](https://github.com/flutter/engine/pull/8477) Add trace events for creating minikin fonts (cla: yes)
[8490](https://github.com/flutter/engine/pull/8490) Remove unused variable (cla: yes)
[8496](https://github.com/flutter/engine/pull/8496) [scenic] Remove unused mozart.internal (cla: yes)
[8497](https://github.com/flutter/engine/pull/8497) Wire up support for Dart fixtures in shell_unittests. (cla: yes)
[8498](https://github.com/flutter/engine/pull/8498) Move constant definitions out embedder.h (cla: yes)
[8499](https://github.com/flutter/engine/pull/8499) Route FlutterEventTracer events to Fuchsia tracing for Fuchsia (cla: yes)
[8500](https://github.com/flutter/engine/pull/8500) Get rid of the macro for accessing the current test name. (cla: yes)
[8503](https://github.com/flutter/engine/pull/8503) [scenic][SCN-1054] remove dangling uses of SetTranslationRH (cla: yes)
[8504](https://github.com/flutter/engine/pull/8504) Android Embedding PR27: Fix SurfaceView flicker in Fragment transactions (cla: yes)
[8511](https://github.com/flutter/engine/pull/8511) switch to newer APIs for shaders and filters (cla: yes)
[8515](https://github.com/flutter/engine/pull/8515) Add windows host_debug_unopt build test (cla: yes)
[8517](https://github.com/flutter/engine/pull/8517) Rename the blink namespace to flutter. (cla: yes)
[8518](https://github.com/flutter/engine/pull/8518) Remove the unused EnableBlink flag. (cla: yes)
[8520](https://github.com/flutter/engine/pull/8520) Rename the shell namespace to flutter. (cla: yes)
[8523](https://github.com/flutter/engine/pull/8523) Remove redundant specification of the |flutter| namespace in the engine. (cla: yes)
[8524](https://github.com/flutter/engine/pull/8524) Change Rect internal representation from Float32List to Float64List (cla: yes)
[8525](https://github.com/flutter/engine/pull/8525) Merge flutter/synchronization contents into fml. (cla: yes)
[8527](https://github.com/flutter/engine/pull/8527) Added support for authentication codes for the VM service (cla: yes)
[8528](https://github.com/flutter/engine/pull/8528) Redo a fix for cull rect calculation on TransformLayers with a perspective transform (cla: yes)
[8530](https://github.com/flutter/engine/pull/8530) Tight Paragraph Width (cla: yes)
[8531](https://github.com/flutter/engine/pull/8531) Add an option to build the GLFW shell on macOS (cla: yes)
[8534](https://github.com/flutter/engine/pull/8534) Use code cache dir for engine cache (#14704). (cla: yes)
[8536](https://github.com/flutter/engine/pull/8536) Android Embedding PR28: Report app is active to Flutter in FlutterFragment.onResume() instead of onPostResume() forwarded from Activity. (cla: yes)
[8537](https://github.com/flutter/engine/pull/8537) Correct nullability for FlutterStandardReader (cla: yes)
[8538](https://github.com/flutter/engine/pull/8538) Add null check in FLETextInputPlugin (cla: yes)
[8540](https://github.com/flutter/engine/pull/8540) Android Embedding PR29: Improve FlutterFragment construction API + engine config API. (cla: yes)
[8541](https://github.com/flutter/engine/pull/8541) Eliminate unused write to local (cla: yes)
[8545](https://github.com/flutter/engine/pull/8545) Revert "Change Rect internal representation from Float32List to Float64List (#8524)" (cla: yes)
[8546](https://github.com/flutter/engine/pull/8546) [font_collection] Add missing semicolon (cla: yes)
[8548](https://github.com/flutter/engine/pull/8548) Initialize OpacityLayer's matrix to identity (#8467) (cla: yes)
[8549](https://github.com/flutter/engine/pull/8549) [fuchsia] Add flutter:: to scene_host.cc (cla: yes)
[8550](https://github.com/flutter/engine/pull/8550) Export extern constants in embedder.h (cla: yes)
[8551](https://github.com/flutter/engine/pull/8551) Android Embedding PR30: Make FlutterView focusable so that the keyboard can interact with it. (cla: yes)
[8555](https://github.com/flutter/engine/pull/8555) Roll Dart 15b11b018364ce03...a8f3a5dae6203d10 (cla: yes)
[8557](https://github.com/flutter/engine/pull/8557) Update README.md (cla: yes)
[8562](https://github.com/flutter/engine/pull/8562) Add missing <memory> include to text_input_model.h (cla: yes)
[8563](https://github.com/flutter/engine/pull/8563) Remove unused import in FlutterActivityDelegate (cla: yes)
[8565](https://github.com/flutter/engine/pull/8565) Make Rect and RRect use 64 bit doubles, and make them const-able (cla: yes)
[8581](https://github.com/flutter/engine/pull/8581) Remove the flutter_aot GN argument. (cla: yes)
[8583](https://github.com/flutter/engine/pull/8583) Pipe Z bounds from ViewportMetrics to Flow (cla: yes)
[8585](https://github.com/flutter/engine/pull/8585) Check that TransformLayer has a finite matrix (cla: yes)
[8591](https://github.com/flutter/engine/pull/8591) Glitchiness with Tab Characters (cla: yes)
[8592](https://github.com/flutter/engine/pull/8592) Variant type for C++ client wrapper (cla: yes)
[8593](https://github.com/flutter/engine/pull/8593) Roll buildroot to ce7b5c786a12927c9e0b4543af267d48c52e0b3a (cla: yes)
[8594](https://github.com/flutter/engine/pull/8594) Enable VM service authentication codes by default (cla: yes)
[8598](https://github.com/flutter/engine/pull/8598) Implement StandardMethodCodec for C++ shells (cla: yes)
[8600](https://github.com/flutter/engine/pull/8600) Add desktop shell unittests to test script (cla: yes)
[8605](https://github.com/flutter/engine/pull/8605) Allow building without python2 (cla: yes)
[8608](https://github.com/flutter/engine/pull/8608) [fuchsia] Fix SceneUpdateContext for new PaintContext field (cla: yes)
[8611](https://github.com/flutter/engine/pull/8611) Add FLEPluginRegistry for macOS (cla: yes)
[8612](https://github.com/flutter/engine/pull/8612) Remove call to SkFont::setLinearMetrics (cla: yes)
[8615](https://github.com/flutter/engine/pull/8615) Rename flow namespace to flutter (cla: yes)
[8616](https://github.com/flutter/engine/pull/8616) Add a unit test for PhysicalShapeLayer (cla: yes)
[8617](https://github.com/flutter/engine/pull/8617) Fixes a typo in comment (affects: docs, cla: yes)
[8618](https://github.com/flutter/engine/pull/8618) Test saving compilation traces. (cla: yes)
[8621](https://github.com/flutter/engine/pull/8621) Avoid manually shutting down engine managed isolates. (cla: yes)
[8622](https://github.com/flutter/engine/pull/8622) Assert that all VM launches in the process have the same opinion on whether the VM should be leaked in the process. (cla: yes)
[8623](https://github.com/flutter/engine/pull/8623) Add an adjustment to the line width check in LineBreaker::addWordBreak (cla: yes)
[8625](https://github.com/flutter/engine/pull/8625) Add support for authentication codes via MDNS on iOS (cla: yes)
[8626](https://github.com/flutter/engine/pull/8626) Avoid leaking the VM in runtime_unittests and update failing tests. (cla: yes)
[8627](https://github.com/flutter/engine/pull/8627) Revert "Add a unit test for PhysicalShapeLayer" (cla: yes)
[8628](https://github.com/flutter/engine/pull/8628) Avoid leaking the VM in the shell unittests and assert VM state in existing tests. (cla: yes)
[8633](https://github.com/flutter/engine/pull/8633) Reland elevation test (cla: yes)
[8634](https://github.com/flutter/engine/pull/8634) Merge runtime lifecycle unittests into the base test target. (cla: yes)
[8635](https://github.com/flutter/engine/pull/8635) Remove unnecessary DartIO::EntropySource wrapper (cla: yes)
[8637](https://github.com/flutter/engine/pull/8637) Generate layer unique id for raster cache key (cla: yes)
[8638](https://github.com/flutter/engine/pull/8638) Custom RTL handling for ghost runs, NotoNaskhArabic test font (cla: yes)
[8640](https://github.com/flutter/engine/pull/8640) Remove DartSnapshotBuffer and dry up snapshot resolution logic. (cla: yes)
[8642](https://github.com/flutter/engine/pull/8642) Remove unused Settings::ToString. (cla: yes)
[8643](https://github.com/flutter/engine/pull/8643) Allow specifying the Mac SDK path as an environment variable to //flutter/tools/gn (cla: yes)
[8644](https://github.com/flutter/engine/pull/8644) Revert "Remove DartSnapshotBuffer and dry up snapshot resolution logic." (cla: yes)
[8645](https://github.com/flutter/engine/pull/8645) Reland "Remove DartSnapshotBuffer and dry up snapshot resolution logic". (cla: yes)
[8646](https://github.com/flutter/engine/pull/8646) Disable auth codes for Observatory test (cla: yes)
[8649](https://github.com/flutter/engine/pull/8649) Roll buildroot to 380d0ed5c3399d5a2aaac4a66d98e3a3fda77c31 (cla: yes)
[8652](https://github.com/flutter/engine/pull/8652) Add factory methods to FileMapping that make it easy to create common mappings. (cla: yes)
[8653](https://github.com/flutter/engine/pull/8653) Cleanup references to FLX archives from the engine. (cla: yes)
[8656](https://github.com/flutter/engine/pull/8656) Only allow mappings for ICU initialization. (cla: yes)
[8657](https://github.com/flutter/engine/pull/8657) Change Vertices.indices to use a Uint16 list to more accurately reflect Skia's API (cla: yes)
[8658](https://github.com/flutter/engine/pull/8658) Allow native bindings in secondary isolates. (cla: yes)
[8659](https://github.com/flutter/engine/pull/8659) Replace ThreadLocal with ThreadLocalUniquePtr<T> (cla: yes)
[8661](https://github.com/flutter/engine/pull/8661) Put the testing lib in the flutter namespace. (cla: yes)
[8663](https://github.com/flutter/engine/pull/8663) Remove support for downloading dynamic patches on Android (cla: yes)
[8664](https://github.com/flutter/engine/pull/8664) Add framework test in engine presubmit checks (cla: yes)
[8681](https://github.com/flutter/engine/pull/8681) Revert "Custom RTL handling for ghost runs, NotoNaskhArabic test font" (cla: yes)
[8682](https://github.com/flutter/engine/pull/8682) Revert "Only allow mappings for ICU initialization." (cla: yes)
[8683](https://github.com/flutter/engine/pull/8683) Custom RTL handling for ghost runs, NotoNaskhArabic test font (cla: yes)
[8688](https://github.com/flutter/engine/pull/8688) fix toString (cla: yes)
[8689](https://github.com/flutter/engine/pull/8689) Revert "Remove unused Settings::ToString. (#8642)" (cla: yes)
[8690](https://github.com/flutter/engine/pull/8690) Revert Rect/RRect 64 bit (cla: yes)
[8692](https://github.com/flutter/engine/pull/8692) Add tests from framework (cla: yes)
[8695](https://github.com/flutter/engine/pull/8695) Reland const Rect/RRect (cla: yes)
[8698](https://github.com/flutter/engine/pull/8698) Convert animated unpremul images to premul during decode (cla: yes)
[8700](https://github.com/flutter/engine/pull/8700) Increase the memory usage estimate for EngineLayer (cla: yes)
[8704](https://github.com/flutter/engine/pull/8704) Limit the size of VirtualDisplay we create in android (cla: yes)
[8706](https://github.com/flutter/engine/pull/8706) Rename tightWidth to longestLine (cla: yes)
[8707](https://github.com/flutter/engine/pull/8707) Document that OpacityLayer's children are nonempty (cla: yes)
[8710](https://github.com/flutter/engine/pull/8710) Plumb arguments from Settings to Dart entrypoint (cla: yes)
[8712](https://github.com/flutter/engine/pull/8712) [scenic] Purge references to Mozart (cla: yes)
[8716](https://github.com/flutter/engine/pull/8716) Add Rect.fromCenter() constructor (cla: yes)
[8721](https://github.com/flutter/engine/pull/8721) Fix header include guards for fml/thread_local.h (cla: yes)
[8723](https://github.com/flutter/engine/pull/8723) Fix include paths in libtxt to prepare for upcoming Skia build change (cla: yes)
[8735](https://github.com/flutter/engine/pull/8735) Fix reflective ctor invocation in FlutterFragment (cla: yes)
[8738](https://github.com/flutter/engine/pull/8738) Revert "Increase the memory usage estimate for EngineLayer" (cla: yes)
[8742](https://github.com/flutter/engine/pull/8742) Log the sticky error during isolate shutdown (cla: yes)
[8747](https://github.com/flutter/engine/pull/8747) Fix crash when cursor ends up at invalid position (cla: yes)
[8758](https://github.com/flutter/engine/pull/8758) Check the matrix in pushTransform (cla: yes)
[8772](https://github.com/flutter/engine/pull/8772) colormatrix is now 0...1 (cla: yes)
[8780](https://github.com/flutter/engine/pull/8780) VirtualDisplay size constraint - add a comment explaining the reason (cla: yes)
[8789](https://github.com/flutter/engine/pull/8789) Roll to branched dart sdk with hotfix(dartbug.com/36772) for flutter 1.5.4 (cla: yes)
[8790](https://github.com/flutter/engine/pull/8790) Roll to branched dart sdk with two more hotfixes for flutter 1.5.4. (cla: yes)
[8792](https://github.com/flutter/engine/pull/8792) Re-create texture from pixel buffer onGrContextCreate (cla: yes)
[8793](https://github.com/flutter/engine/pull/8793) Roll buildroot to pull in Fuchsia SDK related updates. (cla: yes)
[8796](https://github.com/flutter/engine/pull/8796) Dart SDK roll for 2019-04-30 (cla: yes)
## PRs closed in this release of flutter/plugins
From Thu Feb 21 20:22:00 2019 -0800 to Wed May 1 16:56:00 2019 -0700
[721](https://github.com/flutter/plugins/pull/721) [google_sign_in]Fix filename in google_sign_in docs, which leads to crash (bugfix, cla: yes, documentation)
[742](https://github.com/flutter/plugins/pull/742) [image_picker]Fixed losing transparency of PNGs (bugfix, cla: yes, submit queue)
[790](https://github.com/flutter/plugins/pull/790) [cloud_firestore]add sample to get specific document (cla: yes, documentation, flutterfire, submit queue)
[793](https://github.com/flutter/plugins/pull/793) [video_player]Do not divide by zero (bugfix, cla: yes, submit queue)
[815](https://github.com/flutter/plugins/pull/815) [google_maps_flutter] adds support for custom icon from a byte array (PNG) (cla: yes, feature, needs love)
[927](https://github.com/flutter/plugins/pull/927) [firebase_admob]Fix typo in RewardedVideoAdd sample (bugfix, cla: yes, documentation, flutterfire, submit queue)
[963](https://github.com/flutter/plugins/pull/963) Reduce Android compiler warnings, prevent NPE (cla: yes)
[985](https://github.com/flutter/plugins/pull/985) [google_maps_flutter]add support for map tapping (cla: yes)
[991](https://github.com/flutter/plugins/pull/991) [firebase_core]Fix firebase core registration and fix firestore document observer cleanup (cla: yes)
[1008](https://github.com/flutter/plugins/pull/1008) [firebase_analytics] Add 'loginMethod' parameter to logLogin() (cla: yes, feature, flutterfire, submit queue)
[1022](https://github.com/flutter/plugins/pull/1022) [camera] Add serial dispatch_queue for camera plugin to avoid blocking the UI (bugfix, cla: yes, submit queue)
[1023](https://github.com/flutter/plugins/pull/1023) [camera]Fix CameraPreview freezes during startVideoRecording on iOS (cla: yes)
[1049](https://github.com/flutter/plugins/pull/1049) [google_maps_flutter] Widget based polyline support for google maps. (cla: yes)
[1080](https://github.com/flutter/plugins/pull/1080) [firebase_crashlytics]Firebase Crashlytics plugin (cla: yes)
[1096](https://github.com/flutter/plugins/pull/1096) [firebase_database]Return error message from DatabaseError#toString() (cla: yes, submit queue)
[1123](https://github.com/flutter/plugins/pull/1123) [video_player] Correctly report buffering status on Android (bugfix, cla: yes, submit queue)
[1142](https://github.com/flutter/plugins/pull/1142) [firebase_dynamic_links] fix dynamic link crash when creating shortlink if warnings are null (bugfix, cla: yes, flutterfire, submit queue)
[1154](https://github.com/flutter/plugins/pull/1154) [video_player] Upgrade ExoPlayer dependency to 2.9.4 (cla: yes, feature, submit queue)
[1159](https://github.com/flutter/plugins/pull/1159) [firebase_auth] Enable passwordless sign in (cla: yes, feature, flutterfire, submit queue)
[1182](https://github.com/flutter/plugins/pull/1182) [firebase_dynamic_links] sometimes got error NSPOSIXErrorDomain Code=53 in ios (bugfix, cla: yes, flutterfire, submit queue)
[1192](https://github.com/flutter/plugins/pull/1192) Flutterfire apps no longer show a confusing log message about configuring default app (cla: yes)
[1201](https://github.com/flutter/plugins/pull/1201) [connectivity] Update README.md (cla: yes, documentation, submit queue)
[1208](https://github.com/flutter/plugins/pull/1208) [firebase_storage] Support for getReferenceFromUrl (cla: yes)
[1219](https://github.com/flutter/plugins/pull/1219) [firebase_auth] update example app and README (cla: yes, documentation, feature, flutterfire)
[1223](https://github.com/flutter/plugins/pull/1223) [firebase_ml_vision] Fix crash when scanning URL QR-code on iOS (bugfix, cla: yes, submit queue)
[1229](https://github.com/flutter/plugins/pull/1229) [google_maps_flutter] Marker APIs are now widget based (Android) (bugfix, cla: yes, feature)
[1236](https://github.com/flutter/plugins/pull/1236) [webview_flutter]Allow specifying a navigation delegate(Android and Dart). (cla: yes)
[1237](https://github.com/flutter/plugins/pull/1237) [share] Changed compileSdkVersion of share plugin to 28 (cla: yes, submit queue)
[1239](https://github.com/flutter/plugins/pull/1239) [google_maps_flutter] Marker APIs are now widget based (Dart Changes) (cla: yes, documentation)
[1240](https://github.com/flutter/plugins/pull/1240) [google_maps_flutter] Marker APIs are now widget based (iOS Changes) (cla: yes, feature)
[1241](https://github.com/flutter/plugins/pull/1241) [camera] 28180 fix exif data bug for first time camera use android (cla: yes, submit queue)
[1249](https://github.com/flutter/plugins/pull/1249) [in_app_purchase] payment queue dart ios (bugfix, cla: yes, feature)
[1250](https://github.com/flutter/plugins/pull/1250) [video_player] Cast the NSInteger to long and use %ld formatter (cla: yes, submit queue)
[1251](https://github.com/flutter/plugins/pull/1251) Update android_alarm_manager with instructions on setting WAKE_LOCK permissions (cla: yes, documentation)
[1252](https://github.com/flutter/plugins/pull/1252) [In_app_purchase]SKProduct related fixes (cla: yes)
[1253](https://github.com/flutter/plugins/pull/1253) Disable analyzer error (cla: yes)
[1255](https://github.com/flutter/plugins/pull/1255) Don't register the Maps and Camera plugin for background FlutterViews. (cla: yes)
[1256](https://github.com/flutter/plugins/pull/1256) Skip Gradle's static permission check for the Maps MyLocation feature. (cla: yes)
[1257](https://github.com/flutter/plugins/pull/1257) Suppress unchecked cast warning for the PlatformViewFactory creation … (cla: yes)
[1259](https://github.com/flutter/plugins/pull/1259) [in_app_purchase] Java API for querying purchases (cla: yes)
[1261](https://github.com/flutter/plugins/pull/1261) [camera] Fixes #28350 (bugfix, cla: yes, feature, submit queue)
[1265](https://github.com/flutter/plugins/pull/1265) [image_picker] fix error if pick image from yandex disk(dropbox) (bugfix, cla: yes)
[1266](https://github.com/flutter/plugins/pull/1266) [image_picker] update Uri Authority for GooglePhotos (bugfix, cla: yes, submit queue)
[1268](https://github.com/flutter/plugins/pull/1268) [image_picker] remove unnecessary camera permmision (bugfix, cla: yes)
[1269](https://github.com/flutter/plugins/pull/1269) [image_picker] set real extension instead always jpg (cla: yes, submit queue)
[1270](https://github.com/flutter/plugins/pull/1270) [firebase_ml_vision] Incorrect link for including the ML Model pods into the example project (cla: yes, documentation, submit queue)
[1271](https://github.com/flutter/plugins/pull/1271) [google_maps_flutter] Update the sample app in README.md (cla: yes)
[1274](https://github.com/flutter/plugins/pull/1274) [cloud_firestore,firebase_database,firebase_storage] handling error nil on getFlutterError (cla: yes)
[1275](https://github.com/flutter/plugins/pull/1275) [package_info] calling new method for BuildNumber in new android versions (bugfix, cla: yes, submit queue)
[1277](https://github.com/flutter/plugins/pull/1277) [firebase_performance] Fix incorrect setting of Trace & HttpMetric attributes (cla: yes, flutterfire)
[1278](https://github.com/flutter/plugins/pull/1278) [firebase_performance] remove deprecated trace counter API usage (cla: yes, flutterfire)
[1279](https://github.com/flutter/plugins/pull/1279) [firebase_core][firebase_database]Add nil check for some static methods to avoid unwanted behaviors (cla: yes)
[1281](https://github.com/flutter/plugins/pull/1281) [in_app_purchase] Fix CI formatting errors. (cla: yes)
[1284](https://github.com/flutter/plugins/pull/1284) [in_app_purchase] Minor bugfixes and code cleanup (cla: yes)
[1285](https://github.com/flutter/plugins/pull/1285) [shared_preferences] driver test using package:test on device (cla: yes)
[1286](https://github.com/flutter/plugins/pull/1286) [in_app_purchase] Adds Dart BillingClient APIs for loading purchases (cla: yes)
[1288](https://github.com/flutter/plugins/pull/1288) [image_picker] delete original file if scaled (cla: yes)
[1289](https://github.com/flutter/plugins/pull/1289) Add missing license headers (cla: yes)
[1291](https://github.com/flutter/plugins/pull/1291) Bugfix/account for nsnull (cla: yes)
[1292](https://github.com/flutter/plugins/pull/1292) [firebase_auth] Make providerId 'const String' for easier use in switch statements (bugfix, cla: yes, flutterfire, submit queue)
[1293](https://github.com/flutter/plugins/pull/1293) [google_maps_flutter] The FloatingActionButton requires an icon (cla: yes)
[1294](https://github.com/flutter/plugins/pull/1294) Fix icon issue on ios and manifest on android (cla: yes)
[1296](https://github.com/flutter/plugins/pull/1296) [image_picker] Update pub info for #742 (cla: yes)
[1297](https://github.com/flutter/plugins/pull/1297) Update play-services-maps from 15.+ to 16.1.0 (cla: yes)
[1299](https://github.com/flutter/plugins/pull/1299) [in_app_purchase]restore purchases (cla: yes)
[1300](https://github.com/flutter/plugins/pull/1300) Add my name to firebase_performance and firebase_dynamic_links owners (cla: yes, submit queue)
[1302](https://github.com/flutter/plugins/pull/1302) [google_maps_flutter]ChangeNotifier is replaced with granular callbacks (cla: yes)
[1303](https://github.com/flutter/plugins/pull/1303) [in_app_purchase]retrieve receipt (cla: yes)
[1306](https://github.com/flutter/plugins/pull/1306) [cloud_firestore] Update firebase-firestore to 18.2.0 (cla: yes, submit queue)
[1309](https://github.com/flutter/plugins/pull/1309) [firebase_dynamic_links] Version bump for firebase_dynamic_links PR #1142 (bugfix, cla: yes, flutterfire, submit queue)
[1311](https://github.com/flutter/plugins/pull/1311) [firebase_analytics] Add resetAnalyticsData method (cla: yes)
[1314](https://github.com/flutter/plugins/pull/1314) trackCameraPosition is inferred from GoogleMap.onCameraMove (cla: yes)
[1315](https://github.com/flutter/plugins/pull/1315) [image_picker] remove unnecessary file path for video. (bugfix, cla: yes, needs love, submit queue)
[1316](https://github.com/flutter/plugins/pull/1316) [cloud_functions] Specify version for CocoaPod and handle null regions gracefully (cla: yes)
[1322](https://github.com/flutter/plugins/pull/1322) [in_app_purchase] refactoring and tests (cla: yes)
[1323](https://github.com/flutter/plugins/pull/1323) Allow specifying a navigation delegate (iOS implementation). (cla: yes)
[1324](https://github.com/flutter/plugins/pull/1324) Exclude longPress from semantics (cla: yes)
[1326](https://github.com/flutter/plugins/pull/1326) [image_picker] Update versioning for #1268 (cla: yes)
[1327](https://github.com/flutter/plugins/pull/1327) Change build link in contributors site to cirrus (cla: yes)
[1329](https://github.com/flutter/plugins/pull/1329) [firebase_messaging] Fix Changelog.md version for firebase_messaging (cla: yes, documentation, flutterfire)
[1331](https://github.com/flutter/plugins/pull/1331) [connectivity] Enable fetching current Wi-Fi network's BSSID (cla: yes, feature)
[1333](https://github.com/flutter/plugins/pull/1333) [firebase_auth] fixes Android linkWithCredential (cla: yes, flutterfire)
[1335](https://github.com/flutter/plugins/pull/1335) [webview_flutter] Add a page loaded callback (cla: yes, feature, submit queue)
[1337](https://github.com/flutter/plugins/pull/1337) [android_alarm_manager] Improve error message seen when an alarm fires and `AlarmService.setPluginRegistrant` has not been called. (bugfix, cla: yes)
[1338](https://github.com/flutter/plugins/pull/1338) Add Kaushik to maps code owners (cla: yes)
[1339](https://github.com/flutter/plugins/pull/1339) [cloud_firestore] ios check for nil snapshot in cloud_firestore error handling instead of checking for non-nil error (cla: yes)
[1341](https://github.com/flutter/plugins/pull/1341) Removed dependency on Firebase for android_alarm_manager example (cla: yes)
[1342](https://github.com/flutter/plugins/pull/1342) add driver test command to cirrus (cla: yes)
[1343](https://github.com/flutter/plugins/pull/1343) [firebase_auth] fix error code in doc of createUserWithEmailAndPassword() (cla: yes)
[1344](https://github.com/flutter/plugins/pull/1344) [shared_preferences] Update shared_preferences CHANGELOG for release (cla: yes)
[1345](https://github.com/flutter/plugins/pull/1345) [cloud_firestore] fix NoSuchMethodError regression and add test (cla: yes)
[1346](https://github.com/flutter/plugins/pull/1346) [cloud_functions] add a driver test (cla: yes)
[1348](https://github.com/flutter/plugins/pull/1348) [firebase_auth] Add a driver test (cla: yes)
[1350](https://github.com/flutter/plugins/pull/1350) [google_maps_flutter] add My location button enabled option (cla: yes)
[1352](https://github.com/flutter/plugins/pull/1352) [google_maps_flutter] Add method getVisibleRegion (cla: yes)
[1353](https://github.com/flutter/plugins/pull/1353) [firebase_messaging] Update example (cla: yes, submit queue)
[1357](https://github.com/flutter/plugins/pull/1357) Disable Android emulator testing for now to fix tests (cla: yes)
[1360](https://github.com/flutter/plugins/pull/1360) [webview_flutter] Create WebView client depending on version and hasDelegate (bugfix, cla: yes, webview)
[1361](https://github.com/flutter/plugins/pull/1361) [webview_flutter] Update changelog and bump versions. (cla: yes, submit queue)
[1364](https://github.com/flutter/plugins/pull/1364) [firebase_ml_vision] Update ImageDetector for iOS (bugfix, cla: yes, flutterfire)
[1367](https://github.com/flutter/plugins/pull/1367) [firebase_ml_vision] Android side of upgrade to new ImageLabeler (bugfix, cla: yes, flutterfire)
[1369](https://github.com/flutter/plugins/pull/1369) [webview_flutter] Refactor WebViewController to have a reference to the widget, to minimize necessary update calls. (cla: yes)
[1372](https://github.com/flutter/plugins/pull/1372) [image_picker] fix "Cancel button not visible in gallery, if camera was accessed first" (bugfix, cla: yes)
[1373](https://github.com/flutter/plugins/pull/1373) [shared_preferences] Add contains method (cla: yes, feature)
[1374](https://github.com/flutter/plugins/pull/1374) Update CONTRIBUTING.md with test info (cla: yes)
[1375](https://github.com/flutter/plugins/pull/1375) Add pull request template (cla: yes)
[1377](https://github.com/flutter/plugins/pull/1377) [firebase_admob] Update documentation to add iOS Admob ID & add iOS Admob ID in example project (cla: yes, documentation, flutterfire)
[1378](https://github.com/flutter/plugins/pull/1378) [firebase_crashlytics] Support compatibility with Swift plugins (cla: yes)
[1379](https://github.com/flutter/plugins/pull/1379) [firebase_crashlytics] Upgrade dependencies (cla: yes)
[1380](https://github.com/flutter/plugins/pull/1380) [in_app_purchase]load purchase (cla: yes, feature)
[1381](https://github.com/flutter/plugins/pull/1381) [in_app_purchase] Iap refactor (cla: yes)
[1384](https://github.com/flutter/plugins/pull/1384) Send success result for `AlarmService.initialized` method call (cla: yes)
[1385](https://github.com/flutter/plugins/pull/1385) [firebase_crashlytics]Remove white spaces to make git happy (cla: yes)
[1386](https://github.com/flutter/plugins/pull/1386) [google_maps_flutter] Add failing test verifying that only changed markers are updated (cla: yes)
[1387](https://github.com/flutter/plugins/pull/1387) [cloud_firestore] Add metadata field to DocumentSnapshot (cla: yes, feature, flutterfire)
[1388](https://github.com/flutter/plugins/pull/1388) [firebase_crashlytics] Add firebase_crashlytics for Readme. (cla: yes, documentation, flutterfire)
[1393](https://github.com/flutter/plugins/pull/1393) [camera] Fixes (#29925) (bugfix, cla: yes)
[1394](https://github.com/flutter/plugins/pull/1394) Add Crashlytics plugin to FlutterFire docs (cla: no, flutterfire, submit queue)
[1395](https://github.com/flutter/plugins/pull/1395) Add Crashlytics plugin to opensource list (cla: yes, flutterfire, submit queue)
[1398](https://github.com/flutter/plugins/pull/1398) [firebase_auth]Fix PhoneCodeAuthRetrievalTimeout callback never called (bugfix, cla: yes, flutterfire)
[1404](https://github.com/flutter/plugins/pull/1404) Bump version to 0.4.1+5 (cla: yes)
[1405](https://github.com/flutter/plugins/pull/1405) [firebase_messaging] Additional step for iOS (cla: yes, documentation, flutterfire)
[1406](https://github.com/flutter/plugins/pull/1406) [webview_flutter] Add initial e2e tests (cla: yes, feature, webview)
[1407](https://github.com/flutter/plugins/pull/1407) [firebase_crashlytics] Update README code example (cla: yes, documentation, flutterfire)
[1409](https://github.com/flutter/plugins/pull/1409) [google_maps] Add initial google_maps tests (cla: yes)
[1410](https://github.com/flutter/plugins/pull/1410) [android_alarm_manager] add type params for invokeMethod calls. (cla: yes)
[1411](https://github.com/flutter/plugins/pull/1411) [android_intent] add type params for invokeMethod calls. (cla: yes, feature)
[1412](https://github.com/flutter/plugins/pull/1412) [Battery]add type params for invokeMethod calls. (cla: yes)
[1413](https://github.com/flutter/plugins/pull/1413) [Camera]add type params for invokeMethod calls. (cla: yes)
[1414](https://github.com/flutter/plugins/pull/1414) [Cloud_firestore]add type params for invokeMethod calls. (cla: yes)
[1416](https://github.com/flutter/plugins/pull/1416) [Connectivity]add type params for invokeMethod calls. (cla: yes, feature)
[1418](https://github.com/flutter/plugins/pull/1418) [firebase_crashlytics] Rely on firebase_core to set up Firebase Analytics dependency (bugfix, cla: yes, flutterfire)
[1420](https://github.com/flutter/plugins/pull/1420) [webview_flutter] Use a pumpWidget utility in e2e tests (cla: yes)
[1421](https://github.com/flutter/plugins/pull/1421) [in_app_purchase]make payment unified APIs (cla: yes, feature)
[1424](https://github.com/flutter/plugins/pull/1424) [google_maps_flutter] Add a key parameter to the GoogleMap widget (cla: yes)
[1427](https://github.com/flutter/plugins/pull/1427) [firebase_crashlytics] Do not break debug log formatting. (cla: yes, flutterfire)
[1428](https://github.com/flutter/plugins/pull/1428) [firebase_analytics] Added Navigator.pushReplacement screen tracking (bugfix, cla: yes, feature, flutterfire)
[1429](https://github.com/flutter/plugins/pull/1429) Make sure to post javascript channel messages from the platform thread. (cla: yes)
[1430](https://github.com/flutter/plugins/pull/1430) [google_maps] Maps zoom level tests (cla: yes)
[1434](https://github.com/flutter/plugins/pull/1434) [google_map] Test zoom gestures enabled (cla: yes)
[1435](https://github.com/flutter/plugins/pull/1435) [cloud_firestore] Remove usage of `invokeMapMethod` (cla: yes)
[1436](https://github.com/flutter/plugins/pull/1436) Fix formatting in main.dart of firebase_database, firebase_storage, google_sign_in, shared_preference (cla: yes)
[1437](https://github.com/flutter/plugins/pull/1437) [firebase_crashlytics] Fix to Initialize Fabric (cla: yes, submit queue)
[1438](https://github.com/flutter/plugins/pull/1438) [google_sign_in] Handle `null` check in example app (cla: yes)
[1439](https://github.com/flutter/plugins/pull/1439) [battery] Update example in README.md (cla: yes)
[1440](https://github.com/flutter/plugins/pull/1440) [image_picker] Check camera permissions and return error (cla: yes)
[1441](https://github.com/flutter/plugins/pull/1441) [google_maps] Update android gradle version (cla: yes)
[1442](https://github.com/flutter/plugins/pull/1442) [google_maps] Add tests for rotate tilt and zoom gestures (cla: yes)
[1443](https://github.com/flutter/plugins/pull/1443) [firebase_core] Use Gradle BoM with firebase_core (cla: yes, flutterfire)
[1444](https://github.com/flutter/plugins/pull/1444) [firebase_crashlytics] Added a simple integration test (cla: yes)
[1445](https://github.com/flutter/plugins/pull/1445) [Image_picker]Android: fix original image deleted after scaling. (cla: yes)
[1447](https://github.com/flutter/plugins/pull/1447) Update changelog and pubspec for onTap (cla: yes)
[1448](https://github.com/flutter/plugins/pull/1448) [in_app_purchase] Add references to the original object for PurchaseDetails and ProductDetails (cla: yes)
[1453](https://github.com/flutter/plugins/pull/1453) [cloud_firestore] Use Gradle BoM with cloud_firestore (cla: yes)
[1455](https://github.com/flutter/plugins/pull/1455) [connectivity]Added integration test. (cla: yes, submit queue)
[1458](https://github.com/flutter/plugins/pull/1458) [firebase_auth] AuthCredential for email and link (cla: yes)
[1462](https://github.com/flutter/plugins/pull/1462) Remove BoM to avoid Gradle issues (cla: yes)
[1464](https://github.com/flutter/plugins/pull/1464) [firebase_core] fix BoM-related build incompatibility regression (cla: yes)
[1465](https://github.com/flutter/plugins/pull/1465) Integration tests for cloud_firestore and firebase_database transactions (cla: yes, flutterfire)
[1466](https://github.com/flutter/plugins/pull/1466) [cloud_firestore]remove white spaces. (cla: yes)
[1467](https://github.com/flutter/plugins/pull/1467) [cloud_firestore]remove blank line. (cla: yes)
[1468](https://github.com/flutter/plugins/pull/1468) Migrate firebase messaging plugin away from token (cla: yes)
[1470](https://github.com/flutter/plugins/pull/1470) [video_player] Android: Added missing event.put("event", "completed"); (bugfix, cla: yes)
[1471](https://github.com/flutter/plugins/pull/1471) [image_picker] Fix invalid path being returned from Google Photos (bugfix, cla: yes)
[1472](https://github.com/flutter/plugins/pull/1472) [Google_map]Enable iOS a11y by default. (cla: yes)
[1473](https://github.com/flutter/plugins/pull/1473) [package_info] Integration tests. (cla: yes)
[1474](https://github.com/flutter/plugins/pull/1474) [in_app_purchase]remove SKDownloadWrapper and related code. (cla: yes)
[1476](https://github.com/flutter/plugins/pull/1476) [cloud_firestore] support for pagination using startAtDocument, endAtDocument, etc. (cla: no, flutterfire)
[1477](https://github.com/flutter/plugins/pull/1477) [camera] Remove activity lifecycle (cla: yes, submit queue)
[1478](https://github.com/flutter/plugins/pull/1478) [google_maps_flutter] Add a bitmap descriptor that is aware of scale (cla: yes)
[1479](https://github.com/flutter/plugins/pull/1479) Adding links to the firebase_analytics example (cla: yes)
[1483](https://github.com/flutter/plugins/pull/1483) [Image_picker] ios minimum deployment target to 8.0. (cla: yes)
[1484](https://github.com/flutter/plugins/pull/1484) [video_player] Explicitly indicate that self should be retained (cla: yes)
[1485](https://github.com/flutter/plugins/pull/1485) Fix unused vars and rename (cla: yes)
[1486](https://github.com/flutter/plugins/pull/1486) [firebase_performance] Firebase Performance integration tests (cla: yes)
[1487](https://github.com/flutter/plugins/pull/1487) [firebase_auth] Migrate FlutterAuthPlugin from deprecated APIs (cla: yes, flutterfire)
[1488](https://github.com/flutter/plugins/pull/1488) [image_picker]version fix. (cla: yes)
[1489](https://github.com/flutter/plugins/pull/1489) BitmapDescriptor#fromBytes should be consistent across platforms (cla: yes)
[1490](https://github.com/flutter/plugins/pull/1490) [firebase_analytics] Fixes errors in firebase_analytics docs (cla: yes)
[1491](https://github.com/flutter/plugins/pull/1491) [cloud_firestore] Support for atomic FieldValue.increment (cla: yes, feature, flutterfire)
[1492](https://github.com/flutter/plugins/pull/1492) [firebase_analytics] Initial integration test (cla: yes, flutterfire)
[1493](https://github.com/flutter/plugins/pull/1493) [android_alarm_manager] Added comments and refactored android_alarm_manager plugin for clarity. (cla: yes)
[1495](https://github.com/flutter/plugins/pull/1495) [in_app_purchase ]add cyanglaz to code owner. (cla: yes)
[1496](https://github.com/flutter/plugins/pull/1496) Add myself to video_player CODEOWNERS (cla: yes)
[1501](https://github.com/flutter/plugins/pull/1501) [webview_flutter] Fixed documentation for usage example of JavaScript message (cla: yes)
[1502](https://github.com/flutter/plugins/pull/1502) [connectivity] Fixes lint error by using getApplicationContext() (cla: yes)
[1503](https://github.com/flutter/plugins/pull/1503) Update firebase_auth CocoaPod dependency (cla: yes)
[1504](https://github.com/flutter/plugins/pull/1504) [firebase_storage] Return error when failing to read file (bugfix, cla: yes, flutterfire)
[1505](https://github.com/flutter/plugins/pull/1505) [image_picker] Fix path of returned File objects when picking videos (bugfix, cla: yes)
[1506](https://github.com/flutter/plugins/pull/1506) [firebase_ml_vision] Start of ML Kit integration tests (cla: yes)
[1508](https://github.com/flutter/plugins/pull/1508) [firebase_auth] Increase iOS Firebase/Auth CocoaPods dependency to 5.19 (cla: yes)
[1509](https://github.com/flutter/plugins/pull/1509) [Image_picker] Android: fix a crash when the MainActivity is destroyed after selecting the image/video. (cla: yes)
[1511](https://github.com/flutter/plugins/pull/1511) [webview_flutter]bugfix:webview example should be statefulWidget (cla: yes)
[1512](https://github.com/flutter/plugins/pull/1512) [Image_picker] retrieve lost image. (cla: yes)
[1513](https://github.com/flutter/plugins/pull/1513) [firebase_storage] Initial integration testing (cla: yes)
[1514](https://github.com/flutter/plugins/pull/1514) [firebase_remote_config] Initial integration tests (cla: yes, flutterfire)
[1516](https://github.com/flutter/plugins/pull/1516) [webview_flutter] controller headers loadurl (cla: yes)
[1517](https://github.com/flutter/plugins/pull/1517) [in_app_purchase] Rename the unified API (cla: yes)
[1519](https://github.com/flutter/plugins/pull/1519) [image_picker] request camera permission if need (cla: yes)
[1520](https://github.com/flutter/plugins/pull/1520) [cloud_functions] update Dart API to replace call with getHttpsCallable (cla: yes, feature, flutterfire)
[1523](https://github.com/flutter/plugins/pull/1523) [firebase_performance] Deprecate incrementCounter in favor of incrementMetric (cla: yes)
[1527](https://github.com/flutter/plugins/pull/1527) Some additions to CODEOWNERS (cla: yes)
[1528](https://github.com/flutter/plugins/pull/1528) [webview_flutter] Remove un-used method params (cla: yes)
[1531](https://github.com/flutter/plugins/pull/1531) [image_picker] example app video load error fix. (bugfix, cla: yes)
[1532](https://github.com/flutter/plugins/pull/1532) [firebase_messaging] remove obsolete docs instruction (cla: yes, flutterfire)
[1533](https://github.com/flutter/plugins/pull/1533) [image_picker] version fix. (cla: yes)
[1534](https://github.com/flutter/plugins/pull/1534) [webview_flutter] Skip loadUrlWithHeaders test (cla: yes)
[1535](https://github.com/flutter/plugins/pull/1535) [webview_flutter] Test: wait for page to load before checking the content (cla: yes)
[1536](https://github.com/flutter/plugins/pull/1536) [in_app_purchase] Minor doc updates (cla: yes)
[1537](https://github.com/flutter/plugins/pull/1537) [in_app_purchase] Add auto-consume errors to PurchaseDetails (cla: yes)
[1539](https://github.com/flutter/plugins/pull/1539) [firebase_ml_vision] Update Firebase ML Vision documentation (cla: yes, documentation, flutterfire, submit queue)
[1540](https://github.com/flutter/plugins/pull/1540) [in_app_purchase] Only fetch owned purchases (cla: yes)
[1541](https://github.com/flutter/plugins/pull/1541) [image_picker] correct suffix on android. (cla: yes)
[1542](https://github.com/flutter/plugins/pull/1542) [video_player] Android: Fix ide warnings in video_player (cla: yes)
[1543](https://github.com/flutter/plugins/pull/1543) [cloud_firestore] Fix wrong FieldValue (cla: yes)
[1544](https://github.com/flutter/plugins/pull/1544) [image_picker]fix license format. (cla: yes)
[1545](https://github.com/flutter/plugins/pull/1545) [firebase_ml_vision] [share] Fix analyzer warnings from const Rect constructor. (cla: yes)
[1549](https://github.com/flutter/plugins/pull/1549) [google_maps_flutter] Support Color's alpha channel when converting to UIColor on iOS (cla: yes)
[1552](https://github.com/flutter/plugins/pull/1552) [video_player] Fix player initialization and other warnings (cla: yes)
| website/src/release/release-notes/changelogs/changelog-1.5.4.md/0 | {
"file_path": "website/src/release/release-notes/changelogs/changelog-1.5.4.md",
"repo_id": "website",
"token_count": 49670
} | 1,675 |
---
title: Flutter 2.5.0 release notes
short-title: 2.5.0 release notes
description: Release notes for Flutter 2.5.0.
---
This page has release notes for 2.5.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`
### framework - 530 pull request(s)
[69826](https://github.com/flutter/flutter/pull/69826) Added enableFeedback property to FloatingActionButton (framework, f: material design, cla: yes, waiting for tree to go green)
[69880](https://github.com/flutter/flutter/pull/69880) Added enableFeedback property to DropdownButton (framework, f: material design, cla: yes)
[71947](https://github.com/flutter/flutter/pull/71947) Improve the performances of ChangeNotifier (framework, cla: yes, waiting for tree to go green)
[73440](https://github.com/flutter/flutter/pull/73440) Hardware keyboard: codegen (a: text input, team, framework, cla: yes)
[75091](https://github.com/flutter/flutter/pull/75091) Calculate the system overlay style based on the AppBar background color (framework, f: material design, cla: yes, waiting for tree to go green)
[75460](https://github.com/flutter/flutter/pull/75460) Added TabBar padding property (framework, f: material design, cla: yes, waiting for tree to go green)
[75497](https://github.com/flutter/flutter/pull/75497) Added axisOrientation property to Scrollbar (framework, f: material design, f: scrolling, cla: yes, f: cupertino, waiting for tree to go green)
[76145](https://github.com/flutter/flutter/pull/76145) Add support for pointer scrolling to trigger floats & snaps (framework, a: fidelity, f: scrolling, cla: yes, a: quality, platform-web, waiting for tree to go green, a: desktop, a: mouse)
[76288](https://github.com/flutter/flutter/pull/76288) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[76742](https://github.com/flutter/flutter/pull/76742) Add a bitmap operation property to transform widgets to enable/control bitmap transforms (team, framework, cla: yes, will affect goldens)
[76968](https://github.com/flutter/flutter/pull/76968) Add disable argument in DropdownMenuItem (framework, f: material design, cla: yes)
[77514](https://github.com/flutter/flutter/pull/77514) Changing SnackBar's dismiss direction (framework, f: material design, cla: yes, waiting for tree to go green)
[78032](https://github.com/flutter/flutter/pull/78032) Added null check before NavigationRail.onDestinationSelected is called (severe: crash, framework, f: material design, cla: yes, a: quality, waiting for tree to go green, a: null-safety)
[78133](https://github.com/flutter/flutter/pull/78133) Changing SnackBar's default vertical padding (framework, f: material design, cla: yes, waiting for tree to go green)
[78173](https://github.com/flutter/flutter/pull/78173) Improved AssetImage Docs (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[78202](https://github.com/flutter/flutter/pull/78202) Dedup CupertinoAlertDialog and CupertinoActionSheet source code (framework, cla: yes, f: cupertino, waiting for tree to go green)
[78284](https://github.com/flutter/flutter/pull/78284) Add CupertinoScrollbar api docs (framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[78522](https://github.com/flutter/flutter/pull/78522) Shortcut activator (a: tests, a: text input, team, framework, cla: yes)
[78558](https://github.com/flutter/flutter/pull/78558) Expose padEnds on PageView widget (framework, cla: yes, waiting for tree to go green)
[78649](https://github.com/flutter/flutter/pull/78649) Treat some exceptions as unhandled when a debugger is attached (tool, framework, cla: yes, waiting for tree to go green, cp: 2.2)
[78744](https://github.com/flutter/flutter/pull/78744) Fix painting material toggle (#78733) (framework, f: material design, a: fidelity, cla: yes, waiting for tree to go green, will affect goldens)
[78835](https://github.com/flutter/flutter/pull/78835) [State Restoration] Restorable FormField and TextFormField (framework, f: material design, cla: yes, a: state restoration)
[78879](https://github.com/flutter/flutter/pull/78879) ListTile.divideTiles only run Iterable once (framework, f: material design, cla: yes, waiting for tree to go green)
[78886](https://github.com/flutter/flutter/pull/78886) Improved handling of AppBar's `action` Icon sizes (framework, f: material design, cla: yes, waiting for tree to go green)
[78927](https://github.com/flutter/flutter/pull/78927) Add TextOverflow into TextStyle (framework, f: material design, cla: yes, a: typography, waiting for tree to go green)
[78948](https://github.com/flutter/flutter/pull/78948) fix paste crash when section is invalid (framework, f: material design, cla: yes, waiting for tree to go green)
[79035](https://github.com/flutter/flutter/pull/79035) Fix a rotation gesture recognize bug (framework, cla: yes, waiting for tree to go green)
[79085](https://github.com/flutter/flutter/pull/79085) Redo fix for button.icon layout overflow (framework, f: material design, cla: yes)
[79287](https://github.com/flutter/flutter/pull/79287) Reland InteractiveViewer.builder (framework, cla: yes, waiting for tree to go green)
[79535](https://github.com/flutter/flutter/pull/79535) When updating TabController widget, if _controller.index >= widget.length, update _animationController's value (framework, f: material design, cla: yes, waiting for tree to go green)
[79581](https://github.com/flutter/flutter/pull/79581) [flutter_driver] Add waitForTappable to flutter_driver (a: tests, framework, cla: yes, waiting for tree to go green)
[79599](https://github.com/flutter/flutter/pull/79599) Adds text attributes support for semantics (a: tests, framework, a: accessibility, cla: yes)
[79607](https://github.com/flutter/flutter/pull/79607) [RenderEditable] Dont paint caret when selection is invalid (framework, cla: yes, waiting for tree to go green)
[79608](https://github.com/flutter/flutter/pull/79608) Remove "unnecessary" imports in test/widgets (tool, framework, cla: yes, waiting for tree to go green)
[79610](https://github.com/flutter/flutter/pull/79610) Remove "unnecessary" imports in misc libraries (team, framework, f: material design, cla: yes, waiting for tree to go green)
[79680](https://github.com/flutter/flutter/pull/79680) VisualDensity should not reduce ButtonStyleButton horizontal padding (framework, f: material design, cla: yes, waiting for tree to go green)
[79721](https://github.com/flutter/flutter/pull/79721) Fix samples of ExactAssetImage (framework, cla: yes, waiting for tree to go green)
[79752](https://github.com/flutter/flutter/pull/79752) Add prototypeItem property to ListView (framework, cla: yes, waiting for tree to go green)
[79860](https://github.com/flutter/flutter/pull/79860) BorderRadiusTween.lerp supports null begin/end values (framework, cla: yes, a: quality, waiting for tree to go green, a: null-safety)
[79957](https://github.com/flutter/flutter/pull/79957) Reduce severity of memory leak when BuildContext/Element is retained (framework, cla: yes, waiting for tree to go green)
[79959](https://github.com/flutter/flutter/pull/79959) Unblock roll by reverting #79061 (a: tests, team, framework, cla: yes)
[79966](https://github.com/flutter/flutter/pull/79966) Add onTap and autocorrect into CupertinoSearchTextField (framework, cla: yes, f: cupertino, waiting for tree to go green)
[79973](https://github.com/flutter/flutter/pull/79973) Support block delete with word and line modifiers (framework, cla: yes)
[79988](https://github.com/flutter/flutter/pull/79988) Add a potentially missing TextSelectionOverlay dispose (framework, cla: yes, waiting for tree to go green)
[79990](https://github.com/flutter/flutter/pull/79990) Fix doc for FlexColumnWidth.value (framework, cla: yes, waiting for tree to go green)
[79998](https://github.com/flutter/flutter/pull/79998) Clear listeners when AnimationController is disposed (framework, cla: yes, waiting for tree to go green)
[79999](https://github.com/flutter/flutter/pull/79999) Added MaterialState.scrolledUnder and support in AppBar.backgroundColor (framework, f: material design, cla: yes)
[80003](https://github.com/flutter/flutter/pull/80003) Refactor text editing test APIs (Mark III) (a: tests, team, framework, cla: yes, waiting for tree to go green)
[80006](https://github.com/flutter/flutter/pull/80006) update SearchDelegate's leading and actions widgets can be null (framework, f: material design, cla: yes, waiting for tree to go green)
[80028](https://github.com/flutter/flutter/pull/80028) fix typo (framework, cla: yes, waiting for tree to go green)
[80047](https://github.com/flutter/flutter/pull/80047) Adjust selection drag start position for viewport offset changes (framework, cla: yes, waiting for tree to go green)
[80049](https://github.com/flutter/flutter/pull/80049) Change test to not implement ByteData (framework, cla: yes, waiting for tree to go green)
[80059](https://github.com/flutter/flutter/pull/80059) Revert "improve the scrollbar behavior when viewport size changed" (framework, cla: yes, waiting for tree to go green)
[80070](https://github.com/flutter/flutter/pull/80070) Revert "Remove "unnecessary" imports in misc libraries" (team, framework, f: material design, cla: yes)
[80087](https://github.com/flutter/flutter/pull/80087) Added ButtonStyle.maximumSize (framework, f: material design, cla: yes)
[80110](https://github.com/flutter/flutter/pull/80110) Make SelectableText focus traversal behavior more standard (framework, f: material design, cla: yes, waiting for tree to go green)
[80129](https://github.com/flutter/flutter/pull/80129) Add BackdropFilter blend mode (framework, cla: yes, waiting for tree to go green, will affect goldens)
[80134](https://github.com/flutter/flutter/pull/80134) Move ExpansionPanelList to Canvas.drawShadow (framework, f: material design, cla: yes, waiting for tree to go green)
[80142](https://github.com/flutter/flutter/pull/80142) Revert "improve the scrollbar behavior when viewport size changed (#7… (framework, cla: yes, waiting for tree to go green)
[80157](https://github.com/flutter/flutter/pull/80157) Shake widget inspector from non-debug builds (team, framework, cla: yes, waiting for tree to go green)
[80166](https://github.com/flutter/flutter/pull/80166) Fix InteractiveViewer.builder for custom RenderBox parents (framework, cla: yes, waiting for tree to go green)
[80184](https://github.com/flutter/flutter/pull/80184) Modified DataRow to be disabled when onSelectChanged is not set (framework, f: material design, cla: yes)
[80186](https://github.com/flutter/flutter/pull/80186) Fix problem with right-clicking on a right-to-left selection (framework, cla: yes, waiting for tree to go green)
[80187](https://github.com/flutter/flutter/pull/80187) Fix autocomplete options height (framework, f: material design, cla: yes, waiting for tree to go green)
[80237](https://github.com/flutter/flutter/pull/80237) Tweaked TabBar to provide uniform padding to all tabs in cases where only few tabs contain both icon and text (framework, f: material design, cla: yes, a: quality, waiting for tree to go green)
[80251](https://github.com/flutter/flutter/pull/80251) Make the ReorderableListView padding scroll with the list. (framework, f: material design, cla: yes)
[80257](https://github.com/flutter/flutter/pull/80257) Autocomplete and RawAutocomplete initialValue parameter (framework, f: material design, cla: yes, waiting for tree to go green)
[80294](https://github.com/flutter/flutter/pull/80294) Remove a dynamic that is no longer necessary (and the TODO for it) (framework, cla: yes, waiting for tree to go green)
[80302](https://github.com/flutter/flutter/pull/80302) Handle null primary focus when receiving key events (framework, cla: yes)
[80305](https://github.com/flutter/flutter/pull/80305) Revert "Reland InteractiveViewer.builder" (framework, cla: yes, waiting for tree to go green)
[80316](https://github.com/flutter/flutter/pull/80316) Fixed typos in AppBar.title API doc sample (framework, f: material design, cla: yes)
[80326](https://github.com/flutter/flutter/pull/80326) Revert "Remove a dynamic that is no longer necessary (and the TODO for it)" (framework, cla: yes)
[80336](https://github.com/flutter/flutter/pull/80336) Add `showTimePicker` function link (framework, f: material design, cla: yes, waiting for tree to go green)
[80355](https://github.com/flutter/flutter/pull/80355) fix a BackButtonListener bug (framework, cla: yes, waiting for tree to go green)
[80360](https://github.com/flutter/flutter/pull/80360) Add ExpansionTile.controlAffinity (framework, f: material design, cla: yes)
[80373](https://github.com/flutter/flutter/pull/80373) Reland "Remove a dynamic that is no longer necessary (and the TODO for it) (#80294)" (team, framework, cla: yes, waiting for tree to go green)
[80380](https://github.com/flutter/flutter/pull/80380) Revert "Added MaterialState.scrolledUnder and support in AppBar.backgroundColor" (framework, f: material design, cla: yes)
[80395](https://github.com/flutter/flutter/pull/80395) Re-land "Added MaterialState.scrolledUnder and support in AppBar.backgroundColor" (framework, f: material design, cla: yes, waiting for tree to go green)
[80420](https://github.com/flutter/flutter/pull/80420) Update PopupMenuButton widget (framework, f: material design, cla: yes, waiting for tree to go green)
[80453](https://github.com/flutter/flutter/pull/80453) Fix FlexibleSpaceBar Opacity when AppBar.toolbarHeight > ktoolbarHeight (framework, f: material design, cla: yes, a: quality, waiting for tree to go green)
[80454](https://github.com/flutter/flutter/pull/80454) Updated the OutlinedButton class API doc (framework, f: material design, cla: yes)
[80459](https://github.com/flutter/flutter/pull/80459) [flutter_releases] Flutter Dev 2.2.0-10.1.pre Framework Cherrypicks (tool, framework, engine, cla: yes)
[80467](https://github.com/flutter/flutter/pull/80467) Added support for AppBarTheme.toolbarHeight (framework, f: material design, cla: yes, waiting for tree to go green)
[80476](https://github.com/flutter/flutter/pull/80476) Replace dynamic by Object/Object? in router.dart (framework, cla: yes, waiting for tree to go green)
[80527](https://github.com/flutter/flutter/pull/80527) Added the ability to constrain the size of bottom sheets. (framework, f: material design, cla: yes, waiting for tree to go green)
[80545](https://github.com/flutter/flutter/pull/80545) Revert "Fix FlexibleSpaceBar Opacity when AppBar.toolbarHeight > ktoolbarHeight" (framework, f: material design, cla: yes, waiting for tree to go green)
[80554](https://github.com/flutter/flutter/pull/80554) Convert AnimatedSize to a StatefulWidget (team, framework, cla: yes, waiting for tree to go green)
[80566](https://github.com/flutter/flutter/pull/80566) [State Restoration] Restorable `TimePickerDialog` widget, `RestorableTimeOfDay` (framework, f: material design, cla: yes, waiting for tree to go green)
[80567](https://github.com/flutter/flutter/pull/80567) Change cursor when hovering on DropdownButton (framework, f: material design, cla: yes, waiting for tree to go green)
[80573](https://github.com/flutter/flutter/pull/80573) fix a NestedScrollView's ScrollPosition access bug (framework, cla: yes, waiting for tree to go green)
[80587](https://github.com/flutter/flutter/pull/80587) Add dart fix for DragAnchor deprecation (team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[80588](https://github.com/flutter/flutter/pull/80588) Speed up WriteBuffer by removing some runtime checks in release builds and removing a loop (framework, cla: yes, waiting for tree to go green)
[80589](https://github.com/flutter/flutter/pull/80589) Re-land Fix FlexibleSpaceBar Opacity when AppBar.toolbarHeight > ktoolbarHeight (framework, f: material design, cla: yes, waiting for tree to go green)
[80639](https://github.com/flutter/flutter/pull/80639) navigator cleans up its pop transitions. (framework, f: material design, cla: yes, waiting for tree to go green)
[80657](https://github.com/flutter/flutter/pull/80657) Correct typo in addWithPaintTransform docs (framework, cla: yes, waiting for tree to go green)
[80754](https://github.com/flutter/flutter/pull/80754) Added the ability to constrain the size of input decorators (framework, f: material design, cla: yes, waiting for tree to go green)
[80756](https://github.com/flutter/flutter/pull/80756) Migrate LogicalKeySet to SingleActivator (a: tests, a: text input, team, framework, f: material design, severe: API break, cla: yes, f: cupertino)
[80761](https://github.com/flutter/flutter/pull/80761) Enable previously skipped Editable test (framework, cla: yes, waiting for tree to go green)
[80772](https://github.com/flutter/flutter/pull/80772) Replace some `dynamic` to `Object?` type (framework, f: material design, cla: yes, waiting for tree to go green)
[80792](https://github.com/flutter/flutter/pull/80792) Modified TabBar.preferredSize to remove hardcoded knowledge about child Tab. (team, framework, f: material design, cla: yes, a: quality, waiting for tree to go green, tech-debt)
[80805](https://github.com/flutter/flutter/pull/80805) Update bottom_tab_bar_test.dart (framework, cla: yes, f: cupertino, waiting for tree to go green)
[80817](https://github.com/flutter/flutter/pull/80817) fix sort_directives violations (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes, f: cupertino, waiting for tree to go green)
[80831](https://github.com/flutter/flutter/pull/80831) Revert "Update PopupMenuButton widget" (framework, f: material design, cla: yes, waiting for tree to go green)
[80836](https://github.com/flutter/flutter/pull/80836) Add a ThreePointCubic spline that combines two cubic curves (framework, f: material design, cla: yes)
[80852](https://github.com/flutter/flutter/pull/80852) add trailing commas in flutter/test/animation (framework, cla: yes, waiting for tree to go green)
[80897](https://github.com/flutter/flutter/pull/80897) Reland double gzip wrapping NOTICES to reduce on-disk installed space (team, tool, framework, cla: yes)
[80901](https://github.com/flutter/flutter/pull/80901) fix unsorted directives (a: tests, tool, framework, f: material design, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[80926](https://github.com/flutter/flutter/pull/80926) add trailing commas in flutter/test/{foundation,gestures} (framework, cla: yes)
[80930](https://github.com/flutter/flutter/pull/80930) add a test for popupMenuButton (framework, f: material design, cla: yes, waiting for tree to go green)
[80965](https://github.com/flutter/flutter/pull/80965) Revert "Replace some `dynamic` to `Object?` type" (framework, f: material design, cla: yes)
[80986](https://github.com/flutter/flutter/pull/80986) Revert "Replace some `dynamic` to `Object?` type (#80772)" (#80965) (framework, f: material design, cla: yes)
[80995](https://github.com/flutter/flutter/pull/80995) Add trailing commas in `packages/flutter/test/{painting,physics,semantics,schedule}` (framework, a: accessibility, cla: yes, waiting for tree to go green)
[81000](https://github.com/flutter/flutter/pull/81000) Remove "unnecessary" imports in packages/flutter (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[81014](https://github.com/flutter/flutter/pull/81014) Fix error resolution when a completer is already set (framework, cla: yes, waiting for tree to go green)
[81022](https://github.com/flutter/flutter/pull/81022) fix resampling leads to Hard to tap (framework, cla: no)
[81040](https://github.com/flutter/flutter/pull/81040) Fix Hit Tests in RenderEditable when Scrolled (framework, cla: yes, waiting for tree to go green)
[81042](https://github.com/flutter/flutter/pull/81042) Add trailing commas in packages/flutter/test/services (framework, cla: yes)
[81043](https://github.com/flutter/flutter/pull/81043) Update text_form_field.dart (framework, f: material design, cla: yes, waiting for tree to go green)
[81060](https://github.com/flutter/flutter/pull/81060) sort directives (framework, f: material design, cla: yes, waiting for tree to go green)
[81065](https://github.com/flutter/flutter/pull/81065) Add trailing commas in packages/flutter/test/rendering (framework, a: accessibility, cla: yes)
[81067](https://github.com/flutter/flutter/pull/81067) Deprecate AnimatedSize.vsync (framework, f: material design, cla: yes, waiting for tree to go green)
[81075](https://github.com/flutter/flutter/pull/81075) Added a ProgressIndicatorTheme. (framework, f: material design, cla: yes)
[81076](https://github.com/flutter/flutter/pull/81076) Revert "[RenderEditable] Dont paint caret when selection is invalid" (framework, cla: yes)
[81080](https://github.com/flutter/flutter/pull/81080) Add trailing commas in packages/flutter/test/cupertino (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[81083](https://github.com/flutter/flutter/pull/81083) Make compareTo more robust in semantics.dart (framework, a: accessibility, cla: yes, waiting for tree to go green)
[81089](https://github.com/flutter/flutter/pull/81089) Dispose thumbPainter in Switch to avoid crash (framework, f: material design, cla: yes, waiting for tree to go green)
[81100](https://github.com/flutter/flutter/pull/81100) Modify CupertinoSearchTextField's prefix icon. (framework, cla: yes, f: cupertino, waiting for tree to go green)
[81148](https://github.com/flutter/flutter/pull/81148) MouseRegion enter/exit event can be triggered with button pressed (framework, cla: yes, waiting for tree to go green)
[81150](https://github.com/flutter/flutter/pull/81150) [flutter_driver] support log communication for WebFlutterDriver (a: tests, framework, cla: yes, waiting for tree to go green)
[81153](https://github.com/flutter/flutter/pull/81153) Enable avoid_escaping_inner_quotes lint (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[81155](https://github.com/flutter/flutter/pull/81155) Revert "[RenderEditable] Dont paint caret when selection is invalid" #81076 (team, framework, f: material design, cla: yes)
[81221](https://github.com/flutter/flutter/pull/81221) Enable vm:notify-debugger-on-exception for more use cases enabled by upstream fix (tool, framework, cla: yes)
[81226](https://github.com/flutter/flutter/pull/81226) Revert "Migrate to ChannelBuffers.push" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[81228](https://github.com/flutter/flutter/pull/81228) Support notched BottomAppbar when Scaffold.bottomNavigationBar == null (framework, f: material design, cla: yes)
[81235](https://github.com/flutter/flutter/pull/81235) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[81240](https://github.com/flutter/flutter/pull/81240) Add benchmark for number of GCs in animated GIF (a: tests, team, framework, cla: yes, waiting for tree to go green)
[81241](https://github.com/flutter/flutter/pull/81241) Use ColorScheme.primary (not secondary), ExpansionTile expanded color (framework, f: material design, cla: yes)
[81246](https://github.com/flutter/flutter/pull/81246) Short-circuit _debugCanPerformMutations if debugDoingLayout is false (framework, cla: yes, waiting for tree to go green)
[81247](https://github.com/flutter/flutter/pull/81247) Cheaper debug string for widget-provided tickers (framework, cla: yes, waiting for tree to go green)
[81250](https://github.com/flutter/flutter/pull/81250) Improve performance of debugCheckHasDirectionality (framework, f: material design, cla: yes, waiting for tree to go green)
[81260](https://github.com/flutter/flutter/pull/81260) Add onLongPressDown, onLongPressCancel (framework, cla: yes)
[81278](https://github.com/flutter/flutter/pull/81278) Assert for valid ScrollController in Scrollbar gestures (framework, f: scrolling, cla: yes, f: cupertino, a: quality, waiting for tree to go green, a: error message)
[81282](https://github.com/flutter/flutter/pull/81282) Expose the alignment property for DropdownButton and item (framework, f: material design, cla: yes, waiting for tree to go green)
[81295](https://github.com/flutter/flutter/pull/81295) Override MediaQuery for WidgetsApp (severe: new feature, framework, f: material design, cla: yes, a: quality, waiting for tree to go green)
[81303](https://github.com/flutter/flutter/pull/81303) [Framework] Support for Android Fullscreen Modes (severe: new feature, e: device-specific, platform-android, framework, engine, f: material design, a: fidelity, cla: yes, a: quality, customer: crowd, waiting for tree to go green, a: layout)
[81316](https://github.com/flutter/flutter/pull/81316) Revert "Refactor text editing test APIs (Mark III)" (a: tests, team, framework, cla: yes, waiting for tree to go green)
[81325](https://github.com/flutter/flutter/pull/81325) Fix typo to trigger build (framework, f: material design, cla: yes)
[81329](https://github.com/flutter/flutter/pull/81329) Add trailing commas in packages/flutter/test/material (framework, f: material design, cla: yes, waiting for tree to go green)
[81336](https://github.com/flutter/flutter/pull/81336) Deprecate ThemeData accentColor, accentColorBright, accentIconTheme, accentTextTheme (framework, f: material design, cla: yes)
[81340](https://github.com/flutter/flutter/pull/81340) Fix bug in LongPressGestureRecognizer (framework, cla: yes)
[81343](https://github.com/flutter/flutter/pull/81343) Correct documentation in GestureRecognizerState (framework, cla: yes)
[81359](https://github.com/flutter/flutter/pull/81359) Fixed ProgressIndicatorTheme.wrap() (framework, f: material design, cla: yes)
[81362](https://github.com/flutter/flutter/pull/81362) Add trailing commas in packages/flutter/test/widgets (framework, a: accessibility, cla: yes, waiting for tree to go green)
[81372](https://github.com/flutter/flutter/pull/81372) Adding `itemExtent` to `ReorderableList` and `ReorderableListView` (framework, f: material design, cla: yes, waiting for tree to go green)
[81373](https://github.com/flutter/flutter/pull/81373) Remove an obsolete comment in RenderView.hitTestMouseTrackers (framework, cla: yes, waiting for tree to go green)
[81393](https://github.com/flutter/flutter/pull/81393) Added arrowHeadColor property to PaginatedDataTable (framework, f: material design, cla: yes)
[81396](https://github.com/flutter/flutter/pull/81396) Add draggable parameter to ReorderableDragStartListener (framework, cla: yes, waiting for tree to go green)
[81406](https://github.com/flutter/flutter/pull/81406) Add trailing commas in examples and packages/flutter/ (team, framework, f: material design, cla: yes, f: cupertino, d: examples)
[81409](https://github.com/flutter/flutter/pull/81409) Revert "Improve performance of debugCheckHasDirectionality" (framework, f: material design, cla: yes)
[81427](https://github.com/flutter/flutter/pull/81427) Update the docs for ProgressIndicator to remove some unnecessary adaptive descriptions. (framework, f: material design, cla: yes)
[81431](https://github.com/flutter/flutter/pull/81431) Improve performance of debugCheckHasDirectionality (framework, f: material design, cla: yes, waiting for tree to go green)
[81497](https://github.com/flutter/flutter/pull/81497) Update documentation for scrollUntilVisible and friends. (a: tests, framework, cla: yes, waiting for tree to go green)
[81505](https://github.com/flutter/flutter/pull/81505) Fix to the tab height (Issue #81500) (framework, f: material design, cla: yes, waiting for tree to go green)
[81529](https://github.com/flutter/flutter/pull/81529) fix a MaterialApp NNBD issue (framework, f: material design, cla: yes, waiting for tree to go green)
[81557](https://github.com/flutter/flutter/pull/81557) Revert "MouseRegion enter/exit event can be triggered with button pressed" (framework, cla: yes)
[81565](https://github.com/flutter/flutter/pull/81565) Link to correct extended integration test driver file in integration_test README (a: tests, framework, cla: yes, t: flutter driver, waiting for tree to go green)
[81569](https://github.com/flutter/flutter/pull/81569) [flutter] reject mouse drags by default in scrollables (a: tests, framework, cla: yes, waiting for tree to go green)
[81578](https://github.com/flutter/flutter/pull/81578) Enable library_private_types_in_public_api lint (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[81588](https://github.com/flutter/flutter/pull/81588) Allow widget inspector's _Location.file to be null (framework, cla: yes)
[81590](https://github.com/flutter/flutter/pull/81590) Fix assert in RenderObject.getTransformTo() (framework, cla: yes)
[81601](https://github.com/flutter/flutter/pull/81601) Allow reuse of NavigatorObserver in Navigator.observers (framework, cla: yes, waiting for tree to go green)
[81604](https://github.com/flutter/flutter/pull/81604) prototypeItem added to ReorderableList and ReorderableListView (framework, f: material design, cla: yes)
[81631](https://github.com/flutter/flutter/pull/81631) Clean up some old and obsolete TODOs of mine (framework, f: material design, cla: yes, waiting for tree to go green)
[81632](https://github.com/flutter/flutter/pull/81632) Be more consistent about how we mark classes that can't be extended. (framework, cla: yes, waiting for tree to go green)
[81634](https://github.com/flutter/flutter/pull/81634) Change elevation to double of MergeableMaterial (framework, f: material design, cla: yes, waiting for tree to go green)
[81647](https://github.com/flutter/flutter/pull/81647) Add slider adaptive cupertino thumb color (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[81686](https://github.com/flutter/flutter/pull/81686) Add "onTap" callback to PopupMenuItem (framework, f: material design, cla: yes)
[81699](https://github.com/flutter/flutter/pull/81699) Fixed some trivial formatting issues in test/material/popup_menu_test.dart (framework, f: material design, cla: yes)
[81706](https://github.com/flutter/flutter/pull/81706) Integrate MaterialBanner with the ScaffoldMessenger API (severe: new feature, framework, a: animation, f: material design, a: fidelity, cla: yes, d: api docs, d: examples, a: quality, waiting for tree to go green, documentation)
[81792](https://github.com/flutter/flutter/pull/81792) Reduce potential collisions from Gold RNG (a: tests, team, framework, cla: yes, team: flakes, waiting for tree to go green, team: infra, team: presubmit flakes)
[81794](https://github.com/flutter/flutter/pull/81794) Reland GC related bench update (a: tests, team, framework, cla: yes, waiting for tree to go green)
[81796](https://github.com/flutter/flutter/pull/81796) Add doc links to RawGestureDetector (framework, cla: yes)
[81807](https://github.com/flutter/flutter/pull/81807) Character activator (a: tests, a: text input, framework, cla: yes, waiting for tree to go green)
[81813](https://github.com/flutter/flutter/pull/81813) ExpansionPanelList elevation as double (framework, f: material design, cla: yes, waiting for tree to go green)
[81829](https://github.com/flutter/flutter/pull/81829) Revert "Migrate to ChannelBuffers.push" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[81850](https://github.com/flutter/flutter/pull/81850) Assert when duplicated keys are introduced in subsequent build (framework, cla: yes, waiting for tree to go green)
[81858](https://github.com/flutter/flutter/pull/81858) Deprecate `GestureDetector.kind` in favor of new `supportedDevices` (severe: new feature, framework, cla: yes, f: gestures, waiting for tree to go green, a: desktop, a: mouse)
[81859](https://github.com/flutter/flutter/pull/81859) remove unnecessary String.toString() (a: tests, team, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[81865](https://github.com/flutter/flutter/pull/81865) Add Enter and Tab back in to ios and macos key maps (team, framework, cla: yes)
[81884](https://github.com/flutter/flutter/pull/81884) Gesture recognizer cleanup (framework, cla: yes, d: api docs, a: quality, f: gestures, documentation)
[81898](https://github.com/flutter/flutter/pull/81898) Expose basicLocaleListResolution in widget library (framework, a: internationalization, cla: yes, waiting for tree to go green)
[81927](https://github.com/flutter/flutter/pull/81927) [flutter_releases] Flutter Beta 2.2.0-10.3.pre Framework Cherrypicks (team, tool, framework, engine, f: material design, a: internationalization, cla: yes)
[81928](https://github.com/flutter/flutter/pull/81928) Implement ==/hashCode for ViewConfiguration, avoid unnecessary layer creation/replacement (framework, cla: yes, waiting for tree to go green)
[81930](https://github.com/flutter/flutter/pull/81930) Refactor MethodChannel and remove redundant OptionalMethodChannel methods (framework, cla: yes, waiting for tree to go green)
[81932](https://github.com/flutter/flutter/pull/81932) Add some examples of widgets that support visual density (framework, f: material design, cla: yes, d: api docs, waiting for tree to go green, documentation)
[81961](https://github.com/flutter/flutter/pull/81961) Only skip license initialization on `flutter test` binding (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[81986](https://github.com/flutter/flutter/pull/81986) clean-up analysis_options.yaml's across the repository (team, framework, cla: yes, waiting for tree to go green)
[81987](https://github.com/flutter/flutter/pull/81987) Enable vm:notify-debugger-on-exception on handlePlatformMessage (tool, framework, cla: yes, waiting for tree to go green)
[82005](https://github.com/flutter/flutter/pull/82005) Revert "Reland GC related bench update" (a: tests, team, framework, cla: yes)
[82017](https://github.com/flutter/flutter/pull/82017) Small change to doc to trick firebase (framework, cla: yes)
[82025](https://github.com/flutter/flutter/pull/82025) fix scrollable widget scrollDirection update bug (framework, cla: yes, waiting for tree to go green)
[82026](https://github.com/flutter/flutter/pull/82026) Extend Toggle Button's fill color with MaterialState (framework, f: material design, cla: yes, waiting for tree to go green)
[82028](https://github.com/flutter/flutter/pull/82028) Fix dartdoc for SliverAppBar#shadowColor (framework, f: material design, cla: yes)
[82039](https://github.com/flutter/flutter/pull/82039) Revert "Assert when duplicated keys are introduced in subsequent build" (framework, cla: yes, waiting for tree to go green)
[82042](https://github.com/flutter/flutter/pull/82042) Reland GC benchmark changes again (a: tests, team, framework, cla: yes, waiting for tree to go green)
[82057](https://github.com/flutter/flutter/pull/82057) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82059](https://github.com/flutter/flutter/pull/82059) Revert "Reland GC benchmark changes again" (a: tests, team, framework, cla: yes)
[82069](https://github.com/flutter/flutter/pull/82069) Reland GC tracking benchmarks (a: tests, team, tool, framework, cla: yes)
[82084](https://github.com/flutter/flutter/pull/82084) Enable unnecessary_null_checks lint (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82140](https://github.com/flutter/flutter/pull/82140) Prevent DiagnosticsStackTrace truncation (framework, cla: yes)
[82152](https://github.com/flutter/flutter/pull/82152) Fix slider notifies start and end twice when participates in gesture arena (framework, f: material design, cla: yes, waiting for tree to go green)
[82196](https://github.com/flutter/flutter/pull/82196) Deprecated ThemeData buttonColor (framework, f: material design, cla: yes)
[82201](https://github.com/flutter/flutter/pull/82201) Reland "Assert when duplicated keys are introduced in subsequent build (#81850)" (framework, cla: yes)
[82215](https://github.com/flutter/flutter/pull/82215) Let RenderEditable.delete directly delete from the controller text. (framework, cla: yes, waiting for tree to go green)
[82223](https://github.com/flutter/flutter/pull/82223) 📝 Added `toString` tests for flutter/services/text_input.dart (framework, cla: yes, waiting for tree to go green)
[82234](https://github.com/flutter/flutter/pull/82234) Fixed a problem with the FAB position when constraints set on bottom sheet. (framework, f: material design, cla: yes, waiting for tree to go green)
[82235](https://github.com/flutter/flutter/pull/82235) 📝 Added tests for toString to increase coverage (framework, cla: yes, waiting for tree to go green)
[82238](https://github.com/flutter/flutter/pull/82238) use throwsA matcher instead of try-catch-fail (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[82286](https://github.com/flutter/flutter/pull/82286) Fix RenderEditable.computeMaxIntrinsicWidth error return. (framework, f: material design, cla: yes, waiting for tree to go green)
[82290](https://github.com/flutter/flutter/pull/82290) use throwsA matcher instead of try-catch-fail (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[82293](https://github.com/flutter/flutter/pull/82293) Better hover handling for Scrollbar (framework, f: material design, f: scrolling, cla: yes, a: quality, waiting for tree to go green, a: desktop, a: annoyance, a: mouse)
[82296](https://github.com/flutter/flutter/pull/82296) Fixed a problem with the first drag update on a reorderable list. (framework, cla: yes, waiting for tree to go green)
[82297](https://github.com/flutter/flutter/pull/82297) remove noop primitive operations (a: tests, team, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[82310](https://github.com/flutter/flutter/pull/82310) Roll Engine to 44ba0c7c4bfd (5 revisions) (framework, engine, cla: yes, waiting for tree to go green)
[82319](https://github.com/flutter/flutter/pull/82319) Fix typos (team, framework, f: material design, cla: yes, waiting for tree to go green)
[82327](https://github.com/flutter/flutter/pull/82327) update the DragStartBehavior documetations (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82328](https://github.com/flutter/flutter/pull/82328) use throwsXxx instead of throwsA(isA<Xxx>()) (a: tests, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82337](https://github.com/flutter/flutter/pull/82337) Revert "Init licenses for test bindings (#81961)" (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[82340](https://github.com/flutter/flutter/pull/82340) change the elevation of dropdown from int to double (framework, f: material design, cla: yes)
[82344](https://github.com/flutter/flutter/pull/82344) update the backwardsCompatibility to docs (framework, f: material design, cla: yes, waiting for tree to go green)
[82348](https://github.com/flutter/flutter/pull/82348) Remove redundant MediaQueryDatas in tests (a: tests, team, framework, f: material design, cla: yes, waiting for tree to go green, tech-debt)
[82380](https://github.com/flutter/flutter/pull/82380) Corrected OverflowBar layout when it is wider that its intrinsic width (framework, cla: yes, waiting for tree to go green)
[82387](https://github.com/flutter/flutter/pull/82387) first part of applying sort_child_properties_last (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82426](https://github.com/flutter/flutter/pull/82426) Enable use_named_constants_lint (tool, framework, f: material design, cla: yes, waiting for tree to go green)
[82441](https://github.com/flutter/flutter/pull/82441) Sets textInputAction property of CupertinoSearchTextField to TextInputAction.search by default (framework, cla: yes, f: cupertino, waiting for tree to go green)
[82446](https://github.com/flutter/flutter/pull/82446) Revert "change the elevation of dropdown from int to double" (framework, f: material design, cla: yes)
[82457](https://github.com/flutter/flutter/pull/82457) end of sort_child_properties_last (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82503](https://github.com/flutter/flutter/pull/82503) More toStrings and tests for physics, better docs (framework, cla: yes, waiting for tree to go green)
[82508](https://github.com/flutter/flutter/pull/82508) Remove "unnecessary" imports. (a: tests, team, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[82525](https://github.com/flutter/flutter/pull/82525) Revert "Migrate to ChannelBuffers.push" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82533](https://github.com/flutter/flutter/pull/82533) Fix single frame image is decoded even cached (framework, cla: yes, waiting for tree to go green)
[82539](https://github.com/flutter/flutter/pull/82539) Added Alignment docs for FractionallySizedBox (framework, cla: yes, waiting for tree to go green)
[82564](https://github.com/flutter/flutter/pull/82564) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82570](https://github.com/flutter/flutter/pull/82570) Fix AppBar's title doc (framework, f: material design, cla: yes, waiting for tree to go green)
[82575](https://github.com/flutter/flutter/pull/82575) [flutter] when primary mouse pointers don't contact a focused node, reset the focus (framework, f: material design, cla: yes, waiting for tree to go green)
[82581](https://github.com/flutter/flutter/pull/82581) [flutter_releases] Flutter Framework Engine roll (team, tool, framework, engine, f: material design, a: internationalization, cla: yes)
[82589](https://github.com/flutter/flutter/pull/82589) Fix typos (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82594](https://github.com/flutter/flutter/pull/82594) Migrate the navigator API to routeInformationUpdated. (framework, cla: yes, waiting for tree to go green)
[82596](https://github.com/flutter/flutter/pull/82596) Removed default page transitions for desktop and web platforms. (framework, f: material design, cla: yes, waiting for tree to go green)
[82609](https://github.com/flutter/flutter/pull/82609) Fix wrap compute max intrinsic width/height with spacing (framework, cla: yes, waiting for tree to go green)
[82671](https://github.com/flutter/flutter/pull/82671) TextField terminal the enter and space raw key events by default (a: text input, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, a: desktop)
[82675](https://github.com/flutter/flutter/pull/82675) fix a ListWheelScrollView childDelegate update bug (framework, cla: yes, f: cupertino, waiting for tree to go green)
[82687](https://github.com/flutter/flutter/pull/82687) Update the scrollbar (severe: new feature, framework, f: scrolling, cla: yes, platform-web, waiting for tree to go green, a: desktop)
[82712](https://github.com/flutter/flutter/pull/82712) [flutter_test/integration_test] added setSurfaceSize test coverage (a: tests, framework, cla: yes, will affect goldens, integration_test)
[82727](https://github.com/flutter/flutter/pull/82727) State Restoration for Router (framework, cla: yes, waiting for tree to go green)
[82753](https://github.com/flutter/flutter/pull/82753) Revert "Added axisOrientation property to Scrollbar" (framework, f: material design, cla: yes, f: cupertino)
[82764](https://github.com/flutter/flutter/pull/82764) Fix scrollbar drag gestures for reversed scrollables (framework, f: scrolling, cla: yes, f: cupertino, a: quality, waiting for tree to go green)
[82765](https://github.com/flutter/flutter/pull/82765) Do not crash if table children are replaced before they are layed out (severe: crash, framework, a: animation, cla: yes, waiting for tree to go green)
[82786](https://github.com/flutter/flutter/pull/82786) Drag gesture recognizer accepts all pointers when any pointer is accepted (framework, cla: yes, waiting for tree to go green)
[82818](https://github.com/flutter/flutter/pull/82818) Fix "Added AxisOrientation property to Scrollbar (#75497)" analysis failures (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82828](https://github.com/flutter/flutter/pull/82828) Remove "unnecessary" imports. (framework, cla: yes, waiting for tree to go green)
[82831](https://github.com/flutter/flutter/pull/82831) Revert "Gesture recognizer cleanup" (framework, cla: yes)
[82834](https://github.com/flutter/flutter/pull/82834) Fix addAllowedPointer() overrides (framework, cla: yes)
[82835](https://github.com/flutter/flutter/pull/82835) Enable vm:notify-debugger-on-exception for LayoutBuilder (tool, framework, cla: yes, waiting for tree to go green)
[82843](https://github.com/flutter/flutter/pull/82843) refactor: Add MaterialStateMixin (severe: new feature, framework, f: material design, cla: yes, d: api docs, d: examples, a: quality, waiting for tree to go green, documentation)
[82872](https://github.com/flutter/flutter/pull/82872) Revert "Fix wrap compute max intrinsic width/height with spacing (#82… (framework, cla: yes)
[82883](https://github.com/flutter/flutter/pull/82883) Dispose render objects when owning element is unmounted. (framework, cla: yes, waiting for tree to go green)
[82885](https://github.com/flutter/flutter/pull/82885) Re-apply "Gesture recognizer cleanup" (framework, cla: yes, d: api docs, a: quality, f: gestures, documentation)
[82926](https://github.com/flutter/flutter/pull/82926) [web] Make web integration tests shadow DOM aware. (a: tests, team, framework, cla: yes, d: examples, waiting for tree to go green)
[82934](https://github.com/flutter/flutter/pull/82934) [flutter] use engine provided frame number (framework, cla: yes, waiting for tree to go green)
[82939](https://github.com/flutter/flutter/pull/82939) FlutterDriver: deprecate enableAccessibility; redirect it to setSemantics; add setSemantics tests (a: tests, team, framework, cla: yes, d: examples)
[82963](https://github.com/flutter/flutter/pull/82963) Update rendering smoke tests to assert a frame has been scheduled (team, framework, cla: yes, d: examples, waiting for tree to go green)
[82986](https://github.com/flutter/flutter/pull/82986) Re-add the removed MediaQuery.removePadding of PopupMenuButton (framework, f: material design, cla: yes, waiting for tree to go green)
[83014](https://github.com/flutter/flutter/pull/83014) fix a DropdownButtonFormField label display issue (severe: regression, framework, f: material design, cla: yes, a: quality, waiting for tree to go green)
[83049](https://github.com/flutter/flutter/pull/83049) Fix RenderBox doc (framework, cla: yes)
[83082](https://github.com/flutter/flutter/pull/83082) Add SerialTapGestureRecognizer (severe: new feature, framework, cla: yes, f: gestures)
[83130](https://github.com/flutter/flutter/pull/83130) disable ideographic script test on web (framework, cla: yes)
[83145](https://github.com/flutter/flutter/pull/83145) Always push layer for RenderAnimatedOpacityMixin (framework, cla: yes, waiting for tree to go green)
[83146](https://github.com/flutter/flutter/pull/83146) Add iOS key map generation, make macOS var naming consistent with repo (team, framework, cla: yes)
[83177](https://github.com/flutter/flutter/pull/83177) Elevation for Stepper(horizontally) (framework, f: material design, cla: yes, waiting for tree to go green)
[83247](https://github.com/flutter/flutter/pull/83247) Fix typo in text_input.dart (framework, cla: yes, waiting for tree to go green)
[83253](https://github.com/flutter/flutter/pull/83253) Reland: MouseRegion enter/exit event can be triggered with button pressed (framework, cla: yes)
[83301](https://github.com/flutter/flutter/pull/83301) Make RouteInformationProvider value non nullable (framework, cla: yes)
[83318](https://github.com/flutter/flutter/pull/83318) Support Float32Lists in StandardMessageCodec (#72613) (team, framework, cla: yes, waiting for tree to go green)
[83337](https://github.com/flutter/flutter/pull/83337) Test WidgetTester handling test pointers (a: tests, framework, cla: yes)
[83379](https://github.com/flutter/flutter/pull/83379) Add ability to specify Image widget opacity as an animation (framework, cla: yes, waiting for tree to go green, will affect goldens)
[83407](https://github.com/flutter/flutter/pull/83407) enable lint prefer_interpolation_to_compose_strings (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83428](https://github.com/flutter/flutter/pull/83428) add AnimatedScale and AnimatedRotation widgets (severe: new feature, framework, a: animation, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[83433](https://github.com/flutter/flutter/pull/83433) fix lint from an improved unnecessary_parenthesis (team, tool, framework, cla: yes, waiting for tree to go green)
[83434](https://github.com/flutter/flutter/pull/83434) Updates override of SemanticsUpdateBuilderSpy to enable soft transition (framework, a: accessibility, cla: yes, waiting for tree to go green)
[83509](https://github.com/flutter/flutter/pull/83509) Router replaces browser history entry if state changes (framework, cla: yes, f: routes, platform-web, waiting for tree to go green)
[83512](https://github.com/flutter/flutter/pull/83512) Move cursor position to the end of search query in SearchDelegate after query is set (framework, f: material design, cla: yes, waiting for tree to go green)
[83537](https://github.com/flutter/flutter/pull/83537) Support WidgetSpan in RenderEditable (a: text input, framework, f: material design, cla: yes, a: typography, waiting for tree to go green)
[83626](https://github.com/flutter/flutter/pull/83626) Update Paragraph.getLineBoundary docs (framework, cla: yes, waiting for tree to go green)
[83627](https://github.com/flutter/flutter/pull/83627) Update TextStyle API Docs (framework, cla: yes, waiting for tree to go green)
[83639](https://github.com/flutter/flutter/pull/83639) [TextSelectionControls] move the tap gesture callback into _TextSelectionHandlePainter, remove `_TransparentTapGestureRecognizer`. (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[83661](https://github.com/flutter/flutter/pull/83661) Remove unused `SingleTickerProviderStateMixin` from `AnimatedSize ` example (framework, a: animation, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[83677](https://github.com/flutter/flutter/pull/83677) Clarify the IconTheme documentation (framework, cla: yes, waiting for tree to go green)
[83678](https://github.com/flutter/flutter/pull/83678) DefaultAssetBundle returns an AssetBundle so should export it (framework, cla: yes, waiting for tree to go green)
[83689](https://github.com/flutter/flutter/pull/83689) fix a Scaffold.bottomSheet update bug (framework, f: material design, cla: yes, waiting for tree to go green)
[83696](https://github.com/flutter/flutter/pull/83696) Support for keyboard navigation of Autocomplete options. (framework, f: material design, cla: yes)
[83734](https://github.com/flutter/flutter/pull/83734) Fix typo in documentation (a: tests, framework, cla: yes, waiting for tree to go green)
[83740](https://github.com/flutter/flutter/pull/83740) Fixed Typo in Editable Text API docs (framework, cla: yes, waiting for tree to go green)
[83744](https://github.com/flutter/flutter/pull/83744) Fixed large amount of spelling errors (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83752](https://github.com/flutter/flutter/pull/83752) Keyboard events (a: tests, a: text input, team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[83790](https://github.com/flutter/flutter/pull/83790) Revert "Dispose render objects when owning element is unmounted." (team, framework, cla: yes, d: examples)
[83826](https://github.com/flutter/flutter/pull/83826) l10n updates for June beta (framework, f: material design, a: internationalization, cla: yes, f: cupertino)
[83828](https://github.com/flutter/flutter/pull/83828) Fix widgets with built-in scrollbars (framework, f: scrolling, cla: yes, waiting for tree to go green)
[83830](https://github.com/flutter/flutter/pull/83830) Make tooltip hoverable and dismissible (framework, f: material design, cla: yes, waiting for tree to go green)
[83843](https://github.com/flutter/flutter/pull/83843) Clean up the bindings APIs (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83863](https://github.com/flutter/flutter/pull/83863) Ensure the Autocomplete options scroll as needed. (framework, f: material design, f: scrolling, cla: yes, a: quality, waiting for tree to go green, a: desktop)
[83904](https://github.com/flutter/flutter/pull/83904) Revert "fix a Scaffold.bottomSheet update bug" (framework, f: material design, cla: yes, waiting for tree to go green)
[83913](https://github.com/flutter/flutter/pull/83913) [flutter] ensure vmservice binding is registered in profile mode (team, framework, cla: yes, waiting for tree to go green)
[83920](https://github.com/flutter/flutter/pull/83920) Reland "Dispose render objects when owning element is unmounted. (#82883)" (#83790) (team, framework, cla: yes, d: examples, waiting for tree to go green)
[83923](https://github.com/flutter/flutter/pull/83923) Remove deprecated hasFloatingPlaceholder (team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[83924](https://github.com/flutter/flutter/pull/83924) Remove TextTheme deprecations (team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[83926](https://github.com/flutter/flutter/pull/83926) Remove deprecated typography constructor (team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[83943](https://github.com/flutter/flutter/pull/83943) enable lint use_test_throws_matchers (tool, framework, f: material design, cla: yes, waiting for tree to go green)
[83947](https://github.com/flutter/flutter/pull/83947) Fixed TimeOfDay.hourOfPeriod for the noon and midnight cases. (framework, f: material design, cla: yes, waiting for tree to go green)
[83959](https://github.com/flutter/flutter/pull/83959) Remove "unnecessary" imports. (a: tests, team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[83962](https://github.com/flutter/flutter/pull/83962) Forbid calling findRenderObject on an unmounted element (framework, cla: yes)
[83968](https://github.com/flutter/flutter/pull/83968) Delete obsolete TODO and skip (team, framework, cla: yes, waiting for tree to go green)
[83974](https://github.com/flutter/flutter/pull/83974) Add TextInputType.none (a: text input, framework, cla: yes, waiting for tree to go green)
[84041](https://github.com/flutter/flutter/pull/84041) Add SizedBox.square() constructor (framework, cla: yes, waiting for tree to go green)
[84055](https://github.com/flutter/flutter/pull/84055) Allow Flutter focus to interop with Android view hierarchies (a: text input, framework, cla: yes, a: platform-views, f: focus)
[84095](https://github.com/flutter/flutter/pull/84095) Add onPlatformViewCreated to HtmlElementView (framework, cla: yes, a: platform-views)
[84138](https://github.com/flutter/flutter/pull/84138) Avoid non-nullable `Future.value()` (framework, cla: yes, waiting for tree to go green)
[84145](https://github.com/flutter/flutter/pull/84145) Migrate integration_tests/channels to null safety (team, framework, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84171](https://github.com/flutter/flutter/pull/84171) Remove duplicate code in conditional expressions (framework, cla: yes, waiting for tree to go green)
[84182](https://github.com/flutter/flutter/pull/84182) Add RotatedBox Widget of the Week video to documentation (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[84187](https://github.com/flutter/flutter/pull/84187) Revert "Always push layer for RenderAnimatedOpacityMixin" (framework, cla: yes)
[84256](https://github.com/flutter/flutter/pull/84256) alignment of doc comments and annotations (a: tests, team, tool, framework, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[84257](https://github.com/flutter/flutter/pull/84257) fix a PlatformView gesture bug (e: device-specific, framework, cla: yes, f: gestures, waiting for tree to go green)
[84268](https://github.com/flutter/flutter/pull/84268) Only trigger AppBar scrolledUnder state for vertical scrolling and not horizontal (framework, f: material design, cla: yes, waiting for tree to go green)
[84285](https://github.com/flutter/flutter/pull/84285) Fix the effective constraints so that they don't exceed max values (framework, f: material design, cla: yes)
[84293](https://github.com/flutter/flutter/pull/84293) fix indentation of class members (team, tool, framework, cla: yes, waiting for tree to go green)
[84298](https://github.com/flutter/flutter/pull/84298) Adds borderRadius property to DropdownButton (framework, f: material design, cla: yes)
[84303](https://github.com/flutter/flutter/pull/84303) Switch sample analysis over to use package:flutter_lints (team, framework, f: material design, cla: yes)
[84308](https://github.com/flutter/flutter/pull/84308) Added rethrowError to FutureBuilder (severe: new feature, framework, cla: yes, waiting for tree to go green, a: error message)
[84363](https://github.com/flutter/flutter/pull/84363) [flutter] unify reassemble and fast reassemble (framework, t: hot reload, cla: yes, waiting for tree to go green)
[84364](https://github.com/flutter/flutter/pull/84364) [flutter_releases] Flutter Stable 2.2.2 Framework Cherrypicks (tool, framework, engine, f: material design, cla: yes)
[84365](https://github.com/flutter/flutter/pull/84365) Fix wrong reference in deprecated (a: tests, framework, cla: yes, waiting for tree to go green, documentation)
[84374](https://github.com/flutter/flutter/pull/84374) fix indentation issues (team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[84393](https://github.com/flutter/flutter/pull/84393) ReorderableListView should treat fuchsia as a mobile platform. (framework, f: material design, a: fidelity, f: scrolling, cla: yes, a: quality)
[84434](https://github.com/flutter/flutter/pull/84434) Add TooltipTriggerMode and provideTriggerFeedback to allow users to c… (severe: new feature, framework, f: material design, cla: yes, f: gestures, waiting for tree to go green)
[84472](https://github.com/flutter/flutter/pull/84472) Android e2e screenshot (a: tests, framework, cla: yes, waiting for tree to go green)
[84476](https://github.com/flutter/flutter/pull/84476) Turn on avoid_dynamic_calls lint, except packages/flutter tests, make appropriate changes. (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples)
[84478](https://github.com/flutter/flutter/pull/84478) Turn on avoid_dynamic_calls lint in packages/flutter tests, make appropriate changes. (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[84494](https://github.com/flutter/flutter/pull/84494) Fix grammatical error in services.dart (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[84566](https://github.com/flutter/flutter/pull/84566) Add optional label customization to TimePicker (framework, f: material design, cla: yes, waiting for tree to go green)
[84570](https://github.com/flutter/flutter/pull/84570) Fix scrollbar error message and test (framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green, a: error message)
[84578](https://github.com/flutter/flutter/pull/84578) update the test expectations for the flutter widget transformer (framework, cla: yes)
[84581](https://github.com/flutter/flutter/pull/84581) Add optional param to useRootNavigator when showSearch (framework, f: material design, cla: yes)
[84594](https://github.com/flutter/flutter/pull/84594) Clean up NestedScrollView TODOs (team, framework, cla: yes, waiting for tree to go green, tech-debt)
[84599](https://github.com/flutter/flutter/pull/84599) Feat(cupertino): [date_picker] Date order parameter (framework, cla: yes, f: cupertino, waiting for tree to go green)
[84678](https://github.com/flutter/flutter/pull/84678) Fix AnimatedList code sample (framework, cla: yes)
[84739](https://github.com/flutter/flutter/pull/84739) Revert "TextField terminal the enter and space raw key events by default" (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[84740](https://github.com/flutter/flutter/pull/84740) Release retained resources from layers/dispose pictures (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[84746](https://github.com/flutter/flutter/pull/84746) Revert "TextField terminal the enter and space raw key events by defa… (framework, f: material design, cla: yes, f: cupertino)
[84785](https://github.com/flutter/flutter/pull/84785) Fix leak of CurvedAnimations in long-lived ImplicitlyAnimatedWidgets. (framework, cla: yes, waiting for tree to go green)
[84804](https://github.com/flutter/flutter/pull/84804) send back Widget class name information in the widget rebuild/repaint count events (framework, cla: yes)
[84806](https://github.com/flutter/flutter/pull/84806) Make buildHandle onTap optional (a: text input, framework, f: material design, cla: yes, f: cupertino, a: quality, waiting for tree to go green)
[84807](https://github.com/flutter/flutter/pull/84807) Fix an animation issue when dragging the first item of a reversed list onto the starting position. (framework, a: animation, f: material design, f: scrolling, cla: yes, a: quality)
[84809](https://github.com/flutter/flutter/pull/84809) Make scrollbar assertions less aggressive (a: tests, team, framework, f: scrolling, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, a: error message, tech-debt)
[84812](https://github.com/flutter/flutter/pull/84812) Disable auto scrollbars on desktop for legacy flutter gallery (a: tests, team, framework, team: gallery, f: scrolling, cla: yes, waiting for tree to go green, integration_test, tech-debt)
[84827](https://github.com/flutter/flutter/pull/84827) Revert "Add optional param to useRootNavigator when showSearch" (framework, f: material design, cla: yes)
[84828](https://github.com/flutter/flutter/pull/84828) Fixed an issue with overflow exceptions with nested lists inside a reorderable list item. (severe: regression, framework, f: scrolling, cla: yes, waiting for tree to go green)
[84840](https://github.com/flutter/flutter/pull/84840) fix `_owner` nullability in `routers.dart` (framework, cla: yes, f: routes, will affect goldens, a: null-safety)
[84847](https://github.com/flutter/flutter/pull/84847) Fix documentation of equality functions. (framework, cla: yes, d: api docs, documentation)
[84872](https://github.com/flutter/flutter/pull/84872) Reland: Add optional param to useRootNavigator when showSearch (framework, f: material design, cla: yes, waiting for tree to go green)
[84887](https://github.com/flutter/flutter/pull/84887) Substitute a replacement character for invalid UTF-16 text in a TextSpan (framework, cla: yes, a: typography, waiting for tree to go green)
[84988](https://github.com/flutter/flutter/pull/84988) Adds mainAxisMargin property to RawScrollbar (severe: new feature, framework, f: scrolling, cla: yes, waiting for tree to go green)
[85008](https://github.com/flutter/flutter/pull/85008) [RenderEditable] fix crash & remove `TextPainter.layout` short-circuiting (a: text input, framework, cla: yes, waiting for tree to go green)
[85009](https://github.com/flutter/flutter/pull/85009) Add delta param to scaleupdate so it matches dragupdate (framework, cla: yes, a: quality, f: gestures, waiting for tree to go green)
[85024](https://github.com/flutter/flutter/pull/85024) [docs] Add TileMode.decal images (framework, cla: yes, d: api docs, a: quality, waiting for tree to go green, documentation)
[85050](https://github.com/flutter/flutter/pull/85050) Add OverflowBar.alignment property (framework, cla: yes)
[85081](https://github.com/flutter/flutter/pull/85081) Select All via Shortcuts (a: text input, framework, cla: yes, a: desktop)
[85121](https://github.com/flutter/flutter/pull/85121) New scheme for keyboard logical key ID (a: text input, team, framework, cla: yes)
[85138](https://github.com/flutter/flutter/pull/85138) Docs improvements for minLines/maxLines (a: text input, framework, cla: yes, d: api docs, documentation)
[85144](https://github.com/flutter/flutter/pull/85144) Deprecate the accentIconTheme ThemeData constructor parameter (framework, f: material design, cla: yes, waiting for tree to go green)
[85148](https://github.com/flutter/flutter/pull/85148) Update GestureDetector docs to use DartPad sample (framework, cla: yes, d: api docs, d: examples, f: gestures, documentation)
[85150](https://github.com/flutter/flutter/pull/85150) Fix SnackBar assertions when configured with theme (severe: crash, framework, f: material design, cla: yes, a: quality, waiting for tree to go green, a: error message)
[85151](https://github.com/flutter/flutter/pull/85151) Remove nameless todo (a: tests, team, tool, framework, f: material design, cla: yes)
[85152](https://github.com/flutter/flutter/pull/85152) DismissDirection.none will not prevent scrolling (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green)
[85159](https://github.com/flutter/flutter/pull/85159) Randomize Framework tests, opt out some tests that currently fail. (team, framework, f: material design, cla: yes, f: cupertino)
[85221](https://github.com/flutter/flutter/pull/85221) [new feature]introduce `ScrollMetricsNotification` (severe: new feature, framework, f: scrolling, cla: yes, waiting for tree to go green)
[85223](https://github.com/flutter/flutter/pull/85223) Revert "Override MediaQuery for WidgetsApp" (framework, cla: yes, waiting for tree to go green)
[85246](https://github.com/flutter/flutter/pull/85246) Add dart fix for AndroidViewController.id (team, framework, cla: yes, a: quality, waiting for tree to go green, tech-debt)
[85254](https://github.com/flutter/flutter/pull/85254) Add dart fix for RenderObjectElement deprecations (team, framework, f: material design, cla: yes, f: cupertino, a: quality, waiting for tree to go green, tech-debt)
[85260](https://github.com/flutter/flutter/pull/85260) Added AlertDialog.actionsAlignment OverflowBar configuration (framework, f: material design, cla: yes)
[85264](https://github.com/flutter/flutter/pull/85264) Shift + home/end on Mac (framework, cla: yes, waiting for tree to go green)
[85298](https://github.com/flutter/flutter/pull/85298) WIP - Reland "Override MediaQuery for WidgetsApp (#81295)" (framework, cla: yes, waiting for tree to go green)
[85306](https://github.com/flutter/flutter/pull/85306) Add space before curly parentheses. (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[85338](https://github.com/flutter/flutter/pull/85338) Expose minThumbLength, crossAxisMargin, and minOverscrollLength on RawScrollbar (severe: new feature, framework, f: scrolling, cla: yes, waiting for tree to go green)
[85358](https://github.com/flutter/flutter/pull/85358) Replace uses of ButtonBar in doc/samples with Overflowbar (framework, f: material design, cla: yes, waiting for tree to go green)
[85370](https://github.com/flutter/flutter/pull/85370) Audit hashCode overrides outside of packages/flutter (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes, waiting for tree to go green)
[85381](https://github.com/flutter/flutter/pull/85381) Migrate RenderEditable shortcuts from RawKeyboard listeners (a: text input, framework, cla: yes)
[85412](https://github.com/flutter/flutter/pull/85412) Update flutter doc references to conform to new lookup code restrictions (a: tests, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[85414](https://github.com/flutter/flutter/pull/85414) pass `style` argument to super of `IntProperty` (framework, cla: yes, waiting for tree to go green)
[85451](https://github.com/flutter/flutter/pull/85451) Revert "Audit hashCode overrides outside of packages/flutter" (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes)
[85465](https://github.com/flutter/flutter/pull/85465) dispose the ShaderWarmUp picture/image (framework, cla: yes, waiting for tree to go green)
[85466](https://github.com/flutter/flutter/pull/85466) Revert "[new feature]introduce `ScrollMetricsNotification`" (framework, cla: yes, waiting for tree to go green)
[85472](https://github.com/flutter/flutter/pull/85472) Remved ButtonBar references from material tests (framework, f: material design, cla: yes, waiting for tree to go green)
[85484](https://github.com/flutter/flutter/pull/85484) Eliminate some regressions introduced by the new lookup code (a: tests, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: api docs, waiting for tree to go green, documentation)
[85497](https://github.com/flutter/flutter/pull/85497) Fix three additional cases where doc references are not conforming to new lookup code restrictions (a: tests, framework, f: material design, cla: yes, waiting for tree to go green)
[85499](https://github.com/flutter/flutter/pull/85499) Re-land"[new feature]introduce `ScrollMetricsNotification`" (severe: new feature, framework, f: scrolling, cla: yes, customer: crowd, waiting for tree to go green)
[85547](https://github.com/flutter/flutter/pull/85547) Removed PaginatedDataTable ButtonBar special case (framework, f: material design, cla: yes, waiting for tree to go green)
[85562](https://github.com/flutter/flutter/pull/85562) [Focus] defer autofocus resolution to `_applyFocusChange` (framework, cla: yes, waiting for tree to go green, f: focus)
[85567](https://github.com/flutter/flutter/pull/85567) Reland "Audit hashCode overrides outside of packages/flutter"" (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes)
[85585](https://github.com/flutter/flutter/pull/85585) Added AppBar.textButtonTheme (framework, f: material design, cla: yes)
[85640](https://github.com/flutter/flutter/pull/85640) Expose selectionHeightStyle and SelectionWidthStyle on SelectableText (framework, f: material design, cla: yes, waiting for tree to go green)
[85648](https://github.com/flutter/flutter/pull/85648) Create flag to enable/disable FlutterView render surface conversion (framework, cla: yes, a: platform-views, waiting for tree to go green)
[85673](https://github.com/flutter/flutter/pull/85673) Revert "Randomize Framework tests, opt out some tests that currently fail. (#85159)" (team, framework, f: material design, cla: yes, f: cupertino)
[85697](https://github.com/flutter/flutter/pull/85697) Use additionalActiveTrackHeight when painting the radius of RoundedRectSliderTrackShape's active track (framework, f: material design, cla: yes, waiting for tree to go green)
[85714](https://github.com/flutter/flutter/pull/85714) Revert "Added AppBar.textButtonTheme" (framework, f: material design, cla: yes, waiting for tree to go green)
[85731](https://github.com/flutter/flutter/pull/85731) Specify rasterFinishWallTime (a: tests, framework, cla: yes)
[85736](https://github.com/flutter/flutter/pull/85736) Remove "unnecessary" imports. (waiting for customer response, tool, framework, f: material design, a: accessibility, cla: yes, waiting for tree to go green, will affect goldens)
[85783](https://github.com/flutter/flutter/pull/85783) code formatting (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[85789](https://github.com/flutter/flutter/pull/85789) Scale selection handles for rich text on iOS (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[85798](https://github.com/flutter/flutter/pull/85798) Assert disposed layers are not reused (framework, cla: yes, waiting for tree to go green)
[85799](https://github.com/flutter/flutter/pull/85799) Don't lose composing region when dragging handle in a word (framework, f: material design, cla: yes)
[85808](https://github.com/flutter/flutter/pull/85808) Don't synthesize primary pointer button unless buttons = 0 (framework, cla: yes)
[85822](https://github.com/flutter/flutter/pull/85822) borderRadius param updated in copyWith functions (framework, cla: yes, waiting for tree to go green)
[85825](https://github.com/flutter/flutter/pull/85825) Fix the Interactive App for the MaterialStateOutlinedBorder class (framework, f: material design, cla: yes, waiting for tree to go green)
[85938](https://github.com/flutter/flutter/pull/85938) Fix typo in comment (framework, cla: yes, waiting for tree to go green)
[85946](https://github.com/flutter/flutter/pull/85946) [new feature] Add a borderRadius property to TableBorder (framework, cla: yes, waiting for tree to go green)
[85956](https://github.com/flutter/flutter/pull/85956) Fix EditableText when a controller listener changes values (framework, cla: yes, waiting for tree to go green)
[86008](https://github.com/flutter/flutter/pull/86008) Add newline at end of file (team, tool, framework, cla: yes, f: cupertino, waiting for tree to go green)
[86033](https://github.com/flutter/flutter/pull/86033) Doc typo in layer.dart (framework, cla: yes)
[86041](https://github.com/flutter/flutter/pull/86041) [flutter] prevent errant text field clicks from losing focus (framework, f: material design, cla: yes, waiting for tree to go green)
[86045](https://github.com/flutter/flutter/pull/86045) Add CallbackShortcuts widget (framework, cla: yes, waiting for tree to go green)
[86117](https://github.com/flutter/flutter/pull/86117) [flutter_conductor] migrate conductor to null-safety (team, framework, cla: yes, waiting for tree to go green)
[86141](https://github.com/flutter/flutter/pull/86141) [flutter] tab navigation does not notify the focus scope node (framework, f: material design, cla: yes, waiting for tree to go green)
[86171](https://github.com/flutter/flutter/pull/86171) Revert "Remove TextTheme deprecations" (framework, f: material design, cla: yes)
[86188](https://github.com/flutter/flutter/pull/86188) Add a "troubleshooting" section to the AppBar API doc (framework, f: material design, cla: yes)
[86198](https://github.com/flutter/flutter/pull/86198) AppBar.backwardsCompatibility now default false, deprecated (team, framework, f: material design, cla: yes)
[86223](https://github.com/flutter/flutter/pull/86223) Null aware operator consistency (framework, f: material design, cla: yes, waiting for tree to go green)
[86318](https://github.com/flutter/flutter/pull/86318) Reland Remove TextTheme deprecations (framework, f: material design, cla: yes, waiting for tree to go green)
[86323](https://github.com/flutter/flutter/pull/86323) Dart Fixes for clipBehavior breaks (team, framework, f: material design, cla: yes, f: cupertino, a: quality, waiting for tree to go green, tech-debt)
[86355](https://github.com/flutter/flutter/pull/86355) Additional ListTile API doc - Material widget dependency (framework, f: material design, cla: yes)
[86369](https://github.com/flutter/flutter/pull/86369) Add fixes for ThemeData (team, framework, f: material design, cla: yes, waiting for tree to go green, tech-debt)
[86372](https://github.com/flutter/flutter/pull/86372) Added AppBarTheme shape property (framework, f: material design, cla: yes, waiting for tree to go green)
[86379](https://github.com/flutter/flutter/pull/86379) Link to FadeTransition from performance tip (framework, cla: yes)
[86386](https://github.com/flutter/flutter/pull/86386) Revert "Clean up the bindings APIs" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[86388](https://github.com/flutter/flutter/pull/86388) Clean up the bindings APIs (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[86395](https://github.com/flutter/flutter/pull/86395) add AnimatedSlide widget (framework, cla: yes, waiting for tree to go green)
[86397](https://github.com/flutter/flutter/pull/86397) Added 'exclude' parameter to 'testWidgets()'. (a: tests, team, framework, cla: yes)
[86404](https://github.com/flutter/flutter/pull/86404) Revert "Clean up the bindings APIs" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[86415](https://github.com/flutter/flutter/pull/86415) Remove obsolete doc for removed param (framework, f: material design, cla: yes, waiting for tree to go green)
[86423](https://github.com/flutter/flutter/pull/86423) Add an Interactive Example for PhysicalShape (framework, cla: yes, waiting for tree to go green)
[86434](https://github.com/flutter/flutter/pull/86434) [Fonts] Fix icons sorting (team, framework, f: material design, cla: yes)
[86438](https://github.com/flutter/flutter/pull/86438) Clean up the bindings APIs (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[86439](https://github.com/flutter/flutter/pull/86439) Text selection toolbar position after keyboard opens (framework, f: material design, cla: yes, waiting for tree to go green)
[86441](https://github.com/flutter/flutter/pull/86441) [Material You] Introduce large FAB size and allow for FAB size theming (framework, f: material design, cla: yes)
[86449](https://github.com/flutter/flutter/pull/86449) Make LiveTestWidgetsFlutterBinding work with setSurfaceSize and live tests (a: tests, framework, cla: yes, will affect goldens)
[86453](https://github.com/flutter/flutter/pull/86453) Fix doc samples in ridgets/routes.dart (framework, cla: yes, waiting for tree to go green)
[86464](https://github.com/flutter/flutter/pull/86464) [Fonts] Use exact matching for icon identifier rewrites (team, framework, f: material design, cla: yes)
[86482](https://github.com/flutter/flutter/pull/86482) Add textDirection property to CupertinoTextField and CupertinoTextFormFieldRow (framework, cla: yes, f: cupertino, waiting for tree to go green)
[86484](https://github.com/flutter/flutter/pull/86484) Revert "Clean up the bindings APIs" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[86516](https://github.com/flutter/flutter/pull/86516) Reset default UserTag at the time of the first flutter frame (framework, cla: yes)
[86576](https://github.com/flutter/flutter/pull/86576) Add floatingLabelStyle parameter to InputDecoration (framework, f: material design, cla: yes, waiting for tree to go green)
[86591](https://github.com/flutter/flutter/pull/86591) Close the exit port used by the compute isolate utility function (framework, cla: yes, waiting for tree to go green, will affect goldens)
[86614](https://github.com/flutter/flutter/pull/86614) Cancel DraggableScrollableSheet ballistic animation if a new activity begins (framework, cla: yes)
[86657](https://github.com/flutter/flutter/pull/86657) [Fonts] Fix identifier rewrite regression (team, framework, f: material design, cla: yes)
[86662](https://github.com/flutter/flutter/pull/86662) Fix null child for FittedBox (framework, cla: yes, waiting for tree to go green)
[86667](https://github.com/flutter/flutter/pull/86667) Add string attribute api to text span (a: tests, framework, cla: yes, waiting for tree to go green)
[86679](https://github.com/flutter/flutter/pull/86679) RawKeyEventData classes support diagnostic and equality (a: text input, framework, cla: yes)
[86701](https://github.com/flutter/flutter/pull/86701) Add a "variant: " prefix to variant descriptions in test names (a: tests, framework, cla: yes, waiting for tree to go green)
[86730](https://github.com/flutter/flutter/pull/86730) Revert "Make LiveTestWidgetsFlutterBinding work with setSurfaceSize and live tests" (a: tests, framework, cla: yes)
[86734](https://github.com/flutter/flutter/pull/86734) Fix an exception being thrown when focus groups are empty. (framework, cla: yes, will affect goldens)
[86739](https://github.com/flutter/flutter/pull/86739) Reland: Make LiveTestWidgetsFlutterBinding work with setSurfaceSize and live tests (a: tests, framework, cla: yes, will affect goldens)
[86744](https://github.com/flutter/flutter/pull/86744) Fixes for upcoming changes to avoid_classes_with_only_static_members (a: tests, team, framework, cla: yes, waiting for tree to go green)
[86775](https://github.com/flutter/flutter/pull/86775) Add thumb color customization to CupertinoSwitch (framework, cla: yes, f: cupertino, waiting for tree to go green)
[86791](https://github.com/flutter/flutter/pull/86791) Avoid passive clipboard read on Android (framework, f: material design, cla: yes, waiting for tree to go green, will affect goldens)
[86793](https://github.com/flutter/flutter/pull/86793) Randomize tests, exclude tests that fail with randomization. (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino)
[86810](https://github.com/flutter/flutter/pull/86810) Add label widget parameter to InputDecoration (framework, f: material design, cla: yes, waiting for tree to go green)
[86816](https://github.com/flutter/flutter/pull/86816) Fix driver test to run locally. (a: tests, framework, cla: yes, waiting for tree to go green)
[86823](https://github.com/flutter/flutter/pull/86823) Revert "Reland: Make LiveTestWidgetsFlutterBinding work with setSurfaceSize and live tests" (a: tests, framework, cla: yes)
[86837](https://github.com/flutter/flutter/pull/86837) [flutter] remove elevation checker (tool, framework, cla: yes, waiting for tree to go green)
[86877](https://github.com/flutter/flutter/pull/86877) Remove default expectation for UserTag (framework, cla: yes, waiting for tree to go green, will affect goldens)
[86896](https://github.com/flutter/flutter/pull/86896) refactor the widget rebuild service protocol event format (framework, cla: yes)
[86910](https://github.com/flutter/flutter/pull/86910) Added Checkbox support for MaterialStateBorderSide (framework, f: material design, cla: yes)
[86912](https://github.com/flutter/flutter/pull/86912) Reland 2: Make LiveTestWidgetsFlutterBinding work with setSurfaceSize and live tests (a: tests, framework, cla: yes, waiting for tree to go green, will affect goldens)
[86960](https://github.com/flutter/flutter/pull/86960) Only stop search for upstream character if we hit a newline (framework, cla: yes)
[87002](https://github.com/flutter/flutter/pull/87002) Add enableIMEPersonalizedLearning flag to TextField and TextFormField (platform-android, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[87019](https://github.com/flutter/flutter/pull/87019) Fix numpadEnter default shortcut (framework, cla: yes, waiting for tree to go green)
[87021](https://github.com/flutter/flutter/pull/87021) [Documentation] Add `AlignTransition` interactive example (framework, cla: yes, d: examples)
[87062](https://github.com/flutter/flutter/pull/87062) Allow for customizing and theming of extended FAB content padding (framework, f: material design, cla: yes)
[87063](https://github.com/flutter/flutter/pull/87063) Updated the skipped tests for animation (framework, cla: yes, tech-debt, skip-test)
[87086](https://github.com/flutter/flutter/pull/87086) [gen_keycodes] Move GLFW keys to logical_key_data (a: text input, team, framework, cla: yes, waiting for tree to go green)
[87098](https://github.com/flutter/flutter/pull/87098) [gen_keycodes] Remove nonexistent Web keys and improve their emulation (a: tests, a: text input, team, framework, cla: yes, waiting for tree to go green)
[87104](https://github.com/flutter/flutter/pull/87104) fix the DropdownButtonFormField's label display bug when the `hint` is non-null (framework, f: material design, cla: yes, waiting for tree to go green)
[87126](https://github.com/flutter/flutter/pull/87126) Perform no shader warm-up by default (team, framework, cla: yes, d: examples, waiting for tree to go green)
[87130](https://github.com/flutter/flutter/pull/87130) Update the skipped test for gestures. (framework, cla: yes)
[87133](https://github.com/flutter/flutter/pull/87133) Fix cursor moving to next line instead of end of line (framework, cla: yes, waiting for tree to go green)
[87139](https://github.com/flutter/flutter/pull/87139) 🔋 Enhance cupertino button fade in and fade out (framework, cla: yes, f: cupertino, waiting for tree to go green)
[87143](https://github.com/flutter/flutter/pull/87143) Fix leading overscroll for RenderShrinkWrappingViewport (framework, a: fidelity, f: scrolling, cla: yes, a: quality, customer: crowd, waiting for tree to go green)
[87152](https://github.com/flutter/flutter/pull/87152) [Keyboard] Accept empty events (a: text input, framework, cla: yes, waiting for tree to go green)
[87171](https://github.com/flutter/flutter/pull/87171) Revert "Keyboard events (#83752)" (a: tests, a: text input, team, framework, f: material design, cla: yes, f: cupertino)
[87174](https://github.com/flutter/flutter/pull/87174) Reland: Keyboard events (a: tests, a: text input, team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[87183](https://github.com/flutter/flutter/pull/87183) Added parameters boxHeightStyle, boxWidthStyle to RenderParagraph.getBoxesForSelection (framework, cla: yes, waiting for tree to go green)
[87202](https://github.com/flutter/flutter/pull/87202) Restore the WidgetTester's original surface size after testing setSurfaceSize (a: tests, framework, cla: yes)
[87211](https://github.com/flutter/flutter/pull/87211) Added BottomNavigationBar landscapeLayout parameter (framework, f: material design, cla: yes, waiting for tree to go green)
[87233](https://github.com/flutter/flutter/pull/87233) Revert "Reland 2: Make LiveTestWidgetsFlutterBinding work with setSur… (a: tests, framework, cla: yes)
[87236](https://github.com/flutter/flutter/pull/87236) Fix inconsistencies when calculating start/end handle rects for selection handles (framework, cla: yes, f: cupertino, waiting for tree to go green)
[87238](https://github.com/flutter/flutter/pull/87238) Revert "Perform no shader warm-up by default" (team, framework, cla: yes, d: examples)
[87239](https://github.com/flutter/flutter/pull/87239) Reland 3: Make LiveTestWidgetsFlutterBinding work with setSurfaceSize and live tests (a: tests, framework, cla: yes)
[87240](https://github.com/flutter/flutter/pull/87240) Restores surface size in the postTest of test binding (a: tests, framework, cla: yes)
[87258](https://github.com/flutter/flutter/pull/87258) Revert "Restores surface size in the postTest of test binding" (a: tests, framework, cla: yes)
[87281](https://github.com/flutter/flutter/pull/87281) Deprecate ThemeData.fixTextFieldOutlineLabel (framework, f: material design, cla: yes, will affect goldens)
[87289](https://github.com/flutter/flutter/pull/87289) Updated the skipped tests for cupertino package. (team, framework, cla: yes, f: cupertino, tech-debt, skip-test)
[87293](https://github.com/flutter/flutter/pull/87293) Updated skipped tests for foundation directory. (team, framework, cla: yes, waiting for tree to go green, tech-debt, skip-test)
[87319](https://github.com/flutter/flutter/pull/87319) Enable viewport_test.dart's shuffling (framework, cla: yes)
[87328](https://github.com/flutter/flutter/pull/87328) Updated skipped tests for material directory. (team, framework, f: material design, cla: yes, tech-debt, skip-test)
[87375](https://github.com/flutter/flutter/pull/87375) Revert "Avoid passive clipboard read on Android" (framework, f: material design, cla: yes, waiting for tree to go green)
[87408](https://github.com/flutter/flutter/pull/87408) [flutter] replace 'checked mode' with 'debug mode' (a: tests, framework, f: material design, cla: yes, waiting for tree to go green)
[87421](https://github.com/flutter/flutter/pull/87421) update ScrollMetricsNotification (framework, f: scrolling, cla: yes, f: cupertino, waiting for tree to go green)
[87467](https://github.com/flutter/flutter/pull/87467) [flutter_driver] Remove `runUnsynchronized` in `VMServiceFlutterDriver` (a: tests, framework, cla: yes, waiting for tree to go green)
[87498](https://github.com/flutter/flutter/pull/87498) Allow for customizing and theming extended FAB's TextStyle (framework, f: material design, cla: yes, waiting for tree to go green)
[87515](https://github.com/flutter/flutter/pull/87515) Revert "Added 'exclude' parameter to 'testWidgets()'." (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt, skip-test)
[87528](https://github.com/flutter/flutter/pull/87528) Fix some errors in snippets (team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[87533](https://github.com/flutter/flutter/pull/87533) Fix Cuptertino dialog test to check correct fade transition (a: tests, team, framework, a: animation, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[87535](https://github.com/flutter/flutter/pull/87535) Add Cupterino button animation test (a: tests, framework, cla: yes, f: cupertino, waiting for tree to go green)
[87537](https://github.com/flutter/flutter/pull/87537) Revert "Updated the skipped tests for cupertino package." (framework, cla: yes, f: cupertino)
[87538](https://github.com/flutter/flutter/pull/87538) Updated the skipped tests for cupertino package. (reland) (team, framework, cla: yes, f: cupertino, waiting for tree to go green, tech-debt, skip-test)
[87546](https://github.com/flutter/flutter/pull/87546) Updated skipped tests for painting directory. (team, framework, cla: yes, will affect goldens, tech-debt, skip-test)
[87561](https://github.com/flutter/flutter/pull/87561) [DOCS]Update some Focus docs (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[87589](https://github.com/flutter/flutter/pull/87589) Skip flaky golden file test (a: tests, team, framework, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[87591](https://github.com/flutter/flutter/pull/87591) Added autofocus property to CupertinoSearchTextField (framework, cla: yes, f: cupertino, waiting for tree to go green)
[87647](https://github.com/flutter/flutter/pull/87647) Changed Scrollbar to StatelessWidget (framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green)
### team - 474 pull request(s)
[73440](https://github.com/flutter/flutter/pull/73440) Hardware keyboard: codegen (a: text input, team, framework, cla: yes)
[76288](https://github.com/flutter/flutter/pull/76288) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[76742](https://github.com/flutter/flutter/pull/76742) Add a bitmap operation property to transform widgets to enable/control bitmap transforms (team, framework, cla: yes, will affect goldens)
[78276](https://github.com/flutter/flutter/pull/78276) Remove MockStdIn and MockStream (team, tool, cla: yes, waiting for tree to go green, tech-debt)
[78522](https://github.com/flutter/flutter/pull/78522) Shortcut activator (a: tests, a: text input, team, framework, cla: yes)
[78646](https://github.com/flutter/flutter/pull/78646) Convert snippets tool to null safety (team, cla: yes, waiting for tree to go green)
[78761](https://github.com/flutter/flutter/pull/78761) removed CIRRUS_CHANGE_MESSAGE and CIRRUS_COMMIT_MESSAGE (team, cla: yes, team: infra)
[79517](https://github.com/flutter/flutter/pull/79517) [gen-l10n] Cleans up formatting of the generated file (team, tool, cla: yes, waiting for tree to go green)
[79610](https://github.com/flutter/flutter/pull/79610) Remove "unnecessary" imports in misc libraries (team, framework, f: material design, cla: yes, waiting for tree to go green)
[79669](https://github.com/flutter/flutter/pull/79669) Reland the Dart plugin registry (team, tool, cla: yes, d: examples, waiting for tree to go green)
[79816](https://github.com/flutter/flutter/pull/79816) Fix an NNBD error in the Gallery text form field demo (team, f: material design, cla: yes, waiting for tree to go green)
[79908](https://github.com/flutter/flutter/pull/79908) Start migrating flutter_tools test src to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[79911](https://github.com/flutter/flutter/pull/79911) Migrate tool version to null safety (team, tool, cla: yes, a: null-safety)
[79913](https://github.com/flutter/flutter/pull/79913) add new try/prod builders for validate_ci_config (team, cla: yes, waiting for tree to go green)
[79925](https://github.com/flutter/flutter/pull/79925) Update the no-response template. (team, cla: yes, waiting for tree to go green)
[79959](https://github.com/flutter/flutter/pull/79959) Unblock roll by reverting #79061 (a: tests, team, framework, cla: yes)
[79961](https://github.com/flutter/flutter/pull/79961) Mark integration_test_test as unflaky (team, cla: yes, team: flakes, waiting for tree to go green)
[79975](https://github.com/flutter/flutter/pull/79975) Use testUsingContext in downgrade_upgrade_integration_test (a: tests, team, tool, cla: yes, waiting for tree to go green)
[79985](https://github.com/flutter/flutter/pull/79985) Convert some general.shard base tests to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80002](https://github.com/flutter/flutter/pull/80002) Migrate more tool unit tests to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80003](https://github.com/flutter/flutter/pull/80003) Refactor text editing test APIs (Mark III) (a: tests, team, framework, cla: yes, waiting for tree to go green)
[80008](https://github.com/flutter/flutter/pull/80008) Migrate intellij tests and context_test to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80011](https://github.com/flutter/flutter/pull/80011) Cast Config values map values to dynamic instead of Object (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80016](https://github.com/flutter/flutter/pull/80016) Migrate template to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80018](https://github.com/flutter/flutter/pull/80018) Migrate fake_process_manager to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80064](https://github.com/flutter/flutter/pull/80064) [devicelab] Refresh documentation (team, cla: yes, waiting for tree to go green, team: infra)
[80065](https://github.com/flutter/flutter/pull/80065) Include debug symbol in xcframework when building iOS-framework (team, tool, cla: yes, waiting for tree to go green)
[80070](https://github.com/flutter/flutter/pull/80070) Revert "Remove "unnecessary" imports in misc libraries" (team, framework, f: material design, cla: yes)
[80072](https://github.com/flutter/flutter/pull/80072) Disable gradle_plugin_light_apk_test. (team, cla: yes)
[80083](https://github.com/flutter/flutter/pull/80083) Disable win_gradle_plugin_light_apk_test. (team, cla: yes)
[80085](https://github.com/flutter/flutter/pull/80085) Migrate persistent_tool_state to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80088](https://github.com/flutter/flutter/pull/80088) Migrate visual_studio_test to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80095](https://github.com/flutter/flutter/pull/80095) Migrate web_validator to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80096](https://github.com/flutter/flutter/pull/80096) Migrate first_run and bot_detector to null safety (team, tool, cla: yes, a: null-safety)
[80139](https://github.com/flutter/flutter/pull/80139) Remove crash_reporting and github_template from reporting library (team, tool, cla: yes, a: null-safety)
[80154](https://github.com/flutter/flutter/pull/80154) Migrate tools test fakes to null safety (team, tool, cla: yes, a: null-safety)
[80157](https://github.com/flutter/flutter/pull/80157) Shake widget inspector from non-debug builds (team, framework, cla: yes, waiting for tree to go green)
[80159](https://github.com/flutter/flutter/pull/80159) Remove flutter_command dependency from reporting library (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80161](https://github.com/flutter/flutter/pull/80161) Move gradle_non_android_plugin_test from its own test builders into tools integration.shard (a: tests, team, tool, cla: yes, waiting for tree to go green)
[80163](https://github.com/flutter/flutter/pull/80163) Mark mac_gradle_plugin_light_apk_test flaky (team, cla: yes, team: flakes)
[80168](https://github.com/flutter/flutter/pull/80168) Migrate features_tests and other tool tests to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80171](https://github.com/flutter/flutter/pull/80171) Reduce number of project creates in gradle_plugin_*_apk_tests (team, cla: yes, waiting for tree to go green)
[80172](https://github.com/flutter/flutter/pull/80172) Cache location of Java binary in devicelab tests (a: tests, team, cla: yes, waiting for tree to go green, team: infra)
[80304](https://github.com/flutter/flutter/pull/80304) Migrate flutter_tool plugins.dart to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80307](https://github.com/flutter/flutter/pull/80307) roll packages (team, cla: yes, waiting for tree to go green)
[80315](https://github.com/flutter/flutter/pull/80315) Mark linux_validate_ci_config not flaky (team, cla: yes, team: flakes, waiting for tree to go green)
[80318](https://github.com/flutter/flutter/pull/80318) create SDK package allowlist for core packages (team, cla: yes)
[80320](https://github.com/flutter/flutter/pull/80320) Migrate reporting library to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80321](https://github.com/flutter/flutter/pull/80321) Remove mocks from fucshia_pm_test, reduce createMockProcess usage (team, tool, cla: yes, waiting for tree to go green, tech-debt)
[80324](https://github.com/flutter/flutter/pull/80324) Pull XCDevice out of xcode.dart (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80325](https://github.com/flutter/flutter/pull/80325) Mark Mac gradle_plugin_light_apk_test not flaky (team, cla: yes, team: flakes, waiting for tree to go green)
[80373](https://github.com/flutter/flutter/pull/80373) Reland "Remove a dynamic that is no longer necessary (and the TODO for it) (#80294)" (team, framework, cla: yes, waiting for tree to go green)
[80392](https://github.com/flutter/flutter/pull/80392) Migrate flutter_manifest to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80399](https://github.com/flutter/flutter/pull/80399) Split out XcodeProjectInterpreter from xcode_build_settings (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80460](https://github.com/flutter/flutter/pull/80460) Add fourth tool integration subshard (team, cla: yes)
[80464](https://github.com/flutter/flutter/pull/80464) [flutter_conductor] skip roll_dev_integration_test (team, cla: yes)
[80484](https://github.com/flutter/flutter/pull/80484) Remove analyze --dartdocs flag (team, tool, cla: yes, waiting for tree to go green)
[80485](https://github.com/flutter/flutter/pull/80485) Migrate the ios_app_with_extensions to null safety (team, cla: yes)
[80528](https://github.com/flutter/flutter/pull/80528) [flutter_conductor] Add "start", "status", "clean" commands to conductor release tool (team, cla: yes, waiting for tree to go green)
[80548](https://github.com/flutter/flutter/pull/80548) Migrate pub in flutter_tools to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80549](https://github.com/flutter/flutter/pull/80549) Migrate xcodeproj to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80554](https://github.com/flutter/flutter/pull/80554) Convert AnimatedSize to a StatefulWidget (team, framework, cla: yes, waiting for tree to go green)
[80555](https://github.com/flutter/flutter/pull/80555) Migrate abstract_method_smoke_test to null safety (team, cla: yes)
[80556](https://github.com/flutter/flutter/pull/80556) Migrate android_embedding_v2_smoke_test to null safety (team, cla: yes, waiting for tree to go green)
[80557](https://github.com/flutter/flutter/pull/80557) Migrate android_views to null safety (team, cla: yes, waiting for tree to go green)
[80558](https://github.com/flutter/flutter/pull/80558) Migrate flavors to null safety (team, cla: yes, waiting for tree to go green)
[80559](https://github.com/flutter/flutter/pull/80559) Migrate gradle_deprecated_settings to null safety (team, cla: yes, waiting for tree to go green)
[80587](https://github.com/flutter/flutter/pull/80587) Add dart fix for DragAnchor deprecation (team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[80600](https://github.com/flutter/flutter/pull/80600) Standardize how Java8 is set in gradle files (team, tool, a: accessibility, cla: yes, d: examples, waiting for tree to go green)
[80605](https://github.com/flutter/flutter/pull/80605) Refactor LocalizationsGenerator initialize instance method into factory (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80614](https://github.com/flutter/flutter/pull/80614) Migrate xcode.dart and xcode_validator.dart to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80617](https://github.com/flutter/flutter/pull/80617) Migrate ios_add2app_life_cycle to null safety (team, cla: yes, waiting for tree to go green)
[80619](https://github.com/flutter/flutter/pull/80619) Migrate ios_platform_view_tests to null safety (team, cla: yes, waiting for tree to go green)
[80621](https://github.com/flutter/flutter/pull/80621) Migrate platform_interaction to null safety (team, cla: yes, waiting for tree to go green)
[80622](https://github.com/flutter/flutter/pull/80622) Migrate release_smoke_test to null safety (team, cla: yes)
[80624](https://github.com/flutter/flutter/pull/80624) Migrate dev/integration_tests/ui to null safety (team, cla: yes)
[80625](https://github.com/flutter/flutter/pull/80625) Migrate dev/integration_tests/web to null safety (team, cla: yes, waiting for tree to go green)
[80628](https://github.com/flutter/flutter/pull/80628) Migrate web_e2e_tests to null safety (team, cla: yes)
[80630](https://github.com/flutter/flutter/pull/80630) Migrate multiple_flutters to null safety (team, cla: yes, waiting for tree to go green)
[80640](https://github.com/flutter/flutter/pull/80640) Migrate external_ui to null safety (team, cla: yes, waiting for tree to go green)
[80641](https://github.com/flutter/flutter/pull/80641) Migrate channels to null safety (team, cla: yes, waiting for tree to go green)
[80742](https://github.com/flutter/flutter/pull/80742) Fix the sample analyzer to analyze dart:ui and make the analyzer null safe (team, cla: yes, waiting for tree to go green)
[80756](https://github.com/flutter/flutter/pull/80756) Migrate LogicalKeySet to SingleActivator (a: tests, a: text input, team, framework, f: material design, severe: API break, cla: yes, f: cupertino)
[80763](https://github.com/flutter/flutter/pull/80763) Migrate gen_l10n to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80792](https://github.com/flutter/flutter/pull/80792) Modified TabBar.preferredSize to remove hardcoded knowledge about child Tab. (team, framework, f: material design, cla: yes, a: quality, waiting for tree to go green, tech-debt)
[80817](https://github.com/flutter/flutter/pull/80817) fix sort_directives violations (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes, f: cupertino, waiting for tree to go green)
[80822](https://github.com/flutter/flutter/pull/80822) Migrate ios_add2app_life_cycle to earlgrey 2 and latest iOS SDK (a: tests, team, cla: yes)
[80834](https://github.com/flutter/flutter/pull/80834) [flutter_conductor] begin migrating //flutter/dev/tools to null-safety (team, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[80841](https://github.com/flutter/flutter/pull/80841) Migrate customer_testing to null safety (team, cla: yes)
[80871](https://github.com/flutter/flutter/pull/80871) deflake image_painting_event_test (team, cla: yes)
[80885](https://github.com/flutter/flutter/pull/80885) [flutter_tools] add support for --bundle-sksl-path to `flutter run` / `flutter drive` (team, tool, cla: yes, waiting for tree to go green)
[80897](https://github.com/flutter/flutter/pull/80897) Reland double gzip wrapping NOTICES to reduce on-disk installed space (team, tool, framework, cla: yes)
[80908](https://github.com/flutter/flutter/pull/80908) migrate from jcenter to mavencentral (team, tool, cla: yes, d: examples)
[80912](https://github.com/flutter/flutter/pull/80912) Add frontend_server_client to dependency allowlist (team, cla: yes)
[80916](https://github.com/flutter/flutter/pull/80916) Move FakeOperatingSystemUtils from context.dart to fakes.dart (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80946](https://github.com/flutter/flutter/pull/80946) [devicelab] remove globals and dependency tracking from technical debt (team, cla: yes)
[80958](https://github.com/flutter/flutter/pull/80958) Revert "[devicelab] remove globals and dependency tracking from technical debt" (team, cla: yes)
[80959](https://github.com/flutter/flutter/pull/80959) Revert "[flutter_tools] pin transitive deps during --transitive-closure" (team, tool, cla: yes)
[80974](https://github.com/flutter/flutter/pull/80974) Adding win devicelab bot results to dashboard. (team, cla: yes, waiting for tree to go green)
[80989](https://github.com/flutter/flutter/pull/80989) Roll packages (team, tool, cla: yes)
[81002](https://github.com/flutter/flutter/pull/81002) Migrate analyze_size to null safety (team, tool, cla: yes, a: null-safety)
[81004](https://github.com/flutter/flutter/pull/81004) Remove "unnecessary" imports in dev/ (team, cla: yes, waiting for tree to go green)
[81006](https://github.com/flutter/flutter/pull/81006) Migrate forbidden_from_release_tests to null safety (team, cla: yes, waiting for tree to go green, a: null-safety)
[81009](https://github.com/flutter/flutter/pull/81009) Allow ios_add2app to be launched without tests (a: tests, team, cla: yes, a: existing-apps)
[81012](https://github.com/flutter/flutter/pull/81012) Fix "LUCI console" link (team, cla: yes, waiting for tree to go green, documentation)
[81017](https://github.com/flutter/flutter/pull/81017) Ignore directives ordering in generated sample code (team, cla: yes, waiting for tree to go green)
[81049](https://github.com/flutter/flutter/pull/81049) Marking win bot tests and not flakey. (team, cla: yes, waiting for tree to go green)
[81050](https://github.com/flutter/flutter/pull/81050) Revert "Migrate channels to null safety" (team, cla: yes)
[81058](https://github.com/flutter/flutter/pull/81058) Renaming win bot tasks to keep with existing conventions. (team, cla: yes, waiting for tree to go green)
[81064](https://github.com/flutter/flutter/pull/81064) Removing the agents task manifest.yaml file. (team, cla: yes)
[81066](https://github.com/flutter/flutter/pull/81066) Revert "Renaming win bot tasks to keep with existing conventions." (team, cla: yes, waiting for tree to go green)
[81077](https://github.com/flutter/flutter/pull/81077) Adding win devicelab bot results to dashboard. (#80974) (team, cla: yes)
[81085](https://github.com/flutter/flutter/pull/81085) Marking win bot tests and not flakey. (#81049) (team, cla: yes)
[81086](https://github.com/flutter/flutter/pull/81086) Wait for frame rendering to stabilize before running the all_elements_bench benchmark (team, cla: yes, waiting for tree to go green)
[81087](https://github.com/flutter/flutter/pull/81087) Test the skp_generator. (team, cla: yes)
[81088](https://github.com/flutter/flutter/pull/81088) Update README.md (team, cla: yes, waiting for tree to go green)
[81090](https://github.com/flutter/flutter/pull/81090) Apply style guide regarding createTempSync pattern (team, tool, cla: yes, waiting for tree to go green)
[81096](https://github.com/flutter/flutter/pull/81096) Add skp_generator shard to LUCI config (team, cla: yes)
[81099](https://github.com/flutter/flutter/pull/81099) [versions] roll in latest shelf (team, cla: yes, waiting for tree to go green)
[81109](https://github.com/flutter/flutter/pull/81109) Migrate non_nullable to null safety (team, cla: yes)
[81153](https://github.com/flutter/flutter/pull/81153) Enable avoid_escaping_inner_quotes lint (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[81155](https://github.com/flutter/flutter/pull/81155) Revert "[RenderEditable] Dont paint caret when selection is invalid" #81076 (team, framework, f: material design, cla: yes)
[81210](https://github.com/flutter/flutter/pull/81210) fix unsorted directives (team, cla: yes, waiting for tree to go green)
[81226](https://github.com/flutter/flutter/pull/81226) Revert "Migrate to ChannelBuffers.push" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[81234](https://github.com/flutter/flutter/pull/81234) [flutter_conductor] Add candidates sub command (team, cla: yes, waiting for tree to go green)
[81235](https://github.com/flutter/flutter/pull/81235) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[81240](https://github.com/flutter/flutter/pull/81240) Add benchmark for number of GCs in animated GIF (a: tests, team, framework, cla: yes, waiting for tree to go green)
[81253](https://github.com/flutter/flutter/pull/81253) [flutter_conductor] Skip roll-dev integration test until dev release is published (team, cla: yes)
[81316](https://github.com/flutter/flutter/pull/81316) Revert "Refactor text editing test APIs (Mark III)" (a: tests, team, framework, cla: yes, waiting for tree to go green)
[81346](https://github.com/flutter/flutter/pull/81346) Mark dart_plugin_registry_test not flaky (team, cla: yes, team: flakes, waiting for tree to go green)
[81347](https://github.com/flutter/flutter/pull/81347) Mark linux_skp_generator not flaky (team, cla: yes, team: flakes, waiting for tree to go green)
[81352](https://github.com/flutter/flutter/pull/81352) Replace MockAndroidDevice and MockIOSDevice with fakes (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[81400](https://github.com/flutter/flutter/pull/81400) Add a fifth tool_integration_tests shard on Windows (team, cla: yes, waiting for tree to go green)
[81403](https://github.com/flutter/flutter/pull/81403) [versions] roll versions and add ffi dep (team, tool, cla: yes)
[81406](https://github.com/flutter/flutter/pull/81406) Add trailing commas in examples and packages/flutter/ (team, framework, f: material design, cla: yes, f: cupertino, d: examples)
[81414](https://github.com/flutter/flutter/pull/81414) Added performance benchmarks for platform channels (team, cla: yes, waiting for tree to go green)
[81449](https://github.com/flutter/flutter/pull/81449) Fix benchmark (team, cla: yes, waiting for tree to go green)
[81515](https://github.com/flutter/flutter/pull/81515) Rev DevTools to 2.1.1 for tests (team, cla: yes)
[81518](https://github.com/flutter/flutter/pull/81518) [flutter_releases] Flutter Stable 2.0.6 Framework Cherrypicks (team, cla: yes)
[81528](https://github.com/flutter/flutter/pull/81528) Enable lock-thread based on github actions. (team, cla: yes, waiting for tree to go green)
[81578](https://github.com/flutter/flutter/pull/81578) Enable library_private_types_in_public_api lint (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[81585](https://github.com/flutter/flutter/pull/81585) test macos binaries are codesigned before publishing (team, cla: yes, waiting for tree to go green)
[81624](https://github.com/flutter/flutter/pull/81624) sort directives (team, tool, cla: yes, waiting for tree to go green)
[81630](https://github.com/flutter/flutter/pull/81630) migrate web_complie_tests to null safety (team, cla: yes, waiting for tree to go green)
[81633](https://github.com/flutter/flutter/pull/81633) Remove jcenter from build.gradle (team, cla: yes, waiting for tree to go green)
[81678](https://github.com/flutter/flutter/pull/81678) [key_codegen] Remove webValues (a: text input, team, cla: yes)
[81696](https://github.com/flutter/flutter/pull/81696) Revert "Fix benchmark" (team, cla: yes)
[81698](https://github.com/flutter/flutter/pull/81698) Turn off directives_ordering lint when analyzing samples (team, cla: yes, waiting for tree to go green)
[81792](https://github.com/flutter/flutter/pull/81792) Reduce potential collisions from Gold RNG (a: tests, team, framework, cla: yes, team: flakes, waiting for tree to go green, team: infra, team: presubmit flakes)
[81794](https://github.com/flutter/flutter/pull/81794) Reland GC related bench update (a: tests, team, framework, cla: yes, waiting for tree to go green)
[81812](https://github.com/flutter/flutter/pull/81812) [integration_test] Don't log exceptions twice (team, cla: yes, waiting for tree to go green)
[81829](https://github.com/flutter/flutter/pull/81829) Revert "Migrate to ChannelBuffers.push" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[81843](https://github.com/flutter/flutter/pull/81843) delete skipped roll_dev_integration_test (team, cla: yes, waiting for tree to go green)
[81859](https://github.com/flutter/flutter/pull/81859) remove unnecessary String.toString() (a: tests, team, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[81865](https://github.com/flutter/flutter/pull/81865) Add Enter and Tab back in to ios and macos key maps (team, framework, cla: yes)
[81869](https://github.com/flutter/flutter/pull/81869) Update perf_tests.dart (team, cla: yes)
[81873](https://github.com/flutter/flutter/pull/81873) Sort imports when interpolating sample templates (team, cla: yes, waiting for tree to go green)
[81874](https://github.com/flutter/flutter/pull/81874) Added binary platform channels test (team, cla: yes, waiting for tree to go green)
[81927](https://github.com/flutter/flutter/pull/81927) [flutter_releases] Flutter Beta 2.2.0-10.3.pre Framework Cherrypicks (team, tool, framework, engine, f: material design, a: internationalization, cla: yes)
[81936](https://github.com/flutter/flutter/pull/81936) [flutter_conductor] Apply cherrypicks to local checkouts if they merge cleanly (team, cla: yes, waiting for tree to go green)
[81941](https://github.com/flutter/flutter/pull/81941) Fix prepare_package.dart not updating base_url (team, cla: yes, waiting for tree to go green)
[81955](https://github.com/flutter/flutter/pull/81955) Temporarily disable win_build_tests_2_3 (team, cla: yes)
[81961](https://github.com/flutter/flutter/pull/81961) Only skip license initialization on `flutter test` binding (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[81986](https://github.com/flutter/flutter/pull/81986) clean-up analysis_options.yaml's across the repository (team, framework, cla: yes, waiting for tree to go green)
[82005](https://github.com/flutter/flutter/pull/82005) Revert "Reland GC related bench update" (a: tests, team, framework, cla: yes)
[82042](https://github.com/flutter/flutter/pull/82042) Reland GC benchmark changes again (a: tests, team, framework, cla: yes, waiting for tree to go green)
[82057](https://github.com/flutter/flutter/pull/82057) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82059](https://github.com/flutter/flutter/pull/82059) Revert "Reland GC benchmark changes again" (a: tests, team, framework, cla: yes)
[82069](https://github.com/flutter/flutter/pull/82069) Reland GC tracking benchmarks (a: tests, team, tool, framework, cla: yes)
[82073](https://github.com/flutter/flutter/pull/82073) Disable temporarily validate_scheduler config. (team, cla: yes, waiting for tree to go green)
[82084](https://github.com/flutter/flutter/pull/82084) Enable unnecessary_null_checks lint (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82143](https://github.com/flutter/flutter/pull/82143) Mark Linux complex_layout_scroll_perf__devtools_memory flaky (team, cla: yes, waiting for tree to go green)
[82156](https://github.com/flutter/flutter/pull/82156) Revert "Disable temporarily validate_scheduler config." (team, cla: yes)
[82160](https://github.com/flutter/flutter/pull/82160) Fix mac_plugin_test task name in try_builders (team, cla: yes, waiting for tree to go green)
[82218](https://github.com/flutter/flutter/pull/82218) Revert "Mark Linux complex_layout_scroll_perf__devtools_memory flaky" (team, cla: yes)
[82227](https://github.com/flutter/flutter/pull/82227) Add 'v' hotkey to open DevTools in the browser (team, tool, cla: yes)
[82238](https://github.com/flutter/flutter/pull/82238) use throwsA matcher instead of try-catch-fail (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[82239](https://github.com/flutter/flutter/pull/82239) Add flutter_tools to trigger list for skp_generator (team, cla: yes, waiting for tree to go green)
[82246](https://github.com/flutter/flutter/pull/82246) fix lints (team, cla: yes)
[82281](https://github.com/flutter/flutter/pull/82281) add web e2e and smoke tests to the long running test shard (team, cla: yes)
[82290](https://github.com/flutter/flutter/pull/82290) use throwsA matcher instead of try-catch-fail (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[82292](https://github.com/flutter/flutter/pull/82292) remove web e2e and smoke test builders (team, cla: yes)
[82297](https://github.com/flutter/flutter/pull/82297) remove noop primitive operations (a: tests, team, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[82307](https://github.com/flutter/flutter/pull/82307) consolidate all web integration tests under the same shard (team, cla: yes)
[82308](https://github.com/flutter/flutter/pull/82308) Force LANG=en_US.UTF-8 in test runner (a: tests, team, cla: yes, waiting for tree to go green)
[82319](https://github.com/flutter/flutter/pull/82319) Fix typos (team, framework, f: material design, cla: yes, waiting for tree to go green)
[82337](https://github.com/flutter/flutter/pull/82337) Revert "Init licenses for test bindings (#81961)" (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[82348](https://github.com/flutter/flutter/pull/82348) Remove redundant MediaQueryDatas in tests (a: tests, team, framework, f: material design, cla: yes, waiting for tree to go green, tech-debt)
[82356](https://github.com/flutter/flutter/pull/82356) Roll plugins to 0c99a3ba749bbdc57b0d8895cdfaeef835119613 (team, cla: yes)
[82359](https://github.com/flutter/flutter/pull/82359) fixed typo in prod_builders for ios platform channels benchmark (team, cla: yes, waiting for tree to go green)
[82362](https://github.com/flutter/flutter/pull/82362) Update dartdoc to 0.43.0. (team, cla: yes, waiting for tree to go green)
[82384](https://github.com/flutter/flutter/pull/82384) Mark linux_platform_channels_benchmarks not flaky (team, cla: yes, team: flakes)
[82385](https://github.com/flutter/flutter/pull/82385) Mark animated_image_gc_perf not flaky (team, cla: yes, team: flakes, waiting for tree to go green)
[82386](https://github.com/flutter/flutter/pull/82386) Turn on win_build_tests_2_3 shard, skip 'build windows' tests (a: tests, team, cla: yes)
[82394](https://github.com/flutter/flutter/pull/82394) shuffle tests in web_long_running_tests shard (team, cla: yes, waiting for tree to go green)
[82396](https://github.com/flutter/flutter/pull/82396) Revert "Turn on win_build_tests_2_3 shard, skip 'build windows' tests" (team, cla: yes)
[82457](https://github.com/flutter/flutter/pull/82457) end of sort_child_properties_last (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82462](https://github.com/flutter/flutter/pull/82462) Add a script that will find the appropriate commit in another repository (team, cla: yes, waiting for tree to go green)
[82466](https://github.com/flutter/flutter/pull/82466) Re-enable win_build_tests_2_3. (team, cla: yes, waiting for tree to go green)
[82491](https://github.com/flutter/flutter/pull/82491) pub global deactivate devtools before installing (team, cla: yes)
[82498](https://github.com/flutter/flutter/pull/82498) Replace testUsingContext with testWithoutContext in a few places (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[82499](https://github.com/flutter/flutter/pull/82499) Replace testUsingContext with testWithoutContext in protocol_discovery_test (a: tests, team, tool, cla: yes, waiting for tree to go green)
[82508](https://github.com/flutter/flutter/pull/82508) Remove "unnecessary" imports. (a: tests, team, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[82525](https://github.com/flutter/flutter/pull/82525) Revert "Migrate to ChannelBuffers.push" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82564](https://github.com/flutter/flutter/pull/82564) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82569](https://github.com/flutter/flutter/pull/82569) Fix analysis errors (team, cla: yes)
[82577](https://github.com/flutter/flutter/pull/82577) Update dependency versions (team, cla: yes)
[82581](https://github.com/flutter/flutter/pull/82581) [flutter_releases] Flutter Framework Engine roll (team, tool, framework, engine, f: material design, a: internationalization, cla: yes)
[82582](https://github.com/flutter/flutter/pull/82582) disable semantics in text_editing_integration.dart (team, cla: yes, waiting for tree to go green)
[82584](https://github.com/flutter/flutter/pull/82584) Add cmdline tools to docker image. (team, cla: yes)
[82589](https://github.com/flutter/flutter/pull/82589) Fix typos (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82601](https://github.com/flutter/flutter/pull/82601) [flutter_conductor] Auto apply dart revision (team, cla: yes)
[82611](https://github.com/flutter/flutter/pull/82611) Migrate manual_tests to null safety (team, f: material design, cla: yes, waiting for tree to go green)
[82719](https://github.com/flutter/flutter/pull/82719) add --verbose flag to pub global activate (team, cla: yes)
[82739](https://github.com/flutter/flutter/pull/82739) [flutter_tools] support memory profiles from flutter drive (team, tool, cla: yes, waiting for tree to go green)
[82754](https://github.com/flutter/flutter/pull/82754) Gardening: mark flaky tests flaky. (team, cla: yes, waiting for tree to go green)
[82756](https://github.com/flutter/flutter/pull/82756) added gaaclarke as testowner for platform channels benchmarks (team, cla: yes, waiting for tree to go green)
[82759](https://github.com/flutter/flutter/pull/82759) Mark mac_ios_platform_channels_benchmarks_ios not flaky (team, cla: yes, team: flakes, waiting for tree to go green)
[82760](https://github.com/flutter/flutter/pull/82760) Mark win_build_tests_2_3 not flaky (team, cla: yes, team: flakes, waiting for tree to go green)
[82761](https://github.com/flutter/flutter/pull/82761) Enable win_gradle_plugin_light_apk_test and mark unflaky (team, cla: yes, team: flakes, waiting for tree to go green)
[82762](https://github.com/flutter/flutter/pull/82762) [devicelab] await flutter create call in platform channels benchmark (team, cla: yes)
[82770](https://github.com/flutter/flutter/pull/82770) Run update packages, pick up "file" version 6.1.1 (team, cla: yes, waiting for tree to go green)
[82833](https://github.com/flutter/flutter/pull/82833) added unawaited function for devicelab and turned on unawaited_futures linter (team, cla: yes, waiting for tree to go green)
[82839](https://github.com/flutter/flutter/pull/82839) Devicelab: removed unawaited where deemed necessary (team, cla: yes)
[82870](https://github.com/flutter/flutter/pull/82870) Migrate linux analyze to ci.yaml (team, cla: yes, waiting for tree to go green)
[82882](https://github.com/flutter/flutter/pull/82882) Remove more mocks from error_handling_io_test (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[82926](https://github.com/flutter/flutter/pull/82926) [web] Make web integration tests shadow DOM aware. (a: tests, team, framework, cla: yes, d: examples, waiting for tree to go green)
[82939](https://github.com/flutter/flutter/pull/82939) FlutterDriver: deprecate enableAccessibility; redirect it to setSemantics; add setSemantics tests (a: tests, team, framework, cla: yes, d: examples)
[82942](https://github.com/flutter/flutter/pull/82942) Mark Mac_ios flutter_gallery__transition_perf_e2e_ios32 as flaky (team, cla: yes, waiting for tree to go green)
[82957](https://github.com/flutter/flutter/pull/82957) [flutter_conductor] fix candidates sub-command (team, cla: yes, waiting for tree to go green)
[82960](https://github.com/flutter/flutter/pull/82960) Migrate to .ci.yaml (team, cla: yes, waiting for tree to go green)
[82962](https://github.com/flutter/flutter/pull/82962) Key codegen for Hardware Keyboard: Linux (GTK) (a: text input, team, cla: yes)
[82963](https://github.com/flutter/flutter/pull/82963) Update rendering smoke tests to assert a frame has been scheduled (team, framework, cla: yes, d: examples, waiting for tree to go green)
[82983](https://github.com/flutter/flutter/pull/82983) Revert "[flutter_conductor] Auto apply dart revision" (team, cla: yes)
[82985](https://github.com/flutter/flutter/pull/82985) [flutter_conductor] Re-land auto-apply dart revision (team, cla: yes)
[83020](https://github.com/flutter/flutter/pull/83020) Assign late variable without initstate in flutter_gallery (team, cla: yes, f: cupertino, waiting for tree to go green)
[83067](https://github.com/flutter/flutter/pull/83067) Add Gradle lockfiles and tool to generate them (team, tool, a: accessibility, cla: yes, d: examples, waiting for tree to go green)
[83070](https://github.com/flutter/flutter/pull/83070) Assign late variable without initstate in layers (team, cla: yes, d: examples, waiting for tree to go green)
[83110](https://github.com/flutter/flutter/pull/83110) Made the android platform channel benchmarks comparable to iOS (team, cla: yes, waiting for tree to go green)
[83136](https://github.com/flutter/flutter/pull/83136) Roll Flutter Gallery with Gradle pinned dependencies (team, cla: yes, waiting for tree to go green)
[83137](https://github.com/flutter/flutter/pull/83137) Move globals.artifacts to globals_null_migrated, update imports (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83146](https://github.com/flutter/flutter/pull/83146) Add iOS key map generation, make macOS var naming consistent with repo (team, framework, cla: yes)
[83147](https://github.com/flutter/flutter/pull/83147) Migrate build_system, exceptions, and source to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83153](https://github.com/flutter/flutter/pull/83153) Migrate compile to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83160](https://github.com/flutter/flutter/pull/83160) Refactor android_view example (team, cla: yes, waiting for tree to go green)
[83182](https://github.com/flutter/flutter/pull/83182) Add maskable icons to improve lighthouse score (team, tool, cla: yes, waiting for tree to go green)
[83308](https://github.com/flutter/flutter/pull/83308) Pass --local-engine* from dev/bots/test.dart to `pub test` (only web) (team, cla: yes)
[83310](https://github.com/flutter/flutter/pull/83310) Migrate localizations and generate_synthetic_packages to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83311](https://github.com/flutter/flutter/pull/83311) Migrate deferred_components_gen_snapshot_validator to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83313](https://github.com/flutter/flutter/pull/83313) [flutter_conductor] Migrate flutter conductor out of dev/tools and into its own directory (team, cla: yes)
[83315](https://github.com/flutter/flutter/pull/83315) rsync instead of delete and copy Flutter.xcframework for add to app (team, platform-ios, tool, cla: yes, a: existing-apps, waiting for tree to go green, t: xcode)
[83318](https://github.com/flutter/flutter/pull/83318) Support Float32Lists in StandardMessageCodec (#72613) (team, framework, cla: yes, waiting for tree to go green)
[83352](https://github.com/flutter/flutter/pull/83352) Update dartdoc to 0.44.0. (team, cla: yes, waiting for tree to go green)
[83361](https://github.com/flutter/flutter/pull/83361) Remove iOS version override in ios_add2appTests unit tests (a: tests, team, cla: yes, waiting for tree to go green)
[83367](https://github.com/flutter/flutter/pull/83367) [versions] roll package test redux (team, tool, cla: yes)
[83371](https://github.com/flutter/flutter/pull/83371) Started using direct ByteBuffers for our performance tests (team, cla: yes)
[83381](https://github.com/flutter/flutter/pull/83381) Migrate build system build.dart to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83384](https://github.com/flutter/flutter/pull/83384) Mark flutter_gallery__transition_perf_e2e flaky (team, cla: yes, team: flakes)
[83407](https://github.com/flutter/flutter/pull/83407) enable lint prefer_interpolation_to_compose_strings (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83433](https://github.com/flutter/flutter/pull/83433) fix lint from an improved unnecessary_parenthesis (team, tool, framework, cla: yes, waiting for tree to go green)
[83439](https://github.com/flutter/flutter/pull/83439) Modify key info generation for new iOS key code. (team, cla: yes, waiting for tree to go green)
[83504](https://github.com/flutter/flutter/pull/83504) Remove more mocks from error_handling_io and attach_test (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83526](https://github.com/flutter/flutter/pull/83526) Remove logic to save artifacts to old gcs location. (team, cla: yes, waiting for tree to go green)
[83530](https://github.com/flutter/flutter/pull/83530) Add a more complete app template for Flutter (skeleton) (team, tool, cla: yes, waiting for tree to go green)
[83619](https://github.com/flutter/flutter/pull/83619) Migrate microbrenchmarks to null safety (team, a: accessibility, cla: yes, waiting for tree to go green)
[83635](https://github.com/flutter/flutter/pull/83635) [gradle] Unlock all configurations if a local engine is used (team, a: accessibility, cla: yes, d: examples, waiting for tree to go green)
[83718](https://github.com/flutter/flutter/pull/83718) [web] run all text layout benchmarks in CanvasKit mode (team, cla: yes, waiting for tree to go green)
[83744](https://github.com/flutter/flutter/pull/83744) Fixed large amount of spelling errors (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83752](https://github.com/flutter/flutter/pull/83752) Keyboard events (a: tests, a: text input, team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[83790](https://github.com/flutter/flutter/pull/83790) Revert "Dispose render objects when owning element is unmounted." (team, framework, cla: yes, d: examples)
[83806](https://github.com/flutter/flutter/pull/83806) Add more debug output to snippet git failures (team, cla: yes)
[83817](https://github.com/flutter/flutter/pull/83817) Migrate project.dart and all dependencies to null safety (team, tool, cla: yes, a: null-safety)
[83843](https://github.com/flutter/flutter/pull/83843) Clean up the bindings APIs (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83846](https://github.com/flutter/flutter/pull/83846) Count non-null-safe code in our tech debt benchmark (team, cla: yes, waiting for tree to go green)
[83852](https://github.com/flutter/flutter/pull/83852) Remove globals from android application_package (team, tool, cla: yes, waiting for tree to go green, tech-debt)
[83855](https://github.com/flutter/flutter/pull/83855) Migrate iOS project migrations to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83862](https://github.com/flutter/flutter/pull/83862) Migrate a few tool libraries to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83894](https://github.com/flutter/flutter/pull/83894) migrate complex layout to null safety (team, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[83911](https://github.com/flutter/flutter/pull/83911) flutter update-packages --force-upgrade (team, cla: yes, waiting for tree to go green)
[83913](https://github.com/flutter/flutter/pull/83913) [flutter] ensure vmservice binding is registered in profile mode (team, framework, cla: yes, waiting for tree to go green)
[83920](https://github.com/flutter/flutter/pull/83920) Reland "Dispose render objects when owning element is unmounted. (#82883)" (#83790) (team, framework, cla: yes, d: examples, waiting for tree to go green)
[83923](https://github.com/flutter/flutter/pull/83923) Remove deprecated hasFloatingPlaceholder (team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[83924](https://github.com/flutter/flutter/pull/83924) Remove TextTheme deprecations (team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[83926](https://github.com/flutter/flutter/pull/83926) Remove deprecated typography constructor (team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[83944](https://github.com/flutter/flutter/pull/83944) Run `dart fix` on customer tests as promised (team, cla: yes, waiting for tree to go green)
[83956](https://github.com/flutter/flutter/pull/83956) Migrate application_package to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83959](https://github.com/flutter/flutter/pull/83959) Remove "unnecessary" imports. (a: tests, team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[83964](https://github.com/flutter/flutter/pull/83964) Pin the customer_tests (team, cla: yes, waiting for tree to go green)
[83966](https://github.com/flutter/flutter/pull/83966) Delete obsolete TODO (team, cla: yes, waiting for tree to go green)
[83967](https://github.com/flutter/flutter/pull/83967) Delete obsolete TODO (team, cla: yes, waiting for tree to go green)
[83968](https://github.com/flutter/flutter/pull/83968) Delete obsolete TODO and skip (team, framework, cla: yes, waiting for tree to go green)
[84008](https://github.com/flutter/flutter/pull/84008) Add option to stream logs to file for flutter logs and way to use it in devicelab runs (team, tool, cla: yes)
[84011](https://github.com/flutter/flutter/pull/84011) Migrate vitool to null safety (team, cla: yes, a: null-safety, tech-debt)
[84013](https://github.com/flutter/flutter/pull/84013) "Migrate" dummy packages to null safety (team, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84017](https://github.com/flutter/flutter/pull/84017) Mixed null safety in dev/devicelab (team, f: material design, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety)
[84020](https://github.com/flutter/flutter/pull/84020) Update the Windows runner for Gallery (team, cla: yes, waiting for tree to go green)
[84061](https://github.com/flutter/flutter/pull/84061) migrate mega_gallery to null safety (team, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84063](https://github.com/flutter/flutter/pull/84063) migrate update_icons to null safety (team, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84064](https://github.com/flutter/flutter/pull/84064) migrate localization to null safety (team, f: material design, cla: yes, f: cupertino, a: null-safety, tech-debt)
[84065](https://github.com/flutter/flutter/pull/84065) Migrate gallery test to null safety (team, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84066](https://github.com/flutter/flutter/pull/84066) migrate platform channels benchmarks (team, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84125](https://github.com/flutter/flutter/pull/84125) Ignore unnecessary_import reports in sample code (team, cla: yes, waiting for tree to go green)
[84130](https://github.com/flutter/flutter/pull/84130) Update dartdoc to 0.45.0 (team, cla: yes, waiting for tree to go green)
[84136](https://github.com/flutter/flutter/pull/84136) Migrate android_semantics_testing to null safety (team, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84140](https://github.com/flutter/flutter/pull/84140) Migrate hybrid_android_views to null safety (team, cla: yes, a: null-safety, tech-debt)
[84145](https://github.com/flutter/flutter/pull/84145) Migrate integration_tests/channels to null safety (team, framework, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84148](https://github.com/flutter/flutter/pull/84148) Remove unused protobuf dependency (team, cla: yes, waiting for tree to go green)
[84153](https://github.com/flutter/flutter/pull/84153) Migrate dartdoc to null safety (team, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84154](https://github.com/flutter/flutter/pull/84154) Revert "Migrate android_semantics_testing to null safety (#84136)" (team, a: accessibility, cla: yes)
[84156](https://github.com/flutter/flutter/pull/84156) Re-land "Migrate android_semantics_testing to null safety (#84136)" (team, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84166](https://github.com/flutter/flutter/pull/84166) Revert "Re-land "Migrate android_semantics_testing to null safety (#84136)"" (team, a: accessibility, cla: yes)
[84227](https://github.com/flutter/flutter/pull/84227) Migrate android application_package to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[84256](https://github.com/flutter/flutter/pull/84256) alignment of doc comments and annotations (a: tests, team, tool, framework, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[84293](https://github.com/flutter/flutter/pull/84293) fix indentation of class members (team, tool, framework, cla: yes, waiting for tree to go green)
[84303](https://github.com/flutter/flutter/pull/84303) Switch sample analysis over to use package:flutter_lints (team, framework, f: material design, cla: yes)
[84354](https://github.com/flutter/flutter/pull/84354) [flutter_conductor] Add `next` sub-command (team, cla: yes, waiting for tree to go green)
[84374](https://github.com/flutter/flutter/pull/84374) fix indentation issues (team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[84469](https://github.com/flutter/flutter/pull/84469) Migrate build_macos and web_test_compiler to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[84476](https://github.com/flutter/flutter/pull/84476) Turn on avoid_dynamic_calls lint, except packages/flutter tests, make appropriate changes. (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples)
[84478](https://github.com/flutter/flutter/pull/84478) Turn on avoid_dynamic_calls lint in packages/flutter tests, make appropriate changes. (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[84519](https://github.com/flutter/flutter/pull/84519) Fix watchOS build when companion app is configured with xcode variable (team, tool, cla: yes, waiting for tree to go green)
[84579](https://github.com/flutter/flutter/pull/84579) Prep for new `directives_ordering` (team, cla: yes, waiting for tree to go green)
[84593](https://github.com/flutter/flutter/pull/84593) Deflake demo (team, cla: yes)
[84594](https://github.com/flutter/flutter/pull/84594) Clean up NestedScrollView TODOs (team, framework, cla: yes, waiting for tree to go green, tech-debt)
[84596](https://github.com/flutter/flutter/pull/84596) Set up iOS native integration_tests in ui example project (team, platform-ios, cla: yes, waiting for tree to go green, integration_test)
[84597](https://github.com/flutter/flutter/pull/84597) Fix build failure (team, cla: yes)
[84602](https://github.com/flutter/flutter/pull/84602) Fix integration_test podspecs warnings (team, platform-ios, cla: yes, waiting for tree to go green, integration_test)
[84639](https://github.com/flutter/flutter/pull/84639) [versions] update dependencies (team, cla: yes, d: examples)
[84641](https://github.com/flutter/flutter/pull/84641) Revert "Set up iOS native integration_tests in ui example project" (team, cla: yes)
[84666](https://github.com/flutter/flutter/pull/84666) Manual roll of engine from e0011fa561d6 to 2118a1bb4bf0 (7 revisions) (team, engine, cla: yes)
[84728](https://github.com/flutter/flutter/pull/84728) Retry dev/snippets git status, deflake snippets generator (team, cla: yes, waiting for tree to go green)
[84755](https://github.com/flutter/flutter/pull/84755) migrate host_agent to null safety (team, cla: yes, waiting for tree to go green)
[84809](https://github.com/flutter/flutter/pull/84809) Make scrollbar assertions less aggressive (a: tests, team, framework, f: scrolling, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, a: error message, tech-debt)
[84812](https://github.com/flutter/flutter/pull/84812) Disable auto scrollbars on desktop for legacy flutter gallery (a: tests, team, framework, team: gallery, f: scrolling, cla: yes, waiting for tree to go green, integration_test, tech-debt)
[84820](https://github.com/flutter/flutter/pull/84820) Audit devicelab log streaming for nullability (team, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety)
[84864](https://github.com/flutter/flutter/pull/84864) re-enable directives ordering (team, cla: yes, waiting for tree to go green)
[84890](https://github.com/flutter/flutter/pull/84890) Set up iOS native integration_tests in ui example project (team, platform-ios, cla: yes, integration_test)
[84892](https://github.com/flutter/flutter/pull/84892) Revert "Set up iOS native integration_tests in ui example project" (team, cla: yes)
[84939](https://github.com/flutter/flutter/pull/84939) Migrate task_result to null safety (team, cla: yes, waiting for tree to go green)
[84956](https://github.com/flutter/flutter/pull/84956) Add GC events to transitions perf test for gallery (team, cla: yes, waiting for tree to go green)
[84996](https://github.com/flutter/flutter/pull/84996) Dump the app if we cannot tap the demo (team, cla: yes)
[84997](https://github.com/flutter/flutter/pull/84997) remove deprecated `author` fields (team, cla: yes, waiting for tree to go green)
[85048](https://github.com/flutter/flutter/pull/85048) Try to dump app again for run_demos.dart (team, cla: yes)
[85051](https://github.com/flutter/flutter/pull/85051) Check for either ios-x86_64-simulator or ios-arm64_x86_64-simulator in module test (team, platform-ios, cla: yes, platform-host-arm)
[85053](https://github.com/flutter/flutter/pull/85053) Check ios-arm64_armv7 directory when validating codesigning entitlements (team, platform-ios, tool, cla: yes, waiting for tree to go green)
[85059](https://github.com/flutter/flutter/pull/85059) Support iOS arm64 simulator (team, platform-ios, tool, cla: yes, platform-host-arm)
[85076](https://github.com/flutter/flutter/pull/85076) [versions] remove mockito (team, cla: yes, waiting for tree to go green)
[85087](https://github.com/flutter/flutter/pull/85087) Avoid iOS app with extension checks that fail on M1 ARM Macs (team, platform-ios, tool, cla: yes, waiting for tree to go green, platform-host-arm)
[85094](https://github.com/flutter/flutter/pull/85094) Remove tests checking Xcode 11 naming conventions (a: tests, team, platform-ios, cla: yes, waiting for tree to go green)
[85098](https://github.com/flutter/flutter/pull/85098) Remove per-test timeouts from integration tests (team, cla: yes)
[85121](https://github.com/flutter/flutter/pull/85121) New scheme for keyboard logical key ID (a: text input, team, framework, cla: yes)
[85133](https://github.com/flutter/flutter/pull/85133) Revert "Remove per-test timeouts from integration tests" (team, cla: yes)
[85141](https://github.com/flutter/flutter/pull/85141) Reland eliminate timeouts from integration tests (team, tool, cla: yes)
[85151](https://github.com/flutter/flutter/pull/85151) Remove nameless todo (a: tests, team, tool, framework, f: material design, cla: yes)
[85159](https://github.com/flutter/flutter/pull/85159) Randomize Framework tests, opt out some tests that currently fail. (team, framework, f: material design, cla: yes, f: cupertino)
[85174](https://github.com/flutter/flutter/pull/85174) Migrate iOS app deployment target from 8.0 to 9.0 (team, platform-ios, tool, cla: yes, d: examples, waiting for tree to go green, t: xcode)
[85242](https://github.com/flutter/flutter/pull/85242) Migrate flutter_cache to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[85246](https://github.com/flutter/flutter/pull/85246) Add dart fix for AndroidViewController.id (team, framework, cla: yes, a: quality, waiting for tree to go green, tech-debt)
[85254](https://github.com/flutter/flutter/pull/85254) Add dart fix for RenderObjectElement deprecations (team, framework, f: material design, cla: yes, f: cupertino, a: quality, waiting for tree to go green, tech-debt)
[85265](https://github.com/flutter/flutter/pull/85265) Check ios-arm64_x86_64-simulator directory when validating codesigning entitlement (team, platform-ios, tool, cla: yes, waiting for tree to go green, platform-host-arm)
[85270](https://github.com/flutter/flutter/pull/85270) Run build_tests shard and check in project migrations (team, cla: yes, d: examples, waiting for tree to go green)
[85306](https://github.com/flutter/flutter/pull/85306) Add space before curly parentheses. (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[85348](https://github.com/flutter/flutter/pull/85348) Address dev/devicelab todos (team, cla: yes, waiting for tree to go green)
[85351](https://github.com/flutter/flutter/pull/85351) Removed ButtonBar from flutter_gallery (team, f: material design, cla: yes, waiting for tree to go green)
[85364](https://github.com/flutter/flutter/pull/85364) Update stack_trace.dart (team, dependency: dart, cla: yes, waiting for tree to go green)
[85370](https://github.com/flutter/flutter/pull/85370) Audit hashCode overrides outside of packages/flutter (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes, waiting for tree to go green)
[85384](https://github.com/flutter/flutter/pull/85384) [flutter_tools] re-enable all tests on windows (team, tool, cla: yes, waiting for tree to go green)
[85451](https://github.com/flutter/flutter/pull/85451) Revert "Audit hashCode overrides outside of packages/flutter" (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes)
[85461](https://github.com/flutter/flutter/pull/85461) Clean up old integration test TODOs (team, cla: yes, waiting for tree to go green)
[85501](https://github.com/flutter/flutter/pull/85501) Migrate dev/benchmarks/macrobenchmarks to null safety. (team, f: material design, cla: yes, a: null-safety)
[85507](https://github.com/flutter/flutter/pull/85507) [flutter_conductor] Re-enable codesign integration test (team, cla: yes, waiting for tree to go green)
[85549](https://github.com/flutter/flutter/pull/85549) Update dartdoc to 1.0.0 (team, cla: yes)
[85567](https://github.com/flutter/flutter/pull/85567) Reland "Audit hashCode overrides outside of packages/flutter"" (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes)
[85637](https://github.com/flutter/flutter/pull/85637) [web] Remove the part directive from the web key map template (team, cla: yes, platform-web, waiting for tree to go green)
[85641](https://github.com/flutter/flutter/pull/85641) Revert "Support iOS arm64 simulator" (team, tool, cla: yes)
[85642](https://github.com/flutter/flutter/pull/85642) Support iOS arm64 simulator (team, platform-ios, tool, cla: yes, waiting for tree to go green, platform-host-arm)
[85650](https://github.com/flutter/flutter/pull/85650) Wait for iOS UI buttons to exist before tapping (team, platform-ios, cla: yes, team: flakes, waiting for tree to go green)
[85661](https://github.com/flutter/flutter/pull/85661) Update README.md (team, cla: yes, waiting for tree to go green)
[85672](https://github.com/flutter/flutter/pull/85672) Change devicelab test ownership (a: tests, team, cla: yes, waiting for tree to go green)
[85673](https://github.com/flutter/flutter/pull/85673) Revert "Randomize Framework tests, opt out some tests that currently fail. (#85159)" (team, framework, f: material design, cla: yes, f: cupertino)
[85783](https://github.com/flutter/flutter/pull/85783) code formatting (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[85797](https://github.com/flutter/flutter/pull/85797) [flutter_conductor] support pushing local changes to remote (team, cla: yes)
[85812](https://github.com/flutter/flutter/pull/85812) Run "pub global activate devtools" before overall_experience_test (team, tool, cla: yes, waiting for tree to go green)
[85993](https://github.com/flutter/flutter/pull/85993) Migrate core devicelab framework to null safety. (team, cla: yes)
[85996](https://github.com/flutter/flutter/pull/85996) Migrate devicelab tasks a-f to null safety. (team, f: material design, a: accessibility, cla: yes)
[85997](https://github.com/flutter/flutter/pull/85997) Migrate devicelab tasks f-i to null safety. (team, a: accessibility, cla: yes)
[85998](https://github.com/flutter/flutter/pull/85998) Migrate devicelab tasks i-z to null safety. (team, cla: yes, waiting for tree to go green, a: null-safety)
[85999](https://github.com/flutter/flutter/pull/85999) Migrate devicelab tests and test runners to null safety. (team, cla: yes)
[86008](https://github.com/flutter/flutter/pull/86008) Add newline at end of file (team, tool, framework, cla: yes, f: cupertino, waiting for tree to go green)
[86051](https://github.com/flutter/flutter/pull/86051) Migrate gen_localizations to null-safety (team, cla: yes, waiting for tree to go green)
[86117](https://github.com/flutter/flutter/pull/86117) [flutter_conductor] migrate conductor to null-safety (team, framework, cla: yes, waiting for tree to go green)
[86119](https://github.com/flutter/flutter/pull/86119) [web] move e2e tests from flutter/engine to flutter/flutter (team, cla: yes, waiting for tree to go green)
[86143](https://github.com/flutter/flutter/pull/86143) Make the customer testing shard more verbose (team, cla: yes, waiting for tree to go green)
[86198](https://github.com/flutter/flutter/pull/86198) AppBar.backwardsCompatibility now default false, deprecated (team, framework, f: material design, cla: yes)
[86267](https://github.com/flutter/flutter/pull/86267) Revert "Migrate devicelab tasks f-i to null safety." (team, a: accessibility, cla: yes)
[86268](https://github.com/flutter/flutter/pull/86268) Revert "Migrate devicelab tasks a-f to null safety." (team, f: material design, a: accessibility, cla: yes)
[86269](https://github.com/flutter/flutter/pull/86269) Revert "Migrate core devicelab framework to null safety." (team, cla: yes)
[86323](https://github.com/flutter/flutter/pull/86323) Dart Fixes for clipBehavior breaks (team, framework, f: material design, cla: yes, f: cupertino, a: quality, waiting for tree to go green, tech-debt)
[86325](https://github.com/flutter/flutter/pull/86325) Migrate devicelab framework code to null safety. (team, cla: yes, waiting for tree to go green, a: null-safety)
[86329](https://github.com/flutter/flutter/pull/86329) Bump addressable from 2.7.0 to 2.8.0 in /dev/ci/mac (team, cla: yes, waiting for tree to go green, team: infra)
[86368](https://github.com/flutter/flutter/pull/86368) Add more debugging logs to overall_experience_test (team, tool, cla: yes, waiting for tree to go green)
[86369](https://github.com/flutter/flutter/pull/86369) Add fixes for ThemeData (team, framework, f: material design, cla: yes, waiting for tree to go green, tech-debt)
[86374](https://github.com/flutter/flutter/pull/86374) Migrate devicelab tasks a-f to null safety. (team, f: material design, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety)
[86378](https://github.com/flutter/flutter/pull/86378) Migrate devicelab tasks f-i to null safety. (team, a: accessibility, cla: yes, a: null-safety)
[86386](https://github.com/flutter/flutter/pull/86386) Revert "Clean up the bindings APIs" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[86388](https://github.com/flutter/flutter/pull/86388) Clean up the bindings APIs (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[86392](https://github.com/flutter/flutter/pull/86392) Fixed a cast issue with host_mode_tests.dart. (team, cla: yes)
[86393](https://github.com/flutter/flutter/pull/86393) Always write devicelab test results to a file if the resultsPath option is present (team, cla: yes, waiting for tree to go green, team: infra)
[86394](https://github.com/flutter/flutter/pull/86394) Rerun devicelab task from test runner (team, cla: yes, waiting for tree to go green)
[86397](https://github.com/flutter/flutter/pull/86397) Added 'exclude' parameter to 'testWidgets()'. (a: tests, team, framework, cla: yes)
[86404](https://github.com/flutter/flutter/pull/86404) Revert "Clean up the bindings APIs" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[86433](https://github.com/flutter/flutter/pull/86433) build: update dependencies (team, cla: yes, waiting for tree to go green)
[86434](https://github.com/flutter/flutter/pull/86434) [Fonts] Fix icons sorting (team, framework, f: material design, cla: yes)
[86438](https://github.com/flutter/flutter/pull/86438) Clean up the bindings APIs (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[86452](https://github.com/flutter/flutter/pull/86452) [flutter_conductor] updates (team, cla: yes, waiting for tree to go green)
[86460](https://github.com/flutter/flutter/pull/86460) Add iOS benchmarks for sksl warmup (team, cla: yes)
[86464](https://github.com/flutter/flutter/pull/86464) [Fonts] Use exact matching for icon identifier rewrites (team, framework, f: material design, cla: yes)
[86484](https://github.com/flutter/flutter/pull/86484) Revert "Clean up the bindings APIs" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[86496](https://github.com/flutter/flutter/pull/86496) [flutter_tools] flutter update-packages --force upgrade (team, cla: yes, waiting for tree to go green)
[86498](https://github.com/flutter/flutter/pull/86498) Validate that min frame number is numeric (team, cla: yes, waiting for tree to go green)
[86501](https://github.com/flutter/flutter/pull/86501) add a check for env variable RELEASE_CHANNEL while generating docs (team, cla: yes)
[86513](https://github.com/flutter/flutter/pull/86513) Extend test runner command to update test flaky status (team, cla: yes, waiting for tree to go green)
[86522](https://github.com/flutter/flutter/pull/86522) Migrate dev/bots to null safety (team, cla: yes)
[86592](https://github.com/flutter/flutter/pull/86592) teach dartdoc.dart about LUCI_BRANCH env var (team, cla: yes)
[86657](https://github.com/flutter/flutter/pull/86657) [Fonts] Fix identifier rewrite regression (team, framework, f: material design, cla: yes)
[86683](https://github.com/flutter/flutter/pull/86683) Fix analysis script to run from anywhere (team, f: material design, cla: yes, f: cupertino)
[86691](https://github.com/flutter/flutter/pull/86691) Fix the tree (team, cla: yes)
[86723](https://github.com/flutter/flutter/pull/86723) [flutter_releases] Fix dartdocs branch name on 2.2.x (team, cla: yes)
[86744](https://github.com/flutter/flutter/pull/86744) Fixes for upcoming changes to avoid_classes_with_only_static_members (a: tests, team, framework, cla: yes, waiting for tree to go green)
[86755](https://github.com/flutter/flutter/pull/86755) Manually close the tree for issue #86754 (team, cla: yes)
[86793](https://github.com/flutter/flutter/pull/86793) Randomize tests, exclude tests that fail with randomization. (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino)
[86803](https://github.com/flutter/flutter/pull/86803) Revert "Manually close the tree for issue #86754" (team, cla: yes)
[86808](https://github.com/flutter/flutter/pull/86808) Remove unused build_mode_test (a: tests, team, cla: yes, waiting for tree to go green, tech-debt)
[86812](https://github.com/flutter/flutter/pull/86812) Remove unused flutter_gallery_instrumentation_test (team, cla: yes, waiting for tree to go green, tech-debt)
[86819](https://github.com/flutter/flutter/pull/86819) [flutter_release] Cherrypicks flutter 2.4 candidate.4 (team, cla: yes)
[86822](https://github.com/flutter/flutter/pull/86822) Remove unused tiles_scroll_perf_iphonexs__timeline_summary (a: tests, team, cla: yes, waiting for tree to go green, tech-debt)
[86826](https://github.com/flutter/flutter/pull/86826) Remove obsolete plugin_test_win (a: tests, team, cla: yes, waiting for tree to go green, tech-debt)
[86827](https://github.com/flutter/flutter/pull/86827) Remove obsolete textfield_perf test (a: tests, team, cla: yes, waiting for tree to go green, tech-debt)
[86828](https://github.com/flutter/flutter/pull/86828) Remove unused flutter_run_test (a: tests, team, cla: yes, waiting for tree to go green, tech-debt)
[86829](https://github.com/flutter/flutter/pull/86829) Remove unused web_incremental_test (a: tests, team, cla: yes, waiting for tree to go green, tech-debt)
[86832](https://github.com/flutter/flutter/pull/86832) Update dwds (and other packages) (team, tool, cla: yes)
[86840](https://github.com/flutter/flutter/pull/86840) Increase Flutter framework minimum iOS version to 9.0 (team, platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[86880](https://github.com/flutter/flutter/pull/86880) Update args package (team, cla: yes, waiting for tree to go green)
[86889](https://github.com/flutter/flutter/pull/86889) Update codegen_integration_test name & ownership (team, cla: yes, waiting for tree to go green)
[86890](https://github.com/flutter/flutter/pull/86890) [flutter_conductor] fix cast error in codesign sub-command (team, cla: yes, waiting for tree to go green)
[86905](https://github.com/flutter/flutter/pull/86905) Respect plugin excluded iOS architectures (team, tool, cla: yes, waiting for tree to go green, t: xcode, platform-target-arm)
[86911](https://github.com/flutter/flutter/pull/86911) Remove AndroidX compatibility workarounds (team, platform-android, tool, cla: yes, waiting for tree to go green)
[86962](https://github.com/flutter/flutter/pull/86962) Remove obsolete codegen_integration tests (a: tests, team, cla: yes, waiting for tree to go green, tech-debt)
[87086](https://github.com/flutter/flutter/pull/87086) [gen_keycodes] Move GLFW keys to logical_key_data (a: text input, team, framework, cla: yes, waiting for tree to go green)
[87098](https://github.com/flutter/flutter/pull/87098) [gen_keycodes] Remove nonexistent Web keys and improve their emulation (a: tests, a: text input, team, framework, cla: yes, waiting for tree to go green)
[87121](https://github.com/flutter/flutter/pull/87121) Update the call to analyze the plugins repo (team, cla: yes, waiting for tree to go green)
[87125](https://github.com/flutter/flutter/pull/87125) [devicelab] Only upload results on master (team, cla: yes, waiting for tree to go green)
[87126](https://github.com/flutter/flutter/pull/87126) Perform no shader warm-up by default (team, framework, cla: yes, d: examples, waiting for tree to go green)
[87147](https://github.com/flutter/flutter/pull/87147) Update the skipped test for dev. (team, a: accessibility, cla: yes, tech-debt, skip-test)
[87171](https://github.com/flutter/flutter/pull/87171) Revert "Keyboard events (#83752)" (a: tests, a: text input, team, framework, f: material design, cla: yes, f: cupertino)
[87174](https://github.com/flutter/flutter/pull/87174) Reland: Keyboard events (a: tests, a: text input, team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[87238](https://github.com/flutter/flutter/pull/87238) Revert "Perform no shader warm-up by default" (team, framework, cla: yes, d: examples)
[87289](https://github.com/flutter/flutter/pull/87289) Updated the skipped tests for cupertino package. (team, framework, cla: yes, f: cupertino, tech-debt, skip-test)
[87293](https://github.com/flutter/flutter/pull/87293) Updated skipped tests for foundation directory. (team, framework, cla: yes, waiting for tree to go green, tech-debt, skip-test)
[87306](https://github.com/flutter/flutter/pull/87306) Adding a timeout and retry to upload results step. (team, cla: yes)
[87313](https://github.com/flutter/flutter/pull/87313) [flutter_conductor] auto-generate PR title and description via query params (team, cla: yes, waiting for tree to go green)
[87324](https://github.com/flutter/flutter/pull/87324) Use FLUTTER_VIEW_ID to find the Flutter view (team, cla: yes)
[87328](https://github.com/flutter/flutter/pull/87328) Updated skipped tests for material directory. (team, framework, f: material design, cla: yes, tech-debt, skip-test)
[87355](https://github.com/flutter/flutter/pull/87355) Mark devtools_profile_start_test not flaky (team, cla: yes, team: flakes, waiting for tree to go green)
[87385](https://github.com/flutter/flutter/pull/87385) Do not run general and command subshard during web_tool_tests when subshard env is missing (team, cla: yes, waiting for tree to go green)
[87515](https://github.com/flutter/flutter/pull/87515) Revert "Added 'exclude' parameter to 'testWidgets()'." (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt, skip-test)
[87525](https://github.com/flutter/flutter/pull/87525) Bump cocoapods from 1.10.1 to 1.10.2 in /dev/ci/mac (team, cla: yes, waiting for tree to go green, team: infra)
[87528](https://github.com/flutter/flutter/pull/87528) Fix some errors in snippets (team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[87533](https://github.com/flutter/flutter/pull/87533) Fix Cuptertino dialog test to check correct fade transition (a: tests, team, framework, a: animation, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[87538](https://github.com/flutter/flutter/pull/87538) Updated the skipped tests for cupertino package. (reland) (team, framework, cla: yes, f: cupertino, waiting for tree to go green, tech-debt, skip-test)
[87546](https://github.com/flutter/flutter/pull/87546) Updated skipped tests for painting directory. (team, framework, cla: yes, will affect goldens, tech-debt, skip-test)
[87579](https://github.com/flutter/flutter/pull/87579) Update all packages (team, cla: yes)
[87589](https://github.com/flutter/flutter/pull/87589) Skip flaky golden file test (a: tests, team, framework, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[87593](https://github.com/flutter/flutter/pull/87593) Fix the sample code analyzer to properly handle `missing_identifier` errors (team, cla: yes, waiting for tree to go green)
### tool - 412 pull request(s)
[78276](https://github.com/flutter/flutter/pull/78276) Remove MockStdIn and MockStream (team, tool, cla: yes, waiting for tree to go green, tech-debt)
[78649](https://github.com/flutter/flutter/pull/78649) Treat some exceptions as unhandled when a debugger is attached (tool, framework, cla: yes, waiting for tree to go green, cp: 2.2)
[78964](https://github.com/flutter/flutter/pull/78964) Catch errors during android plugin registration (tool, cla: yes, waiting for tree to go green)
[79372](https://github.com/flutter/flutter/pull/79372) [flutter_tools] Make `flutter upgrade` only work with standard remotes (tool, cla: yes, waiting for tree to go green)
[79517](https://github.com/flutter/flutter/pull/79517) [gen-l10n] Cleans up formatting of the generated file (team, tool, cla: yes, waiting for tree to go green)
[79568](https://github.com/flutter/flutter/pull/79568) [flutter_tools] Move `_flutterGit` to globals (tool, cla: yes)
[79608](https://github.com/flutter/flutter/pull/79608) Remove "unnecessary" imports in test/widgets (tool, framework, cla: yes, waiting for tree to go green)
[79669](https://github.com/flutter/flutter/pull/79669) Reland the Dart plugin registry (team, tool, cla: yes, d: examples, waiting for tree to go green)
[79898](https://github.com/flutter/flutter/pull/79898) migrate empty exceptions to tool exit with error message (tool, cla: yes, waiting for tree to go green)
[79905](https://github.com/flutter/flutter/pull/79905) Check if reg can run before calling it on Windows (tool, cla: yes)
[79908](https://github.com/flutter/flutter/pull/79908) Start migrating flutter_tools test src to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[79911](https://github.com/flutter/flutter/pull/79911) Migrate tool version to null safety (team, tool, cla: yes, a: null-safety)
[79969](https://github.com/flutter/flutter/pull/79969) Remove RunLoop from Windows template (tool, cla: yes)
[79975](https://github.com/flutter/flutter/pull/79975) Use testUsingContext in downgrade_upgrade_integration_test (a: tests, team, tool, cla: yes, waiting for tree to go green)
[79977](https://github.com/flutter/flutter/pull/79977) Tell user how to enable available but disabled features (tool, cla: yes)
[79983](https://github.com/flutter/flutter/pull/79983) [flutter_tools] handle out of date xcode config in assemble (tool, cla: yes, waiting for tree to go green)
[79985](https://github.com/flutter/flutter/pull/79985) Convert some general.shard base tests to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[79989](https://github.com/flutter/flutter/pull/79989) Remove flutterNext (tool, cla: yes, platform-web, waiting for tree to go green, a: desktop)
[79991](https://github.com/flutter/flutter/pull/79991) [flutter_tools] add timeline ANR integration test (tool, cla: yes, waiting for tree to go green)
[80000](https://github.com/flutter/flutter/pull/80000) [flutter_tools] Allow flutter build aar to know the null safety mode ahead of time (tool, cla: yes)
[80002](https://github.com/flutter/flutter/pull/80002) Migrate more tool unit tests to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80008](https://github.com/flutter/flutter/pull/80008) Migrate intellij tests and context_test to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80011](https://github.com/flutter/flutter/pull/80011) Cast Config values map values to dynamic instead of Object (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80016](https://github.com/flutter/flutter/pull/80016) Migrate template to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80018](https://github.com/flutter/flutter/pull/80018) Migrate fake_process_manager to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80026](https://github.com/flutter/flutter/pull/80026) Expose `packagePath` as a getter in FlutterCommand. (tool, cla: yes, waiting for tree to go green)
[80065](https://github.com/flutter/flutter/pull/80065) Include debug symbol in xcframework when building iOS-framework (team, tool, cla: yes, waiting for tree to go green)
[80069](https://github.com/flutter/flutter/pull/80069) [flutter_tools] cache for UWP artifacts (tool, cla: yes, waiting for tree to go green)
[80085](https://github.com/flutter/flutter/pull/80085) Migrate persistent_tool_state to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80088](https://github.com/flutter/flutter/pull/80088) Migrate visual_studio_test to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80095](https://github.com/flutter/flutter/pull/80095) Migrate web_validator to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80096](https://github.com/flutter/flutter/pull/80096) Migrate first_run and bot_detector to null safety (team, tool, cla: yes, a: null-safety)
[80101](https://github.com/flutter/flutter/pull/80101) [flutter_tools] Show upstream remote in `flutter doctor -v` (tool, cla: yes, waiting for tree to go green)
[80131](https://github.com/flutter/flutter/pull/80131) [flutter_tools] treat win32 plugins as uwp plugins (tool, cla: yes)
[80137](https://github.com/flutter/flutter/pull/80137) [flutter_tools] output release artifacts to build/winuwp (tool, cla: yes, waiting for tree to go green)
[80139](https://github.com/flutter/flutter/pull/80139) Remove crash_reporting and github_template from reporting library (team, tool, cla: yes, a: null-safety)
[80153](https://github.com/flutter/flutter/pull/80153) [flutter_tools] dont require a device for screenshot type skia/rasterizer (tool, cla: yes, waiting for tree to go green)
[80154](https://github.com/flutter/flutter/pull/80154) Migrate tools test fakes to null safety (team, tool, cla: yes, a: null-safety)
[80159](https://github.com/flutter/flutter/pull/80159) Remove flutter_command dependency from reporting library (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80161](https://github.com/flutter/flutter/pull/80161) Move gradle_non_android_plugin_test from its own test builders into tools integration.shard (a: tests, team, tool, cla: yes, waiting for tree to go green)
[80168](https://github.com/flutter/flutter/pull/80168) Migrate features_tests and other tool tests to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80242](https://github.com/flutter/flutter/pull/80242) [flutter_tools] symlink win32 plugins as UWP plugins (tool, cla: yes, waiting for tree to go green)
[80304](https://github.com/flutter/flutter/pull/80304) Migrate flutter_tool plugins.dart to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80310](https://github.com/flutter/flutter/pull/80310) Add an option to specify the output for code size intermediate files (tool, cla: yes, waiting for tree to go green)
[80320](https://github.com/flutter/flutter/pull/80320) Migrate reporting library to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80321](https://github.com/flutter/flutter/pull/80321) Remove mocks from fucshia_pm_test, reduce createMockProcess usage (team, tool, cla: yes, waiting for tree to go green, tech-debt)
[80324](https://github.com/flutter/flutter/pull/80324) Pull XCDevice out of xcode.dart (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80333](https://github.com/flutter/flutter/pull/80333) Add --dart-define to build bundle (tool, cla: yes, waiting for tree to go green)
[80382](https://github.com/flutter/flutter/pull/80382) [flutter_tools] fix null check in crash reporter (tool, cla: yes)
[80389](https://github.com/flutter/flutter/pull/80389) [flutter_tools] connect devtools deeplink URLs for web target platform / debug mode (tool, cla: yes)
[80392](https://github.com/flutter/flutter/pull/80392) Migrate flutter_manifest to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80399](https://github.com/flutter/flutter/pull/80399) Split out XcodeProjectInterpreter from xcode_build_settings (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80440](https://github.com/flutter/flutter/pull/80440) [flutter_tools] Remove web specific vm_service handlers, move handler tests to single location (tool, cla: yes, waiting for tree to go green)
[80459](https://github.com/flutter/flutter/pull/80459) [flutter_releases] Flutter Dev 2.2.0-10.1.pre Framework Cherrypicks (tool, framework, engine, cla: yes)
[80462](https://github.com/flutter/flutter/pull/80462) Refactor core resident runner logic (tool, cla: yes)
[80475](https://github.com/flutter/flutter/pull/80475) Find Android Studio installations with Spotlight query on macOS (tool, platform-mac, cla: yes, t: flutter doctor, waiting for tree to go green)
[80477](https://github.com/flutter/flutter/pull/80477) Find VS Code installations with Spotlight query on macOS (tool, platform-mac, cla: yes, t: flutter doctor, waiting for tree to go green)
[80479](https://github.com/flutter/flutter/pull/80479) Find Intellij installations with Spotlight query on macOS (tool, platform-mac, cla: yes, t: flutter doctor, waiting for tree to go green)
[80480](https://github.com/flutter/flutter/pull/80480) Adopt FakeProcessManager.empty (a: tests, tool, cla: yes, waiting for tree to go green)
[80484](https://github.com/flutter/flutter/pull/80484) Remove analyze --dartdocs flag (team, tool, cla: yes, waiting for tree to go green)
[80519](https://github.com/flutter/flutter/pull/80519) [flutter_tools] added base-href command in web (tool, cla: yes, waiting for tree to go green)
[80526](https://github.com/flutter/flutter/pull/80526) [flutter_tools] use package:vm_service types for coverage collection requests (tool, cla: yes, waiting for tree to go green)
[80548](https://github.com/flutter/flutter/pull/80548) Migrate pub in flutter_tools to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80549](https://github.com/flutter/flutter/pull/80549) Migrate xcodeproj to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80600](https://github.com/flutter/flutter/pull/80600) Standardize how Java8 is set in gradle files (team, tool, a: accessibility, cla: yes, d: examples, waiting for tree to go green)
[80602](https://github.com/flutter/flutter/pull/80602) Stop the DevTools child process if the runner terminates unexpectedly (tool, cla: yes, waiting for tree to go green)
[80605](https://github.com/flutter/flutter/pull/80605) Refactor LocalizationsGenerator initialize instance method into factory (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80614](https://github.com/flutter/flutter/pull/80614) Migrate xcode.dart and xcode_validator.dart to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80616](https://github.com/flutter/flutter/pull/80616) [flutter_tools] support screenshot on all device types (tool, cla: yes, waiting for tree to go green)
[80620](https://github.com/flutter/flutter/pull/80620) Show Visual Studio Code Insiders in doctor (tool, cla: yes, waiting for tree to go green)
[80663](https://github.com/flutter/flutter/pull/80663) Add Android keystore files to project gitignore (tool, cla: yes, waiting for tree to go green)
[80675](https://github.com/flutter/flutter/pull/80675) [custom-devices] add screenshotting support (tool, cla: yes, waiting for tree to go green)
[80740](https://github.com/flutter/flutter/pull/80740) [tool] cleanup bundle builder a bit (tool, cla: yes, waiting for tree to go green)
[80758](https://github.com/flutter/flutter/pull/80758) Launch Chrome natively on ARM macOS (tool, platform-mac, cla: yes, platform-host-arm)
[80763](https://github.com/flutter/flutter/pull/80763) Migrate gen_l10n to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80803](https://github.com/flutter/flutter/pull/80803) [flutter_tools] generate install manifest for UWP builds (tool, cla: yes, waiting for tree to go green)
[80817](https://github.com/flutter/flutter/pull/80817) fix sort_directives violations (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes, f: cupertino, waiting for tree to go green)
[80838](https://github.com/flutter/flutter/pull/80838) Log full app bundle location after "flutter build ios" (tool, cla: yes, waiting for tree to go green)
[80876](https://github.com/flutter/flutter/pull/80876) [flutter_tools] split host artifacts out of Artifacts (tool, cla: yes, waiting for tree to go green)
[80879](https://github.com/flutter/flutter/pull/80879) [flutter_tools] run UWP builds ahead of cmake (tool, cla: yes)
[80885](https://github.com/flutter/flutter/pull/80885) [flutter_tools] add support for --bundle-sksl-path to `flutter run` / `flutter drive` (team, tool, cla: yes, waiting for tree to go green)
[80890](https://github.com/flutter/flutter/pull/80890) [flutter_tools] handle missing method on exit, debugDumpX (tool, cla: yes, waiting for tree to go green)
[80897](https://github.com/flutter/flutter/pull/80897) Reland double gzip wrapping NOTICES to reduce on-disk installed space (team, tool, framework, cla: yes)
[80900](https://github.com/flutter/flutter/pull/80900) Change --disable-dds to --no-dds to avoid double negatives (tool, cla: yes)
[80901](https://github.com/flutter/flutter/pull/80901) fix unsorted directives (a: tests, tool, framework, f: material design, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[80903](https://github.com/flutter/flutter/pull/80903) Clean up the command line tool interactive help output. (tool, cla: yes, waiting for tree to go green)
[80904](https://github.com/flutter/flutter/pull/80904) Only run xcodebuild -showBuildSettings once (platform-ios, tool, cla: yes, t: xcode)
[80908](https://github.com/flutter/flutter/pull/80908) migrate from jcenter to mavencentral (team, tool, cla: yes, d: examples)
[80911](https://github.com/flutter/flutter/pull/80911) [flutter_tools] pin transitive deps during --transitive-closure (tool, cla: yes, waiting for tree to go green)
[80916](https://github.com/flutter/flutter/pull/80916) Move FakeOperatingSystemUtils from context.dart to fakes.dart (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80959](https://github.com/flutter/flutter/pull/80959) Revert "[flutter_tools] pin transitive deps during --transitive-closure" (team, tool, cla: yes)
[80960](https://github.com/flutter/flutter/pull/80960) [flutter_tools] remove usage of getIsolate in extension waiter (tool, cla: yes, waiting for tree to go green)
[80984](https://github.com/flutter/flutter/pull/80984) [flutter_tools] fix asset directory paths for UWP (tool, cla: yes)
[80989](https://github.com/flutter/flutter/pull/80989) Roll packages (team, tool, cla: yes)
[80999](https://github.com/flutter/flutter/pull/80999) Remove "unnecessary" imports in flutter_tools/test/general.shard (tool, cla: yes, waiting for tree to go green)
[81002](https://github.com/flutter/flutter/pull/81002) Migrate analyze_size to null safety (team, tool, cla: yes, a: null-safety)
[81003](https://github.com/flutter/flutter/pull/81003) Remove "unnecessary" imports in flutter_tools/test/commands.shard/hermetic (tool, cla: yes, waiting for tree to go green)
[81008](https://github.com/flutter/flutter/pull/81008) Remove "unnecessary" imports in flutter_tools (tool, cla: yes, waiting for tree to go green)
[81059](https://github.com/flutter/flutter/pull/81059) [flutter_tools] do not check for pubspec.yaml in packages forward command (tool, cla: yes)
[81073](https://github.com/flutter/flutter/pull/81073) Use "aliases" in args to fix some technical debt (tool, cla: yes, waiting for tree to go green)
[81090](https://github.com/flutter/flutter/pull/81090) Apply style guide regarding createTempSync pattern (team, tool, cla: yes, waiting for tree to go green)
[81091](https://github.com/flutter/flutter/pull/81091) Fix race condition in overall_experience_test (tool, cla: yes, waiting for tree to go green)
[81107](https://github.com/flutter/flutter/pull/81107) Improve WebDriver error message (tool, cla: yes, waiting for tree to go green)
[81153](https://github.com/flutter/flutter/pull/81153) Enable avoid_escaping_inner_quotes lint (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[81170](https://github.com/flutter/flutter/pull/81170) [flutter_tools] skip copying 1GB of data from chrome cache dirs (tool, cla: yes, waiting for tree to go green)
[81221](https://github.com/flutter/flutter/pull/81221) Enable vm:notify-debugger-on-exception for more use cases enabled by upstream fix (tool, framework, cla: yes)
[81229](https://github.com/flutter/flutter/pull/81229) [flutter_tools] remove timeout from iOS device startup (tool, cla: yes, waiting for tree to go green)
[81242](https://github.com/flutter/flutter/pull/81242) Always activate DevTools if it's not installed (tool, cla: yes, waiting for tree to go green)
[81243](https://github.com/flutter/flutter/pull/81243) Add support for DarwinArchs when assembling macOS App.framework (tool, cla: yes)
[81248](https://github.com/flutter/flutter/pull/81248) Fix bug when resolving entrypoint against package config (tool, cla: yes, waiting for tree to go green)
[81309](https://github.com/flutter/flutter/pull/81309) [flutter_tools] remove mocks and fix fake imports (tool, cla: yes)
[81311](https://github.com/flutter/flutter/pull/81311) [flutter_tools] remove mocks from clean test (tool, cla: yes, waiting for tree to go green)
[81312](https://github.com/flutter/flutter/pull/81312) [flutter_tools] remove mocks from test_compiler test (tool, cla: yes, waiting for tree to go green)
[81324](https://github.com/flutter/flutter/pull/81324) allow flutterManifest to handle empty lists, add unit tests (tool, cla: yes, waiting for tree to go green)
[81341](https://github.com/flutter/flutter/pull/81341) [flutter_tools] Always build test assets when running tests (tool, cla: yes)
[81342](https://github.com/flutter/flutter/pull/81342) Remove Finder extended attributes before code signing iOS frameworks (platform-ios, tool, cla: yes, t: xcode)
[81352](https://github.com/flutter/flutter/pull/81352) Replace MockAndroidDevice and MockIOSDevice with fakes (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[81368](https://github.com/flutter/flutter/pull/81368) [flutter_tools] Show linux distribution and kernel release in `flutter doctor` (tool, cla: yes, waiting for tree to go green)
[81384](https://github.com/flutter/flutter/pull/81384) Allow users to pass in Xcode build settings as env variables to flutter build macos FLUTTER_XCODE_ (tool, cla: yes, waiting for tree to go green)
[81401](https://github.com/flutter/flutter/pull/81401) [flutter_tools] remove mocks and globals from macOS tests (tool, cla: yes, waiting for tree to go green)
[81403](https://github.com/flutter/flutter/pull/81403) [versions] roll versions and add ffi dep (team, tool, cla: yes)
[81417](https://github.com/flutter/flutter/pull/81417) Integrate package:flutter_lints into templates (tool, cla: yes, waiting for tree to go green)
[81423](https://github.com/flutter/flutter/pull/81423) [flutter_tools] remove mocks, globals from golden comparator and test runner tests (tool, cla: yes, waiting for tree to go green)
[81433](https://github.com/flutter/flutter/pull/81433) [flutter_tools] remove mocks from simcontrol and context (tool, cla: yes, waiting for tree to go green)
[81435](https://github.com/flutter/flutter/pull/81435) Remove extended attributes from entire Flutter project (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[81437](https://github.com/flutter/flutter/pull/81437) Ignore the sort order of imports in generated_plugin_registrant.dart (tool, cla: yes, waiting for tree to go green)
[81451](https://github.com/flutter/flutter/pull/81451) [flutter_tools] remove mocks from xcode test (tool, cla: yes)
[81475](https://github.com/flutter/flutter/pull/81475) [flutter_tools] remove mocks from devfs web, cache, and xcode migrator test (tool, cla: yes, waiting for tree to go green)
[81485](https://github.com/flutter/flutter/pull/81485) [flutter_tools] remove all mocks from plugins_test (tool, cla: yes, waiting for tree to go green)
[81487](https://github.com/flutter/flutter/pull/81487) Revert "[flutter_tools] remove mocks, globals from golden comparator and test runner tests" (tool, cla: yes)
[81509](https://github.com/flutter/flutter/pull/81509) Skip test that is not reliable on device lab (tool, cla: yes)
[81512](https://github.com/flutter/flutter/pull/81512) [flutter_tools] remove mocks, globals from golden comparator and test runner tests | Reland (tool, cla: yes, waiting for tree to go green)
[81545](https://github.com/flutter/flutter/pull/81545) [flutter_tools] android workflow tests migrate from mockito (tool, cla: yes, waiting for tree to go green)
[81548](https://github.com/flutter/flutter/pull/81548) [flutter_tools] remove mocks from android emulator tests (tool, cla: yes, waiting for tree to go green)
[81550](https://github.com/flutter/flutter/pull/81550) [flutter_tools] remove mocks from cold test (tool, cla: yes, waiting for tree to go green)
[81554](https://github.com/flutter/flutter/pull/81554) Add additional logging when devtools cannot launch (tool, cla: yes, waiting for tree to go green)
[81555](https://github.com/flutter/flutter/pull/81555) [flutter_tools] skip additional flaky test (tool, cla: yes, waiting for tree to go green)
[81561](https://github.com/flutter/flutter/pull/81561) Minor cleanup to Linux application template format (tool, cla: yes, waiting for tree to go green)
[81576](https://github.com/flutter/flutter/pull/81576) [flutter_tools] Make bundle sksl a define (tool, cla: yes, waiting for tree to go green)
[81578](https://github.com/flutter/flutter/pull/81578) Enable library_private_types_in_public_api lint (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[81581](https://github.com/flutter/flutter/pull/81581) Flutter Web Loading Indicator (tool, cla: yes, waiting for tree to go green)
[81586](https://github.com/flutter/flutter/pull/81586) Enable Dart plugin registrant on Desktop only (tool, cla: yes)
[81607](https://github.com/flutter/flutter/pull/81607) Fix extra blank lines in logger output (tool, cla: yes, waiting for tree to go green)
[81618](https://github.com/flutter/flutter/pull/81618) [flutter_tools] remove even more mocks (tool, cla: yes, waiting for tree to go green)
[81620](https://github.com/flutter/flutter/pull/81620) [flutter_tools] remove last android sdk mock (tool, cla: yes, waiting for tree to go green)
[81624](https://github.com/flutter/flutter/pull/81624) sort directives (team, tool, cla: yes, waiting for tree to go green)
[81784](https://github.com/flutter/flutter/pull/81784) [flutter drive] Do not start dds if --no-dds (tool, cla: yes, waiting for tree to go green)
[81789](https://github.com/flutter/flutter/pull/81789) [flutter_tools] remove most mocks from Fuchsia device tests (tool, cla: yes, waiting for tree to go green)
[81859](https://github.com/flutter/flutter/pull/81859) remove unnecessary String.toString() (a: tests, team, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[81879](https://github.com/flutter/flutter/pull/81879) Standardize build system environment defines derived from build info (tool, cla: yes, waiting for tree to go green)
[81927](https://github.com/flutter/flutter/pull/81927) [flutter_releases] Flutter Beta 2.2.0-10.3.pre Framework Cherrypicks (team, tool, framework, engine, f: material design, a: internationalization, cla: yes)
[81942](https://github.com/flutter/flutter/pull/81942) Add posix permission chown suggestion to io error handling (tool, cla: yes, waiting for tree to go green)
[81951](https://github.com/flutter/flutter/pull/81951) Disable flutter_build_with_compilation_error_test on Windows (tool, cla: yes)
[81961](https://github.com/flutter/flutter/pull/81961) Only skip license initialization on `flutter test` binding (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[81987](https://github.com/flutter/flutter/pull/81987) Enable vm:notify-debugger-on-exception on handlePlatformMessage (tool, framework, cla: yes, waiting for tree to go green)
[81989](https://github.com/flutter/flutter/pull/81989) [reland] Adding vscode path installed via snap (tool, cla: yes, waiting for tree to go green)
[82004](https://github.com/flutter/flutter/pull/82004) Revert "Allow users to pass in Xcode build settings as env variables to flutter build macos FLUTTER_XCODE_" (tool, cla: yes)
[82043](https://github.com/flutter/flutter/pull/82043) [custom-devices] general improvements, add custom-devices subcommand, better error handling (tool, cla: yes, waiting for tree to go green)
[82048](https://github.com/flutter/flutter/pull/82048) Prevent macOS individual pod framework signing (tool, platform-mac, cla: yes, waiting for tree to go green)
[82064](https://github.com/flutter/flutter/pull/82064) Fix missing logger for Driver.reuseApplication (tool, cla: yes, waiting for tree to go green)
[82066](https://github.com/flutter/flutter/pull/82066) Fix reuseApplication when ws URI does not end with `/` (tool, cla: yes, waiting for tree to go green)
[82069](https://github.com/flutter/flutter/pull/82069) Reland GC tracking benchmarks (a: tests, team, tool, framework, cla: yes)
[82084](https://github.com/flutter/flutter/pull/82084) Enable unnecessary_null_checks lint (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82195](https://github.com/flutter/flutter/pull/82195) [flutter_tools] remove mocks from ios_device, project, flutter_command test (tool, cla: yes, waiting for tree to go green)
[82227](https://github.com/flutter/flutter/pull/82227) Add 'v' hotkey to open DevTools in the browser (team, tool, cla: yes)
[82238](https://github.com/flutter/flutter/pull/82238) use throwsA matcher instead of try-catch-fail (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[82290](https://github.com/flutter/flutter/pull/82290) use throwsA matcher instead of try-catch-fail (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[82297](https://github.com/flutter/flutter/pull/82297) remove noop primitive operations (a: tests, team, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[82298](https://github.com/flutter/flutter/pull/82298) Re-land: Allow users to pass in Xcode build settings as env variables to flutter build macos FLUTTER_XCODE_ (tool, cla: yes, waiting for tree to go green)
[82301](https://github.com/flutter/flutter/pull/82301) [flutter_tools] remove mocks from hot test (tool, cla: yes, waiting for tree to go green)
[82309](https://github.com/flutter/flutter/pull/82309) [flutter_tool] Suggest fix for transform input (tool, cla: yes, waiting for tree to go green)
[82328](https://github.com/flutter/flutter/pull/82328) use throwsXxx instead of throwsA(isA<Xxx>()) (a: tests, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82337](https://github.com/flutter/flutter/pull/82337) Revert "Init licenses for test bindings (#81961)" (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[82365](https://github.com/flutter/flutter/pull/82365) Upgrade to stable flutter_lints 1.0.0 (tool, cla: yes, waiting for tree to go green)
[82369](https://github.com/flutter/flutter/pull/82369) [flutter_tools] remove mocks from devices test (tool, cla: yes, waiting for tree to go green)
[82372](https://github.com/flutter/flutter/pull/82372) [flutter_tool] Suggest how to increase the Android minSdkVersion (tool, cla: yes, waiting for tree to go green)
[82373](https://github.com/flutter/flutter/pull/82373) [flutter_tools] support flutter run -d winuwp (tool, cla: yes, waiting for tree to go green)
[82393](https://github.com/flutter/flutter/pull/82393) Activate DevTools before running an integration test that uses DevTools (tool, cla: yes)
[82401](https://github.com/flutter/flutter/pull/82401) Revert "Disable flutter_build_with_compilation_error_test on Windows" (tool, cla: yes)
[82412](https://github.com/flutter/flutter/pull/82412) [flutter_tools] remove mocks from build_apk_test (tool, cla: yes, waiting for tree to go green)
[82413](https://github.com/flutter/flutter/pull/82413) [flutter_tools] remove mocks from dart plugins test (tool, cla: yes, waiting for tree to go green)
[82426](https://github.com/flutter/flutter/pull/82426) Enable use_named_constants_lint (tool, framework, f: material design, cla: yes, waiting for tree to go green)
[82454](https://github.com/flutter/flutter/pull/82454) Update create.dart (tool, cla: yes, waiting for tree to go green)
[82456](https://github.com/flutter/flutter/pull/82456) [flutter_tools] swap web debugging protocol to ws (tool, cla: yes, waiting for tree to go green)
[82469](https://github.com/flutter/flutter/pull/82469) [fuchsia_asset_builder] Write depfile (tool, cla: yes, waiting for tree to go green)
[82471](https://github.com/flutter/flutter/pull/82471) [flutter_tools] remove mocks from devFS test (tool, cla: yes, waiting for tree to go green)
[82472](https://github.com/flutter/flutter/pull/82472) [flutter_tools] remove mocks from device test (tool, cla: yes, waiting for tree to go green)
[82476](https://github.com/flutter/flutter/pull/82476) Tool exit on xcodebuild -list when Xcode project is corrupted (tool, cla: yes, waiting for tree to go green, t: xcode)
[82477](https://github.com/flutter/flutter/pull/82477) [flutter_tools] make failures to unforward android port non-fatal (tool, cla: yes, waiting for tree to go green)
[82478](https://github.com/flutter/flutter/pull/82478) [flutter_tools] use try to delete in web cache (tool, cla: yes, waiting for tree to go green)
[82481](https://github.com/flutter/flutter/pull/82481) Support uninstall, install status query for UWP (tool, cla: yes)
[82484](https://github.com/flutter/flutter/pull/82484) Fix Android Studio 4.2 detection on Windows (tool, cla: yes, waiting for tree to go green)
[82485](https://github.com/flutter/flutter/pull/82485) Update loader style (tool, cla: yes, waiting for tree to go green)
[82494](https://github.com/flutter/flutter/pull/82494) [flutter_tools] remove mocks from doctor test (tool, cla: yes, waiting for tree to go green)
[82498](https://github.com/flutter/flutter/pull/82498) Replace testUsingContext with testWithoutContext in a few places (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[82499](https://github.com/flutter/flutter/pull/82499) Replace testUsingContext with testWithoutContext in protocol_discovery_test (a: tests, team, tool, cla: yes, waiting for tree to go green)
[82508](https://github.com/flutter/flutter/pull/82508) Remove "unnecessary" imports. (a: tests, team, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[82522](https://github.com/flutter/flutter/pull/82522) [flutter_tools] remove some mocks from web resident runner tests (tool, cla: yes, waiting for tree to go green)
[82531](https://github.com/flutter/flutter/pull/82531) Refactor CustomDimensions in analytics to be type safe (tool, cla: yes, waiting for tree to go green)
[82544](https://github.com/flutter/flutter/pull/82544) Fix `pkg-config` typos (tool, cla: yes, waiting for tree to go green)
[82560](https://github.com/flutter/flutter/pull/82560) [flutter_tools] require cmdline-tools for android licenses (tool, cla: yes, waiting for tree to go green)
[82568](https://github.com/flutter/flutter/pull/82568) [flutter_tools] remove mocks from application_package_test (tool, cla: yes, waiting for tree to go green)
[82576](https://github.com/flutter/flutter/pull/82576) Remove symroot from generated iOS Xcode build settings (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[82579](https://github.com/flutter/flutter/pull/82579) [flutter_tools] remove mocks from downgrade and devices test (tool, cla: yes)
[82581](https://github.com/flutter/flutter/pull/82581) [flutter_releases] Flutter Framework Engine roll (team, tool, framework, engine, f: material design, a: internationalization, cla: yes)
[82588](https://github.com/flutter/flutter/pull/82588) Add windowsIdentifier template parameter (tool, cla: yes, waiting for tree to go green)
[82589](https://github.com/flutter/flutter/pull/82589) Fix typos (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82592](https://github.com/flutter/flutter/pull/82592) [flutter_tools] replace most of the mocks in cache_test.dart (tool, cla: yes, waiting for tree to go green)
[82593](https://github.com/flutter/flutter/pull/82593) Add missed package version bump override (tool, cla: yes, waiting for tree to go green)
[82598](https://github.com/flutter/flutter/pull/82598) Update Windows flutter create GUID generation (tool, cla: yes)
[82647](https://github.com/flutter/flutter/pull/82647) Add cold boot option to emulator launch command (tool, cla: yes, waiting for tree to go green)
[82650](https://github.com/flutter/flutter/pull/82650) [flutter_tools] Remove outdated `columnWidth` comment from `wrapText` function (tool, cla: yes, waiting for tree to go green)
[82659](https://github.com/flutter/flutter/pull/82659) [tool] Improve Windows install process (tool, cla: yes, platform-windows, e: uwp)
[82662](https://github.com/flutter/flutter/pull/82662) Remove "unnecessary" imports. (tool, cla: yes, waiting for tree to go green)
[82668](https://github.com/flutter/flutter/pull/82668) [tool] Prefer installing multi-arch Win32 binaries (tool, cla: yes, platform-windows)
[82739](https://github.com/flutter/flutter/pull/82739) [flutter_tools] support memory profiles from flutter drive (team, tool, cla: yes, waiting for tree to go green)
[82773](https://github.com/flutter/flutter/pull/82773) Default --no-tree-shake-icons to false for 'flutter build bundle' (tool, cla: yes, waiting for tree to go green)
[82816](https://github.com/flutter/flutter/pull/82816) Allow platform variants for Windows plugins (tool, cla: yes)
[82826](https://github.com/flutter/flutter/pull/82826) [flutter_tools] remove special casing of web listview requests (tool, cla: yes, waiting for tree to go green)
[82835](https://github.com/flutter/flutter/pull/82835) Enable vm:notify-debugger-on-exception for LayoutBuilder (tool, framework, cla: yes, waiting for tree to go green)
[82851](https://github.com/flutter/flutter/pull/82851) [flutter_tools] adjust some feature settings (tool, cla: yes, waiting for tree to go green)
[82852](https://github.com/flutter/flutter/pull/82852) [flutter_releases] Flutter Dev 2.3.0-12.1.pre Framework Cherrypicks (tool, cla: yes)
[82869](https://github.com/flutter/flutter/pull/82869) [flutter_tools] pin shelf version at 1.1.4 (tool, cla: yes, waiting for tree to go green)
[82875](https://github.com/flutter/flutter/pull/82875) [flutter_tools] remove mocks from compile expression unit test (tool, cla: yes, waiting for tree to go green)
[82882](https://github.com/flutter/flutter/pull/82882) Remove more mocks from error_handling_io_test (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[82933](https://github.com/flutter/flutter/pull/82933) Double we typo fixed (tool, cla: yes, waiting for tree to go green)
[82941](https://github.com/flutter/flutter/pull/82941) [flutter_tools] allow passing properties directly to Gradle (tool, cla: yes, waiting for tree to go green)
[82970](https://github.com/flutter/flutter/pull/82970) [flutter_tools] fix integration test flake (tool, cla: yes, waiting for tree to go green)
[82991](https://github.com/flutter/flutter/pull/82991) Add MultiRootFileSystem to better support using --filesystem-root. (tool, cla: yes, waiting for tree to go green)
[83067](https://github.com/flutter/flutter/pull/83067) Add Gradle lockfiles and tool to generate them (team, tool, a: accessibility, cla: yes, d: examples, waiting for tree to go green)
[83073](https://github.com/flutter/flutter/pull/83073) [flutter_tools] migrate artifacts to null safety (tool, cla: yes, waiting for tree to go green)
[83122](https://github.com/flutter/flutter/pull/83122) import pkg:intl when DateFormat or NumberFormat is used (tool, cla: yes, waiting for tree to go green)
[83128](https://github.com/flutter/flutter/pull/83128) Additional flags for xcodebuild (tool, cla: yes, waiting for tree to go green)
[83132](https://github.com/flutter/flutter/pull/83132) Use type:int without format in gen_l10n (tool, cla: yes, waiting for tree to go green)
[83134](https://github.com/flutter/flutter/pull/83134) Be more helpful when l10n generation fails (tool, cla: yes, waiting for tree to go green)
[83135](https://github.com/flutter/flutter/pull/83135) Move AndroidX error handler to the end (tool, cla: yes, waiting for tree to go green)
[83137](https://github.com/flutter/flutter/pull/83137) Move globals.artifacts to globals_null_migrated, update imports (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83147](https://github.com/flutter/flutter/pull/83147) Migrate build_system, exceptions, and source to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83153](https://github.com/flutter/flutter/pull/83153) Migrate compile to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83155](https://github.com/flutter/flutter/pull/83155) [flutter_tools] remove more mocks from resident_runner tests (tool, cla: yes, waiting for tree to go green)
[83182](https://github.com/flutter/flutter/pull/83182) Add maskable icons to improve lighthouse score (team, tool, cla: yes, waiting for tree to go green)
[83184](https://github.com/flutter/flutter/pull/83184) [flutter_tools] remove mocks from run.dart (tool, cla: yes, waiting for tree to go green)
[83187](https://github.com/flutter/flutter/pull/83187) Remove dead code from attach.dart (tool, cla: yes)
[83188](https://github.com/flutter/flutter/pull/83188) [flutter_tools] remove mocks from code signing test (tool, cla: yes, waiting for tree to go green)
[83272](https://github.com/flutter/flutter/pull/83272) [flutter_tools] fix top web crasher (tool, cla: yes, waiting for tree to go green)
[83282](https://github.com/flutter/flutter/pull/83282) [flutter_tools] remove getLocalEngineArtifacts from integration tests that cant use it (tool, cla: yes, waiting for tree to go green)
[83285](https://github.com/flutter/flutter/pull/83285) Disable clang format in the plugin registrants (tool, cla: yes, waiting for tree to go green)
[83293](https://github.com/flutter/flutter/pull/83293) [flutter_tools] throw a tool exit if pub cannot be run (tool, cla: yes, waiting for tree to go green)
[83297](https://github.com/flutter/flutter/pull/83297) Skip flaky debugger_stepping_web_test (tool, cla: yes, team: flakes, waiting for tree to go green)
[83310](https://github.com/flutter/flutter/pull/83310) Migrate localizations and generate_synthetic_packages to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83311](https://github.com/flutter/flutter/pull/83311) Migrate deferred_components_gen_snapshot_validator to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83315](https://github.com/flutter/flutter/pull/83315) rsync instead of delete and copy Flutter.xcframework for add to app (team, platform-ios, tool, cla: yes, a: existing-apps, waiting for tree to go green, t: xcode)
[83356](https://github.com/flutter/flutter/pull/83356) [flutter_tools] Add documentation to "cmdline-tools component is missing" doctor validation error (tool, cla: yes, waiting for tree to go green)
[83367](https://github.com/flutter/flutter/pull/83367) [versions] roll package test redux (team, tool, cla: yes)
[83369](https://github.com/flutter/flutter/pull/83369) Update flutter_tools README with tips (tool, cla: yes, waiting for tree to go green)
[83372](https://github.com/flutter/flutter/pull/83372) [flutter_releases] Flutter Stable 2.2.1 Framework Cherrypicks (tool, engine, cla: yes)
[83376](https://github.com/flutter/flutter/pull/83376) Revert "[flutter_tools] fix top web crasher" (tool, cla: yes, waiting for tree to go green)
[83381](https://github.com/flutter/flutter/pull/83381) Migrate build system build.dart to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83407](https://github.com/flutter/flutter/pull/83407) enable lint prefer_interpolation_to_compose_strings (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83416](https://github.com/flutter/flutter/pull/83416) [asset] Include assets in input files (tool, cla: yes, waiting for tree to go green)
[83423](https://github.com/flutter/flutter/pull/83423) Revert "[flutter_tools] Make `flutter upgrade` only work with standard remotes" (tool, cla: yes)
[83433](https://github.com/flutter/flutter/pull/83433) fix lint from an improved unnecessary_parenthesis (team, tool, framework, cla: yes, waiting for tree to go green)
[83437](https://github.com/flutter/flutter/pull/83437) Fix benchmark regression from #83427 (tool, cla: yes, waiting for tree to go green)
[83441](https://github.com/flutter/flutter/pull/83441) Migrate pubspec_schema to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[83442](https://github.com/flutter/flutter/pull/83442) Clean up null assumptions for Xcode and CocoaPods classes (tool, cla: yes, waiting for tree to go green, a: null-safety)
[83443](https://github.com/flutter/flutter/pull/83443) Clean up null assumptions for Gradle classes (tool, cla: yes, waiting for tree to go green, a: null-safety)
[83445](https://github.com/flutter/flutter/pull/83445) Clean up null assumptions for project.dart dependencies (tool, cla: yes, waiting for tree to go green, a: null-safety)
[83454](https://github.com/flutter/flutter/pull/83454) Allow passing `--initialize-from-dill` to flutter run and flutter attach (tool, cla: yes)
[83488](https://github.com/flutter/flutter/pull/83488) Add `coldboot` parameter to JSON-RPC interface of daemon (tool, cla: yes, waiting for tree to go green)
[83504](https://github.com/flutter/flutter/pull/83504) Remove more mocks from error_handling_io and attach_test (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83506](https://github.com/flutter/flutter/pull/83506) [flutter_tools] remove mocks from fuchsia device start test (tool, cla: yes, waiting for tree to go green)
[83507](https://github.com/flutter/flutter/pull/83507) Add a trace-skia-allowlist flag for filtering Skia trace events (tool, cla: yes, waiting for tree to go green)
[83522](https://github.com/flutter/flutter/pull/83522) [flutter_tools] remove more mocks from cache_test (tool, cla: yes, waiting for tree to go green)
[83530](https://github.com/flutter/flutter/pull/83530) Add a more complete app template for Flutter (skeleton) (team, tool, cla: yes, waiting for tree to go green)
[83732](https://github.com/flutter/flutter/pull/83732) use old Edge-compatible JavaScript in index.html (tool, cla: yes)
[83744](https://github.com/flutter/flutter/pull/83744) Fixed large amount of spelling errors (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83803](https://github.com/flutter/flutter/pull/83803) [flutter_tools] always use device.stopApp (tool, cla: yes, waiting for tree to go green)
[83817](https://github.com/flutter/flutter/pull/83817) Migrate project.dart and all dependencies to null safety (team, tool, cla: yes, a: null-safety)
[83845](https://github.com/flutter/flutter/pull/83845) [flutter_tools] use ProcessManager.canRun instead of checking for ArgumentErrors (tool, cla: yes, waiting for tree to go green)
[83847](https://github.com/flutter/flutter/pull/83847) [flutter_tools] check for empty host in protocol_discovery (tool, cla: yes, waiting for tree to go green)
[83852](https://github.com/flutter/flutter/pull/83852) Remove globals from android application_package (team, tool, cla: yes, waiting for tree to go green, tech-debt)
[83854](https://github.com/flutter/flutter/pull/83854) Migrate deferred_components_prebuild_validator to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[83855](https://github.com/flutter/flutter/pull/83855) Migrate iOS project migrations to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83862](https://github.com/flutter/flutter/pull/83862) Migrate a few tool libraries to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83930](https://github.com/flutter/flutter/pull/83930) enable lint noop_primitive_operations (tool, cla: yes, waiting for tree to go green)
[83934](https://github.com/flutter/flutter/pull/83934) [flutter_tools] bail from printing if devtools launch fails (tool, cla: yes, waiting for tree to go green)
[83943](https://github.com/flutter/flutter/pull/83943) enable lint use_test_throws_matchers (tool, framework, f: material design, cla: yes, waiting for tree to go green)
[83956](https://github.com/flutter/flutter/pull/83956) Migrate application_package to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83965](https://github.com/flutter/flutter/pull/83965) Make retry logic more permissive for network errors (tool, cla: yes, team: flakes, waiting for tree to go green)
[83972](https://github.com/flutter/flutter/pull/83972) Add more analytics for hot reload in flutter_tools. (tool, cla: yes)
[84007](https://github.com/flutter/flutter/pull/84007) [flutter_tools] remove substantial mocking from version test (tool, cla: yes)
[84008](https://github.com/flutter/flutter/pull/84008) Add option to stream logs to file for flutter logs and way to use it in devicelab runs (team, tool, cla: yes)
[84118](https://github.com/flutter/flutter/pull/84118) [flutter_tools] remove all mocks from attach.dart (tool, cla: yes, waiting for tree to go green)
[84160](https://github.com/flutter/flutter/pull/84160) Update the package README template (tool, cla: yes)
[84163](https://github.com/flutter/flutter/pull/84163) Mark flaky tests in 'expression_evaluation_web_test' as skipped. (tool, cla: yes)
[84189](https://github.com/flutter/flutter/pull/84189) Fix typo in test description (tool, cla: yes, waiting for tree to go green)
[84218](https://github.com/flutter/flutter/pull/84218) [flutter_tools] remove remaining mocks from cache_test.dart (tool, cla: yes, waiting for tree to go green)
[84227](https://github.com/flutter/flutter/pull/84227) Migrate android application_package to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[84246](https://github.com/flutter/flutter/pull/84246) Update outdated ios setup link in error message (tool, cla: yes, waiting for tree to go green)
[84256](https://github.com/flutter/flutter/pull/84256) alignment of doc comments and annotations (a: tests, team, tool, framework, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[84273](https://github.com/flutter/flutter/pull/84273) [flutter_tools] switch flutter sdk to dart format (tool, cla: yes, waiting for tree to go green)
[84293](https://github.com/flutter/flutter/pull/84293) fix indentation of class members (team, tool, framework, cla: yes, waiting for tree to go green)
[84311](https://github.com/flutter/flutter/pull/84311) [flutter_tools] fully remove mocks from version_test.dart (tool, cla: yes, waiting for tree to go green)
[84312](https://github.com/flutter/flutter/pull/84312) [flutter_tools] remove more mocks from runner tests (tool, cla: yes, waiting for tree to go green)
[84364](https://github.com/flutter/flutter/pull/84364) [flutter_releases] Flutter Stable 2.2.2 Framework Cherrypicks (tool, framework, engine, f: material design, cla: yes)
[84366](https://github.com/flutter/flutter/pull/84366) [flutter_tools] remove feature for alternative invalidation strategy (tool, cla: yes, waiting for tree to go green)
[84372](https://github.com/flutter/flutter/pull/84372) Fix assemble iOS codesign flag to support --no-sound-null-safety (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode, a: null-safety)
[84411](https://github.com/flutter/flutter/pull/84411) Add Designed for iPad attach destination for ARM macOS (platform-ios, tool, platform-mac, cla: yes, waiting for tree to go green, platform-target-arm)
[84443](https://github.com/flutter/flutter/pull/84443) [flutter_tools] reduce mocking in error handling io (tool, cla: yes, waiting for tree to go green)
[84469](https://github.com/flutter/flutter/pull/84469) Migrate build_macos and web_test_compiler to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[84470](https://github.com/flutter/flutter/pull/84470) Fix compile expression in tests when precompiled dill files are used. (tool, cla: yes, waiting for tree to go green)
[84476](https://github.com/flutter/flutter/pull/84476) Turn on avoid_dynamic_calls lint, except packages/flutter tests, make appropriate changes. (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples)
[84478](https://github.com/flutter/flutter/pull/84478) Turn on avoid_dynamic_calls lint in packages/flutter tests, make appropriate changes. (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[84512](https://github.com/flutter/flutter/pull/84512) adds build number of ios device in flutter devices command (tool, cla: yes, waiting for tree to go green)
[84519](https://github.com/flutter/flutter/pull/84519) Fix watchOS build when companion app is configured with xcode variable (team, tool, cla: yes, waiting for tree to go green)
[84591](https://github.com/flutter/flutter/pull/84591) [flutter_tools] fully remove mocks from resident_runner_test.dart (tool, cla: yes, waiting for tree to go green)
[84646](https://github.com/flutter/flutter/pull/84646) [flutter_tools] remove all mocks from error handling io test (tool, cla: yes, waiting for tree to go green)
[84648](https://github.com/flutter/flutter/pull/84648) [flutter_tools] tweak README (tool, cla: yes, waiting for tree to go green)
[84659](https://github.com/flutter/flutter/pull/84659) [flutter_tools] remove mockito from resident web runner tests (tool, cla: yes, waiting for tree to go green)
[84662](https://github.com/flutter/flutter/pull/84662) Clean up podspec template (tool, cla: yes, waiting for tree to go green)
[84729](https://github.com/flutter/flutter/pull/84729) Use -miphonesimulator-version-min when building App.framework for simulator (tool, cla: yes, t: xcode)
[84732](https://github.com/flutter/flutter/pull/84732) [gen_l10n] Make app localizations lookup a public method (tool, a: internationalization, cla: yes, waiting for tree to go green)
[84961](https://github.com/flutter/flutter/pull/84961) Fix typo in test class (tool, cla: yes, waiting for tree to go green)
[84967](https://github.com/flutter/flutter/pull/84967) Fix some indentation (tool, cla: yes, waiting for tree to go green)
[84973](https://github.com/flutter/flutter/pull/84973) Handle reserved Kotlin keywords (tool, cla: yes, waiting for tree to go green)
[84992](https://github.com/flutter/flutter/pull/84992) Explicitly show "Currently not on an official channel." if applicable (tool, cla: yes)
[85016](https://github.com/flutter/flutter/pull/85016) Fix checking of index.html (tool, cla: yes, waiting for tree to go green)
[85017](https://github.com/flutter/flutter/pull/85017) Add .gitignore (tool, cla: yes, waiting for tree to go green)
[85036](https://github.com/flutter/flutter/pull/85036) remove deprecated `author` pubspec section (tool, cla: yes, waiting for tree to go green)
[85044](https://github.com/flutter/flutter/pull/85044) Skip a flaky Windows/canvaskit test in hot_reload_web_test.dart (tool, cla: yes)
[85053](https://github.com/flutter/flutter/pull/85053) Check ios-arm64_armv7 directory when validating codesigning entitlements (team, platform-ios, tool, cla: yes, waiting for tree to go green)
[85059](https://github.com/flutter/flutter/pull/85059) Support iOS arm64 simulator (team, platform-ios, tool, cla: yes, platform-host-arm)
[85075](https://github.com/flutter/flutter/pull/85075) macOS unzip then rsync to delete stale artifacts (platform-ios, tool, cla: yes, waiting for tree to go green)
[85087](https://github.com/flutter/flutter/pull/85087) Avoid iOS app with extension checks that fail on M1 ARM Macs (team, platform-ios, tool, cla: yes, waiting for tree to go green, platform-host-arm)
[85125](https://github.com/flutter/flutter/pull/85125) [flutter_tools] show only supported sub commands (tool, cla: yes, waiting for tree to go green)
[85126](https://github.com/flutter/flutter/pull/85126) Fix typos in test names (tool, cla: yes, waiting for tree to go green)
[85141](https://github.com/flutter/flutter/pull/85141) Reland eliminate timeouts from integration tests (team, tool, cla: yes)
[85145](https://github.com/flutter/flutter/pull/85145) Do not list Android or iOS devices when feature disabled (platform-android, platform-ios, tool, cla: yes, waiting for tree to go green)
[85151](https://github.com/flutter/flutter/pull/85151) Remove nameless todo (a: tests, team, tool, framework, f: material design, cla: yes)
[85162](https://github.com/flutter/flutter/pull/85162) [flutter_tools] retry chrome launch up to 3 times (tool, cla: yes, waiting for tree to go green)
[85167](https://github.com/flutter/flutter/pull/85167) [flutter_tools] use UWP cpp wrapper for UWP build (tool, cla: yes, waiting for tree to go green)
[85170](https://github.com/flutter/flutter/pull/85170) [flutter_tools] convert devtools URL to a better format (tool, cla: yes, waiting for tree to go green)
[85174](https://github.com/flutter/flutter/pull/85174) Migrate iOS app deployment target from 8.0 to 9.0 (team, platform-ios, tool, cla: yes, d: examples, waiting for tree to go green, t: xcode)
[85176](https://github.com/flutter/flutter/pull/85176) [flutter_tools] remove online requirement for devtools (tool, cla: yes, waiting for tree to go green)
[85184](https://github.com/flutter/flutter/pull/85184) [flutter_tools] well known device ids (tool, cla: yes, waiting for tree to go green)
[85214](https://github.com/flutter/flutter/pull/85214) Remove incorrect text about web renderer default (tool, cla: yes, waiting for tree to go green)
[85242](https://github.com/flutter/flutter/pull/85242) Migrate flutter_cache to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[85252](https://github.com/flutter/flutter/pull/85252) [flutter_tools] ensure kernel paths match between init from dill and persist (tool, cla: yes, waiting for tree to go green)
[85253](https://github.com/flutter/flutter/pull/85253) [flutter_tools] add un-discoverable preview device (tool, cla: yes, waiting for tree to go green)
[85265](https://github.com/flutter/flutter/pull/85265) Check ios-arm64_x86_64-simulator directory when validating codesigning entitlement (team, platform-ios, tool, cla: yes, waiting for tree to go green, platform-host-arm)
[85267](https://github.com/flutter/flutter/pull/85267) Make sure that the asset directory on devfs always exist. (tool, cla: yes, waiting for tree to go green)
[85288](https://github.com/flutter/flutter/pull/85288) [flutter_tools] dont use SETLOCAL ENABLEDELAYEDEXPANSION unnecessarily (tool, cla: yes, waiting for tree to go green)
[85306](https://github.com/flutter/flutter/pull/85306) Add space before curly parentheses. (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[85325](https://github.com/flutter/flutter/pull/85325) [flutter_tools] switch web integration tests to use html (tool, cla: yes, waiting for tree to go green)
[85336](https://github.com/flutter/flutter/pull/85336) [flutter_tools] make analyze once an integration test (tool, cla: yes, waiting for tree to go green)
[85341](https://github.com/flutter/flutter/pull/85341) [fuchsia] pm serve should not use the device address (tool, cla: yes)
[85353](https://github.com/flutter/flutter/pull/85353) Revert "Make sure that the asset directory on devfs always exist." (tool, cla: yes, waiting for tree to go green)
[85359](https://github.com/flutter/flutter/pull/85359) Split project.dart into CMake and Xcode projects (tool, cla: yes, waiting for tree to go green, tech-debt)
[85370](https://github.com/flutter/flutter/pull/85370) Audit hashCode overrides outside of packages/flutter (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes, waiting for tree to go green)
[85384](https://github.com/flutter/flutter/pull/85384) [flutter_tools] re-enable all tests on windows (team, tool, cla: yes, waiting for tree to go green)
[85418](https://github.com/flutter/flutter/pull/85418) Only set assets directory after assets are uploaded onto devfs. (tool, cla: yes, waiting for tree to go green)
[85451](https://github.com/flutter/flutter/pull/85451) Revert "Audit hashCode overrides outside of packages/flutter" (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes)
[85567](https://github.com/flutter/flutter/pull/85567) Reland "Audit hashCode overrides outside of packages/flutter"" (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes)
[85577](https://github.com/flutter/flutter/pull/85577) Skip flaky tests in web.shared (tool, cla: yes, waiting for tree to go green)
[85641](https://github.com/flutter/flutter/pull/85641) Revert "Support iOS arm64 simulator" (team, tool, cla: yes)
[85642](https://github.com/flutter/flutter/pull/85642) Support iOS arm64 simulator (team, platform-ios, tool, cla: yes, waiting for tree to go green, platform-host-arm)
[85736](https://github.com/flutter/flutter/pull/85736) Remove "unnecessary" imports. (waiting for customer response, tool, framework, f: material design, a: accessibility, cla: yes, waiting for tree to go green, will affect goldens)
[85752](https://github.com/flutter/flutter/pull/85752) [flutter_tools] Add support for launching fuchsia app using session_control (tool, cla: yes, waiting for tree to go green)
[85783](https://github.com/flutter/flutter/pull/85783) code formatting (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[85812](https://github.com/flutter/flutter/pull/85812) Run "pub global activate devtools" before overall_experience_test (team, tool, cla: yes, waiting for tree to go green)
[85995](https://github.com/flutter/flutter/pull/85995) Update devtools_launcher.dart comment (tool, cla: yes, waiting for tree to go green)
[86000](https://github.com/flutter/flutter/pull/86000) [flutter_tools] revert change to SETLOCAL ENABLEDELAYEDEXPANSION (tool, cla: yes, will affect goldens)
[86008](https://github.com/flutter/flutter/pull/86008) Add newline at end of file (team, tool, framework, cla: yes, f: cupertino, waiting for tree to go green)
[86083](https://github.com/flutter/flutter/pull/86083) Fix typo in test name (tool, cla: yes, waiting for tree to go green)
[86116](https://github.com/flutter/flutter/pull/86116) [flutter_tools] let the logger know about machine mode (tool, cla: yes, waiting for tree to go green)
[86122](https://github.com/flutter/flutter/pull/86122) Switch drive_service from using deprecated version of --record-memory-profile flag (tool, cla: yes)
[86124](https://github.com/flutter/flutter/pull/86124) [flutter_tool] Pin DevTools to 2.4.0 (tool, cla: yes)
[86131](https://github.com/flutter/flutter/pull/86131) Revert "[flutter_tools] show only supported sub commands" (tool, cla: yes)
[86142](https://github.com/flutter/flutter/pull/86142) [flutter_tools] fix -n workaround (tool, cla: yes, waiting for tree to go green)
[86153](https://github.com/flutter/flutter/pull/86153) Reland [flutter_tools] show only supported sub commands (tool, cla: yes, waiting for tree to go green)
[86167](https://github.com/flutter/flutter/pull/86167) [gen_l10n] Support plurals and selects inside string (tool, cla: yes, waiting for tree to go green)
[86177](https://github.com/flutter/flutter/pull/86177) Disable the automatic "pub get" if the project is using a third-party tool for linking dependencies. (tool, cla: yes, waiting for tree to go green)
[86351](https://github.com/flutter/flutter/pull/86351) [flutter_tools] Improve toolexit error messages for `flutter upgrade` (tool, cla: yes)
[86363](https://github.com/flutter/flutter/pull/86363) Revert "[flutter_tools] let the logger know about machine mode" (tool, cla: yes)
[86368](https://github.com/flutter/flutter/pull/86368) Add more debugging logs to overall_experience_test (team, tool, cla: yes, waiting for tree to go green)
[86381](https://github.com/flutter/flutter/pull/86381) [web] use resident resident runner in flutter drive (tool, cla: yes)
[86431](https://github.com/flutter/flutter/pull/86431) [flutter_tools] support trailing args (tool, cla: yes, waiting for tree to go green)
[86444](https://github.com/flutter/flutter/pull/86444) Remove unnecessary variables. (tool, cla: yes, waiting for tree to go green)
[86512](https://github.com/flutter/flutter/pull/86512) Revert "Handle reserved Kotlin keywords" (tool, cla: yes)
[86518](https://github.com/flutter/flutter/pull/86518) Handle reserved Kotlin keywords (tool, cla: yes, waiting for tree to go green)
[86520](https://github.com/flutter/flutter/pull/86520) Make the startup lock message print to stderr. (tool, cla: yes)
[86534](https://github.com/flutter/flutter/pull/86534) In xcode_backend.sh, build flutter assemble arguments as an array of quoted strings (tool, cla: yes)
[86624](https://github.com/flutter/flutter/pull/86624) [flutter_tools] Refactor Android Studio Detection on Windows (support 4.x and 202x releases detection) (tool, cla: yes, waiting for tree to go green)
[86750](https://github.com/flutter/flutter/pull/86750) Show warning when app or plugin uses the V1 Android embedding (tool, cla: yes)
[86753](https://github.com/flutter/flutter/pull/86753) [flutter_tools] Port xcode backend to dart (tool, cla: yes, waiting for tree to go green)
[86793](https://github.com/flutter/flutter/pull/86793) Randomize tests, exclude tests that fail with randomization. (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino)
[86832](https://github.com/flutter/flutter/pull/86832) Update dwds (and other packages) (team, tool, cla: yes)
[86837](https://github.com/flutter/flutter/pull/86837) [flutter] remove elevation checker (tool, framework, cla: yes, waiting for tree to go green)
[86840](https://github.com/flutter/flutter/pull/86840) Increase Flutter framework minimum iOS version to 9.0 (team, platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[86842](https://github.com/flutter/flutter/pull/86842) [gen_l10n] correct variable name when the placeholder requiresFormatting (tool, cla: yes)
[86885](https://github.com/flutter/flutter/pull/86885) Skip "newly added code executes during hot restart - canvaskit" (tool, cla: yes)
[86905](https://github.com/flutter/flutter/pull/86905) Respect plugin excluded iOS architectures (team, tool, cla: yes, waiting for tree to go green, t: xcode, platform-target-arm)
[86911](https://github.com/flutter/flutter/pull/86911) Remove AndroidX compatibility workarounds (team, platform-android, tool, cla: yes, waiting for tree to go green)
[87138](https://github.com/flutter/flutter/pull/87138) Replace iOS physical/simulator bools with enum (platform-ios, tool, cla: yes, waiting for tree to go green, tech-debt)
[87232](https://github.com/flutter/flutter/pull/87232) Show Android SDK path in doctor on partial installation (tool, cla: yes, t: flutter doctor, waiting for tree to go green)
[87244](https://github.com/flutter/flutter/pull/87244) Exclude arm64 from iOS app archs if unsupported by plugins (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode, platform-host-arm)
[87267](https://github.com/flutter/flutter/pull/87267) [tools] Fix Android Studio Arctic Fox Java path on macOS (tool, cla: yes, waiting for tree to go green)
[87278](https://github.com/flutter/flutter/pull/87278) Fix race causing null dereference on getStack in web_tool_tests and CI flakes (tool, cla: yes, waiting for tree to go green)
[87362](https://github.com/flutter/flutter/pull/87362) Exclude arm64 from iOS app archs if unsupported by plugins on x64 Macs (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode, platform-host-arm)
[87386](https://github.com/flutter/flutter/pull/87386) Flutter_tools for web: report error messages with stacks on exit (tool, cla: yes)
[87532](https://github.com/flutter/flutter/pull/87532) Add new hook for setupHotReload and after updating devFS is complete (tool, cla: yes)
[87670](https://github.com/flutter/flutter/pull/87670) Skip flaky test debugger_stepping_test (tool, cla: yes, waiting for tree to go green)
### f: material design - 254 pull request(s)
[69826](https://github.com/flutter/flutter/pull/69826) Added enableFeedback property to FloatingActionButton (framework, f: material design, cla: yes, waiting for tree to go green)
[69880](https://github.com/flutter/flutter/pull/69880) Added enableFeedback property to DropdownButton (framework, f: material design, cla: yes)
[75091](https://github.com/flutter/flutter/pull/75091) Calculate the system overlay style based on the AppBar background color (framework, f: material design, cla: yes, waiting for tree to go green)
[75460](https://github.com/flutter/flutter/pull/75460) Added TabBar padding property (framework, f: material design, cla: yes, waiting for tree to go green)
[75497](https://github.com/flutter/flutter/pull/75497) Added axisOrientation property to Scrollbar (framework, f: material design, f: scrolling, cla: yes, f: cupertino, waiting for tree to go green)
[76288](https://github.com/flutter/flutter/pull/76288) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[76968](https://github.com/flutter/flutter/pull/76968) Add disable argument in DropdownMenuItem (framework, f: material design, cla: yes)
[77514](https://github.com/flutter/flutter/pull/77514) Changing SnackBar's dismiss direction (framework, f: material design, cla: yes, waiting for tree to go green)
[78032](https://github.com/flutter/flutter/pull/78032) Added null check before NavigationRail.onDestinationSelected is called (severe: crash, framework, f: material design, cla: yes, a: quality, waiting for tree to go green, a: null-safety)
[78133](https://github.com/flutter/flutter/pull/78133) Changing SnackBar's default vertical padding (framework, f: material design, cla: yes, waiting for tree to go green)
[78744](https://github.com/flutter/flutter/pull/78744) Fix painting material toggle (#78733) (framework, f: material design, a: fidelity, cla: yes, waiting for tree to go green, will affect goldens)
[78835](https://github.com/flutter/flutter/pull/78835) [State Restoration] Restorable FormField and TextFormField (framework, f: material design, cla: yes, a: state restoration)
[78879](https://github.com/flutter/flutter/pull/78879) ListTile.divideTiles only run Iterable once (framework, f: material design, cla: yes, waiting for tree to go green)
[78886](https://github.com/flutter/flutter/pull/78886) Improved handling of AppBar's `action` Icon sizes (framework, f: material design, cla: yes, waiting for tree to go green)
[78927](https://github.com/flutter/flutter/pull/78927) Add TextOverflow into TextStyle (framework, f: material design, cla: yes, a: typography, waiting for tree to go green)
[78948](https://github.com/flutter/flutter/pull/78948) fix paste crash when section is invalid (framework, f: material design, cla: yes, waiting for tree to go green)
[79085](https://github.com/flutter/flutter/pull/79085) Redo fix for button.icon layout overflow (framework, f: material design, cla: yes)
[79535](https://github.com/flutter/flutter/pull/79535) When updating TabController widget, if _controller.index >= widget.length, update _animationController's value (framework, f: material design, cla: yes, waiting for tree to go green)
[79610](https://github.com/flutter/flutter/pull/79610) Remove "unnecessary" imports in misc libraries (team, framework, f: material design, cla: yes, waiting for tree to go green)
[79680](https://github.com/flutter/flutter/pull/79680) VisualDensity should not reduce ButtonStyleButton horizontal padding (framework, f: material design, cla: yes, waiting for tree to go green)
[79816](https://github.com/flutter/flutter/pull/79816) Fix an NNBD error in the Gallery text form field demo (team, f: material design, cla: yes, waiting for tree to go green)
[79999](https://github.com/flutter/flutter/pull/79999) Added MaterialState.scrolledUnder and support in AppBar.backgroundColor (framework, f: material design, cla: yes)
[80006](https://github.com/flutter/flutter/pull/80006) update SearchDelegate's leading and actions widgets can be null (framework, f: material design, cla: yes, waiting for tree to go green)
[80070](https://github.com/flutter/flutter/pull/80070) Revert "Remove "unnecessary" imports in misc libraries" (team, framework, f: material design, cla: yes)
[80087](https://github.com/flutter/flutter/pull/80087) Added ButtonStyle.maximumSize (framework, f: material design, cla: yes)
[80110](https://github.com/flutter/flutter/pull/80110) Make SelectableText focus traversal behavior more standard (framework, f: material design, cla: yes, waiting for tree to go green)
[80134](https://github.com/flutter/flutter/pull/80134) Move ExpansionPanelList to Canvas.drawShadow (framework, f: material design, cla: yes, waiting for tree to go green)
[80184](https://github.com/flutter/flutter/pull/80184) Modified DataRow to be disabled when onSelectChanged is not set (framework, f: material design, cla: yes)
[80187](https://github.com/flutter/flutter/pull/80187) Fix autocomplete options height (framework, f: material design, cla: yes, waiting for tree to go green)
[80237](https://github.com/flutter/flutter/pull/80237) Tweaked TabBar to provide uniform padding to all tabs in cases where only few tabs contain both icon and text (framework, f: material design, cla: yes, a: quality, waiting for tree to go green)
[80251](https://github.com/flutter/flutter/pull/80251) Make the ReorderableListView padding scroll with the list. (framework, f: material design, cla: yes)
[80257](https://github.com/flutter/flutter/pull/80257) Autocomplete and RawAutocomplete initialValue parameter (framework, f: material design, cla: yes, waiting for tree to go green)
[80316](https://github.com/flutter/flutter/pull/80316) Fixed typos in AppBar.title API doc sample (framework, f: material design, cla: yes)
[80336](https://github.com/flutter/flutter/pull/80336) Add `showTimePicker` function link (framework, f: material design, cla: yes, waiting for tree to go green)
[80360](https://github.com/flutter/flutter/pull/80360) Add ExpansionTile.controlAffinity (framework, f: material design, cla: yes)
[80380](https://github.com/flutter/flutter/pull/80380) Revert "Added MaterialState.scrolledUnder and support in AppBar.backgroundColor" (framework, f: material design, cla: yes)
[80395](https://github.com/flutter/flutter/pull/80395) Re-land "Added MaterialState.scrolledUnder and support in AppBar.backgroundColor" (framework, f: material design, cla: yes, waiting for tree to go green)
[80420](https://github.com/flutter/flutter/pull/80420) Update PopupMenuButton widget (framework, f: material design, cla: yes, waiting for tree to go green)
[80453](https://github.com/flutter/flutter/pull/80453) Fix FlexibleSpaceBar Opacity when AppBar.toolbarHeight > ktoolbarHeight (framework, f: material design, cla: yes, a: quality, waiting for tree to go green)
[80454](https://github.com/flutter/flutter/pull/80454) Updated the OutlinedButton class API doc (framework, f: material design, cla: yes)
[80467](https://github.com/flutter/flutter/pull/80467) Added support for AppBarTheme.toolbarHeight (framework, f: material design, cla: yes, waiting for tree to go green)
[80527](https://github.com/flutter/flutter/pull/80527) Added the ability to constrain the size of bottom sheets. (framework, f: material design, cla: yes, waiting for tree to go green)
[80541](https://github.com/flutter/flutter/pull/80541) l10n updates (f: material design, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[80545](https://github.com/flutter/flutter/pull/80545) Revert "Fix FlexibleSpaceBar Opacity when AppBar.toolbarHeight > ktoolbarHeight" (framework, f: material design, cla: yes, waiting for tree to go green)
[80566](https://github.com/flutter/flutter/pull/80566) [State Restoration] Restorable `TimePickerDialog` widget, `RestorableTimeOfDay` (framework, f: material design, cla: yes, waiting for tree to go green)
[80567](https://github.com/flutter/flutter/pull/80567) Change cursor when hovering on DropdownButton (framework, f: material design, cla: yes, waiting for tree to go green)
[80587](https://github.com/flutter/flutter/pull/80587) Add dart fix for DragAnchor deprecation (team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[80589](https://github.com/flutter/flutter/pull/80589) Re-land Fix FlexibleSpaceBar Opacity when AppBar.toolbarHeight > ktoolbarHeight (framework, f: material design, cla: yes, waiting for tree to go green)
[80639](https://github.com/flutter/flutter/pull/80639) navigator cleans up its pop transitions. (framework, f: material design, cla: yes, waiting for tree to go green)
[80754](https://github.com/flutter/flutter/pull/80754) Added the ability to constrain the size of input decorators (framework, f: material design, cla: yes, waiting for tree to go green)
[80756](https://github.com/flutter/flutter/pull/80756) Migrate LogicalKeySet to SingleActivator (a: tests, a: text input, team, framework, f: material design, severe: API break, cla: yes, f: cupertino)
[80772](https://github.com/flutter/flutter/pull/80772) Replace some `dynamic` to `Object?` type (framework, f: material design, cla: yes, waiting for tree to go green)
[80792](https://github.com/flutter/flutter/pull/80792) Modified TabBar.preferredSize to remove hardcoded knowledge about child Tab. (team, framework, f: material design, cla: yes, a: quality, waiting for tree to go green, tech-debt)
[80817](https://github.com/flutter/flutter/pull/80817) fix sort_directives violations (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes, f: cupertino, waiting for tree to go green)
[80831](https://github.com/flutter/flutter/pull/80831) Revert "Update PopupMenuButton widget" (framework, f: material design, cla: yes, waiting for tree to go green)
[80834](https://github.com/flutter/flutter/pull/80834) [flutter_conductor] begin migrating //flutter/dev/tools to null-safety (team, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[80836](https://github.com/flutter/flutter/pull/80836) Add a ThreePointCubic spline that combines two cubic curves (framework, f: material design, cla: yes)
[80901](https://github.com/flutter/flutter/pull/80901) fix unsorted directives (a: tests, tool, framework, f: material design, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[80930](https://github.com/flutter/flutter/pull/80930) add a test for popupMenuButton (framework, f: material design, cla: yes, waiting for tree to go green)
[80965](https://github.com/flutter/flutter/pull/80965) Revert "Replace some `dynamic` to `Object?` type" (framework, f: material design, cla: yes)
[80986](https://github.com/flutter/flutter/pull/80986) Revert "Replace some `dynamic` to `Object?` type (#80772)" (#80965) (framework, f: material design, cla: yes)
[81000](https://github.com/flutter/flutter/pull/81000) Remove "unnecessary" imports in packages/flutter (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[81043](https://github.com/flutter/flutter/pull/81043) Update text_form_field.dart (framework, f: material design, cla: yes, waiting for tree to go green)
[81060](https://github.com/flutter/flutter/pull/81060) sort directives (framework, f: material design, cla: yes, waiting for tree to go green)
[81067](https://github.com/flutter/flutter/pull/81067) Deprecate AnimatedSize.vsync (framework, f: material design, cla: yes, waiting for tree to go green)
[81075](https://github.com/flutter/flutter/pull/81075) Added a ProgressIndicatorTheme. (framework, f: material design, cla: yes)
[81080](https://github.com/flutter/flutter/pull/81080) Add trailing commas in packages/flutter/test/cupertino (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[81089](https://github.com/flutter/flutter/pull/81089) Dispose thumbPainter in Switch to avoid crash (framework, f: material design, cla: yes, waiting for tree to go green)
[81153](https://github.com/flutter/flutter/pull/81153) Enable avoid_escaping_inner_quotes lint (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[81155](https://github.com/flutter/flutter/pull/81155) Revert "[RenderEditable] Dont paint caret when selection is invalid" #81076 (team, framework, f: material design, cla: yes)
[81226](https://github.com/flutter/flutter/pull/81226) Revert "Migrate to ChannelBuffers.push" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[81228](https://github.com/flutter/flutter/pull/81228) Support notched BottomAppbar when Scaffold.bottomNavigationBar == null (framework, f: material design, cla: yes)
[81235](https://github.com/flutter/flutter/pull/81235) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[81241](https://github.com/flutter/flutter/pull/81241) Use ColorScheme.primary (not secondary), ExpansionTile expanded color (framework, f: material design, cla: yes)
[81250](https://github.com/flutter/flutter/pull/81250) Improve performance of debugCheckHasDirectionality (framework, f: material design, cla: yes, waiting for tree to go green)
[81282](https://github.com/flutter/flutter/pull/81282) Expose the alignment property for DropdownButton and item (framework, f: material design, cla: yes, waiting for tree to go green)
[81295](https://github.com/flutter/flutter/pull/81295) Override MediaQuery for WidgetsApp (severe: new feature, framework, f: material design, cla: yes, a: quality, waiting for tree to go green)
[81303](https://github.com/flutter/flutter/pull/81303) [Framework] Support for Android Fullscreen Modes (severe: new feature, e: device-specific, platform-android, framework, engine, f: material design, a: fidelity, cla: yes, a: quality, customer: crowd, waiting for tree to go green, a: layout)
[81325](https://github.com/flutter/flutter/pull/81325) Fix typo to trigger build (framework, f: material design, cla: yes)
[81329](https://github.com/flutter/flutter/pull/81329) Add trailing commas in packages/flutter/test/material (framework, f: material design, cla: yes, waiting for tree to go green)
[81336](https://github.com/flutter/flutter/pull/81336) Deprecate ThemeData accentColor, accentColorBright, accentIconTheme, accentTextTheme (framework, f: material design, cla: yes)
[81359](https://github.com/flutter/flutter/pull/81359) Fixed ProgressIndicatorTheme.wrap() (framework, f: material design, cla: yes)
[81372](https://github.com/flutter/flutter/pull/81372) Adding `itemExtent` to `ReorderableList` and `ReorderableListView` (framework, f: material design, cla: yes, waiting for tree to go green)
[81393](https://github.com/flutter/flutter/pull/81393) Added arrowHeadColor property to PaginatedDataTable (framework, f: material design, cla: yes)
[81406](https://github.com/flutter/flutter/pull/81406) Add trailing commas in examples and packages/flutter/ (team, framework, f: material design, cla: yes, f: cupertino, d: examples)
[81409](https://github.com/flutter/flutter/pull/81409) Revert "Improve performance of debugCheckHasDirectionality" (framework, f: material design, cla: yes)
[81425](https://github.com/flutter/flutter/pull/81425) [flutter_releases] Flutter Beta 2.2.0-10.2.pre Framework Cherrypicks (engine, f: material design, a: internationalization, cla: yes)
[81427](https://github.com/flutter/flutter/pull/81427) Update the docs for ProgressIndicator to remove some unnecessary adaptive descriptions. (framework, f: material design, cla: yes)
[81431](https://github.com/flutter/flutter/pull/81431) Improve performance of debugCheckHasDirectionality (framework, f: material design, cla: yes, waiting for tree to go green)
[81505](https://github.com/flutter/flutter/pull/81505) Fix to the tab height (Issue #81500) (framework, f: material design, cla: yes, waiting for tree to go green)
[81529](https://github.com/flutter/flutter/pull/81529) fix a MaterialApp NNBD issue (framework, f: material design, cla: yes, waiting for tree to go green)
[81578](https://github.com/flutter/flutter/pull/81578) Enable library_private_types_in_public_api lint (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[81604](https://github.com/flutter/flutter/pull/81604) prototypeItem added to ReorderableList and ReorderableListView (framework, f: material design, cla: yes)
[81631](https://github.com/flutter/flutter/pull/81631) Clean up some old and obsolete TODOs of mine (framework, f: material design, cla: yes, waiting for tree to go green)
[81634](https://github.com/flutter/flutter/pull/81634) Change elevation to double of MergeableMaterial (framework, f: material design, cla: yes, waiting for tree to go green)
[81647](https://github.com/flutter/flutter/pull/81647) Add slider adaptive cupertino thumb color (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[81686](https://github.com/flutter/flutter/pull/81686) Add "onTap" callback to PopupMenuItem (framework, f: material design, cla: yes)
[81699](https://github.com/flutter/flutter/pull/81699) Fixed some trivial formatting issues in test/material/popup_menu_test.dart (framework, f: material design, cla: yes)
[81706](https://github.com/flutter/flutter/pull/81706) Integrate MaterialBanner with the ScaffoldMessenger API (severe: new feature, framework, a: animation, f: material design, a: fidelity, cla: yes, d: api docs, d: examples, a: quality, waiting for tree to go green, documentation)
[81813](https://github.com/flutter/flutter/pull/81813) ExpansionPanelList elevation as double (framework, f: material design, cla: yes, waiting for tree to go green)
[81829](https://github.com/flutter/flutter/pull/81829) Revert "Migrate to ChannelBuffers.push" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[81859](https://github.com/flutter/flutter/pull/81859) remove unnecessary String.toString() (a: tests, team, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[81927](https://github.com/flutter/flutter/pull/81927) [flutter_releases] Flutter Beta 2.2.0-10.3.pre Framework Cherrypicks (team, tool, framework, engine, f: material design, a: internationalization, cla: yes)
[81932](https://github.com/flutter/flutter/pull/81932) Add some examples of widgets that support visual density (framework, f: material design, cla: yes, d: api docs, waiting for tree to go green, documentation)
[82026](https://github.com/flutter/flutter/pull/82026) Extend Toggle Button's fill color with MaterialState (framework, f: material design, cla: yes, waiting for tree to go green)
[82028](https://github.com/flutter/flutter/pull/82028) Fix dartdoc for SliverAppBar#shadowColor (framework, f: material design, cla: yes)
[82057](https://github.com/flutter/flutter/pull/82057) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82084](https://github.com/flutter/flutter/pull/82084) Enable unnecessary_null_checks lint (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82152](https://github.com/flutter/flutter/pull/82152) Fix slider notifies start and end twice when participates in gesture arena (framework, f: material design, cla: yes, waiting for tree to go green)
[82196](https://github.com/flutter/flutter/pull/82196) Deprecated ThemeData buttonColor (framework, f: material design, cla: yes)
[82234](https://github.com/flutter/flutter/pull/82234) Fixed a problem with the FAB position when constraints set on bottom sheet. (framework, f: material design, cla: yes, waiting for tree to go green)
[82286](https://github.com/flutter/flutter/pull/82286) Fix RenderEditable.computeMaxIntrinsicWidth error return. (framework, f: material design, cla: yes, waiting for tree to go green)
[82293](https://github.com/flutter/flutter/pull/82293) Better hover handling for Scrollbar (framework, f: material design, f: scrolling, cla: yes, a: quality, waiting for tree to go green, a: desktop, a: annoyance, a: mouse)
[82297](https://github.com/flutter/flutter/pull/82297) remove noop primitive operations (a: tests, team, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[82319](https://github.com/flutter/flutter/pull/82319) Fix typos (team, framework, f: material design, cla: yes, waiting for tree to go green)
[82327](https://github.com/flutter/flutter/pull/82327) update the DragStartBehavior documetations (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82328](https://github.com/flutter/flutter/pull/82328) use throwsXxx instead of throwsA(isA<Xxx>()) (a: tests, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82340](https://github.com/flutter/flutter/pull/82340) change the elevation of dropdown from int to double (framework, f: material design, cla: yes)
[82344](https://github.com/flutter/flutter/pull/82344) update the backwardsCompatibility to docs (framework, f: material design, cla: yes, waiting for tree to go green)
[82348](https://github.com/flutter/flutter/pull/82348) Remove redundant MediaQueryDatas in tests (a: tests, team, framework, f: material design, cla: yes, waiting for tree to go green, tech-debt)
[82387](https://github.com/flutter/flutter/pull/82387) first part of applying sort_child_properties_last (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82426](https://github.com/flutter/flutter/pull/82426) Enable use_named_constants_lint (tool, framework, f: material design, cla: yes, waiting for tree to go green)
[82446](https://github.com/flutter/flutter/pull/82446) Revert "change the elevation of dropdown from int to double" (framework, f: material design, cla: yes)
[82457](https://github.com/flutter/flutter/pull/82457) end of sort_child_properties_last (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82508](https://github.com/flutter/flutter/pull/82508) Remove "unnecessary" imports. (a: tests, team, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[82525](https://github.com/flutter/flutter/pull/82525) Revert "Migrate to ChannelBuffers.push" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82564](https://github.com/flutter/flutter/pull/82564) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82570](https://github.com/flutter/flutter/pull/82570) Fix AppBar's title doc (framework, f: material design, cla: yes, waiting for tree to go green)
[82575](https://github.com/flutter/flutter/pull/82575) [flutter] when primary mouse pointers don't contact a focused node, reset the focus (framework, f: material design, cla: yes, waiting for tree to go green)
[82581](https://github.com/flutter/flutter/pull/82581) [flutter_releases] Flutter Framework Engine roll (team, tool, framework, engine, f: material design, a: internationalization, cla: yes)
[82589](https://github.com/flutter/flutter/pull/82589) Fix typos (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82596](https://github.com/flutter/flutter/pull/82596) Removed default page transitions for desktop and web platforms. (framework, f: material design, cla: yes, waiting for tree to go green)
[82611](https://github.com/flutter/flutter/pull/82611) Migrate manual_tests to null safety (team, f: material design, cla: yes, waiting for tree to go green)
[82671](https://github.com/flutter/flutter/pull/82671) TextField terminal the enter and space raw key events by default (a: text input, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, a: desktop)
[82753](https://github.com/flutter/flutter/pull/82753) Revert "Added axisOrientation property to Scrollbar" (framework, f: material design, cla: yes, f: cupertino)
[82818](https://github.com/flutter/flutter/pull/82818) Fix "Added AxisOrientation property to Scrollbar (#75497)" analysis failures (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82843](https://github.com/flutter/flutter/pull/82843) refactor: Add MaterialStateMixin (severe: new feature, framework, f: material design, cla: yes, d: api docs, d: examples, a: quality, waiting for tree to go green, documentation)
[82986](https://github.com/flutter/flutter/pull/82986) Re-add the removed MediaQuery.removePadding of PopupMenuButton (framework, f: material design, cla: yes, waiting for tree to go green)
[83014](https://github.com/flutter/flutter/pull/83014) fix a DropdownButtonFormField label display issue (severe: regression, framework, f: material design, cla: yes, a: quality, waiting for tree to go green)
[83177](https://github.com/flutter/flutter/pull/83177) Elevation for Stepper(horizontally) (framework, f: material design, cla: yes, waiting for tree to go green)
[83407](https://github.com/flutter/flutter/pull/83407) enable lint prefer_interpolation_to_compose_strings (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83512](https://github.com/flutter/flutter/pull/83512) Move cursor position to the end of search query in SearchDelegate after query is set (framework, f: material design, cla: yes, waiting for tree to go green)
[83537](https://github.com/flutter/flutter/pull/83537) Support WidgetSpan in RenderEditable (a: text input, framework, f: material design, cla: yes, a: typography, waiting for tree to go green)
[83639](https://github.com/flutter/flutter/pull/83639) [TextSelectionControls] move the tap gesture callback into _TextSelectionHandlePainter, remove `_TransparentTapGestureRecognizer`. (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[83689](https://github.com/flutter/flutter/pull/83689) fix a Scaffold.bottomSheet update bug (framework, f: material design, cla: yes, waiting for tree to go green)
[83696](https://github.com/flutter/flutter/pull/83696) Support for keyboard navigation of Autocomplete options. (framework, f: material design, cla: yes)
[83744](https://github.com/flutter/flutter/pull/83744) Fixed large amount of spelling errors (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83752](https://github.com/flutter/flutter/pull/83752) Keyboard events (a: tests, a: text input, team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[83826](https://github.com/flutter/flutter/pull/83826) l10n updates for June beta (framework, f: material design, a: internationalization, cla: yes, f: cupertino)
[83830](https://github.com/flutter/flutter/pull/83830) Make tooltip hoverable and dismissible (framework, f: material design, cla: yes, waiting for tree to go green)
[83843](https://github.com/flutter/flutter/pull/83843) Clean up the bindings APIs (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83863](https://github.com/flutter/flutter/pull/83863) Ensure the Autocomplete options scroll as needed. (framework, f: material design, f: scrolling, cla: yes, a: quality, waiting for tree to go green, a: desktop)
[83903](https://github.com/flutter/flutter/pull/83903) Remove stripping scriptCodes for localization. (f: material design, a: internationalization, cla: yes, waiting for tree to go green)
[83904](https://github.com/flutter/flutter/pull/83904) Revert "fix a Scaffold.bottomSheet update bug" (framework, f: material design, cla: yes, waiting for tree to go green)
[83923](https://github.com/flutter/flutter/pull/83923) Remove deprecated hasFloatingPlaceholder (team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[83924](https://github.com/flutter/flutter/pull/83924) Remove TextTheme deprecations (team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[83926](https://github.com/flutter/flutter/pull/83926) Remove deprecated typography constructor (team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[83943](https://github.com/flutter/flutter/pull/83943) enable lint use_test_throws_matchers (tool, framework, f: material design, cla: yes, waiting for tree to go green)
[83947](https://github.com/flutter/flutter/pull/83947) Fixed TimeOfDay.hourOfPeriod for the noon and midnight cases. (framework, f: material design, cla: yes, waiting for tree to go green)
[83959](https://github.com/flutter/flutter/pull/83959) Remove "unnecessary" imports. (a: tests, team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[84017](https://github.com/flutter/flutter/pull/84017) Mixed null safety in dev/devicelab (team, f: material design, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety)
[84064](https://github.com/flutter/flutter/pull/84064) migrate localization to null safety (team, f: material design, cla: yes, f: cupertino, a: null-safety, tech-debt)
[84268](https://github.com/flutter/flutter/pull/84268) Only trigger AppBar scrolledUnder state for vertical scrolling and not horizontal (framework, f: material design, cla: yes, waiting for tree to go green)
[84285](https://github.com/flutter/flutter/pull/84285) Fix the effective constraints so that they don't exceed max values (framework, f: material design, cla: yes)
[84298](https://github.com/flutter/flutter/pull/84298) Adds borderRadius property to DropdownButton (framework, f: material design, cla: yes)
[84303](https://github.com/flutter/flutter/pull/84303) Switch sample analysis over to use package:flutter_lints (team, framework, f: material design, cla: yes)
[84364](https://github.com/flutter/flutter/pull/84364) [flutter_releases] Flutter Stable 2.2.2 Framework Cherrypicks (tool, framework, engine, f: material design, cla: yes)
[84374](https://github.com/flutter/flutter/pull/84374) fix indentation issues (team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[84393](https://github.com/flutter/flutter/pull/84393) ReorderableListView should treat fuchsia as a mobile platform. (framework, f: material design, a: fidelity, f: scrolling, cla: yes, a: quality)
[84434](https://github.com/flutter/flutter/pull/84434) Add TooltipTriggerMode and provideTriggerFeedback to allow users to c… (severe: new feature, framework, f: material design, cla: yes, f: gestures, waiting for tree to go green)
[84476](https://github.com/flutter/flutter/pull/84476) Turn on avoid_dynamic_calls lint, except packages/flutter tests, make appropriate changes. (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples)
[84478](https://github.com/flutter/flutter/pull/84478) Turn on avoid_dynamic_calls lint in packages/flutter tests, make appropriate changes. (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[84566](https://github.com/flutter/flutter/pull/84566) Add optional label customization to TimePicker (framework, f: material design, cla: yes, waiting for tree to go green)
[84570](https://github.com/flutter/flutter/pull/84570) Fix scrollbar error message and test (framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green, a: error message)
[84581](https://github.com/flutter/flutter/pull/84581) Add optional param to useRootNavigator when showSearch (framework, f: material design, cla: yes)
[84739](https://github.com/flutter/flutter/pull/84739) Revert "TextField terminal the enter and space raw key events by default" (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[84740](https://github.com/flutter/flutter/pull/84740) Release retained resources from layers/dispose pictures (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[84746](https://github.com/flutter/flutter/pull/84746) Revert "TextField terminal the enter and space raw key events by defa… (framework, f: material design, cla: yes, f: cupertino)
[84806](https://github.com/flutter/flutter/pull/84806) Make buildHandle onTap optional (a: text input, framework, f: material design, cla: yes, f: cupertino, a: quality, waiting for tree to go green)
[84807](https://github.com/flutter/flutter/pull/84807) Fix an animation issue when dragging the first item of a reversed list onto the starting position. (framework, a: animation, f: material design, f: scrolling, cla: yes, a: quality)
[84827](https://github.com/flutter/flutter/pull/84827) Revert "Add optional param to useRootNavigator when showSearch" (framework, f: material design, cla: yes)
[84872](https://github.com/flutter/flutter/pull/84872) Reland: Add optional param to useRootNavigator when showSearch (framework, f: material design, cla: yes, waiting for tree to go green)
[85144](https://github.com/flutter/flutter/pull/85144) Deprecate the accentIconTheme ThemeData constructor parameter (framework, f: material design, cla: yes, waiting for tree to go green)
[85150](https://github.com/flutter/flutter/pull/85150) Fix SnackBar assertions when configured with theme (severe: crash, framework, f: material design, cla: yes, a: quality, waiting for tree to go green, a: error message)
[85151](https://github.com/flutter/flutter/pull/85151) Remove nameless todo (a: tests, team, tool, framework, f: material design, cla: yes)
[85159](https://github.com/flutter/flutter/pull/85159) Randomize Framework tests, opt out some tests that currently fail. (team, framework, f: material design, cla: yes, f: cupertino)
[85254](https://github.com/flutter/flutter/pull/85254) Add dart fix for RenderObjectElement deprecations (team, framework, f: material design, cla: yes, f: cupertino, a: quality, waiting for tree to go green, tech-debt)
[85260](https://github.com/flutter/flutter/pull/85260) Added AlertDialog.actionsAlignment OverflowBar configuration (framework, f: material design, cla: yes)
[85306](https://github.com/flutter/flutter/pull/85306) Add space before curly parentheses. (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[85351](https://github.com/flutter/flutter/pull/85351) Removed ButtonBar from flutter_gallery (team, f: material design, cla: yes, waiting for tree to go green)
[85358](https://github.com/flutter/flutter/pull/85358) Replace uses of ButtonBar in doc/samples with Overflowbar (framework, f: material design, cla: yes, waiting for tree to go green)
[85370](https://github.com/flutter/flutter/pull/85370) Audit hashCode overrides outside of packages/flutter (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes, waiting for tree to go green)
[85412](https://github.com/flutter/flutter/pull/85412) Update flutter doc references to conform to new lookup code restrictions (a: tests, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[85451](https://github.com/flutter/flutter/pull/85451) Revert "Audit hashCode overrides outside of packages/flutter" (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes)
[85472](https://github.com/flutter/flutter/pull/85472) Remved ButtonBar references from material tests (framework, f: material design, cla: yes, waiting for tree to go green)
[85484](https://github.com/flutter/flutter/pull/85484) Eliminate some regressions introduced by the new lookup code (a: tests, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: api docs, waiting for tree to go green, documentation)
[85497](https://github.com/flutter/flutter/pull/85497) Fix three additional cases where doc references are not conforming to new lookup code restrictions (a: tests, framework, f: material design, cla: yes, waiting for tree to go green)
[85501](https://github.com/flutter/flutter/pull/85501) Migrate dev/benchmarks/macrobenchmarks to null safety. (team, f: material design, cla: yes, a: null-safety)
[85547](https://github.com/flutter/flutter/pull/85547) Removed PaginatedDataTable ButtonBar special case (framework, f: material design, cla: yes, waiting for tree to go green)
[85567](https://github.com/flutter/flutter/pull/85567) Reland "Audit hashCode overrides outside of packages/flutter"" (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes)
[85585](https://github.com/flutter/flutter/pull/85585) Added AppBar.textButtonTheme (framework, f: material design, cla: yes)
[85640](https://github.com/flutter/flutter/pull/85640) Expose selectionHeightStyle and SelectionWidthStyle on SelectableText (framework, f: material design, cla: yes, waiting for tree to go green)
[85673](https://github.com/flutter/flutter/pull/85673) Revert "Randomize Framework tests, opt out some tests that currently fail. (#85159)" (team, framework, f: material design, cla: yes, f: cupertino)
[85697](https://github.com/flutter/flutter/pull/85697) Use additionalActiveTrackHeight when painting the radius of RoundedRectSliderTrackShape's active track (framework, f: material design, cla: yes, waiting for tree to go green)
[85714](https://github.com/flutter/flutter/pull/85714) Revert "Added AppBar.textButtonTheme" (framework, f: material design, cla: yes, waiting for tree to go green)
[85736](https://github.com/flutter/flutter/pull/85736) Remove "unnecessary" imports. (waiting for customer response, tool, framework, f: material design, a: accessibility, cla: yes, waiting for tree to go green, will affect goldens)
[85783](https://github.com/flutter/flutter/pull/85783) code formatting (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[85789](https://github.com/flutter/flutter/pull/85789) Scale selection handles for rich text on iOS (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[85799](https://github.com/flutter/flutter/pull/85799) Don't lose composing region when dragging handle in a word (framework, f: material design, cla: yes)
[85825](https://github.com/flutter/flutter/pull/85825) Fix the Interactive App for the MaterialStateOutlinedBorder class (framework, f: material design, cla: yes, waiting for tree to go green)
[85996](https://github.com/flutter/flutter/pull/85996) Migrate devicelab tasks a-f to null safety. (team, f: material design, a: accessibility, cla: yes)
[86041](https://github.com/flutter/flutter/pull/86041) [flutter] prevent errant text field clicks from losing focus (framework, f: material design, cla: yes, waiting for tree to go green)
[86141](https://github.com/flutter/flutter/pull/86141) [flutter] tab navigation does not notify the focus scope node (framework, f: material design, cla: yes, waiting for tree to go green)
[86171](https://github.com/flutter/flutter/pull/86171) Revert "Remove TextTheme deprecations" (framework, f: material design, cla: yes)
[86188](https://github.com/flutter/flutter/pull/86188) Add a "troubleshooting" section to the AppBar API doc (framework, f: material design, cla: yes)
[86198](https://github.com/flutter/flutter/pull/86198) AppBar.backwardsCompatibility now default false, deprecated (team, framework, f: material design, cla: yes)
[86223](https://github.com/flutter/flutter/pull/86223) Null aware operator consistency (framework, f: material design, cla: yes, waiting for tree to go green)
[86268](https://github.com/flutter/flutter/pull/86268) Revert "Migrate devicelab tasks a-f to null safety." (team, f: material design, a: accessibility, cla: yes)
[86318](https://github.com/flutter/flutter/pull/86318) Reland Remove TextTheme deprecations (framework, f: material design, cla: yes, waiting for tree to go green)
[86323](https://github.com/flutter/flutter/pull/86323) Dart Fixes for clipBehavior breaks (team, framework, f: material design, cla: yes, f: cupertino, a: quality, waiting for tree to go green, tech-debt)
[86355](https://github.com/flutter/flutter/pull/86355) Additional ListTile API doc - Material widget dependency (framework, f: material design, cla: yes)
[86369](https://github.com/flutter/flutter/pull/86369) Add fixes for ThemeData (team, framework, f: material design, cla: yes, waiting for tree to go green, tech-debt)
[86372](https://github.com/flutter/flutter/pull/86372) Added AppBarTheme shape property (framework, f: material design, cla: yes, waiting for tree to go green)
[86374](https://github.com/flutter/flutter/pull/86374) Migrate devicelab tasks a-f to null safety. (team, f: material design, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety)
[86386](https://github.com/flutter/flutter/pull/86386) Revert "Clean up the bindings APIs" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[86388](https://github.com/flutter/flutter/pull/86388) Clean up the bindings APIs (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[86404](https://github.com/flutter/flutter/pull/86404) Revert "Clean up the bindings APIs" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[86415](https://github.com/flutter/flutter/pull/86415) Remove obsolete doc for removed param (framework, f: material design, cla: yes, waiting for tree to go green)
[86434](https://github.com/flutter/flutter/pull/86434) [Fonts] Fix icons sorting (team, framework, f: material design, cla: yes)
[86438](https://github.com/flutter/flutter/pull/86438) Clean up the bindings APIs (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[86439](https://github.com/flutter/flutter/pull/86439) Text selection toolbar position after keyboard opens (framework, f: material design, cla: yes, waiting for tree to go green)
[86441](https://github.com/flutter/flutter/pull/86441) [Material You] Introduce large FAB size and allow for FAB size theming (framework, f: material design, cla: yes)
[86464](https://github.com/flutter/flutter/pull/86464) [Fonts] Use exact matching for icon identifier rewrites (team, framework, f: material design, cla: yes)
[86484](https://github.com/flutter/flutter/pull/86484) Revert "Clean up the bindings APIs" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[86576](https://github.com/flutter/flutter/pull/86576) Add floatingLabelStyle parameter to InputDecoration (framework, f: material design, cla: yes, waiting for tree to go green)
[86657](https://github.com/flutter/flutter/pull/86657) [Fonts] Fix identifier rewrite regression (team, framework, f: material design, cla: yes)
[86683](https://github.com/flutter/flutter/pull/86683) Fix analysis script to run from anywhere (team, f: material design, cla: yes, f: cupertino)
[86791](https://github.com/flutter/flutter/pull/86791) Avoid passive clipboard read on Android (framework, f: material design, cla: yes, waiting for tree to go green, will affect goldens)
[86793](https://github.com/flutter/flutter/pull/86793) Randomize tests, exclude tests that fail with randomization. (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino)
[86810](https://github.com/flutter/flutter/pull/86810) Add label widget parameter to InputDecoration (framework, f: material design, cla: yes, waiting for tree to go green)
[86910](https://github.com/flutter/flutter/pull/86910) Added Checkbox support for MaterialStateBorderSide (framework, f: material design, cla: yes)
[87002](https://github.com/flutter/flutter/pull/87002) Add enableIMEPersonalizedLearning flag to TextField and TextFormField (platform-android, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[87062](https://github.com/flutter/flutter/pull/87062) Allow for customizing and theming of extended FAB content padding (framework, f: material design, cla: yes)
[87104](https://github.com/flutter/flutter/pull/87104) fix the DropdownButtonFormField's label display bug when the `hint` is non-null (framework, f: material design, cla: yes, waiting for tree to go green)
[87171](https://github.com/flutter/flutter/pull/87171) Revert "Keyboard events (#83752)" (a: tests, a: text input, team, framework, f: material design, cla: yes, f: cupertino)
[87174](https://github.com/flutter/flutter/pull/87174) Reland: Keyboard events (a: tests, a: text input, team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[87211](https://github.com/flutter/flutter/pull/87211) Added BottomNavigationBar landscapeLayout parameter (framework, f: material design, cla: yes, waiting for tree to go green)
[87281](https://github.com/flutter/flutter/pull/87281) Deprecate ThemeData.fixTextFieldOutlineLabel (framework, f: material design, cla: yes, will affect goldens)
[87328](https://github.com/flutter/flutter/pull/87328) Updated skipped tests for material directory. (team, framework, f: material design, cla: yes, tech-debt, skip-test)
[87375](https://github.com/flutter/flutter/pull/87375) Revert "Avoid passive clipboard read on Android" (framework, f: material design, cla: yes, waiting for tree to go green)
[87408](https://github.com/flutter/flutter/pull/87408) [flutter] replace 'checked mode' with 'debug mode' (a: tests, framework, f: material design, cla: yes, waiting for tree to go green)
[87498](https://github.com/flutter/flutter/pull/87498) Allow for customizing and theming extended FAB's TextStyle (framework, f: material design, cla: yes, waiting for tree to go green)
[87528](https://github.com/flutter/flutter/pull/87528) Fix some errors in snippets (team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[87647](https://github.com/flutter/flutter/pull/87647) Changed Scrollbar to StatelessWidget (framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green)
### a: tests - 118 pull request(s)
[76288](https://github.com/flutter/flutter/pull/76288) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[78522](https://github.com/flutter/flutter/pull/78522) Shortcut activator (a: tests, a: text input, team, framework, cla: yes)
[79581](https://github.com/flutter/flutter/pull/79581) [flutter_driver] Add waitForTappable to flutter_driver (a: tests, framework, cla: yes, waiting for tree to go green)
[79599](https://github.com/flutter/flutter/pull/79599) Adds text attributes support for semantics (a: tests, framework, a: accessibility, cla: yes)
[79959](https://github.com/flutter/flutter/pull/79959) Unblock roll by reverting #79061 (a: tests, team, framework, cla: yes)
[79975](https://github.com/flutter/flutter/pull/79975) Use testUsingContext in downgrade_upgrade_integration_test (a: tests, team, tool, cla: yes, waiting for tree to go green)
[80003](https://github.com/flutter/flutter/pull/80003) Refactor text editing test APIs (Mark III) (a: tests, team, framework, cla: yes, waiting for tree to go green)
[80161](https://github.com/flutter/flutter/pull/80161) Move gradle_non_android_plugin_test from its own test builders into tools integration.shard (a: tests, team, tool, cla: yes, waiting for tree to go green)
[80172](https://github.com/flutter/flutter/pull/80172) Cache location of Java binary in devicelab tests (a: tests, team, cla: yes, waiting for tree to go green, team: infra)
[80480](https://github.com/flutter/flutter/pull/80480) Adopt FakeProcessManager.empty (a: tests, tool, cla: yes, waiting for tree to go green)
[80756](https://github.com/flutter/flutter/pull/80756) Migrate LogicalKeySet to SingleActivator (a: tests, a: text input, team, framework, f: material design, severe: API break, cla: yes, f: cupertino)
[80817](https://github.com/flutter/flutter/pull/80817) fix sort_directives violations (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes, f: cupertino, waiting for tree to go green)
[80822](https://github.com/flutter/flutter/pull/80822) Migrate ios_add2app_life_cycle to earlgrey 2 and latest iOS SDK (a: tests, team, cla: yes)
[80901](https://github.com/flutter/flutter/pull/80901) fix unsorted directives (a: tests, tool, framework, f: material design, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[81009](https://github.com/flutter/flutter/pull/81009) Allow ios_add2app to be launched without tests (a: tests, team, cla: yes, a: existing-apps)
[81150](https://github.com/flutter/flutter/pull/81150) [flutter_driver] support log communication for WebFlutterDriver (a: tests, framework, cla: yes, waiting for tree to go green)
[81153](https://github.com/flutter/flutter/pull/81153) Enable avoid_escaping_inner_quotes lint (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[81226](https://github.com/flutter/flutter/pull/81226) Revert "Migrate to ChannelBuffers.push" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[81235](https://github.com/flutter/flutter/pull/81235) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[81240](https://github.com/flutter/flutter/pull/81240) Add benchmark for number of GCs in animated GIF (a: tests, team, framework, cla: yes, waiting for tree to go green)
[81316](https://github.com/flutter/flutter/pull/81316) Revert "Refactor text editing test APIs (Mark III)" (a: tests, team, framework, cla: yes, waiting for tree to go green)
[81497](https://github.com/flutter/flutter/pull/81497) Update documentation for scrollUntilVisible and friends. (a: tests, framework, cla: yes, waiting for tree to go green)
[81565](https://github.com/flutter/flutter/pull/81565) Link to correct extended integration test driver file in integration_test README (a: tests, framework, cla: yes, t: flutter driver, waiting for tree to go green)
[81569](https://github.com/flutter/flutter/pull/81569) [flutter] reject mouse drags by default in scrollables (a: tests, framework, cla: yes, waiting for tree to go green)
[81578](https://github.com/flutter/flutter/pull/81578) Enable library_private_types_in_public_api lint (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[81792](https://github.com/flutter/flutter/pull/81792) Reduce potential collisions from Gold RNG (a: tests, team, framework, cla: yes, team: flakes, waiting for tree to go green, team: infra, team: presubmit flakes)
[81794](https://github.com/flutter/flutter/pull/81794) Reland GC related bench update (a: tests, team, framework, cla: yes, waiting for tree to go green)
[81807](https://github.com/flutter/flutter/pull/81807) Character activator (a: tests, a: text input, framework, cla: yes, waiting for tree to go green)
[81829](https://github.com/flutter/flutter/pull/81829) Revert "Migrate to ChannelBuffers.push" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[81859](https://github.com/flutter/flutter/pull/81859) remove unnecessary String.toString() (a: tests, team, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[81961](https://github.com/flutter/flutter/pull/81961) Only skip license initialization on `flutter test` binding (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[82005](https://github.com/flutter/flutter/pull/82005) Revert "Reland GC related bench update" (a: tests, team, framework, cla: yes)
[82042](https://github.com/flutter/flutter/pull/82042) Reland GC benchmark changes again (a: tests, team, framework, cla: yes, waiting for tree to go green)
[82057](https://github.com/flutter/flutter/pull/82057) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82059](https://github.com/flutter/flutter/pull/82059) Revert "Reland GC benchmark changes again" (a: tests, team, framework, cla: yes)
[82069](https://github.com/flutter/flutter/pull/82069) Reland GC tracking benchmarks (a: tests, team, tool, framework, cla: yes)
[82084](https://github.com/flutter/flutter/pull/82084) Enable unnecessary_null_checks lint (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82238](https://github.com/flutter/flutter/pull/82238) use throwsA matcher instead of try-catch-fail (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[82290](https://github.com/flutter/flutter/pull/82290) use throwsA matcher instead of try-catch-fail (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[82297](https://github.com/flutter/flutter/pull/82297) remove noop primitive operations (a: tests, team, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[82308](https://github.com/flutter/flutter/pull/82308) Force LANG=en_US.UTF-8 in test runner (a: tests, team, cla: yes, waiting for tree to go green)
[82328](https://github.com/flutter/flutter/pull/82328) use throwsXxx instead of throwsA(isA<Xxx>()) (a: tests, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82337](https://github.com/flutter/flutter/pull/82337) Revert "Init licenses for test bindings (#81961)" (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[82348](https://github.com/flutter/flutter/pull/82348) Remove redundant MediaQueryDatas in tests (a: tests, team, framework, f: material design, cla: yes, waiting for tree to go green, tech-debt)
[82386](https://github.com/flutter/flutter/pull/82386) Turn on win_build_tests_2_3 shard, skip 'build windows' tests (a: tests, team, cla: yes)
[82457](https://github.com/flutter/flutter/pull/82457) end of sort_child_properties_last (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82499](https://github.com/flutter/flutter/pull/82499) Replace testUsingContext with testWithoutContext in protocol_discovery_test (a: tests, team, tool, cla: yes, waiting for tree to go green)
[82508](https://github.com/flutter/flutter/pull/82508) Remove "unnecessary" imports. (a: tests, team, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[82525](https://github.com/flutter/flutter/pull/82525) Revert "Migrate to ChannelBuffers.push" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82564](https://github.com/flutter/flutter/pull/82564) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82589](https://github.com/flutter/flutter/pull/82589) Fix typos (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82712](https://github.com/flutter/flutter/pull/82712) [flutter_test/integration_test] added setSurfaceSize test coverage (a: tests, framework, cla: yes, will affect goldens, integration_test)
[82926](https://github.com/flutter/flutter/pull/82926) [web] Make web integration tests shadow DOM aware. (a: tests, team, framework, cla: yes, d: examples, waiting for tree to go green)
[82939](https://github.com/flutter/flutter/pull/82939) FlutterDriver: deprecate enableAccessibility; redirect it to setSemantics; add setSemantics tests (a: tests, team, framework, cla: yes, d: examples)
[83337](https://github.com/flutter/flutter/pull/83337) Test WidgetTester handling test pointers (a: tests, framework, cla: yes)
[83361](https://github.com/flutter/flutter/pull/83361) Remove iOS version override in ios_add2appTests unit tests (a: tests, team, cla: yes, waiting for tree to go green)
[83407](https://github.com/flutter/flutter/pull/83407) enable lint prefer_interpolation_to_compose_strings (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83734](https://github.com/flutter/flutter/pull/83734) Fix typo in documentation (a: tests, framework, cla: yes, waiting for tree to go green)
[83744](https://github.com/flutter/flutter/pull/83744) Fixed large amount of spelling errors (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83752](https://github.com/flutter/flutter/pull/83752) Keyboard events (a: tests, a: text input, team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[83843](https://github.com/flutter/flutter/pull/83843) Clean up the bindings APIs (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83959](https://github.com/flutter/flutter/pull/83959) Remove "unnecessary" imports. (a: tests, team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[84256](https://github.com/flutter/flutter/pull/84256) alignment of doc comments and annotations (a: tests, team, tool, framework, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[84365](https://github.com/flutter/flutter/pull/84365) Fix wrong reference in deprecated (a: tests, framework, cla: yes, waiting for tree to go green, documentation)
[84472](https://github.com/flutter/flutter/pull/84472) Android e2e screenshot (a: tests, framework, cla: yes, waiting for tree to go green)
[84476](https://github.com/flutter/flutter/pull/84476) Turn on avoid_dynamic_calls lint, except packages/flutter tests, make appropriate changes. (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples)
[84478](https://github.com/flutter/flutter/pull/84478) Turn on avoid_dynamic_calls lint in packages/flutter tests, make appropriate changes. (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[84809](https://github.com/flutter/flutter/pull/84809) Make scrollbar assertions less aggressive (a: tests, team, framework, f: scrolling, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, a: error message, tech-debt)
[84812](https://github.com/flutter/flutter/pull/84812) Disable auto scrollbars on desktop for legacy flutter gallery (a: tests, team, framework, team: gallery, f: scrolling, cla: yes, waiting for tree to go green, integration_test, tech-debt)
[85094](https://github.com/flutter/flutter/pull/85094) Remove tests checking Xcode 11 naming conventions (a: tests, team, platform-ios, cla: yes, waiting for tree to go green)
[85151](https://github.com/flutter/flutter/pull/85151) Remove nameless todo (a: tests, team, tool, framework, f: material design, cla: yes)
[85306](https://github.com/flutter/flutter/pull/85306) Add space before curly parentheses. (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[85370](https://github.com/flutter/flutter/pull/85370) Audit hashCode overrides outside of packages/flutter (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes, waiting for tree to go green)
[85412](https://github.com/flutter/flutter/pull/85412) Update flutter doc references to conform to new lookup code restrictions (a: tests, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[85451](https://github.com/flutter/flutter/pull/85451) Revert "Audit hashCode overrides outside of packages/flutter" (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes)
[85484](https://github.com/flutter/flutter/pull/85484) Eliminate some regressions introduced by the new lookup code (a: tests, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: api docs, waiting for tree to go green, documentation)
[85497](https://github.com/flutter/flutter/pull/85497) Fix three additional cases where doc references are not conforming to new lookup code restrictions (a: tests, framework, f: material design, cla: yes, waiting for tree to go green)
[85567](https://github.com/flutter/flutter/pull/85567) Reland "Audit hashCode overrides outside of packages/flutter"" (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes)
[85672](https://github.com/flutter/flutter/pull/85672) Change devicelab test ownership (a: tests, team, cla: yes, waiting for tree to go green)
[85731](https://github.com/flutter/flutter/pull/85731) Specify rasterFinishWallTime (a: tests, framework, cla: yes)
[85783](https://github.com/flutter/flutter/pull/85783) code formatting (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[86386](https://github.com/flutter/flutter/pull/86386) Revert "Clean up the bindings APIs" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[86388](https://github.com/flutter/flutter/pull/86388) Clean up the bindings APIs (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[86397](https://github.com/flutter/flutter/pull/86397) Added 'exclude' parameter to 'testWidgets()'. (a: tests, team, framework, cla: yes)
[86404](https://github.com/flutter/flutter/pull/86404) Revert "Clean up the bindings APIs" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[86438](https://github.com/flutter/flutter/pull/86438) Clean up the bindings APIs (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[86449](https://github.com/flutter/flutter/pull/86449) Make LiveTestWidgetsFlutterBinding work with setSurfaceSize and live tests (a: tests, framework, cla: yes, will affect goldens)
[86484](https://github.com/flutter/flutter/pull/86484) Revert "Clean up the bindings APIs" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[86667](https://github.com/flutter/flutter/pull/86667) Add string attribute api to text span (a: tests, framework, cla: yes, waiting for tree to go green)
[86701](https://github.com/flutter/flutter/pull/86701) Add a "variant: " prefix to variant descriptions in test names (a: tests, framework, cla: yes, waiting for tree to go green)
[86730](https://github.com/flutter/flutter/pull/86730) Revert "Make LiveTestWidgetsFlutterBinding work with setSurfaceSize and live tests" (a: tests, framework, cla: yes)
[86739](https://github.com/flutter/flutter/pull/86739) Reland: Make LiveTestWidgetsFlutterBinding work with setSurfaceSize and live tests (a: tests, framework, cla: yes, will affect goldens)
[86744](https://github.com/flutter/flutter/pull/86744) Fixes for upcoming changes to avoid_classes_with_only_static_members (a: tests, team, framework, cla: yes, waiting for tree to go green)
[86793](https://github.com/flutter/flutter/pull/86793) Randomize tests, exclude tests that fail with randomization. (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino)
[86808](https://github.com/flutter/flutter/pull/86808) Remove unused build_mode_test (a: tests, team, cla: yes, waiting for tree to go green, tech-debt)
[86816](https://github.com/flutter/flutter/pull/86816) Fix driver test to run locally. (a: tests, framework, cla: yes, waiting for tree to go green)
[86822](https://github.com/flutter/flutter/pull/86822) Remove unused tiles_scroll_perf_iphonexs__timeline_summary (a: tests, team, cla: yes, waiting for tree to go green, tech-debt)
[86823](https://github.com/flutter/flutter/pull/86823) Revert "Reland: Make LiveTestWidgetsFlutterBinding work with setSurfaceSize and live tests" (a: tests, framework, cla: yes)
[86826](https://github.com/flutter/flutter/pull/86826) Remove obsolete plugin_test_win (a: tests, team, cla: yes, waiting for tree to go green, tech-debt)
[86827](https://github.com/flutter/flutter/pull/86827) Remove obsolete textfield_perf test (a: tests, team, cla: yes, waiting for tree to go green, tech-debt)
[86828](https://github.com/flutter/flutter/pull/86828) Remove unused flutter_run_test (a: tests, team, cla: yes, waiting for tree to go green, tech-debt)
[86829](https://github.com/flutter/flutter/pull/86829) Remove unused web_incremental_test (a: tests, team, cla: yes, waiting for tree to go green, tech-debt)
[86912](https://github.com/flutter/flutter/pull/86912) Reland 2: Make LiveTestWidgetsFlutterBinding work with setSurfaceSize and live tests (a: tests, framework, cla: yes, waiting for tree to go green, will affect goldens)
[86962](https://github.com/flutter/flutter/pull/86962) Remove obsolete codegen_integration tests (a: tests, team, cla: yes, waiting for tree to go green, tech-debt)
[87098](https://github.com/flutter/flutter/pull/87098) [gen_keycodes] Remove nonexistent Web keys and improve their emulation (a: tests, a: text input, team, framework, cla: yes, waiting for tree to go green)
[87171](https://github.com/flutter/flutter/pull/87171) Revert "Keyboard events (#83752)" (a: tests, a: text input, team, framework, f: material design, cla: yes, f: cupertino)
[87174](https://github.com/flutter/flutter/pull/87174) Reland: Keyboard events (a: tests, a: text input, team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[87202](https://github.com/flutter/flutter/pull/87202) Restore the WidgetTester's original surface size after testing setSurfaceSize (a: tests, framework, cla: yes)
[87233](https://github.com/flutter/flutter/pull/87233) Revert "Reland 2: Make LiveTestWidgetsFlutterBinding work with setSur… (a: tests, framework, cla: yes)
[87239](https://github.com/flutter/flutter/pull/87239) Reland 3: Make LiveTestWidgetsFlutterBinding work with setSurfaceSize and live tests (a: tests, framework, cla: yes)
[87240](https://github.com/flutter/flutter/pull/87240) Restores surface size in the postTest of test binding (a: tests, framework, cla: yes)
[87258](https://github.com/flutter/flutter/pull/87258) Revert "Restores surface size in the postTest of test binding" (a: tests, framework, cla: yes)
[87408](https://github.com/flutter/flutter/pull/87408) [flutter] replace 'checked mode' with 'debug mode' (a: tests, framework, f: material design, cla: yes, waiting for tree to go green)
[87467](https://github.com/flutter/flutter/pull/87467) [flutter_driver] Remove `runUnsynchronized` in `VMServiceFlutterDriver` (a: tests, framework, cla: yes, waiting for tree to go green)
[87515](https://github.com/flutter/flutter/pull/87515) Revert "Added 'exclude' parameter to 'testWidgets()'." (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt, skip-test)
[87533](https://github.com/flutter/flutter/pull/87533) Fix Cuptertino dialog test to check correct fade transition (a: tests, team, framework, a: animation, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[87535](https://github.com/flutter/flutter/pull/87535) Add Cupterino button animation test (a: tests, framework, cla: yes, f: cupertino, waiting for tree to go green)
[87589](https://github.com/flutter/flutter/pull/87589) Skip flaky golden file test (a: tests, team, framework, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
### f: cupertino - 89 pull request(s)
[75497](https://github.com/flutter/flutter/pull/75497) Added axisOrientation property to Scrollbar (framework, f: material design, f: scrolling, cla: yes, f: cupertino, waiting for tree to go green)
[76288](https://github.com/flutter/flutter/pull/76288) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[78202](https://github.com/flutter/flutter/pull/78202) Dedup CupertinoAlertDialog and CupertinoActionSheet source code (framework, cla: yes, f: cupertino, waiting for tree to go green)
[78284](https://github.com/flutter/flutter/pull/78284) Add CupertinoScrollbar api docs (framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[79966](https://github.com/flutter/flutter/pull/79966) Add onTap and autocorrect into CupertinoSearchTextField (framework, cla: yes, f: cupertino, waiting for tree to go green)
[80541](https://github.com/flutter/flutter/pull/80541) l10n updates (f: material design, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[80587](https://github.com/flutter/flutter/pull/80587) Add dart fix for DragAnchor deprecation (team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[80756](https://github.com/flutter/flutter/pull/80756) Migrate LogicalKeySet to SingleActivator (a: tests, a: text input, team, framework, f: material design, severe: API break, cla: yes, f: cupertino)
[80805](https://github.com/flutter/flutter/pull/80805) Update bottom_tab_bar_test.dart (framework, cla: yes, f: cupertino, waiting for tree to go green)
[80817](https://github.com/flutter/flutter/pull/80817) fix sort_directives violations (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes, f: cupertino, waiting for tree to go green)
[80834](https://github.com/flutter/flutter/pull/80834) [flutter_conductor] begin migrating //flutter/dev/tools to null-safety (team, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[80901](https://github.com/flutter/flutter/pull/80901) fix unsorted directives (a: tests, tool, framework, f: material design, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[81000](https://github.com/flutter/flutter/pull/81000) Remove "unnecessary" imports in packages/flutter (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[81080](https://github.com/flutter/flutter/pull/81080) Add trailing commas in packages/flutter/test/cupertino (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[81100](https://github.com/flutter/flutter/pull/81100) Modify CupertinoSearchTextField's prefix icon. (framework, cla: yes, f: cupertino, waiting for tree to go green)
[81153](https://github.com/flutter/flutter/pull/81153) Enable avoid_escaping_inner_quotes lint (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[81226](https://github.com/flutter/flutter/pull/81226) Revert "Migrate to ChannelBuffers.push" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[81235](https://github.com/flutter/flutter/pull/81235) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[81278](https://github.com/flutter/flutter/pull/81278) Assert for valid ScrollController in Scrollbar gestures (framework, f: scrolling, cla: yes, f: cupertino, a: quality, waiting for tree to go green, a: error message)
[81406](https://github.com/flutter/flutter/pull/81406) Add trailing commas in examples and packages/flutter/ (team, framework, f: material design, cla: yes, f: cupertino, d: examples)
[81578](https://github.com/flutter/flutter/pull/81578) Enable library_private_types_in_public_api lint (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[81647](https://github.com/flutter/flutter/pull/81647) Add slider adaptive cupertino thumb color (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[81829](https://github.com/flutter/flutter/pull/81829) Revert "Migrate to ChannelBuffers.push" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[82057](https://github.com/flutter/flutter/pull/82057) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82084](https://github.com/flutter/flutter/pull/82084) Enable unnecessary_null_checks lint (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82327](https://github.com/flutter/flutter/pull/82327) update the DragStartBehavior documetations (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82328](https://github.com/flutter/flutter/pull/82328) use throwsXxx instead of throwsA(isA<Xxx>()) (a: tests, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82387](https://github.com/flutter/flutter/pull/82387) first part of applying sort_child_properties_last (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82441](https://github.com/flutter/flutter/pull/82441) Sets textInputAction property of CupertinoSearchTextField to TextInputAction.search by default (framework, cla: yes, f: cupertino, waiting for tree to go green)
[82457](https://github.com/flutter/flutter/pull/82457) end of sort_child_properties_last (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82525](https://github.com/flutter/flutter/pull/82525) Revert "Migrate to ChannelBuffers.push" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82564](https://github.com/flutter/flutter/pull/82564) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82589](https://github.com/flutter/flutter/pull/82589) Fix typos (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82671](https://github.com/flutter/flutter/pull/82671) TextField terminal the enter and space raw key events by default (a: text input, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, a: desktop)
[82675](https://github.com/flutter/flutter/pull/82675) fix a ListWheelScrollView childDelegate update bug (framework, cla: yes, f: cupertino, waiting for tree to go green)
[82753](https://github.com/flutter/flutter/pull/82753) Revert "Added axisOrientation property to Scrollbar" (framework, f: material design, cla: yes, f: cupertino)
[82764](https://github.com/flutter/flutter/pull/82764) Fix scrollbar drag gestures for reversed scrollables (framework, f: scrolling, cla: yes, f: cupertino, a: quality, waiting for tree to go green)
[82818](https://github.com/flutter/flutter/pull/82818) Fix "Added AxisOrientation property to Scrollbar (#75497)" analysis failures (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[83020](https://github.com/flutter/flutter/pull/83020) Assign late variable without initstate in flutter_gallery (team, cla: yes, f: cupertino, waiting for tree to go green)
[83407](https://github.com/flutter/flutter/pull/83407) enable lint prefer_interpolation_to_compose_strings (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83639](https://github.com/flutter/flutter/pull/83639) [TextSelectionControls] move the tap gesture callback into _TextSelectionHandlePainter, remove `_TransparentTapGestureRecognizer`. (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[83744](https://github.com/flutter/flutter/pull/83744) Fixed large amount of spelling errors (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83752](https://github.com/flutter/flutter/pull/83752) Keyboard events (a: tests, a: text input, team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[83826](https://github.com/flutter/flutter/pull/83826) l10n updates for June beta (framework, f: material design, a: internationalization, cla: yes, f: cupertino)
[83843](https://github.com/flutter/flutter/pull/83843) Clean up the bindings APIs (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83959](https://github.com/flutter/flutter/pull/83959) Remove "unnecessary" imports. (a: tests, team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[84064](https://github.com/flutter/flutter/pull/84064) migrate localization to null safety (team, f: material design, cla: yes, f: cupertino, a: null-safety, tech-debt)
[84256](https://github.com/flutter/flutter/pull/84256) alignment of doc comments and annotations (a: tests, team, tool, framework, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[84374](https://github.com/flutter/flutter/pull/84374) fix indentation issues (team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[84476](https://github.com/flutter/flutter/pull/84476) Turn on avoid_dynamic_calls lint, except packages/flutter tests, make appropriate changes. (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples)
[84478](https://github.com/flutter/flutter/pull/84478) Turn on avoid_dynamic_calls lint in packages/flutter tests, make appropriate changes. (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[84599](https://github.com/flutter/flutter/pull/84599) Feat(cupertino): [date_picker] Date order parameter (framework, cla: yes, f: cupertino, waiting for tree to go green)
[84739](https://github.com/flutter/flutter/pull/84739) Revert "TextField terminal the enter and space raw key events by default" (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[84740](https://github.com/flutter/flutter/pull/84740) Release retained resources from layers/dispose pictures (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[84746](https://github.com/flutter/flutter/pull/84746) Revert "TextField terminal the enter and space raw key events by defa… (framework, f: material design, cla: yes, f: cupertino)
[84806](https://github.com/flutter/flutter/pull/84806) Make buildHandle onTap optional (a: text input, framework, f: material design, cla: yes, f: cupertino, a: quality, waiting for tree to go green)
[84809](https://github.com/flutter/flutter/pull/84809) Make scrollbar assertions less aggressive (a: tests, team, framework, f: scrolling, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, a: error message, tech-debt)
[85159](https://github.com/flutter/flutter/pull/85159) Randomize Framework tests, opt out some tests that currently fail. (team, framework, f: material design, cla: yes, f: cupertino)
[85254](https://github.com/flutter/flutter/pull/85254) Add dart fix for RenderObjectElement deprecations (team, framework, f: material design, cla: yes, f: cupertino, a: quality, waiting for tree to go green, tech-debt)
[85306](https://github.com/flutter/flutter/pull/85306) Add space before curly parentheses. (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[85412](https://github.com/flutter/flutter/pull/85412) Update flutter doc references to conform to new lookup code restrictions (a: tests, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[85484](https://github.com/flutter/flutter/pull/85484) Eliminate some regressions introduced by the new lookup code (a: tests, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: api docs, waiting for tree to go green, documentation)
[85673](https://github.com/flutter/flutter/pull/85673) Revert "Randomize Framework tests, opt out some tests that currently fail. (#85159)" (team, framework, f: material design, cla: yes, f: cupertino)
[85783](https://github.com/flutter/flutter/pull/85783) code formatting (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[85789](https://github.com/flutter/flutter/pull/85789) Scale selection handles for rich text on iOS (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[86008](https://github.com/flutter/flutter/pull/86008) Add newline at end of file (team, tool, framework, cla: yes, f: cupertino, waiting for tree to go green)
[86323](https://github.com/flutter/flutter/pull/86323) Dart Fixes for clipBehavior breaks (team, framework, f: material design, cla: yes, f: cupertino, a: quality, waiting for tree to go green, tech-debt)
[86386](https://github.com/flutter/flutter/pull/86386) Revert "Clean up the bindings APIs" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[86388](https://github.com/flutter/flutter/pull/86388) Clean up the bindings APIs (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[86404](https://github.com/flutter/flutter/pull/86404) Revert "Clean up the bindings APIs" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[86438](https://github.com/flutter/flutter/pull/86438) Clean up the bindings APIs (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[86482](https://github.com/flutter/flutter/pull/86482) Add textDirection property to CupertinoTextField and CupertinoTextFormFieldRow (framework, cla: yes, f: cupertino, waiting for tree to go green)
[86484](https://github.com/flutter/flutter/pull/86484) Revert "Clean up the bindings APIs" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[86683](https://github.com/flutter/flutter/pull/86683) Fix analysis script to run from anywhere (team, f: material design, cla: yes, f: cupertino)
[86775](https://github.com/flutter/flutter/pull/86775) Add thumb color customization to CupertinoSwitch (framework, cla: yes, f: cupertino, waiting for tree to go green)
[86793](https://github.com/flutter/flutter/pull/86793) Randomize tests, exclude tests that fail with randomization. (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino)
[87002](https://github.com/flutter/flutter/pull/87002) Add enableIMEPersonalizedLearning flag to TextField and TextFormField (platform-android, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[87139](https://github.com/flutter/flutter/pull/87139) 🔋 Enhance cupertino button fade in and fade out (framework, cla: yes, f: cupertino, waiting for tree to go green)
[87171](https://github.com/flutter/flutter/pull/87171) Revert "Keyboard events (#83752)" (a: tests, a: text input, team, framework, f: material design, cla: yes, f: cupertino)
[87174](https://github.com/flutter/flutter/pull/87174) Reland: Keyboard events (a: tests, a: text input, team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[87236](https://github.com/flutter/flutter/pull/87236) Fix inconsistencies when calculating start/end handle rects for selection handles (framework, cla: yes, f: cupertino, waiting for tree to go green)
[87289](https://github.com/flutter/flutter/pull/87289) Updated the skipped tests for cupertino package. (team, framework, cla: yes, f: cupertino, tech-debt, skip-test)
[87421](https://github.com/flutter/flutter/pull/87421) update ScrollMetricsNotification (framework, f: scrolling, cla: yes, f: cupertino, waiting for tree to go green)
[87528](https://github.com/flutter/flutter/pull/87528) Fix some errors in snippets (team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[87533](https://github.com/flutter/flutter/pull/87533) Fix Cuptertino dialog test to check correct fade transition (a: tests, team, framework, a: animation, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[87535](https://github.com/flutter/flutter/pull/87535) Add Cupterino button animation test (a: tests, framework, cla: yes, f: cupertino, waiting for tree to go green)
[87537](https://github.com/flutter/flutter/pull/87537) Revert "Updated the skipped tests for cupertino package." (framework, cla: yes, f: cupertino)
[87538](https://github.com/flutter/flutter/pull/87538) Updated the skipped tests for cupertino package. (reland) (team, framework, cla: yes, f: cupertino, waiting for tree to go green, tech-debt, skip-test)
[87591](https://github.com/flutter/flutter/pull/87591) Added autofocus property to CupertinoSearchTextField (framework, cla: yes, f: cupertino, waiting for tree to go green)
### a: null-safety - 75 pull request(s)
[78032](https://github.com/flutter/flutter/pull/78032) Added null check before NavigationRail.onDestinationSelected is called (severe: crash, framework, f: material design, cla: yes, a: quality, waiting for tree to go green, a: null-safety)
[79860](https://github.com/flutter/flutter/pull/79860) BorderRadiusTween.lerp supports null begin/end values (framework, cla: yes, a: quality, waiting for tree to go green, a: null-safety)
[79908](https://github.com/flutter/flutter/pull/79908) Start migrating flutter_tools test src to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[79911](https://github.com/flutter/flutter/pull/79911) Migrate tool version to null safety (team, tool, cla: yes, a: null-safety)
[79985](https://github.com/flutter/flutter/pull/79985) Convert some general.shard base tests to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80002](https://github.com/flutter/flutter/pull/80002) Migrate more tool unit tests to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80008](https://github.com/flutter/flutter/pull/80008) Migrate intellij tests and context_test to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80011](https://github.com/flutter/flutter/pull/80011) Cast Config values map values to dynamic instead of Object (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80016](https://github.com/flutter/flutter/pull/80016) Migrate template to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80018](https://github.com/flutter/flutter/pull/80018) Migrate fake_process_manager to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80085](https://github.com/flutter/flutter/pull/80085) Migrate persistent_tool_state to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80088](https://github.com/flutter/flutter/pull/80088) Migrate visual_studio_test to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80095](https://github.com/flutter/flutter/pull/80095) Migrate web_validator to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80096](https://github.com/flutter/flutter/pull/80096) Migrate first_run and bot_detector to null safety (team, tool, cla: yes, a: null-safety)
[80139](https://github.com/flutter/flutter/pull/80139) Remove crash_reporting and github_template from reporting library (team, tool, cla: yes, a: null-safety)
[80154](https://github.com/flutter/flutter/pull/80154) Migrate tools test fakes to null safety (team, tool, cla: yes, a: null-safety)
[80159](https://github.com/flutter/flutter/pull/80159) Remove flutter_command dependency from reporting library (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80168](https://github.com/flutter/flutter/pull/80168) Migrate features_tests and other tool tests to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80304](https://github.com/flutter/flutter/pull/80304) Migrate flutter_tool plugins.dart to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80320](https://github.com/flutter/flutter/pull/80320) Migrate reporting library to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80324](https://github.com/flutter/flutter/pull/80324) Pull XCDevice out of xcode.dart (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80392](https://github.com/flutter/flutter/pull/80392) Migrate flutter_manifest to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80399](https://github.com/flutter/flutter/pull/80399) Split out XcodeProjectInterpreter from xcode_build_settings (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80548](https://github.com/flutter/flutter/pull/80548) Migrate pub in flutter_tools to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80549](https://github.com/flutter/flutter/pull/80549) Migrate xcodeproj to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80605](https://github.com/flutter/flutter/pull/80605) Refactor LocalizationsGenerator initialize instance method into factory (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80614](https://github.com/flutter/flutter/pull/80614) Migrate xcode.dart and xcode_validator.dart to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80763](https://github.com/flutter/flutter/pull/80763) Migrate gen_l10n to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[80916](https://github.com/flutter/flutter/pull/80916) Move FakeOperatingSystemUtils from context.dart to fakes.dart (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[81002](https://github.com/flutter/flutter/pull/81002) Migrate analyze_size to null safety (team, tool, cla: yes, a: null-safety)
[81006](https://github.com/flutter/flutter/pull/81006) Migrate forbidden_from_release_tests to null safety (team, cla: yes, waiting for tree to go green, a: null-safety)
[81352](https://github.com/flutter/flutter/pull/81352) Replace MockAndroidDevice and MockIOSDevice with fakes (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[82498](https://github.com/flutter/flutter/pull/82498) Replace testUsingContext with testWithoutContext in a few places (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[82882](https://github.com/flutter/flutter/pull/82882) Remove more mocks from error_handling_io_test (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83137](https://github.com/flutter/flutter/pull/83137) Move globals.artifacts to globals_null_migrated, update imports (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83147](https://github.com/flutter/flutter/pull/83147) Migrate build_system, exceptions, and source to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83153](https://github.com/flutter/flutter/pull/83153) Migrate compile to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83310](https://github.com/flutter/flutter/pull/83310) Migrate localizations and generate_synthetic_packages to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83311](https://github.com/flutter/flutter/pull/83311) Migrate deferred_components_gen_snapshot_validator to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83381](https://github.com/flutter/flutter/pull/83381) Migrate build system build.dart to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83441](https://github.com/flutter/flutter/pull/83441) Migrate pubspec_schema to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[83442](https://github.com/flutter/flutter/pull/83442) Clean up null assumptions for Xcode and CocoaPods classes (tool, cla: yes, waiting for tree to go green, a: null-safety)
[83443](https://github.com/flutter/flutter/pull/83443) Clean up null assumptions for Gradle classes (tool, cla: yes, waiting for tree to go green, a: null-safety)
[83445](https://github.com/flutter/flutter/pull/83445) Clean up null assumptions for project.dart dependencies (tool, cla: yes, waiting for tree to go green, a: null-safety)
[83504](https://github.com/flutter/flutter/pull/83504) Remove more mocks from error_handling_io and attach_test (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83817](https://github.com/flutter/flutter/pull/83817) Migrate project.dart and all dependencies to null safety (team, tool, cla: yes, a: null-safety)
[83854](https://github.com/flutter/flutter/pull/83854) Migrate deferred_components_prebuild_validator to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[83855](https://github.com/flutter/flutter/pull/83855) Migrate iOS project migrations to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83862](https://github.com/flutter/flutter/pull/83862) Migrate a few tool libraries to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[83894](https://github.com/flutter/flutter/pull/83894) migrate complex layout to null safety (team, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[83956](https://github.com/flutter/flutter/pull/83956) Migrate application_package to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[84011](https://github.com/flutter/flutter/pull/84011) Migrate vitool to null safety (team, cla: yes, a: null-safety, tech-debt)
[84013](https://github.com/flutter/flutter/pull/84013) "Migrate" dummy packages to null safety (team, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84017](https://github.com/flutter/flutter/pull/84017) Mixed null safety in dev/devicelab (team, f: material design, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety)
[84061](https://github.com/flutter/flutter/pull/84061) migrate mega_gallery to null safety (team, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84063](https://github.com/flutter/flutter/pull/84063) migrate update_icons to null safety (team, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84064](https://github.com/flutter/flutter/pull/84064) migrate localization to null safety (team, f: material design, cla: yes, f: cupertino, a: null-safety, tech-debt)
[84065](https://github.com/flutter/flutter/pull/84065) Migrate gallery test to null safety (team, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84066](https://github.com/flutter/flutter/pull/84066) migrate platform channels benchmarks (team, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84136](https://github.com/flutter/flutter/pull/84136) Migrate android_semantics_testing to null safety (team, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84140](https://github.com/flutter/flutter/pull/84140) Migrate hybrid_android_views to null safety (team, cla: yes, a: null-safety, tech-debt)
[84145](https://github.com/flutter/flutter/pull/84145) Migrate integration_tests/channels to null safety (team, framework, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84153](https://github.com/flutter/flutter/pull/84153) Migrate dartdoc to null safety (team, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84156](https://github.com/flutter/flutter/pull/84156) Re-land "Migrate android_semantics_testing to null safety (#84136)" (team, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84227](https://github.com/flutter/flutter/pull/84227) Migrate android application_package to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[84372](https://github.com/flutter/flutter/pull/84372) Fix assemble iOS codesign flag to support --no-sound-null-safety (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode, a: null-safety)
[84469](https://github.com/flutter/flutter/pull/84469) Migrate build_macos and web_test_compiler to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[84820](https://github.com/flutter/flutter/pull/84820) Audit devicelab log streaming for nullability (team, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety)
[84840](https://github.com/flutter/flutter/pull/84840) fix `_owner` nullability in `routers.dart` (framework, cla: yes, f: routes, will affect goldens, a: null-safety)
[85242](https://github.com/flutter/flutter/pull/85242) Migrate flutter_cache to null safety (team, tool, cla: yes, waiting for tree to go green, a: null-safety)
[85501](https://github.com/flutter/flutter/pull/85501) Migrate dev/benchmarks/macrobenchmarks to null safety. (team, f: material design, cla: yes, a: null-safety)
[85998](https://github.com/flutter/flutter/pull/85998) Migrate devicelab tasks i-z to null safety. (team, cla: yes, waiting for tree to go green, a: null-safety)
[86325](https://github.com/flutter/flutter/pull/86325) Migrate devicelab framework code to null safety. (team, cla: yes, waiting for tree to go green, a: null-safety)
[86374](https://github.com/flutter/flutter/pull/86374) Migrate devicelab tasks a-f to null safety. (team, f: material design, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety)
[86378](https://github.com/flutter/flutter/pull/86378) Migrate devicelab tasks f-i to null safety. (team, a: accessibility, cla: yes, a: null-safety)
### a: accessibility - 51 pull request(s)
[76288](https://github.com/flutter/flutter/pull/76288) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[79599](https://github.com/flutter/flutter/pull/79599) Adds text attributes support for semantics (a: tests, framework, a: accessibility, cla: yes)
[80600](https://github.com/flutter/flutter/pull/80600) Standardize how Java8 is set in gradle files (team, tool, a: accessibility, cla: yes, d: examples, waiting for tree to go green)
[80817](https://github.com/flutter/flutter/pull/80817) fix sort_directives violations (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes, f: cupertino, waiting for tree to go green)
[80995](https://github.com/flutter/flutter/pull/80995) Add trailing commas in `packages/flutter/test/{painting,physics,semantics,schedule}` (framework, a: accessibility, cla: yes, waiting for tree to go green)
[81065](https://github.com/flutter/flutter/pull/81065) Add trailing commas in packages/flutter/test/rendering (framework, a: accessibility, cla: yes)
[81083](https://github.com/flutter/flutter/pull/81083) Make compareTo more robust in semantics.dart (framework, a: accessibility, cla: yes, waiting for tree to go green)
[81226](https://github.com/flutter/flutter/pull/81226) Revert "Migrate to ChannelBuffers.push" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[81235](https://github.com/flutter/flutter/pull/81235) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[81362](https://github.com/flutter/flutter/pull/81362) Add trailing commas in packages/flutter/test/widgets (framework, a: accessibility, cla: yes, waiting for tree to go green)
[81578](https://github.com/flutter/flutter/pull/81578) Enable library_private_types_in_public_api lint (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[81829](https://github.com/flutter/flutter/pull/81829) Revert "Migrate to ChannelBuffers.push" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[82057](https://github.com/flutter/flutter/pull/82057) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82457](https://github.com/flutter/flutter/pull/82457) end of sort_child_properties_last (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82525](https://github.com/flutter/flutter/pull/82525) Revert "Migrate to ChannelBuffers.push" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82564](https://github.com/flutter/flutter/pull/82564) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83067](https://github.com/flutter/flutter/pull/83067) Add Gradle lockfiles and tool to generate them (team, tool, a: accessibility, cla: yes, d: examples, waiting for tree to go green)
[83407](https://github.com/flutter/flutter/pull/83407) enable lint prefer_interpolation_to_compose_strings (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83434](https://github.com/flutter/flutter/pull/83434) Updates override of SemanticsUpdateBuilderSpy to enable soft transition (framework, a: accessibility, cla: yes, waiting for tree to go green)
[83619](https://github.com/flutter/flutter/pull/83619) Migrate microbrenchmarks to null safety (team, a: accessibility, cla: yes, waiting for tree to go green)
[83635](https://github.com/flutter/flutter/pull/83635) [gradle] Unlock all configurations if a local engine is used (team, a: accessibility, cla: yes, d: examples, waiting for tree to go green)
[83744](https://github.com/flutter/flutter/pull/83744) Fixed large amount of spelling errors (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83843](https://github.com/flutter/flutter/pull/83843) Clean up the bindings APIs (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83894](https://github.com/flutter/flutter/pull/83894) migrate complex layout to null safety (team, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84017](https://github.com/flutter/flutter/pull/84017) Mixed null safety in dev/devicelab (team, f: material design, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety)
[84065](https://github.com/flutter/flutter/pull/84065) Migrate gallery test to null safety (team, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84136](https://github.com/flutter/flutter/pull/84136) Migrate android_semantics_testing to null safety (team, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84154](https://github.com/flutter/flutter/pull/84154) Revert "Migrate android_semantics_testing to null safety (#84136)" (team, a: accessibility, cla: yes)
[84156](https://github.com/flutter/flutter/pull/84156) Re-land "Migrate android_semantics_testing to null safety (#84136)" (team, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84166](https://github.com/flutter/flutter/pull/84166) Revert "Re-land "Migrate android_semantics_testing to null safety (#84136)"" (team, a: accessibility, cla: yes)
[84476](https://github.com/flutter/flutter/pull/84476) Turn on avoid_dynamic_calls lint, except packages/flutter tests, make appropriate changes. (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples)
[84478](https://github.com/flutter/flutter/pull/84478) Turn on avoid_dynamic_calls lint in packages/flutter tests, make appropriate changes. (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[84820](https://github.com/flutter/flutter/pull/84820) Audit devicelab log streaming for nullability (team, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety)
[85370](https://github.com/flutter/flutter/pull/85370) Audit hashCode overrides outside of packages/flutter (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes, waiting for tree to go green)
[85451](https://github.com/flutter/flutter/pull/85451) Revert "Audit hashCode overrides outside of packages/flutter" (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes)
[85484](https://github.com/flutter/flutter/pull/85484) Eliminate some regressions introduced by the new lookup code (a: tests, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: api docs, waiting for tree to go green, documentation)
[85567](https://github.com/flutter/flutter/pull/85567) Reland "Audit hashCode overrides outside of packages/flutter"" (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes)
[85736](https://github.com/flutter/flutter/pull/85736) Remove "unnecessary" imports. (waiting for customer response, tool, framework, f: material design, a: accessibility, cla: yes, waiting for tree to go green, will affect goldens)
[85783](https://github.com/flutter/flutter/pull/85783) code formatting (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[85996](https://github.com/flutter/flutter/pull/85996) Migrate devicelab tasks a-f to null safety. (team, f: material design, a: accessibility, cla: yes)
[85997](https://github.com/flutter/flutter/pull/85997) Migrate devicelab tasks f-i to null safety. (team, a: accessibility, cla: yes)
[86267](https://github.com/flutter/flutter/pull/86267) Revert "Migrate devicelab tasks f-i to null safety." (team, a: accessibility, cla: yes)
[86268](https://github.com/flutter/flutter/pull/86268) Revert "Migrate devicelab tasks a-f to null safety." (team, f: material design, a: accessibility, cla: yes)
[86374](https://github.com/flutter/flutter/pull/86374) Migrate devicelab tasks a-f to null safety. (team, f: material design, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety)
[86378](https://github.com/flutter/flutter/pull/86378) Migrate devicelab tasks f-i to null safety. (team, a: accessibility, cla: yes, a: null-safety)
[86386](https://github.com/flutter/flutter/pull/86386) Revert "Clean up the bindings APIs" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[86388](https://github.com/flutter/flutter/pull/86388) Clean up the bindings APIs (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[86404](https://github.com/flutter/flutter/pull/86404) Revert "Clean up the bindings APIs" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[86438](https://github.com/flutter/flutter/pull/86438) Clean up the bindings APIs (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[86484](https://github.com/flutter/flutter/pull/86484) Revert "Clean up the bindings APIs" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[87147](https://github.com/flutter/flutter/pull/87147) Update the skipped test for dev. (team, a: accessibility, cla: yes, tech-debt, skip-test)
### tech-debt - 48 pull request(s)
[78276](https://github.com/flutter/flutter/pull/78276) Remove MockStdIn and MockStream (team, tool, cla: yes, waiting for tree to go green, tech-debt)
[80321](https://github.com/flutter/flutter/pull/80321) Remove mocks from fucshia_pm_test, reduce createMockProcess usage (team, tool, cla: yes, waiting for tree to go green, tech-debt)
[80792](https://github.com/flutter/flutter/pull/80792) Modified TabBar.preferredSize to remove hardcoded knowledge about child Tab. (team, framework, f: material design, cla: yes, a: quality, waiting for tree to go green, tech-debt)
[82348](https://github.com/flutter/flutter/pull/82348) Remove redundant MediaQueryDatas in tests (a: tests, team, framework, f: material design, cla: yes, waiting for tree to go green, tech-debt)
[83852](https://github.com/flutter/flutter/pull/83852) Remove globals from android application_package (team, tool, cla: yes, waiting for tree to go green, tech-debt)
[83894](https://github.com/flutter/flutter/pull/83894) migrate complex layout to null safety (team, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[83923](https://github.com/flutter/flutter/pull/83923) Remove deprecated hasFloatingPlaceholder (team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[83924](https://github.com/flutter/flutter/pull/83924) Remove TextTheme deprecations (team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[83926](https://github.com/flutter/flutter/pull/83926) Remove deprecated typography constructor (team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[84011](https://github.com/flutter/flutter/pull/84011) Migrate vitool to null safety (team, cla: yes, a: null-safety, tech-debt)
[84013](https://github.com/flutter/flutter/pull/84013) "Migrate" dummy packages to null safety (team, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84061](https://github.com/flutter/flutter/pull/84061) migrate mega_gallery to null safety (team, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84063](https://github.com/flutter/flutter/pull/84063) migrate update_icons to null safety (team, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84064](https://github.com/flutter/flutter/pull/84064) migrate localization to null safety (team, f: material design, cla: yes, f: cupertino, a: null-safety, tech-debt)
[84065](https://github.com/flutter/flutter/pull/84065) Migrate gallery test to null safety (team, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84066](https://github.com/flutter/flutter/pull/84066) migrate platform channels benchmarks (team, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84136](https://github.com/flutter/flutter/pull/84136) Migrate android_semantics_testing to null safety (team, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84140](https://github.com/flutter/flutter/pull/84140) Migrate hybrid_android_views to null safety (team, cla: yes, a: null-safety, tech-debt)
[84145](https://github.com/flutter/flutter/pull/84145) Migrate integration_tests/channels to null safety (team, framework, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84153](https://github.com/flutter/flutter/pull/84153) Migrate dartdoc to null safety (team, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84156](https://github.com/flutter/flutter/pull/84156) Re-land "Migrate android_semantics_testing to null safety (#84136)" (team, a: accessibility, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[84594](https://github.com/flutter/flutter/pull/84594) Clean up NestedScrollView TODOs (team, framework, cla: yes, waiting for tree to go green, tech-debt)
[84809](https://github.com/flutter/flutter/pull/84809) Make scrollbar assertions less aggressive (a: tests, team, framework, f: scrolling, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, a: error message, tech-debt)
[84812](https://github.com/flutter/flutter/pull/84812) Disable auto scrollbars on desktop for legacy flutter gallery (a: tests, team, framework, team: gallery, f: scrolling, cla: yes, waiting for tree to go green, integration_test, tech-debt)
[85246](https://github.com/flutter/flutter/pull/85246) Add dart fix for AndroidViewController.id (team, framework, cla: yes, a: quality, waiting for tree to go green, tech-debt)
[85254](https://github.com/flutter/flutter/pull/85254) Add dart fix for RenderObjectElement deprecations (team, framework, f: material design, cla: yes, f: cupertino, a: quality, waiting for tree to go green, tech-debt)
[85359](https://github.com/flutter/flutter/pull/85359) Split project.dart into CMake and Xcode projects (tool, cla: yes, waiting for tree to go green, tech-debt)
[86323](https://github.com/flutter/flutter/pull/86323) Dart Fixes for clipBehavior breaks (team, framework, f: material design, cla: yes, f: cupertino, a: quality, waiting for tree to go green, tech-debt)
[86369](https://github.com/flutter/flutter/pull/86369) Add fixes for ThemeData (team, framework, f: material design, cla: yes, waiting for tree to go green, tech-debt)
[86808](https://github.com/flutter/flutter/pull/86808) Remove unused build_mode_test (a: tests, team, cla: yes, waiting for tree to go green, tech-debt)
[86812](https://github.com/flutter/flutter/pull/86812) Remove unused flutter_gallery_instrumentation_test (team, cla: yes, waiting for tree to go green, tech-debt)
[86822](https://github.com/flutter/flutter/pull/86822) Remove unused tiles_scroll_perf_iphonexs__timeline_summary (a: tests, team, cla: yes, waiting for tree to go green, tech-debt)
[86826](https://github.com/flutter/flutter/pull/86826) Remove obsolete plugin_test_win (a: tests, team, cla: yes, waiting for tree to go green, tech-debt)
[86827](https://github.com/flutter/flutter/pull/86827) Remove obsolete textfield_perf test (a: tests, team, cla: yes, waiting for tree to go green, tech-debt)
[86828](https://github.com/flutter/flutter/pull/86828) Remove unused flutter_run_test (a: tests, team, cla: yes, waiting for tree to go green, tech-debt)
[86829](https://github.com/flutter/flutter/pull/86829) Remove unused web_incremental_test (a: tests, team, cla: yes, waiting for tree to go green, tech-debt)
[86962](https://github.com/flutter/flutter/pull/86962) Remove obsolete codegen_integration tests (a: tests, team, cla: yes, waiting for tree to go green, tech-debt)
[87063](https://github.com/flutter/flutter/pull/87063) Updated the skipped tests for animation (framework, cla: yes, tech-debt, skip-test)
[87138](https://github.com/flutter/flutter/pull/87138) Replace iOS physical/simulator bools with enum (platform-ios, tool, cla: yes, waiting for tree to go green, tech-debt)
[87147](https://github.com/flutter/flutter/pull/87147) Update the skipped test for dev. (team, a: accessibility, cla: yes, tech-debt, skip-test)
[87289](https://github.com/flutter/flutter/pull/87289) Updated the skipped tests for cupertino package. (team, framework, cla: yes, f: cupertino, tech-debt, skip-test)
[87293](https://github.com/flutter/flutter/pull/87293) Updated skipped tests for foundation directory. (team, framework, cla: yes, waiting for tree to go green, tech-debt, skip-test)
[87328](https://github.com/flutter/flutter/pull/87328) Updated skipped tests for material directory. (team, framework, f: material design, cla: yes, tech-debt, skip-test)
[87515](https://github.com/flutter/flutter/pull/87515) Revert "Added 'exclude' parameter to 'testWidgets()'." (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt, skip-test)
[87533](https://github.com/flutter/flutter/pull/87533) Fix Cuptertino dialog test to check correct fade transition (a: tests, team, framework, a: animation, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[87538](https://github.com/flutter/flutter/pull/87538) Updated the skipped tests for cupertino package. (reland) (team, framework, cla: yes, f: cupertino, waiting for tree to go green, tech-debt, skip-test)
[87546](https://github.com/flutter/flutter/pull/87546) Updated skipped tests for painting directory. (team, framework, cla: yes, will affect goldens, tech-debt, skip-test)
[87589](https://github.com/flutter/flutter/pull/87589) Skip flaky golden file test (a: tests, team, framework, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
### d: examples - 44 pull request(s)
[76288](https://github.com/flutter/flutter/pull/76288) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[78284](https://github.com/flutter/flutter/pull/78284) Add CupertinoScrollbar api docs (framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[79669](https://github.com/flutter/flutter/pull/79669) Reland the Dart plugin registry (team, tool, cla: yes, d: examples, waiting for tree to go green)
[80600](https://github.com/flutter/flutter/pull/80600) Standardize how Java8 is set in gradle files (team, tool, a: accessibility, cla: yes, d: examples, waiting for tree to go green)
[80908](https://github.com/flutter/flutter/pull/80908) migrate from jcenter to mavencentral (team, tool, cla: yes, d: examples)
[81226](https://github.com/flutter/flutter/pull/81226) Revert "Migrate to ChannelBuffers.push" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[81235](https://github.com/flutter/flutter/pull/81235) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[81406](https://github.com/flutter/flutter/pull/81406) Add trailing commas in examples and packages/flutter/ (team, framework, f: material design, cla: yes, f: cupertino, d: examples)
[81578](https://github.com/flutter/flutter/pull/81578) Enable library_private_types_in_public_api lint (a: tests, team, tool, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[81706](https://github.com/flutter/flutter/pull/81706) Integrate MaterialBanner with the ScaffoldMessenger API (severe: new feature, framework, a: animation, f: material design, a: fidelity, cla: yes, d: api docs, d: examples, a: quality, waiting for tree to go green, documentation)
[81829](https://github.com/flutter/flutter/pull/81829) Revert "Migrate to ChannelBuffers.push" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[82057](https://github.com/flutter/flutter/pull/82057) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82457](https://github.com/flutter/flutter/pull/82457) end of sort_child_properties_last (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82525](https://github.com/flutter/flutter/pull/82525) Revert "Migrate to ChannelBuffers.push" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82564](https://github.com/flutter/flutter/pull/82564) Migrate to ChannelBuffers.push (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[82843](https://github.com/flutter/flutter/pull/82843) refactor: Add MaterialStateMixin (severe: new feature, framework, f: material design, cla: yes, d: api docs, d: examples, a: quality, waiting for tree to go green, documentation)
[82926](https://github.com/flutter/flutter/pull/82926) [web] Make web integration tests shadow DOM aware. (a: tests, team, framework, cla: yes, d: examples, waiting for tree to go green)
[82939](https://github.com/flutter/flutter/pull/82939) FlutterDriver: deprecate enableAccessibility; redirect it to setSemantics; add setSemantics tests (a: tests, team, framework, cla: yes, d: examples)
[82963](https://github.com/flutter/flutter/pull/82963) Update rendering smoke tests to assert a frame has been scheduled (team, framework, cla: yes, d: examples, waiting for tree to go green)
[83067](https://github.com/flutter/flutter/pull/83067) Add Gradle lockfiles and tool to generate them (team, tool, a: accessibility, cla: yes, d: examples, waiting for tree to go green)
[83070](https://github.com/flutter/flutter/pull/83070) Assign late variable without initstate in layers (team, cla: yes, d: examples, waiting for tree to go green)
[83407](https://github.com/flutter/flutter/pull/83407) enable lint prefer_interpolation_to_compose_strings (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83428](https://github.com/flutter/flutter/pull/83428) add AnimatedScale and AnimatedRotation widgets (severe: new feature, framework, a: animation, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[83635](https://github.com/flutter/flutter/pull/83635) [gradle] Unlock all configurations if a local engine is used (team, a: accessibility, cla: yes, d: examples, waiting for tree to go green)
[83661](https://github.com/flutter/flutter/pull/83661) Remove unused `SingleTickerProviderStateMixin` from `AnimatedSize ` example (framework, a: animation, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[83744](https://github.com/flutter/flutter/pull/83744) Fixed large amount of spelling errors (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83790](https://github.com/flutter/flutter/pull/83790) Revert "Dispose render objects when owning element is unmounted." (team, framework, cla: yes, d: examples)
[83843](https://github.com/flutter/flutter/pull/83843) Clean up the bindings APIs (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83920](https://github.com/flutter/flutter/pull/83920) Reland "Dispose render objects when owning element is unmounted. (#82883)" (#83790) (team, framework, cla: yes, d: examples, waiting for tree to go green)
[84476](https://github.com/flutter/flutter/pull/84476) Turn on avoid_dynamic_calls lint, except packages/flutter tests, make appropriate changes. (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples)
[84478](https://github.com/flutter/flutter/pull/84478) Turn on avoid_dynamic_calls lint in packages/flutter tests, make appropriate changes. (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[84639](https://github.com/flutter/flutter/pull/84639) [versions] update dependencies (team, cla: yes, d: examples)
[84809](https://github.com/flutter/flutter/pull/84809) Make scrollbar assertions less aggressive (a: tests, team, framework, f: scrolling, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, a: error message, tech-debt)
[85148](https://github.com/flutter/flutter/pull/85148) Update GestureDetector docs to use DartPad sample (framework, cla: yes, d: api docs, d: examples, f: gestures, documentation)
[85174](https://github.com/flutter/flutter/pull/85174) Migrate iOS app deployment target from 8.0 to 9.0 (team, platform-ios, tool, cla: yes, d: examples, waiting for tree to go green, t: xcode)
[85270](https://github.com/flutter/flutter/pull/85270) Run build_tests shard and check in project migrations (team, cla: yes, d: examples, waiting for tree to go green)
[86386](https://github.com/flutter/flutter/pull/86386) Revert "Clean up the bindings APIs" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[86388](https://github.com/flutter/flutter/pull/86388) Clean up the bindings APIs (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[86404](https://github.com/flutter/flutter/pull/86404) Revert "Clean up the bindings APIs" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[86438](https://github.com/flutter/flutter/pull/86438) Clean up the bindings APIs (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[86484](https://github.com/flutter/flutter/pull/86484) Revert "Clean up the bindings APIs" (a: tests, team, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: examples)
[87021](https://github.com/flutter/flutter/pull/87021) [Documentation] Add `AlignTransition` interactive example (framework, cla: yes, d: examples)
[87126](https://github.com/flutter/flutter/pull/87126) Perform no shader warm-up by default (team, framework, cla: yes, d: examples, waiting for tree to go green)
[87238](https://github.com/flutter/flutter/pull/87238) Revert "Perform no shader warm-up by default" (team, framework, cla: yes, d: examples)
### a: quality - 28 pull request(s)
[76145](https://github.com/flutter/flutter/pull/76145) Add support for pointer scrolling to trigger floats & snaps (framework, a: fidelity, f: scrolling, cla: yes, a: quality, platform-web, waiting for tree to go green, a: desktop, a: mouse)
[78032](https://github.com/flutter/flutter/pull/78032) Added null check before NavigationRail.onDestinationSelected is called (severe: crash, framework, f: material design, cla: yes, a: quality, waiting for tree to go green, a: null-safety)
[79860](https://github.com/flutter/flutter/pull/79860) BorderRadiusTween.lerp supports null begin/end values (framework, cla: yes, a: quality, waiting for tree to go green, a: null-safety)
[80237](https://github.com/flutter/flutter/pull/80237) Tweaked TabBar to provide uniform padding to all tabs in cases where only few tabs contain both icon and text (framework, f: material design, cla: yes, a: quality, waiting for tree to go green)
[80453](https://github.com/flutter/flutter/pull/80453) Fix FlexibleSpaceBar Opacity when AppBar.toolbarHeight > ktoolbarHeight (framework, f: material design, cla: yes, a: quality, waiting for tree to go green)
[80792](https://github.com/flutter/flutter/pull/80792) Modified TabBar.preferredSize to remove hardcoded knowledge about child Tab. (team, framework, f: material design, cla: yes, a: quality, waiting for tree to go green, tech-debt)
[81278](https://github.com/flutter/flutter/pull/81278) Assert for valid ScrollController in Scrollbar gestures (framework, f: scrolling, cla: yes, f: cupertino, a: quality, waiting for tree to go green, a: error message)
[81295](https://github.com/flutter/flutter/pull/81295) Override MediaQuery for WidgetsApp (severe: new feature, framework, f: material design, cla: yes, a: quality, waiting for tree to go green)
[81303](https://github.com/flutter/flutter/pull/81303) [Framework] Support for Android Fullscreen Modes (severe: new feature, e: device-specific, platform-android, framework, engine, f: material design, a: fidelity, cla: yes, a: quality, customer: crowd, waiting for tree to go green, a: layout)
[81706](https://github.com/flutter/flutter/pull/81706) Integrate MaterialBanner with the ScaffoldMessenger API (severe: new feature, framework, a: animation, f: material design, a: fidelity, cla: yes, d: api docs, d: examples, a: quality, waiting for tree to go green, documentation)
[81884](https://github.com/flutter/flutter/pull/81884) Gesture recognizer cleanup (framework, cla: yes, d: api docs, a: quality, f: gestures, documentation)
[82293](https://github.com/flutter/flutter/pull/82293) Better hover handling for Scrollbar (framework, f: material design, f: scrolling, cla: yes, a: quality, waiting for tree to go green, a: desktop, a: annoyance, a: mouse)
[82764](https://github.com/flutter/flutter/pull/82764) Fix scrollbar drag gestures for reversed scrollables (framework, f: scrolling, cla: yes, f: cupertino, a: quality, waiting for tree to go green)
[82843](https://github.com/flutter/flutter/pull/82843) refactor: Add MaterialStateMixin (severe: new feature, framework, f: material design, cla: yes, d: api docs, d: examples, a: quality, waiting for tree to go green, documentation)
[82885](https://github.com/flutter/flutter/pull/82885) Re-apply "Gesture recognizer cleanup" (framework, cla: yes, d: api docs, a: quality, f: gestures, documentation)
[83014](https://github.com/flutter/flutter/pull/83014) fix a DropdownButtonFormField label display issue (severe: regression, framework, f: material design, cla: yes, a: quality, waiting for tree to go green)
[83863](https://github.com/flutter/flutter/pull/83863) Ensure the Autocomplete options scroll as needed. (framework, f: material design, f: scrolling, cla: yes, a: quality, waiting for tree to go green, a: desktop)
[84393](https://github.com/flutter/flutter/pull/84393) ReorderableListView should treat fuchsia as a mobile platform. (framework, f: material design, a: fidelity, f: scrolling, cla: yes, a: quality)
[84806](https://github.com/flutter/flutter/pull/84806) Make buildHandle onTap optional (a: text input, framework, f: material design, cla: yes, f: cupertino, a: quality, waiting for tree to go green)
[84807](https://github.com/flutter/flutter/pull/84807) Fix an animation issue when dragging the first item of a reversed list onto the starting position. (framework, a: animation, f: material design, f: scrolling, cla: yes, a: quality)
[85009](https://github.com/flutter/flutter/pull/85009) Add delta param to scaleupdate so it matches dragupdate (framework, cla: yes, a: quality, f: gestures, waiting for tree to go green)
[85024](https://github.com/flutter/flutter/pull/85024) [docs] Add TileMode.decal images (framework, cla: yes, d: api docs, a: quality, waiting for tree to go green, documentation)
[85150](https://github.com/flutter/flutter/pull/85150) Fix SnackBar assertions when configured with theme (severe: crash, framework, f: material design, cla: yes, a: quality, waiting for tree to go green, a: error message)
[85152](https://github.com/flutter/flutter/pull/85152) DismissDirection.none will not prevent scrolling (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green)
[85246](https://github.com/flutter/flutter/pull/85246) Add dart fix for AndroidViewController.id (team, framework, cla: yes, a: quality, waiting for tree to go green, tech-debt)
[85254](https://github.com/flutter/flutter/pull/85254) Add dart fix for RenderObjectElement deprecations (team, framework, f: material design, cla: yes, f: cupertino, a: quality, waiting for tree to go green, tech-debt)
[86323](https://github.com/flutter/flutter/pull/86323) Dart Fixes for clipBehavior breaks (team, framework, f: material design, cla: yes, f: cupertino, a: quality, waiting for tree to go green, tech-debt)
[87143](https://github.com/flutter/flutter/pull/87143) Fix leading overscroll for RenderShrinkWrappingViewport (framework, a: fidelity, f: scrolling, cla: yes, a: quality, customer: crowd, waiting for tree to go green)
### engine - 28 pull request(s)
[80459](https://github.com/flutter/flutter/pull/80459) [flutter_releases] Flutter Dev 2.2.0-10.1.pre Framework Cherrypicks (tool, framework, engine, cla: yes)
[80570](https://github.com/flutter/flutter/pull/80570) [flutter_releases] Flutter Stable 2.0.5 Framework Cherrypicks (engine, cla: yes)
[80806](https://github.com/flutter/flutter/pull/80806) Cherrypick engine to 584bf9fb4faf6c276ed424e15d435fa67a61e086 (engine, cla: yes)
[81303](https://github.com/flutter/flutter/pull/81303) [Framework] Support for Android Fullscreen Modes (severe: new feature, e: device-specific, platform-android, framework, engine, f: material design, a: fidelity, cla: yes, a: quality, customer: crowd, waiting for tree to go green, a: layout)
[81425](https://github.com/flutter/flutter/pull/81425) [flutter_releases] Flutter Beta 2.2.0-10.2.pre Framework Cherrypicks (engine, f: material design, a: internationalization, cla: yes)
[81508](https://github.com/flutter/flutter/pull/81508) [flutter_releases] Flutter Stable 2.0.6 Framework Cherrypicks (engine, cla: yes)
[81927](https://github.com/flutter/flutter/pull/81927) [flutter_releases] Flutter Beta 2.2.0-10.3.pre Framework Cherrypicks (team, tool, framework, engine, f: material design, a: internationalization, cla: yes)
[82310](https://github.com/flutter/flutter/pull/82310) Roll Engine to 44ba0c7c4bfd (5 revisions) (framework, engine, cla: yes, waiting for tree to go green)
[82500](https://github.com/flutter/flutter/pull/82500) Revert "Roll Engine from 490068230f9a to c118a134fb11 (3 revisions) (… (engine, cla: yes)
[82581](https://github.com/flutter/flutter/pull/82581) [flutter_releases] Flutter Framework Engine roll (team, tool, framework, engine, f: material design, a: internationalization, cla: yes)
[83372](https://github.com/flutter/flutter/pull/83372) [flutter_releases] Flutter Stable 2.2.1 Framework Cherrypicks (tool, engine, cla: yes)
[83533](https://github.com/flutter/flutter/pull/83533) Revert "Roll Engine from a962fb3b8214 to a6eb22454cae (1 revision)" (engine, cla: yes)
[83643](https://github.com/flutter/flutter/pull/83643) Revert "Roll Engine from 73fe3dd31c7c to aca8aa2335a5 (1 revision)" (engine, cla: yes)
[83750](https://github.com/flutter/flutter/pull/83750) Revert "Roll Engine from ac6087b5cbc4 to ad10ab8d695e (7 revisions)" (engine, cla: yes)
[83942](https://github.com/flutter/flutter/pull/83942) Revert "Roll Engine from 939fb62b303b to 2398a8c4f1c8 (7 revisions)" (engine, cla: yes)
[84226](https://github.com/flutter/flutter/pull/84226) Cherrypick engine bb3c49a9c3edf931a5601f0245faa85f5e077cb4 (engine, cla: yes, waiting for tree to go green)
[84364](https://github.com/flutter/flutter/pull/84364) [flutter_releases] Flutter Stable 2.2.2 Framework Cherrypicks (tool, framework, engine, f: material design, cla: yes)
[84375](https://github.com/flutter/flutter/pull/84375) Cherrypick engine to 56bc70e04f2e73046b4957d1deb5e6e46294ac09 to incl… (engine, cla: yes)
[84485](https://github.com/flutter/flutter/pull/84485) Cherrypick engine to ddbac024d165c373396e1f125666848d1539a38d (engine, cla: yes)
[84666](https://github.com/flutter/flutter/pull/84666) Manual roll of engine from e0011fa561d6 to 2118a1bb4bf0 (7 revisions) (team, engine, cla: yes)
[84814](https://github.com/flutter/flutter/pull/84814) Revert "Roll Engine from ced58ef9c13e to 86dacc0aad71 (9 revisions)" (engine, cla: yes)
[84889](https://github.com/flutter/flutter/pull/84889) Revert "Roll Engine from ced58ef9c13e to b9616cad9c7d (14 revisions)" (engine, cla: yes)
[85278](https://github.com/flutter/flutter/pull/85278) [flutter_releases] Flutter Beta 2.3.0-24.1.pre Framework Cherrypicks (engine, cla: yes)
[85719](https://github.com/flutter/flutter/pull/85719) [flutter_releases] Flutter Stable 2.2.3 Framework Cherrypicks (engine, cla: yes)
[86901](https://github.com/flutter/flutter/pull/86901) [flutter_releases] Flutter Beta 2.4.0-4.2.pre Framework Cherrypicks (engine, cla: yes)
[86966](https://github.com/flutter/flutter/pull/86966) Cherrypick Engine 7b282df38673d1a2e4f384224db241b0679a9786 (engine, cla: yes)
[87191](https://github.com/flutter/flutter/pull/87191) Revert "Roll Engine from 95a40884c738 to 3cc37d3b4d87 (2 revisions)" (engine, cla: yes)
[87275](https://github.com/flutter/flutter/pull/87275) Revert "Roll Engine from 74121a42bc7b to 40451453ab11 (2 revisions)" (engine, cla: yes)
### platform-ios - 27 pull request(s)
[80904](https://github.com/flutter/flutter/pull/80904) Only run xcodebuild -showBuildSettings once (platform-ios, tool, cla: yes, t: xcode)
[81342](https://github.com/flutter/flutter/pull/81342) Remove Finder extended attributes before code signing iOS frameworks (platform-ios, tool, cla: yes, t: xcode)
[81435](https://github.com/flutter/flutter/pull/81435) Remove extended attributes from entire Flutter project (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[82576](https://github.com/flutter/flutter/pull/82576) Remove symroot from generated iOS Xcode build settings (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[83315](https://github.com/flutter/flutter/pull/83315) rsync instead of delete and copy Flutter.xcframework for add to app (team, platform-ios, tool, cla: yes, a: existing-apps, waiting for tree to go green, t: xcode)
[84372](https://github.com/flutter/flutter/pull/84372) Fix assemble iOS codesign flag to support --no-sound-null-safety (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode, a: null-safety)
[84411](https://github.com/flutter/flutter/pull/84411) Add Designed for iPad attach destination for ARM macOS (platform-ios, tool, platform-mac, cla: yes, waiting for tree to go green, platform-target-arm)
[84595](https://github.com/flutter/flutter/pull/84595) Fix iOS native integration_tests example project (platform-ios, cla: yes, waiting for tree to go green, integration_test)
[84596](https://github.com/flutter/flutter/pull/84596) Set up iOS native integration_tests in ui example project (team, platform-ios, cla: yes, waiting for tree to go green, integration_test)
[84602](https://github.com/flutter/flutter/pull/84602) Fix integration_test podspecs warnings (team, platform-ios, cla: yes, waiting for tree to go green, integration_test)
[84615](https://github.com/flutter/flutter/pull/84615) Remove unnecessary reference to iOS configuration in README (platform-ios, cla: yes, waiting for tree to go green, documentation, integration_test)
[84890](https://github.com/flutter/flutter/pull/84890) Set up iOS native integration_tests in ui example project (team, platform-ios, cla: yes, integration_test)
[85051](https://github.com/flutter/flutter/pull/85051) Check for either ios-x86_64-simulator or ios-arm64_x86_64-simulator in module test (team, platform-ios, cla: yes, platform-host-arm)
[85053](https://github.com/flutter/flutter/pull/85053) Check ios-arm64_armv7 directory when validating codesigning entitlements (team, platform-ios, tool, cla: yes, waiting for tree to go green)
[85059](https://github.com/flutter/flutter/pull/85059) Support iOS arm64 simulator (team, platform-ios, tool, cla: yes, platform-host-arm)
[85075](https://github.com/flutter/flutter/pull/85075) macOS unzip then rsync to delete stale artifacts (platform-ios, tool, cla: yes, waiting for tree to go green)
[85087](https://github.com/flutter/flutter/pull/85087) Avoid iOS app with extension checks that fail on M1 ARM Macs (team, platform-ios, tool, cla: yes, waiting for tree to go green, platform-host-arm)
[85094](https://github.com/flutter/flutter/pull/85094) Remove tests checking Xcode 11 naming conventions (a: tests, team, platform-ios, cla: yes, waiting for tree to go green)
[85145](https://github.com/flutter/flutter/pull/85145) Do not list Android or iOS devices when feature disabled (platform-android, platform-ios, tool, cla: yes, waiting for tree to go green)
[85174](https://github.com/flutter/flutter/pull/85174) Migrate iOS app deployment target from 8.0 to 9.0 (team, platform-ios, tool, cla: yes, d: examples, waiting for tree to go green, t: xcode)
[85265](https://github.com/flutter/flutter/pull/85265) Check ios-arm64_x86_64-simulator directory when validating codesigning entitlement (team, platform-ios, tool, cla: yes, waiting for tree to go green, platform-host-arm)
[85642](https://github.com/flutter/flutter/pull/85642) Support iOS arm64 simulator (team, platform-ios, tool, cla: yes, waiting for tree to go green, platform-host-arm)
[85650](https://github.com/flutter/flutter/pull/85650) Wait for iOS UI buttons to exist before tapping (team, platform-ios, cla: yes, team: flakes, waiting for tree to go green)
[86840](https://github.com/flutter/flutter/pull/86840) Increase Flutter framework minimum iOS version to 9.0 (team, platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[87138](https://github.com/flutter/flutter/pull/87138) Replace iOS physical/simulator bools with enum (platform-ios, tool, cla: yes, waiting for tree to go green, tech-debt)
[87244](https://github.com/flutter/flutter/pull/87244) Exclude arm64 from iOS app archs if unsupported by plugins (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode, platform-host-arm)
[87362](https://github.com/flutter/flutter/pull/87362) Exclude arm64 from iOS app archs if unsupported by plugins on x64 Macs (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode, platform-host-arm)
### team: flakes - 24 pull request(s)
[79961](https://github.com/flutter/flutter/pull/79961) Mark integration_test_test as unflaky (team, cla: yes, team: flakes, waiting for tree to go green)
[80163](https://github.com/flutter/flutter/pull/80163) Mark mac_gradle_plugin_light_apk_test flaky (team, cla: yes, team: flakes)
[80315](https://github.com/flutter/flutter/pull/80315) Mark linux_validate_ci_config not flaky (team, cla: yes, team: flakes, waiting for tree to go green)
[80325](https://github.com/flutter/flutter/pull/80325) Mark Mac gradle_plugin_light_apk_test not flaky (team, cla: yes, team: flakes, waiting for tree to go green)
[81346](https://github.com/flutter/flutter/pull/81346) Mark dart_plugin_registry_test not flaky (team, cla: yes, team: flakes, waiting for tree to go green)
[81347](https://github.com/flutter/flutter/pull/81347) Mark linux_skp_generator not flaky (team, cla: yes, team: flakes, waiting for tree to go green)
[81792](https://github.com/flutter/flutter/pull/81792) Reduce potential collisions from Gold RNG (a: tests, team, framework, cla: yes, team: flakes, waiting for tree to go green, team: infra, team: presubmit flakes)
[82384](https://github.com/flutter/flutter/pull/82384) Mark linux_platform_channels_benchmarks not flaky (team, cla: yes, team: flakes)
[82385](https://github.com/flutter/flutter/pull/82385) Mark animated_image_gc_perf not flaky (team, cla: yes, team: flakes, waiting for tree to go green)
[82759](https://github.com/flutter/flutter/pull/82759) Mark mac_ios_platform_channels_benchmarks_ios not flaky (team, cla: yes, team: flakes, waiting for tree to go green)
[82760](https://github.com/flutter/flutter/pull/82760) Mark win_build_tests_2_3 not flaky (team, cla: yes, team: flakes, waiting for tree to go green)
[82761](https://github.com/flutter/flutter/pull/82761) Enable win_gradle_plugin_light_apk_test and mark unflaky (team, cla: yes, team: flakes, waiting for tree to go green)
[83288](https://github.com/flutter/flutter/pull/83288) Mark new_gallery__crane_perf unflaky (cla: yes, team: flakes, waiting for tree to go green)
[83289](https://github.com/flutter/flutter/pull/83289) Mark linux_large_image_changer_perf_android unflaky (cla: yes, team: flakes, waiting for tree to go green)
[83290](https://github.com/flutter/flutter/pull/83290) Mark linux_complex_layout_scroll_perf__devtools_memory unflaky (cla: yes, team: flakes, waiting for tree to go green)
[83295](https://github.com/flutter/flutter/pull/83295) Mark linux_platform_channels_benchmarks unflaky (cla: yes, team: flakes, waiting for tree to go green)
[83297](https://github.com/flutter/flutter/pull/83297) Skip flaky debugger_stepping_web_test (tool, cla: yes, team: flakes, waiting for tree to go green)
[83300](https://github.com/flutter/flutter/pull/83300) Mark flutter_gallery_sksl_warmup__transition_perf_e2e as flaky (cla: yes, team: flakes, waiting for tree to go green)
[83384](https://github.com/flutter/flutter/pull/83384) Mark flutter_gallery__transition_perf_e2e flaky (team, cla: yes, team: flakes)
[83965](https://github.com/flutter/flutter/pull/83965) Make retry logic more permissive for network errors (tool, cla: yes, team: flakes, waiting for tree to go green)
[85650](https://github.com/flutter/flutter/pull/85650) Wait for iOS UI buttons to exist before tapping (team, platform-ios, cla: yes, team: flakes, waiting for tree to go green)
[87354](https://github.com/flutter/flutter/pull/87354) Mark 'Mac plugin_dependencies_test' unflaky (cla: yes, team: flakes, waiting for tree to go green)
[87355](https://github.com/flutter/flutter/pull/87355) Mark devtools_profile_start_test not flaky (team, cla: yes, team: flakes, waiting for tree to go green)
[87589](https://github.com/flutter/flutter/pull/87589) Skip flaky golden file test (a: tests, team, framework, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
### a: text input - 23 pull request(s)
[73440](https://github.com/flutter/flutter/pull/73440) Hardware keyboard: codegen (a: text input, team, framework, cla: yes)
[78522](https://github.com/flutter/flutter/pull/78522) Shortcut activator (a: tests, a: text input, team, framework, cla: yes)
[80756](https://github.com/flutter/flutter/pull/80756) Migrate LogicalKeySet to SingleActivator (a: tests, a: text input, team, framework, f: material design, severe: API break, cla: yes, f: cupertino)
[81678](https://github.com/flutter/flutter/pull/81678) [key_codegen] Remove webValues (a: text input, team, cla: yes)
[81807](https://github.com/flutter/flutter/pull/81807) Character activator (a: tests, a: text input, framework, cla: yes, waiting for tree to go green)
[82671](https://github.com/flutter/flutter/pull/82671) TextField terminal the enter and space raw key events by default (a: text input, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, a: desktop)
[82962](https://github.com/flutter/flutter/pull/82962) Key codegen for Hardware Keyboard: Linux (GTK) (a: text input, team, cla: yes)
[83537](https://github.com/flutter/flutter/pull/83537) Support WidgetSpan in RenderEditable (a: text input, framework, f: material design, cla: yes, a: typography, waiting for tree to go green)
[83752](https://github.com/flutter/flutter/pull/83752) Keyboard events (a: tests, a: text input, team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[83974](https://github.com/flutter/flutter/pull/83974) Add TextInputType.none (a: text input, framework, cla: yes, waiting for tree to go green)
[84055](https://github.com/flutter/flutter/pull/84055) Allow Flutter focus to interop with Android view hierarchies (a: text input, framework, cla: yes, a: platform-views, f: focus)
[84806](https://github.com/flutter/flutter/pull/84806) Make buildHandle onTap optional (a: text input, framework, f: material design, cla: yes, f: cupertino, a: quality, waiting for tree to go green)
[85008](https://github.com/flutter/flutter/pull/85008) [RenderEditable] fix crash & remove `TextPainter.layout` short-circuiting (a: text input, framework, cla: yes, waiting for tree to go green)
[85081](https://github.com/flutter/flutter/pull/85081) Select All via Shortcuts (a: text input, framework, cla: yes, a: desktop)
[85121](https://github.com/flutter/flutter/pull/85121) New scheme for keyboard logical key ID (a: text input, team, framework, cla: yes)
[85138](https://github.com/flutter/flutter/pull/85138) Docs improvements for minLines/maxLines (a: text input, framework, cla: yes, d: api docs, documentation)
[85381](https://github.com/flutter/flutter/pull/85381) Migrate RenderEditable shortcuts from RawKeyboard listeners (a: text input, framework, cla: yes)
[86679](https://github.com/flutter/flutter/pull/86679) RawKeyEventData classes support diagnostic and equality (a: text input, framework, cla: yes)
[87086](https://github.com/flutter/flutter/pull/87086) [gen_keycodes] Move GLFW keys to logical_key_data (a: text input, team, framework, cla: yes, waiting for tree to go green)
[87098](https://github.com/flutter/flutter/pull/87098) [gen_keycodes] Remove nonexistent Web keys and improve their emulation (a: tests, a: text input, team, framework, cla: yes, waiting for tree to go green)
[87152](https://github.com/flutter/flutter/pull/87152) [Keyboard] Accept empty events (a: text input, framework, cla: yes, waiting for tree to go green)
[87171](https://github.com/flutter/flutter/pull/87171) Revert "Keyboard events (#83752)" (a: tests, a: text input, team, framework, f: material design, cla: yes, f: cupertino)
[87174](https://github.com/flutter/flutter/pull/87174) Reland: Keyboard events (a: tests, a: text input, team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
### will affect goldens - 22 pull request(s)
[76742](https://github.com/flutter/flutter/pull/76742) Add a bitmap operation property to transform widgets to enable/control bitmap transforms (team, framework, cla: yes, will affect goldens)
[78744](https://github.com/flutter/flutter/pull/78744) Fix painting material toggle (#78733) (framework, f: material design, a: fidelity, cla: yes, waiting for tree to go green, will affect goldens)
[80129](https://github.com/flutter/flutter/pull/80129) Add BackdropFilter blend mode (framework, cla: yes, waiting for tree to go green, will affect goldens)
[80173](https://github.com/flutter/flutter/pull/80173) Roll Engine from 398bede5b914 to 8863afff1650 (1 revision) (cla: yes, waiting for tree to go green, will affect goldens)
[81700](https://github.com/flutter/flutter/pull/81700) Roll Engine from 3e578c6e0d77 to 578449f10fde (23 revisions) (cla: yes, waiting for tree to go green, will affect goldens)
[82712](https://github.com/flutter/flutter/pull/82712) [flutter_test/integration_test] added setSurfaceSize test coverage (a: tests, framework, cla: yes, will affect goldens, integration_test)
[83379](https://github.com/flutter/flutter/pull/83379) Add ability to specify Image widget opacity as an animation (framework, cla: yes, waiting for tree to go green, will affect goldens)
[84840](https://github.com/flutter/flutter/pull/84840) fix `_owner` nullability in `routers.dart` (framework, cla: yes, f: routes, will affect goldens, a: null-safety)
[85736](https://github.com/flutter/flutter/pull/85736) Remove "unnecessary" imports. (waiting for customer response, tool, framework, f: material design, a: accessibility, cla: yes, waiting for tree to go green, will affect goldens)
[86000](https://github.com/flutter/flutter/pull/86000) [flutter_tools] revert change to SETLOCAL ENABLEDELAYEDEXPANSION (tool, cla: yes, will affect goldens)
[86449](https://github.com/flutter/flutter/pull/86449) Make LiveTestWidgetsFlutterBinding work with setSurfaceSize and live tests (a: tests, framework, cla: yes, will affect goldens)
[86591](https://github.com/flutter/flutter/pull/86591) Close the exit port used by the compute isolate utility function (framework, cla: yes, waiting for tree to go green, will affect goldens)
[86596](https://github.com/flutter/flutter/pull/86596) Roll Engine from 14a9e9a50e17 to 334fa806add1 (1 revision) (cla: yes, waiting for tree to go green, will affect goldens)
[86690](https://github.com/flutter/flutter/pull/86690) Roll Engine from 9edde7423fba to f0325b6a3d6d (3 revisions) (cla: yes, waiting for tree to go green, will affect goldens)
[86725](https://github.com/flutter/flutter/pull/86725) Roll Engine from f0325b6a3d6d to 19f853d5a733 (14 revisions) (cla: yes, waiting for tree to go green, will affect goldens)
[86734](https://github.com/flutter/flutter/pull/86734) Fix an exception being thrown when focus groups are empty. (framework, cla: yes, will affect goldens)
[86739](https://github.com/flutter/flutter/pull/86739) Reland: Make LiveTestWidgetsFlutterBinding work with setSurfaceSize and live tests (a: tests, framework, cla: yes, will affect goldens)
[86791](https://github.com/flutter/flutter/pull/86791) Avoid passive clipboard read on Android (framework, f: material design, cla: yes, waiting for tree to go green, will affect goldens)
[86877](https://github.com/flutter/flutter/pull/86877) Remove default expectation for UserTag (framework, cla: yes, waiting for tree to go green, will affect goldens)
[86912](https://github.com/flutter/flutter/pull/86912) Reland 2: Make LiveTestWidgetsFlutterBinding work with setSurfaceSize and live tests (a: tests, framework, cla: yes, waiting for tree to go green, will affect goldens)
[87281](https://github.com/flutter/flutter/pull/87281) Deprecate ThemeData.fixTextFieldOutlineLabel (framework, f: material design, cla: yes, will affect goldens)
[87546](https://github.com/flutter/flutter/pull/87546) Updated skipped tests for painting directory. (team, framework, cla: yes, will affect goldens, tech-debt, skip-test)
### f: scrolling - 22 pull request(s)
[75497](https://github.com/flutter/flutter/pull/75497) Added axisOrientation property to Scrollbar (framework, f: material design, f: scrolling, cla: yes, f: cupertino, waiting for tree to go green)
[76145](https://github.com/flutter/flutter/pull/76145) Add support for pointer scrolling to trigger floats & snaps (framework, a: fidelity, f: scrolling, cla: yes, a: quality, platform-web, waiting for tree to go green, a: desktop, a: mouse)
[81278](https://github.com/flutter/flutter/pull/81278) Assert for valid ScrollController in Scrollbar gestures (framework, f: scrolling, cla: yes, f: cupertino, a: quality, waiting for tree to go green, a: error message)
[82293](https://github.com/flutter/flutter/pull/82293) Better hover handling for Scrollbar (framework, f: material design, f: scrolling, cla: yes, a: quality, waiting for tree to go green, a: desktop, a: annoyance, a: mouse)
[82687](https://github.com/flutter/flutter/pull/82687) Update the scrollbar (severe: new feature, framework, f: scrolling, cla: yes, platform-web, waiting for tree to go green, a: desktop)
[82764](https://github.com/flutter/flutter/pull/82764) Fix scrollbar drag gestures for reversed scrollables (framework, f: scrolling, cla: yes, f: cupertino, a: quality, waiting for tree to go green)
[83828](https://github.com/flutter/flutter/pull/83828) Fix widgets with built-in scrollbars (framework, f: scrolling, cla: yes, waiting for tree to go green)
[83863](https://github.com/flutter/flutter/pull/83863) Ensure the Autocomplete options scroll as needed. (framework, f: material design, f: scrolling, cla: yes, a: quality, waiting for tree to go green, a: desktop)
[84393](https://github.com/flutter/flutter/pull/84393) ReorderableListView should treat fuchsia as a mobile platform. (framework, f: material design, a: fidelity, f: scrolling, cla: yes, a: quality)
[84570](https://github.com/flutter/flutter/pull/84570) Fix scrollbar error message and test (framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green, a: error message)
[84807](https://github.com/flutter/flutter/pull/84807) Fix an animation issue when dragging the first item of a reversed list onto the starting position. (framework, a: animation, f: material design, f: scrolling, cla: yes, a: quality)
[84809](https://github.com/flutter/flutter/pull/84809) Make scrollbar assertions less aggressive (a: tests, team, framework, f: scrolling, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, a: error message, tech-debt)
[84812](https://github.com/flutter/flutter/pull/84812) Disable auto scrollbars on desktop for legacy flutter gallery (a: tests, team, framework, team: gallery, f: scrolling, cla: yes, waiting for tree to go green, integration_test, tech-debt)
[84828](https://github.com/flutter/flutter/pull/84828) Fixed an issue with overflow exceptions with nested lists inside a reorderable list item. (severe: regression, framework, f: scrolling, cla: yes, waiting for tree to go green)
[84988](https://github.com/flutter/flutter/pull/84988) Adds mainAxisMargin property to RawScrollbar (severe: new feature, framework, f: scrolling, cla: yes, waiting for tree to go green)
[85152](https://github.com/flutter/flutter/pull/85152) DismissDirection.none will not prevent scrolling (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green)
[85221](https://github.com/flutter/flutter/pull/85221) [new feature]introduce `ScrollMetricsNotification` (severe: new feature, framework, f: scrolling, cla: yes, waiting for tree to go green)
[85338](https://github.com/flutter/flutter/pull/85338) Expose minThumbLength, crossAxisMargin, and minOverscrollLength on RawScrollbar (severe: new feature, framework, f: scrolling, cla: yes, waiting for tree to go green)
[85499](https://github.com/flutter/flutter/pull/85499) Re-land"[new feature]introduce `ScrollMetricsNotification`" (severe: new feature, framework, f: scrolling, cla: yes, customer: crowd, waiting for tree to go green)
[87143](https://github.com/flutter/flutter/pull/87143) Fix leading overscroll for RenderShrinkWrappingViewport (framework, a: fidelity, f: scrolling, cla: yes, a: quality, customer: crowd, waiting for tree to go green)
[87421](https://github.com/flutter/flutter/pull/87421) update ScrollMetricsNotification (framework, f: scrolling, cla: yes, f: cupertino, waiting for tree to go green)
[87647](https://github.com/flutter/flutter/pull/87647) Changed Scrollbar to StatelessWidget (framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green)
### documentation - 21 pull request(s)
[78173](https://github.com/flutter/flutter/pull/78173) Improved AssetImage Docs (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[78284](https://github.com/flutter/flutter/pull/78284) Add CupertinoScrollbar api docs (framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[81012](https://github.com/flutter/flutter/pull/81012) Fix "LUCI console" link (team, cla: yes, waiting for tree to go green, documentation)
[81706](https://github.com/flutter/flutter/pull/81706) Integrate MaterialBanner with the ScaffoldMessenger API (severe: new feature, framework, a: animation, f: material design, a: fidelity, cla: yes, d: api docs, d: examples, a: quality, waiting for tree to go green, documentation)
[81884](https://github.com/flutter/flutter/pull/81884) Gesture recognizer cleanup (framework, cla: yes, d: api docs, a: quality, f: gestures, documentation)
[81932](https://github.com/flutter/flutter/pull/81932) Add some examples of widgets that support visual density (framework, f: material design, cla: yes, d: api docs, waiting for tree to go green, documentation)
[82843](https://github.com/flutter/flutter/pull/82843) refactor: Add MaterialStateMixin (severe: new feature, framework, f: material design, cla: yes, d: api docs, d: examples, a: quality, waiting for tree to go green, documentation)
[82885](https://github.com/flutter/flutter/pull/82885) Re-apply "Gesture recognizer cleanup" (framework, cla: yes, d: api docs, a: quality, f: gestures, documentation)
[83428](https://github.com/flutter/flutter/pull/83428) add AnimatedScale and AnimatedRotation widgets (severe: new feature, framework, a: animation, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[83661](https://github.com/flutter/flutter/pull/83661) Remove unused `SingleTickerProviderStateMixin` from `AnimatedSize ` example (framework, a: animation, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[84182](https://github.com/flutter/flutter/pull/84182) Add RotatedBox Widget of the Week video to documentation (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[84365](https://github.com/flutter/flutter/pull/84365) Fix wrong reference in deprecated (a: tests, framework, cla: yes, waiting for tree to go green, documentation)
[84494](https://github.com/flutter/flutter/pull/84494) Fix grammatical error in services.dart (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[84615](https://github.com/flutter/flutter/pull/84615) Remove unnecessary reference to iOS configuration in README (platform-ios, cla: yes, waiting for tree to go green, documentation, integration_test)
[84809](https://github.com/flutter/flutter/pull/84809) Make scrollbar assertions less aggressive (a: tests, team, framework, f: scrolling, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, a: error message, tech-debt)
[84847](https://github.com/flutter/flutter/pull/84847) Fix documentation of equality functions. (framework, cla: yes, d: api docs, documentation)
[85024](https://github.com/flutter/flutter/pull/85024) [docs] Add TileMode.decal images (framework, cla: yes, d: api docs, a: quality, waiting for tree to go green, documentation)
[85138](https://github.com/flutter/flutter/pull/85138) Docs improvements for minLines/maxLines (a: text input, framework, cla: yes, d: api docs, documentation)
[85148](https://github.com/flutter/flutter/pull/85148) Update GestureDetector docs to use DartPad sample (framework, cla: yes, d: api docs, d: examples, f: gestures, documentation)
[85484](https://github.com/flutter/flutter/pull/85484) Eliminate some regressions introduced by the new lookup code (a: tests, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: api docs, waiting for tree to go green, documentation)
[87561](https://github.com/flutter/flutter/pull/87561) [DOCS]Update some Focus docs (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
### d: api docs - 18 pull request(s)
[78173](https://github.com/flutter/flutter/pull/78173) Improved AssetImage Docs (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[78284](https://github.com/flutter/flutter/pull/78284) Add CupertinoScrollbar api docs (framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[81706](https://github.com/flutter/flutter/pull/81706) Integrate MaterialBanner with the ScaffoldMessenger API (severe: new feature, framework, a: animation, f: material design, a: fidelity, cla: yes, d: api docs, d: examples, a: quality, waiting for tree to go green, documentation)
[81884](https://github.com/flutter/flutter/pull/81884) Gesture recognizer cleanup (framework, cla: yes, d: api docs, a: quality, f: gestures, documentation)
[81932](https://github.com/flutter/flutter/pull/81932) Add some examples of widgets that support visual density (framework, f: material design, cla: yes, d: api docs, waiting for tree to go green, documentation)
[82843](https://github.com/flutter/flutter/pull/82843) refactor: Add MaterialStateMixin (severe: new feature, framework, f: material design, cla: yes, d: api docs, d: examples, a: quality, waiting for tree to go green, documentation)
[82885](https://github.com/flutter/flutter/pull/82885) Re-apply "Gesture recognizer cleanup" (framework, cla: yes, d: api docs, a: quality, f: gestures, documentation)
[83428](https://github.com/flutter/flutter/pull/83428) add AnimatedScale and AnimatedRotation widgets (severe: new feature, framework, a: animation, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[83661](https://github.com/flutter/flutter/pull/83661) Remove unused `SingleTickerProviderStateMixin` from `AnimatedSize ` example (framework, a: animation, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[84182](https://github.com/flutter/flutter/pull/84182) Add RotatedBox Widget of the Week video to documentation (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[84494](https://github.com/flutter/flutter/pull/84494) Fix grammatical error in services.dart (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[84809](https://github.com/flutter/flutter/pull/84809) Make scrollbar assertions less aggressive (a: tests, team, framework, f: scrolling, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, a: error message, tech-debt)
[84847](https://github.com/flutter/flutter/pull/84847) Fix documentation of equality functions. (framework, cla: yes, d: api docs, documentation)
[85024](https://github.com/flutter/flutter/pull/85024) [docs] Add TileMode.decal images (framework, cla: yes, d: api docs, a: quality, waiting for tree to go green, documentation)
[85138](https://github.com/flutter/flutter/pull/85138) Docs improvements for minLines/maxLines (a: text input, framework, cla: yes, d: api docs, documentation)
[85148](https://github.com/flutter/flutter/pull/85148) Update GestureDetector docs to use DartPad sample (framework, cla: yes, d: api docs, d: examples, f: gestures, documentation)
[85484](https://github.com/flutter/flutter/pull/85484) Eliminate some regressions introduced by the new lookup code (a: tests, framework, f: material design, a: accessibility, cla: yes, f: cupertino, d: api docs, waiting for tree to go green, documentation)
[87561](https://github.com/flutter/flutter/pull/87561) [DOCS]Update some Focus docs (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
### a: internationalization - 15 pull request(s)
[80541](https://github.com/flutter/flutter/pull/80541) l10n updates (f: material design, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[80901](https://github.com/flutter/flutter/pull/80901) fix unsorted directives (a: tests, tool, framework, f: material design, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[81425](https://github.com/flutter/flutter/pull/81425) [flutter_releases] Flutter Beta 2.2.0-10.2.pre Framework Cherrypicks (engine, f: material design, a: internationalization, cla: yes)
[81898](https://github.com/flutter/flutter/pull/81898) Expose basicLocaleListResolution in widget library (framework, a: internationalization, cla: yes, waiting for tree to go green)
[81927](https://github.com/flutter/flutter/pull/81927) [flutter_releases] Flutter Beta 2.2.0-10.3.pre Framework Cherrypicks (team, tool, framework, engine, f: material design, a: internationalization, cla: yes)
[82581](https://github.com/flutter/flutter/pull/82581) [flutter_releases] Flutter Framework Engine roll (team, tool, framework, engine, f: material design, a: internationalization, cla: yes)
[83407](https://github.com/flutter/flutter/pull/83407) enable lint prefer_interpolation_to_compose_strings (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83744](https://github.com/flutter/flutter/pull/83744) Fixed large amount of spelling errors (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[83826](https://github.com/flutter/flutter/pull/83826) l10n updates for June beta (framework, f: material design, a: internationalization, cla: yes, f: cupertino)
[83903](https://github.com/flutter/flutter/pull/83903) Remove stripping scriptCodes for localization. (f: material design, a: internationalization, cla: yes, waiting for tree to go green)
[84256](https://github.com/flutter/flutter/pull/84256) alignment of doc comments and annotations (a: tests, team, tool, framework, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
[84476](https://github.com/flutter/flutter/pull/84476) Turn on avoid_dynamic_calls lint, except packages/flutter tests, make appropriate changes. (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples)
[84478](https://github.com/flutter/flutter/pull/84478) Turn on avoid_dynamic_calls lint in packages/flutter tests, make appropriate changes. (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, d: examples, waiting for tree to go green)
[84732](https://github.com/flutter/flutter/pull/84732) [gen_l10n] Make app localizations lookup a public method (tool, a: internationalization, cla: yes, waiting for tree to go green)
[85783](https://github.com/flutter/flutter/pull/85783) code formatting (a: tests, team, tool, framework, f: material design, a: accessibility, a: internationalization, cla: yes, f: cupertino, waiting for tree to go green)
### severe: new feature - 14 pull request(s)
[81295](https://github.com/flutter/flutter/pull/81295) Override MediaQuery for WidgetsApp (severe: new feature, framework, f: material design, cla: yes, a: quality, waiting for tree to go green)
[81303](https://github.com/flutter/flutter/pull/81303) [Framework] Support for Android Fullscreen Modes (severe: new feature, e: device-specific, platform-android, framework, engine, f: material design, a: fidelity, cla: yes, a: quality, customer: crowd, waiting for tree to go green, a: layout)
[81706](https://github.com/flutter/flutter/pull/81706) Integrate MaterialBanner with the ScaffoldMessenger API (severe: new feature, framework, a: animation, f: material design, a: fidelity, cla: yes, d: api docs, d: examples, a: quality, waiting for tree to go green, documentation)
[81858](https://github.com/flutter/flutter/pull/81858) Deprecate `GestureDetector.kind` in favor of new `supportedDevices` (severe: new feature, framework, cla: yes, f: gestures, waiting for tree to go green, a: desktop, a: mouse)
[82687](https://github.com/flutter/flutter/pull/82687) Update the scrollbar (severe: new feature, framework, f: scrolling, cla: yes, platform-web, waiting for tree to go green, a: desktop)
[82843](https://github.com/flutter/flutter/pull/82843) refactor: Add MaterialStateMixin (severe: new feature, framework, f: material design, cla: yes, d: api docs, d: examples, a: quality, waiting for tree to go green, documentation)
[83082](https://github.com/flutter/flutter/pull/83082) Add SerialTapGestureRecognizer (severe: new feature, framework, cla: yes, f: gestures)
[83428](https://github.com/flutter/flutter/pull/83428) add AnimatedScale and AnimatedRotation widgets (severe: new feature, framework, a: animation, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[84308](https://github.com/flutter/flutter/pull/84308) Added rethrowError to FutureBuilder (severe: new feature, framework, cla: yes, waiting for tree to go green, a: error message)
[84434](https://github.com/flutter/flutter/pull/84434) Add TooltipTriggerMode and provideTriggerFeedback to allow users to c… (severe: new feature, framework, f: material design, cla: yes, f: gestures, waiting for tree to go green)
[84988](https://github.com/flutter/flutter/pull/84988) Adds mainAxisMargin property to RawScrollbar (severe: new feature, framework, f: scrolling, cla: yes, waiting for tree to go green)
[85221](https://github.com/flutter/flutter/pull/85221) [new feature]introduce `ScrollMetricsNotification` (severe: new feature, framework, f: scrolling, cla: yes, waiting for tree to go green)
[85338](https://github.com/flutter/flutter/pull/85338) Expose minThumbLength, crossAxisMargin, and minOverscrollLength on RawScrollbar (severe: new feature, framework, f: scrolling, cla: yes, waiting for tree to go green)
[85499](https://github.com/flutter/flutter/pull/85499) Re-land"[new feature]introduce `ScrollMetricsNotification`" (severe: new feature, framework, f: scrolling, cla: yes, customer: crowd, waiting for tree to go green)
### t: xcode - 13 pull request(s)
[80904](https://github.com/flutter/flutter/pull/80904) Only run xcodebuild -showBuildSettings once (platform-ios, tool, cla: yes, t: xcode)
[81342](https://github.com/flutter/flutter/pull/81342) Remove Finder extended attributes before code signing iOS frameworks (platform-ios, tool, cla: yes, t: xcode)
[81435](https://github.com/flutter/flutter/pull/81435) Remove extended attributes from entire Flutter project (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[82476](https://github.com/flutter/flutter/pull/82476) Tool exit on xcodebuild -list when Xcode project is corrupted (tool, cla: yes, waiting for tree to go green, t: xcode)
[82576](https://github.com/flutter/flutter/pull/82576) Remove symroot from generated iOS Xcode build settings (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[83315](https://github.com/flutter/flutter/pull/83315) rsync instead of delete and copy Flutter.xcframework for add to app (team, platform-ios, tool, cla: yes, a: existing-apps, waiting for tree to go green, t: xcode)
[84372](https://github.com/flutter/flutter/pull/84372) Fix assemble iOS codesign flag to support --no-sound-null-safety (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode, a: null-safety)
[84729](https://github.com/flutter/flutter/pull/84729) Use -miphonesimulator-version-min when building App.framework for simulator (tool, cla: yes, t: xcode)
[85174](https://github.com/flutter/flutter/pull/85174) Migrate iOS app deployment target from 8.0 to 9.0 (team, platform-ios, tool, cla: yes, d: examples, waiting for tree to go green, t: xcode)
[86840](https://github.com/flutter/flutter/pull/86840) Increase Flutter framework minimum iOS version to 9.0 (team, platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[86905](https://github.com/flutter/flutter/pull/86905) Respect plugin excluded iOS architectures (team, tool, cla: yes, waiting for tree to go green, t: xcode, platform-target-arm)
[87244](https://github.com/flutter/flutter/pull/87244) Exclude arm64 from iOS app archs if unsupported by plugins (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode, platform-host-arm)
[87362](https://github.com/flutter/flutter/pull/87362) Exclude arm64 from iOS app archs if unsupported by plugins on x64 Macs (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode, platform-host-arm)
### f: gestures - 8 pull request(s)
[81858](https://github.com/flutter/flutter/pull/81858) Deprecate `GestureDetector.kind` in favor of new `supportedDevices` (severe: new feature, framework, cla: yes, f: gestures, waiting for tree to go green, a: desktop, a: mouse)
[81884](https://github.com/flutter/flutter/pull/81884) Gesture recognizer cleanup (framework, cla: yes, d: api docs, a: quality, f: gestures, documentation)
[82885](https://github.com/flutter/flutter/pull/82885) Re-apply "Gesture recognizer cleanup" (framework, cla: yes, d: api docs, a: quality, f: gestures, documentation)
[83082](https://github.com/flutter/flutter/pull/83082) Add SerialTapGestureRecognizer (severe: new feature, framework, cla: yes, f: gestures)
[84257](https://github.com/flutter/flutter/pull/84257) fix a PlatformView gesture bug (e: device-specific, framework, cla: yes, f: gestures, waiting for tree to go green)
[84434](https://github.com/flutter/flutter/pull/84434) Add TooltipTriggerMode and provideTriggerFeedback to allow users to c… (severe: new feature, framework, f: material design, cla: yes, f: gestures, waiting for tree to go green)
[85009](https://github.com/flutter/flutter/pull/85009) Add delta param to scaleupdate so it matches dragupdate (framework, cla: yes, a: quality, f: gestures, waiting for tree to go green)
[85148](https://github.com/flutter/flutter/pull/85148) Update GestureDetector docs to use DartPad sample (framework, cla: yes, d: api docs, d: examples, f: gestures, documentation)
### skip-test - 8 pull request(s)
[87063](https://github.com/flutter/flutter/pull/87063) Updated the skipped tests for animation (framework, cla: yes, tech-debt, skip-test)
[87147](https://github.com/flutter/flutter/pull/87147) Update the skipped test for dev. (team, a: accessibility, cla: yes, tech-debt, skip-test)
[87289](https://github.com/flutter/flutter/pull/87289) Updated the skipped tests for cupertino package. (team, framework, cla: yes, f: cupertino, tech-debt, skip-test)
[87293](https://github.com/flutter/flutter/pull/87293) Updated skipped tests for foundation directory. (team, framework, cla: yes, waiting for tree to go green, tech-debt, skip-test)
[87328](https://github.com/flutter/flutter/pull/87328) Updated skipped tests for material directory. (team, framework, f: material design, cla: yes, tech-debt, skip-test)
[87515](https://github.com/flutter/flutter/pull/87515) Revert "Added 'exclude' parameter to 'testWidgets()'." (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt, skip-test)
[87538](https://github.com/flutter/flutter/pull/87538) Updated the skipped tests for cupertino package. (reland) (team, framework, cla: yes, f: cupertino, waiting for tree to go green, tech-debt, skip-test)
[87546](https://github.com/flutter/flutter/pull/87546) Updated skipped tests for painting directory. (team, framework, cla: yes, will affect goldens, tech-debt, skip-test)
### a: desktop - 8 pull request(s)
[76145](https://github.com/flutter/flutter/pull/76145) Add support for pointer scrolling to trigger floats & snaps (framework, a: fidelity, f: scrolling, cla: yes, a: quality, platform-web, waiting for tree to go green, a: desktop, a: mouse)
[79989](https://github.com/flutter/flutter/pull/79989) Remove flutterNext (tool, cla: yes, platform-web, waiting for tree to go green, a: desktop)
[81858](https://github.com/flutter/flutter/pull/81858) Deprecate `GestureDetector.kind` in favor of new `supportedDevices` (severe: new feature, framework, cla: yes, f: gestures, waiting for tree to go green, a: desktop, a: mouse)
[82293](https://github.com/flutter/flutter/pull/82293) Better hover handling for Scrollbar (framework, f: material design, f: scrolling, cla: yes, a: quality, waiting for tree to go green, a: desktop, a: annoyance, a: mouse)
[82671](https://github.com/flutter/flutter/pull/82671) TextField terminal the enter and space raw key events by default (a: text input, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, a: desktop)
[82687](https://github.com/flutter/flutter/pull/82687) Update the scrollbar (severe: new feature, framework, f: scrolling, cla: yes, platform-web, waiting for tree to go green, a: desktop)
[83863](https://github.com/flutter/flutter/pull/83863) Ensure the Autocomplete options scroll as needed. (framework, f: material design, f: scrolling, cla: yes, a: quality, waiting for tree to go green, a: desktop)
[85081](https://github.com/flutter/flutter/pull/85081) Select All via Shortcuts (a: text input, framework, cla: yes, a: desktop)
### platform-host-arm - 8 pull request(s)
[80758](https://github.com/flutter/flutter/pull/80758) Launch Chrome natively on ARM macOS (tool, platform-mac, cla: yes, platform-host-arm)
[85051](https://github.com/flutter/flutter/pull/85051) Check for either ios-x86_64-simulator or ios-arm64_x86_64-simulator in module test (team, platform-ios, cla: yes, platform-host-arm)
[85059](https://github.com/flutter/flutter/pull/85059) Support iOS arm64 simulator (team, platform-ios, tool, cla: yes, platform-host-arm)
[85087](https://github.com/flutter/flutter/pull/85087) Avoid iOS app with extension checks that fail on M1 ARM Macs (team, platform-ios, tool, cla: yes, waiting for tree to go green, platform-host-arm)
[85265](https://github.com/flutter/flutter/pull/85265) Check ios-arm64_x86_64-simulator directory when validating codesigning entitlement (team, platform-ios, tool, cla: yes, waiting for tree to go green, platform-host-arm)
[85642](https://github.com/flutter/flutter/pull/85642) Support iOS arm64 simulator (team, platform-ios, tool, cla: yes, waiting for tree to go green, platform-host-arm)
[87244](https://github.com/flutter/flutter/pull/87244) Exclude arm64 from iOS app archs if unsupported by plugins (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode, platform-host-arm)
[87362](https://github.com/flutter/flutter/pull/87362) Exclude arm64 from iOS app archs if unsupported by plugins on x64 Macs (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode, platform-host-arm)
### team: infra - 7 pull request(s)
[78761](https://github.com/flutter/flutter/pull/78761) removed CIRRUS_CHANGE_MESSAGE and CIRRUS_COMMIT_MESSAGE (team, cla: yes, team: infra)
[80064](https://github.com/flutter/flutter/pull/80064) [devicelab] Refresh documentation (team, cla: yes, waiting for tree to go green, team: infra)
[80172](https://github.com/flutter/flutter/pull/80172) Cache location of Java binary in devicelab tests (a: tests, team, cla: yes, waiting for tree to go green, team: infra)
[81792](https://github.com/flutter/flutter/pull/81792) Reduce potential collisions from Gold RNG (a: tests, team, framework, cla: yes, team: flakes, waiting for tree to go green, team: infra, team: presubmit flakes)
[86329](https://github.com/flutter/flutter/pull/86329) Bump addressable from 2.7.0 to 2.8.0 in /dev/ci/mac (team, cla: yes, waiting for tree to go green, team: infra)
[86393](https://github.com/flutter/flutter/pull/86393) Always write devicelab test results to a file if the resultsPath option is present (team, cla: yes, waiting for tree to go green, team: infra)
[87525](https://github.com/flutter/flutter/pull/87525) Bump cocoapods from 1.10.1 to 1.10.2 in /dev/ci/mac (team, cla: yes, waiting for tree to go green, team: infra)
### integration_test - 7 pull request(s)
[82712](https://github.com/flutter/flutter/pull/82712) [flutter_test/integration_test] added setSurfaceSize test coverage (a: tests, framework, cla: yes, will affect goldens, integration_test)
[84595](https://github.com/flutter/flutter/pull/84595) Fix iOS native integration_tests example project (platform-ios, cla: yes, waiting for tree to go green, integration_test)
[84596](https://github.com/flutter/flutter/pull/84596) Set up iOS native integration_tests in ui example project (team, platform-ios, cla: yes, waiting for tree to go green, integration_test)
[84602](https://github.com/flutter/flutter/pull/84602) Fix integration_test podspecs warnings (team, platform-ios, cla: yes, waiting for tree to go green, integration_test)
[84615](https://github.com/flutter/flutter/pull/84615) Remove unnecessary reference to iOS configuration in README (platform-ios, cla: yes, waiting for tree to go green, documentation, integration_test)
[84812](https://github.com/flutter/flutter/pull/84812) Disable auto scrollbars on desktop for legacy flutter gallery (a: tests, team, framework, team: gallery, f: scrolling, cla: yes, waiting for tree to go green, integration_test, tech-debt)
[84890](https://github.com/flutter/flutter/pull/84890) Set up iOS native integration_tests in ui example project (team, platform-ios, cla: yes, integration_test)
### a: animation - 6 pull request(s)
[81706](https://github.com/flutter/flutter/pull/81706) Integrate MaterialBanner with the ScaffoldMessenger API (severe: new feature, framework, a: animation, f: material design, a: fidelity, cla: yes, d: api docs, d: examples, a: quality, waiting for tree to go green, documentation)
[82765](https://github.com/flutter/flutter/pull/82765) Do not crash if table children are replaced before they are layed out (severe: crash, framework, a: animation, cla: yes, waiting for tree to go green)
[83428](https://github.com/flutter/flutter/pull/83428) add AnimatedScale and AnimatedRotation widgets (severe: new feature, framework, a: animation, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[83661](https://github.com/flutter/flutter/pull/83661) Remove unused `SingleTickerProviderStateMixin` from `AnimatedSize ` example (framework, a: animation, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[84807](https://github.com/flutter/flutter/pull/84807) Fix an animation issue when dragging the first item of a reversed list onto the starting position. (framework, a: animation, f: material design, f: scrolling, cla: yes, a: quality)
[87533](https://github.com/flutter/flutter/pull/87533) Fix Cuptertino dialog test to check correct fade transition (a: tests, team, framework, a: animation, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
### a: fidelity - 6 pull request(s)
[76145](https://github.com/flutter/flutter/pull/76145) Add support for pointer scrolling to trigger floats & snaps (framework, a: fidelity, f: scrolling, cla: yes, a: quality, platform-web, waiting for tree to go green, a: desktop, a: mouse)
[78744](https://github.com/flutter/flutter/pull/78744) Fix painting material toggle (#78733) (framework, f: material design, a: fidelity, cla: yes, waiting for tree to go green, will affect goldens)
[81303](https://github.com/flutter/flutter/pull/81303) [Framework] Support for Android Fullscreen Modes (severe: new feature, e: device-specific, platform-android, framework, engine, f: material design, a: fidelity, cla: yes, a: quality, customer: crowd, waiting for tree to go green, a: layout)
[81706](https://github.com/flutter/flutter/pull/81706) Integrate MaterialBanner with the ScaffoldMessenger API (severe: new feature, framework, a: animation, f: material design, a: fidelity, cla: yes, d: api docs, d: examples, a: quality, waiting for tree to go green, documentation)
[84393](https://github.com/flutter/flutter/pull/84393) ReorderableListView should treat fuchsia as a mobile platform. (framework, f: material design, a: fidelity, f: scrolling, cla: yes, a: quality)
[87143](https://github.com/flutter/flutter/pull/87143) Fix leading overscroll for RenderShrinkWrappingViewport (framework, a: fidelity, f: scrolling, cla: yes, a: quality, customer: crowd, waiting for tree to go green)
### platform-mac - 6 pull request(s)
[80475](https://github.com/flutter/flutter/pull/80475) Find Android Studio installations with Spotlight query on macOS (tool, platform-mac, cla: yes, t: flutter doctor, waiting for tree to go green)
[80477](https://github.com/flutter/flutter/pull/80477) Find VS Code installations with Spotlight query on macOS (tool, platform-mac, cla: yes, t: flutter doctor, waiting for tree to go green)
[80479](https://github.com/flutter/flutter/pull/80479) Find Intellij installations with Spotlight query on macOS (tool, platform-mac, cla: yes, t: flutter doctor, waiting for tree to go green)
[80758](https://github.com/flutter/flutter/pull/80758) Launch Chrome natively on ARM macOS (tool, platform-mac, cla: yes, platform-host-arm)
[82048](https://github.com/flutter/flutter/pull/82048) Prevent macOS individual pod framework signing (tool, platform-mac, cla: yes, waiting for tree to go green)
[84411](https://github.com/flutter/flutter/pull/84411) Add Designed for iPad attach destination for ARM macOS (platform-ios, tool, platform-mac, cla: yes, waiting for tree to go green, platform-target-arm)
### platform-web - 5 pull request(s)
[76145](https://github.com/flutter/flutter/pull/76145) Add support for pointer scrolling to trigger floats & snaps (framework, a: fidelity, f: scrolling, cla: yes, a: quality, platform-web, waiting for tree to go green, a: desktop, a: mouse)
[79989](https://github.com/flutter/flutter/pull/79989) Remove flutterNext (tool, cla: yes, platform-web, waiting for tree to go green, a: desktop)
[82687](https://github.com/flutter/flutter/pull/82687) Update the scrollbar (severe: new feature, framework, f: scrolling, cla: yes, platform-web, waiting for tree to go green, a: desktop)
[83509](https://github.com/flutter/flutter/pull/83509) Router replaces browser history entry if state changes (framework, cla: yes, f: routes, platform-web, waiting for tree to go green)
[85637](https://github.com/flutter/flutter/pull/85637) [web] Remove the part directive from the web key map template (team, cla: yes, platform-web, waiting for tree to go green)
### a: error message - 5 pull request(s)
[81278](https://github.com/flutter/flutter/pull/81278) Assert for valid ScrollController in Scrollbar gestures (framework, f: scrolling, cla: yes, f: cupertino, a: quality, waiting for tree to go green, a: error message)
[84308](https://github.com/flutter/flutter/pull/84308) Added rethrowError to FutureBuilder (severe: new feature, framework, cla: yes, waiting for tree to go green, a: error message)
[84570](https://github.com/flutter/flutter/pull/84570) Fix scrollbar error message and test (framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green, a: error message)
[84809](https://github.com/flutter/flutter/pull/84809) Make scrollbar assertions less aggressive (a: tests, team, framework, f: scrolling, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, a: error message, tech-debt)
[85150](https://github.com/flutter/flutter/pull/85150) Fix SnackBar assertions when configured with theme (severe: crash, framework, f: material design, cla: yes, a: quality, waiting for tree to go green, a: error message)
### severe: API break - 4 pull request(s)
[80756](https://github.com/flutter/flutter/pull/80756) Migrate LogicalKeySet to SingleActivator (a: tests, a: text input, team, framework, f: material design, severe: API break, cla: yes, f: cupertino)
[83923](https://github.com/flutter/flutter/pull/83923) Remove deprecated hasFloatingPlaceholder (team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[83924](https://github.com/flutter/flutter/pull/83924) Remove TextTheme deprecations (team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[83926](https://github.com/flutter/flutter/pull/83926) Remove deprecated typography constructor (team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
### platform-android - 4 pull request(s)
[81303](https://github.com/flutter/flutter/pull/81303) [Framework] Support for Android Fullscreen Modes (severe: new feature, e: device-specific, platform-android, framework, engine, f: material design, a: fidelity, cla: yes, a: quality, customer: crowd, waiting for tree to go green, a: layout)
[85145](https://github.com/flutter/flutter/pull/85145) Do not list Android or iOS devices when feature disabled (platform-android, platform-ios, tool, cla: yes, waiting for tree to go green)
[86911](https://github.com/flutter/flutter/pull/86911) Remove AndroidX compatibility workarounds (team, platform-android, tool, cla: yes, waiting for tree to go green)
[87002](https://github.com/flutter/flutter/pull/87002) Add enableIMEPersonalizedLearning flag to TextField and TextFormField (platform-android, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
### t: flutter doctor - 4 pull request(s)
[80475](https://github.com/flutter/flutter/pull/80475) Find Android Studio installations with Spotlight query on macOS (tool, platform-mac, cla: yes, t: flutter doctor, waiting for tree to go green)
[80477](https://github.com/flutter/flutter/pull/80477) Find VS Code installations with Spotlight query on macOS (tool, platform-mac, cla: yes, t: flutter doctor, waiting for tree to go green)
[80479](https://github.com/flutter/flutter/pull/80479) Find Intellij installations with Spotlight query on macOS (tool, platform-mac, cla: yes, t: flutter doctor, waiting for tree to go green)
[87232](https://github.com/flutter/flutter/pull/87232) Show Android SDK path in doctor on partial installation (tool, cla: yes, t: flutter doctor, waiting for tree to go green)
### a: typography - 3 pull request(s)
[78927](https://github.com/flutter/flutter/pull/78927) Add TextOverflow into TextStyle (framework, f: material design, cla: yes, a: typography, waiting for tree to go green)
[83537](https://github.com/flutter/flutter/pull/83537) Support WidgetSpan in RenderEditable (a: text input, framework, f: material design, cla: yes, a: typography, waiting for tree to go green)
[84887](https://github.com/flutter/flutter/pull/84887) Substitute a replacement character for invalid UTF-16 text in a TextSpan (framework, cla: yes, a: typography, waiting for tree to go green)
### a: platform-views - 3 pull request(s)
[84055](https://github.com/flutter/flutter/pull/84055) Allow Flutter focus to interop with Android view hierarchies (a: text input, framework, cla: yes, a: platform-views, f: focus)
[84095](https://github.com/flutter/flutter/pull/84095) Add onPlatformViewCreated to HtmlElementView (framework, cla: yes, a: platform-views)
[85648](https://github.com/flutter/flutter/pull/85648) Create flag to enable/disable FlutterView render surface conversion (framework, cla: yes, a: platform-views, waiting for tree to go green)
### severe: crash - 3 pull request(s)
[78032](https://github.com/flutter/flutter/pull/78032) Added null check before NavigationRail.onDestinationSelected is called (severe: crash, framework, f: material design, cla: yes, a: quality, waiting for tree to go green, a: null-safety)
[82765](https://github.com/flutter/flutter/pull/82765) Do not crash if table children are replaced before they are layed out (severe: crash, framework, a: animation, cla: yes, waiting for tree to go green)
[85150](https://github.com/flutter/flutter/pull/85150) Fix SnackBar assertions when configured with theme (severe: crash, framework, f: material design, cla: yes, a: quality, waiting for tree to go green, a: error message)
### customer: crowd - 3 pull request(s)
[81303](https://github.com/flutter/flutter/pull/81303) [Framework] Support for Android Fullscreen Modes (severe: new feature, e: device-specific, platform-android, framework, engine, f: material design, a: fidelity, cla: yes, a: quality, customer: crowd, waiting for tree to go green, a: layout)
[85499](https://github.com/flutter/flutter/pull/85499) Re-land"[new feature]introduce `ScrollMetricsNotification`" (severe: new feature, framework, f: scrolling, cla: yes, customer: crowd, waiting for tree to go green)
[87143](https://github.com/flutter/flutter/pull/87143) Fix leading overscroll for RenderShrinkWrappingViewport (framework, a: fidelity, f: scrolling, cla: yes, a: quality, customer: crowd, waiting for tree to go green)
### a: mouse - 3 pull request(s)
[76145](https://github.com/flutter/flutter/pull/76145) Add support for pointer scrolling to trigger floats & snaps (framework, a: fidelity, f: scrolling, cla: yes, a: quality, platform-web, waiting for tree to go green, a: desktop, a: mouse)
[81858](https://github.com/flutter/flutter/pull/81858) Deprecate `GestureDetector.kind` in favor of new `supportedDevices` (severe: new feature, framework, cla: yes, f: gestures, waiting for tree to go green, a: desktop, a: mouse)
[82293](https://github.com/flutter/flutter/pull/82293) Better hover handling for Scrollbar (framework, f: material design, f: scrolling, cla: yes, a: quality, waiting for tree to go green, a: desktop, a: annoyance, a: mouse)
### platform-windows - 2 pull request(s)
[82659](https://github.com/flutter/flutter/pull/82659) [tool] Improve Windows install process (tool, cla: yes, platform-windows, e: uwp)
[82668](https://github.com/flutter/flutter/pull/82668) [tool] Prefer installing multi-arch Win32 binaries (tool, cla: yes, platform-windows)
### f: routes - 2 pull request(s)
[83509](https://github.com/flutter/flutter/pull/83509) Router replaces browser history entry if state changes (framework, cla: yes, f: routes, platform-web, waiting for tree to go green)
[84840](https://github.com/flutter/flutter/pull/84840) fix `_owner` nullability in `routers.dart` (framework, cla: yes, f: routes, will affect goldens, a: null-safety)
### f: focus - 2 pull request(s)
[84055](https://github.com/flutter/flutter/pull/84055) Allow Flutter focus to interop with Android view hierarchies (a: text input, framework, cla: yes, a: platform-views, f: focus)
[85562](https://github.com/flutter/flutter/pull/85562) [Focus] defer autofocus resolution to `_applyFocusChange` (framework, cla: yes, waiting for tree to go green, f: focus)
### severe: regression - 2 pull request(s)
[83014](https://github.com/flutter/flutter/pull/83014) fix a DropdownButtonFormField label display issue (severe: regression, framework, f: material design, cla: yes, a: quality, waiting for tree to go green)
[84828](https://github.com/flutter/flutter/pull/84828) Fixed an issue with overflow exceptions with nested lists inside a reorderable list item. (severe: regression, framework, f: scrolling, cla: yes, waiting for tree to go green)
### e: device-specific - 2 pull request(s)
[81303](https://github.com/flutter/flutter/pull/81303) [Framework] Support for Android Fullscreen Modes (severe: new feature, e: device-specific, platform-android, framework, engine, f: material design, a: fidelity, cla: yes, a: quality, customer: crowd, waiting for tree to go green, a: layout)
[84257](https://github.com/flutter/flutter/pull/84257) fix a PlatformView gesture bug (e: device-specific, framework, cla: yes, f: gestures, waiting for tree to go green)
### a: existing-apps - 2 pull request(s)
[81009](https://github.com/flutter/flutter/pull/81009) Allow ios_add2app to be launched without tests (a: tests, team, cla: yes, a: existing-apps)
[83315](https://github.com/flutter/flutter/pull/83315) rsync instead of delete and copy Flutter.xcframework for add to app (team, platform-ios, tool, cla: yes, a: existing-apps, waiting for tree to go green, t: xcode)
### platform-target-arm - 2 pull request(s)
[84411](https://github.com/flutter/flutter/pull/84411) Add Designed for iPad attach destination for ARM macOS (platform-ios, tool, platform-mac, cla: yes, waiting for tree to go green, platform-target-arm)
[86905](https://github.com/flutter/flutter/pull/86905) Respect plugin excluded iOS architectures (team, tool, cla: yes, waiting for tree to go green, t: xcode, platform-target-arm)
### platform-fuchsia - 1 pull request(s)
[85586](https://github.com/flutter/flutter/pull/85586) [cleanup] Remove `run_fuchsia_tests.sh`. (platform-fuchsia, cla: yes)
### e: uwp - 1 pull request(s)
[82659](https://github.com/flutter/flutter/pull/82659) [tool] Improve Windows install process (tool, cla: yes, platform-windows, e: uwp)
### dependency: dart - 1 pull request(s)
[85364](https://github.com/flutter/flutter/pull/85364) Update stack_trace.dart (team, dependency: dart, cla: yes, waiting for tree to go green)
### t: flutter driver - 1 pull request(s)
[81565](https://github.com/flutter/flutter/pull/81565) Link to correct extended integration test driver file in integration_test README (a: tests, framework, cla: yes, t: flutter driver, waiting for tree to go green)
### t: hot reload - 1 pull request(s)
[84363](https://github.com/flutter/flutter/pull/84363) [flutter] unify reassemble and fast reassemble (framework, t: hot reload, cla: yes, waiting for tree to go green)
### cp: 2.2 - 1 pull request(s)
[78649](https://github.com/flutter/flutter/pull/78649) Treat some exceptions as unhandled when a debugger is attached (tool, framework, cla: yes, waiting for tree to go green, cp: 2.2)
### cla: no - 1 pull request(s)
[81022](https://github.com/flutter/flutter/pull/81022) fix resampling leads to Hard to tap (framework, cla: no)
### team: gallery - 1 pull request(s)
[84812](https://github.com/flutter/flutter/pull/84812) Disable auto scrollbars on desktop for legacy flutter gallery (a: tests, team, framework, team: gallery, f: scrolling, cla: yes, waiting for tree to go green, integration_test, tech-debt)
### a: state restoration - 1 pull request(s)
[78835](https://github.com/flutter/flutter/pull/78835) [State Restoration] Restorable FormField and TextFormField (framework, f: material design, cla: yes, a: state restoration)
### team: presubmit flakes - 1 pull request(s)
[81792](https://github.com/flutter/flutter/pull/81792) Reduce potential collisions from Gold RNG (a: tests, team, framework, cla: yes, team: flakes, waiting for tree to go green, team: infra, team: presubmit flakes)
### a: layout - 1 pull request(s)
[81303](https://github.com/flutter/flutter/pull/81303) [Framework] Support for Android Fullscreen Modes (severe: new feature, e: device-specific, platform-android, framework, engine, f: material design, a: fidelity, cla: yes, a: quality, customer: crowd, waiting for tree to go green, a: layout)
### waiting for customer response - 1 pull request(s)
[85736](https://github.com/flutter/flutter/pull/85736) Remove "unnecessary" imports. (waiting for customer response, tool, framework, f: material design, a: accessibility, cla: yes, waiting for tree to go green, will affect goldens)
### a: annoyance - 1 pull request(s)
[82293](https://github.com/flutter/flutter/pull/82293) Better hover handling for Scrollbar (framework, f: material design, f: scrolling, cla: yes, a: quality, waiting for tree to go green, a: desktop, a: annoyance, a: mouse)
### Merged PRs by labels for `flutter/engine`
### cla: yes - 1729 pull request(s)
[19631](https://github.com/flutter/engine/pull/19631) Fix behavior of BackdropFilter on a transparent background (cla: yes)
[20535](https://github.com/flutter/engine/pull/20535) fuchsia: Delete unused compilation_trace code (cla: yes, waiting for tree to go green, platform-fuchsia)
[23467](https://github.com/flutter/engine/pull/23467) Hardware Keyboard: Linux (GTK) (affects: text input, cla: yes, platform-macos, platform-linux, platform-windows, embedder)
[25070](https://github.com/flutter/engine/pull/25070) [iOS] Fixes crash of TextInputView when Flutter deallocated (platform-ios, waiting for customer response, cla: yes, waiting for tree to go green)
[25290](https://github.com/flutter/engine/pull/25290) [fuchsia] create component context in main (cla: yes, platform-fuchsia)
[25307](https://github.com/flutter/engine/pull/25307) TaskSources register tasks with MessageLoopTaskQueues dispatcher (cla: yes, embedder)
[25343](https://github.com/flutter/engine/pull/25343) fuchsia: Handle multiple views in platformViews path (cla: yes, platform-fuchsia)
[25373](https://github.com/flutter/engine/pull/25373) Add API to the engine to support attributed text (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web)
[25381](https://github.com/flutter/engine/pull/25381) fuchsia: Reliably pass View insets (cla: yes, platform-fuchsia)
[25385](https://github.com/flutter/engine/pull/25385) [fuchsia] Use scenic allocator service (cla: yes, platform-fuchsia)
[25389](https://github.com/flutter/engine/pull/25389) [iOS] Fixes context memory leaks when using Metal (platform-ios, cla: yes, waiting for tree to go green)
[25395](https://github.com/flutter/engine/pull/25395) Deduplicate plugin registration logic and make error logs visible - take 2 (platform-android, cla: yes, waiting for tree to go green)
[25412](https://github.com/flutter/engine/pull/25412) Windows: Add support for engine switches for WinUWP target (cla: yes, waiting for tree to go green, platform-windows)
[25446](https://github.com/flutter/engine/pull/25446) [iOS] Make FlutterEngine new method available (platform-ios, cla: yes, waiting for tree to go green)
[25453](https://github.com/flutter/engine/pull/25453) Add automatic onBackPressed behavior to FlutterFragment (platform-android, cla: yes)
[25465](https://github.com/flutter/engine/pull/25465) Forward a11y methods from FlutterSwitchSemanticsObject (platform-ios, cla: yes, waiting for tree to go green)
[25474](https://github.com/flutter/engine/pull/25474) Roll Fuchsia Linux SDK from 0Db2pEb0U... to R3xv3K9Hz... (cla: yes, waiting for tree to go green)
[25476](https://github.com/flutter/engine/pull/25476) Roll Fuchsia Mac SDK from a9NOB6sdo... to eV1E54W8a... (cla: yes, waiting for tree to go green)
[25477](https://github.com/flutter/engine/pull/25477) Windows: Only terminate display for last instance (cla: yes, waiting for tree to go green, platform-windows)
[25479](https://github.com/flutter/engine/pull/25479) Roll Dart SDK from 3f36938a7cff to 1fd6151bb137 (2 revisions) (cla: yes, waiting for tree to go green)
[25480](https://github.com/flutter/engine/pull/25480) Add Dart SPIR-V transpiler (cla: yes, waiting for tree to go green)
[25486](https://github.com/flutter/engine/pull/25486) Use 'For example' in place of 'e.g.' (cla: yes)
[25487](https://github.com/flutter/engine/pull/25487) Roll Skia from 5c6258287461 to b5344509a270 (9 revisions) (cla: yes, waiting for tree to go green)
[25488](https://github.com/flutter/engine/pull/25488) Roll Skia from b5344509a270 to b99622c05aa0 (2 revisions) (cla: yes, waiting for tree to go green)
[25489](https://github.com/flutter/engine/pull/25489) Roll Dart SDK from 1fd6151bb137 to 23cdf0997052 (2 revisions) (cla: yes, waiting for tree to go green)
[25490](https://github.com/flutter/engine/pull/25490) Roll Fuchsia Mac SDK from eV1E54W8a... to TSNvj5bMY... (cla: yes, waiting for tree to go green)
[25491](https://github.com/flutter/engine/pull/25491) Roll Fuchsia Linux SDK from R3xv3K9Hz... to 9ujC5zDr6... (cla: yes, waiting for tree to go green)
[25493](https://github.com/flutter/engine/pull/25493) Roll Skia from b99622c05aa0 to 3295ea8d703c (1 revision) (cla: yes, waiting for tree to go green)
[25494](https://github.com/flutter/engine/pull/25494) Roll Skia from 3295ea8d703c to 27d827820c0a (4 revisions) (cla: yes, waiting for tree to go green)
[25495](https://github.com/flutter/engine/pull/25495) [fuchsia] stop using SmoothPointerDataDispatcher (cla: yes, platform-fuchsia)
[25496](https://github.com/flutter/engine/pull/25496) Reland Dart plugin registrant (cla: yes, waiting for tree to go green)
[25497](https://github.com/flutter/engine/pull/25497) Fix bug when build_fuchsia_artifacts.py is called without --targets. (cla: yes, waiting for tree to go green, platform-fuchsia)
[25498](https://github.com/flutter/engine/pull/25498) Add Windows UWP CI builders (cla: yes)
[25499](https://github.com/flutter/engine/pull/25499) Roll Dart SDK from 23cdf0997052 to f79253a6b189 (2 revisions) (cla: yes, waiting for tree to go green)
[25501](https://github.com/flutter/engine/pull/25501) Roll Skia from 27d827820c0a to 022636b15aff (6 revisions) (cla: yes, waiting for tree to go green)
[25504](https://github.com/flutter/engine/pull/25504) Roll Fuchsia Linux SDK from 9ujC5zDr6... to -EQHGXqib... (cla: yes, waiting for tree to go green)
[25506](https://github.com/flutter/engine/pull/25506) Made sure not to delete handles of dart objects if the isolate has been deleted (cla: yes)
[25507](https://github.com/flutter/engine/pull/25507) Roll Skia from 022636b15aff to 79aaa9b6c1c5 (5 revisions) (cla: yes, waiting for tree to go green)
[25508](https://github.com/flutter/engine/pull/25508) Roll Fuchsia Mac SDK from TSNvj5bMY... to qkWDPuWbY... (cla: yes, waiting for tree to go green)
[25509](https://github.com/flutter/engine/pull/25509) Roll Skia from 79aaa9b6c1c5 to 148f04d50e98 (1 revision) (cla: yes, waiting for tree to go green)
[25510](https://github.com/flutter/engine/pull/25510) [libTxt] resolve null leading distribution in dart:ui. (cla: yes, waiting for tree to go green, platform-web)
[25511](https://github.com/flutter/engine/pull/25511) Roll Dart SDK from f79253a6b189 to 7379283a735f (1 revision) (cla: yes, waiting for tree to go green)
[25512](https://github.com/flutter/engine/pull/25512) Roll Skia from 148f04d50e98 to a12796b42c0e (13 revisions) (cla: yes, waiting for tree to go green)
[25513](https://github.com/flutter/engine/pull/25513) [web] Use greatest span font size on the parent paragraph (cla: yes, platform-web)
[25514](https://github.com/flutter/engine/pull/25514) Roll Skia from a12796b42c0e to 3cffe81f0d16 (4 revisions) (cla: yes, waiting for tree to go green)
[25517](https://github.com/flutter/engine/pull/25517) Roll Dart SDK from 7379283a735f to 1f827532b5ca (2 revisions) (cla: yes, waiting for tree to go green)
[25519](https://github.com/flutter/engine/pull/25519) Roll Skia from 3cffe81f0d16 to d3a1df8da790 (7 revisions) (cla: yes, waiting for tree to go green)
[25520](https://github.com/flutter/engine/pull/25520) [web] Optimize oval path clipping (cla: yes, platform-web)
[25521](https://github.com/flutter/engine/pull/25521) Roll Skia from d3a1df8da790 to cd2f96dd681d (2 revisions) (cla: yes, waiting for tree to go green)
[25522](https://github.com/flutter/engine/pull/25522) Eliminate unnecessary conditional on UWP in build (cla: yes, affects: desktop, platform-windows, tech-debt)
[25523](https://github.com/flutter/engine/pull/25523) FlutterView: Use default backing layer (cla: yes, waiting for tree to go green, platform-macos)
[25524](https://github.com/flutter/engine/pull/25524) Fix accent popup position (cla: yes, waiting for tree to go green, platform-macos)
[25525](https://github.com/flutter/engine/pull/25525) Roll Dart SDK from 1f827532b5ca to 5f4726d9574f (1 revision) (cla: yes, waiting for tree to go green)
[25526](https://github.com/flutter/engine/pull/25526) Fix analysis errors in text.dart (cla: yes, waiting for tree to go green)
[25527](https://github.com/flutter/engine/pull/25527) Roll Fuchsia Linux SDK from -EQHGXqib... to FieTRhouC... (cla: yes, waiting for tree to go green)
[25528](https://github.com/flutter/engine/pull/25528) Roll Fuchsia Mac SDK from qkWDPuWbY... to QCLH6ZmWl... (cla: yes, waiting for tree to go green)
[25529](https://github.com/flutter/engine/pull/25529) Roll Dart SDK from 5f4726d9574f to 7a51dacd2a59 (1 revision) (cla: yes, waiting for tree to go green)
[25530](https://github.com/flutter/engine/pull/25530) Roll Dart SDK from 7a51dacd2a59 to 3352be987525 (1 revision) (cla: yes, waiting for tree to go green)
[25531](https://github.com/flutter/engine/pull/25531) Roll Skia from cd2f96dd681d to fe91974471fd (1 revision) (cla: yes, waiting for tree to go green)
[25532](https://github.com/flutter/engine/pull/25532) Roll Skia from fe91974471fd to ee7a854b614e (1 revision) (cla: yes, waiting for tree to go green)
[25533](https://github.com/flutter/engine/pull/25533) Roll Fuchsia Linux SDK from FieTRhouC... to b08-YST9Y... (cla: yes, waiting for tree to go green)
[25534](https://github.com/flutter/engine/pull/25534) Roll Fuchsia Mac SDK from QCLH6ZmWl... to jc1NEESPY... (cla: yes, waiting for tree to go green)
[25535](https://github.com/flutter/engine/pull/25535) [Linux] revise dark theme detection (cla: yes, waiting for tree to go green, platform-linux)
[25536](https://github.com/flutter/engine/pull/25536) Roll Dart SDK from 3352be987525 to b5cd2baf642f (1 revision) (cla: yes, waiting for tree to go green)
[25537](https://github.com/flutter/engine/pull/25537) Roll Fuchsia Linux SDK from b08-YST9Y... to 3AhDN6ITO... (cla: yes, waiting for tree to go green)
[25538](https://github.com/flutter/engine/pull/25538) Roll Fuchsia Mac SDK from jc1NEESPY... to 0dM14Kk3A... (cla: yes, waiting for tree to go green)
[25539](https://github.com/flutter/engine/pull/25539) Roll Skia from ee7a854b614e to a56e553d5869 (1 revision) (cla: yes, waiting for tree to go green)
[25540](https://github.com/flutter/engine/pull/25540) WINUWP: Conditionalize plugin related wrapper (cla: yes, waiting for tree to go green, platform-windows)
[25544](https://github.com/flutter/engine/pull/25544) Reduce the warning severity for FlutterEngineGroup (platform-android, cla: yes, waiting for tree to go green)
[25545](https://github.com/flutter/engine/pull/25545) [web] Fix linear gradient transformation matrix (cla: yes, platform-web)
[25548](https://github.com/flutter/engine/pull/25548) [macos] Release the copied pixel buffer after texture creation (cla: yes, waiting for tree to go green, platform-macos, embedder, cp: 2.2)
[25549](https://github.com/flutter/engine/pull/25549) [web] Fix gradient matrix transform when shaderBounds is translated (cla: yes, platform-web)
[25550](https://github.com/flutter/engine/pull/25550) Roll Skia from a56e553d5869 to d276cdfdeebd (17 revisions) (cla: yes, waiting for tree to go green)
[25551](https://github.com/flutter/engine/pull/25551) Fix VsyncWaiter (cla: yes, platform-fuchsia)
[25553](https://github.com/flutter/engine/pull/25553) Roll Dart SDK from b5cd2baf642f to 72caeb970608 (6 revisions) (cla: yes, waiting for tree to go green)
[25556](https://github.com/flutter/engine/pull/25556) [web] Render ellipsis for overflowing text in DOM mode (cla: yes, waiting for tree to go green, platform-web)
[25557](https://github.com/flutter/engine/pull/25557) Roll Fuchsia Mac SDK from 0dM14Kk3A... to RgZnCZ5ng... (cla: yes, waiting for tree to go green)
[25558](https://github.com/flutter/engine/pull/25558) Roll Fuchsia Linux SDK from 3AhDN6ITO... to 4numS0K6T... (cla: yes, waiting for tree to go green)
[25561](https://github.com/flutter/engine/pull/25561) [web] Fix firefox crash during font loading (cla: yes, waiting for tree to go green, platform-web)
[25563](https://github.com/flutter/engine/pull/25563) Roll Skia from d276cdfdeebd to debcbbf6a8ee (22 revisions) (cla: yes, waiting for tree to go green)
[25565](https://github.com/flutter/engine/pull/25565) Roll Skia from debcbbf6a8ee to 785a3262d116 (3 revisions) (cla: yes, waiting for tree to go green)
[25566](https://github.com/flutter/engine/pull/25566) Support SKP captures in flutter_tester (cla: yes, waiting for tree to go green)
[25567](https://github.com/flutter/engine/pull/25567) Roll Dart SDK from 72caeb970608 to e8cb08ba389a (6 revisions) (cla: yes, waiting for tree to go green)
[25569](https://github.com/flutter/engine/pull/25569) [web] Start splitting the engine into smaller libs (cla: yes, platform-web)
[25570](https://github.com/flutter/engine/pull/25570) Add FlutterCompositor base class (cla: yes, platform-macos)
[25575](https://github.com/flutter/engine/pull/25575) change the Android FlutterEngine class doc around multiple engines (platform-android, cla: yes, waiting for tree to go green)
[25578](https://github.com/flutter/engine/pull/25578) Add more doc for how the plugin registration process works and how to customize it (platform-android, cla: yes, waiting for tree to go green)
[25579](https://github.com/flutter/engine/pull/25579) Distinguish between touch and mouse input (cla: yes, platform-windows, embedder)
[25585](https://github.com/flutter/engine/pull/25585) Fix the kernel path in the DartPersistentHandleTest.ClearAfterShutdown test (cla: yes)
[25589](https://github.com/flutter/engine/pull/25589) Roll Skia from 785a3262d116 to cdee12018087 (13 revisions) (cla: yes, waiting for tree to go green)
[25591](https://github.com/flutter/engine/pull/25591) Roll Dart SDK from e8cb08ba389a to 05538f0a8a5b (3 revisions) (cla: yes, waiting for tree to go green)
[25592](https://github.com/flutter/engine/pull/25592) Roll Skia from cdee12018087 to 3c1ed9cbe23d (3 revisions) (cla: yes, waiting for tree to go green)
[25593](https://github.com/flutter/engine/pull/25593) Roll Clang Mac from RW7LSJ9ld... to UStSqd7xn... (cla: yes, waiting for tree to go green)
[25594](https://github.com/flutter/engine/pull/25594) Roll Clang Linux from pRlhGPqYQ... to GiGTah6EB... (cla: yes, waiting for tree to go green)
[25595](https://github.com/flutter/engine/pull/25595) [flutter_releases] Flutter Dev 2.2.0-10.0.pre Engine Cherrypicks (cla: yes)
[25599](https://github.com/flutter/engine/pull/25599) Roll Skia from 3c1ed9cbe23d to 5c5f09bc28b8 (12 revisions) (cla: yes, waiting for tree to go green)
[25600](https://github.com/flutter/engine/pull/25600) Support text editing voiceover feedback in macOS (cla: yes, waiting for tree to go green, platform-macos)
[25601](https://github.com/flutter/engine/pull/25601) [web] Remove dart language versions from engine files (cla: yes, waiting for tree to go green, platform-web)
[25602](https://github.com/flutter/engine/pull/25602) [web] Catch image load failures in --release builds (cla: yes, platform-web)
[25603](https://github.com/flutter/engine/pull/25603) [flutter_releases] Flutter Dev 2.2.0-10.0.pre Engine Cherrypicks part 2 (cla: yes)
[25604](https://github.com/flutter/engine/pull/25604) Roll Dart SDK from 05538f0a8a5b to 0b565abb0c24 (1 revision) (cla: yes, waiting for tree to go green)
[25605](https://github.com/flutter/engine/pull/25605) Fix html version of drawImageNine (cla: yes, platform-web)
[25606](https://github.com/flutter/engine/pull/25606) Fix usage of (soon to be removed) Name.name (cla: yes)
[25607](https://github.com/flutter/engine/pull/25607) Roll Skia from 5c5f09bc28b8 to be834bfa2c3a (8 revisions) (cla: yes, waiting for tree to go green)
[25608](https://github.com/flutter/engine/pull/25608) Roll Skia from be834bfa2c3a to cbb60bd0b08e (1 revision) (cla: yes, waiting for tree to go green)
[25609](https://github.com/flutter/engine/pull/25609) Roll Skia from cbb60bd0b08e to 333de882b62c (2 revisions) (cla: yes, waiting for tree to go green)
[25610](https://github.com/flutter/engine/pull/25610) Roll Dart SDK from 0b565abb0c24 to eff12d77a2ad (3 revisions) (cla: yes, waiting for tree to go green)
[25612](https://github.com/flutter/engine/pull/25612) Add Metal to the FlutterCompositor struct in the Embedder API (cla: yes, embedder)
[25613](https://github.com/flutter/engine/pull/25613) Roll Skia from 333de882b62c to 665920e9b9fb (7 revisions) (cla: yes, waiting for tree to go green)
[25614](https://github.com/flutter/engine/pull/25614) Fix drawVertices when using indices for web_html (cla: yes, platform-web)
[25615](https://github.com/flutter/engine/pull/25615) Remove --dartdocs in preparation for removal from tool (cla: yes)
[25616](https://github.com/flutter/engine/pull/25616) migrate tests to nullsafe (cla: yes, platform-web)
[25617](https://github.com/flutter/engine/pull/25617) kick build (cla: yes)
[25618](https://github.com/flutter/engine/pull/25618) Roll Skia from 665920e9b9fb to 096226809997 (8 revisions) (cla: yes, waiting for tree to go green)
[25619](https://github.com/flutter/engine/pull/25619) [flutter_releases] Flutter Stable 2.0.5 Engine Cherrypicks (platform-android, cla: yes, platform-web, platform-windows, platform-fuchsia)
[25620](https://github.com/flutter/engine/pull/25620) migrate tests to nullsafe (cla: yes, platform-web)
[25621](https://github.com/flutter/engine/pull/25621) Roll Skia from 096226809997 to de89bf0cd7b2 (1 revision) (cla: yes, waiting for tree to go green)
[25622](https://github.com/flutter/engine/pull/25622) Roll Skia from de89bf0cd7b2 to 1efd7fc9937c (1 revision) (cla: yes, waiting for tree to go green)
[25624](https://github.com/flutter/engine/pull/25624) Roll Skia from 1efd7fc9937c to c42f772718ad (2 revisions) (cla: yes, waiting for tree to go green)
[25625](https://github.com/flutter/engine/pull/25625) Roll Skia from c42f772718ad to e2b457ad5fab (6 revisions) (cla: yes, waiting for tree to go green)
[25627](https://github.com/flutter/engine/pull/25627) Roll Skia from e2b457ad5fab to 624a529fbd01 (11 revisions) (cla: yes, waiting for tree to go green)
[25628](https://github.com/flutter/engine/pull/25628) [Android KeyEvents] Split AndroidKeyProcessor into separate classes (platform-android, cla: yes, waiting for tree to go green)
[25630](https://github.com/flutter/engine/pull/25630) Roll Skia from 624a529fbd01 to 6e927095e1d9 (2 revisions) (cla: yes, waiting for tree to go green)
[25631](https://github.com/flutter/engine/pull/25631) Roll Skia from 6e927095e1d9 to 68072a46765b (1 revision) (cla: yes, waiting for tree to go green)
[25632](https://github.com/flutter/engine/pull/25632) Start of refactor of Android for pbuffer (platform-android, cla: yes)
[25634](https://github.com/flutter/engine/pull/25634) Roll Skia from 68072a46765b to d0ca961bd22c (1 revision) (cla: yes, waiting for tree to go green)
[25636](https://github.com/flutter/engine/pull/25636) Roll Skia from d0ca961bd22c to 66aed2136b87 (1 revision) (cla: yes, waiting for tree to go green)
[25637](https://github.com/flutter/engine/pull/25637) Roll Skia from 66aed2136b87 to 163ba10ddefa (1 revision) (cla: yes, waiting for tree to go green)
[25638](https://github.com/flutter/engine/pull/25638) Roll Skia from 163ba10ddefa to 9d4741370cf1 (1 revision) (cla: yes, waiting for tree to go green)
[25640](https://github.com/flutter/engine/pull/25640) Roll Skia from 9d4741370cf1 to be82005209c0 (1 revision) (cla: yes, waiting for tree to go green)
[25644](https://github.com/flutter/engine/pull/25644) Wire up Metal shader precompilation from offline training runs. (cla: yes, waiting for tree to go green)
[25646](https://github.com/flutter/engine/pull/25646) Remove if from `lerp.dart` docs (cla: yes, waiting for tree to go green)
[25648](https://github.com/flutter/engine/pull/25648) Roll Skia from be82005209c0 to 59f1a9cb7a34 (5 revisions) (cla: yes, waiting for tree to go green)
[25649](https://github.com/flutter/engine/pull/25649) Update gtest_filters to disable TimeSensitiveTest. (cla: yes)
[25652](https://github.com/flutter/engine/pull/25652) Roll Skia from 59f1a9cb7a34 to e49703faf265 (9 revisions) (cla: yes, waiting for tree to go green)
[25653](https://github.com/flutter/engine/pull/25653) Start microtasks only in non-test envs (platform-ios, cla: yes, waiting for tree to go green, platform-fuchsia)
[25655](https://github.com/flutter/engine/pull/25655) Revert "[fuchsia] Use scenic allocator service" (cla: yes, platform-fuchsia)
[25656](https://github.com/flutter/engine/pull/25656) Roll Skia from e49703faf265 to 8ced56f05f2c (5 revisions) (cla: yes, waiting for tree to go green)
[25657](https://github.com/flutter/engine/pull/25657) Library and Class ctor from the next dart roll requires fileUri (cla: yes, waiting for tree to go green)
[25659](https://github.com/flutter/engine/pull/25659) Include paragraph height in the top-level text style. (cla: yes, platform-web)
[25660](https://github.com/flutter/engine/pull/25660) Roll Skia from 8ced56f05f2c to 9d11cbdef854 (1 revision) (cla: yes, waiting for tree to go green)
[25661](https://github.com/flutter/engine/pull/25661) Provide a stub platform view embedder for tester to avoid emitting errors (cla: yes, waiting for tree to go green)
[25663](https://github.com/flutter/engine/pull/25663) Revert "[fuchsia] Use scenic allocator service (#25385)" (#25655) (cla: yes, platform-fuchsia)
[25665](https://github.com/flutter/engine/pull/25665) Roll Dart SDK from eff12d77a2ad to d05e7fc462ba (10 revisions) (cla: yes, waiting for tree to go green)
[25666](https://github.com/flutter/engine/pull/25666) TalkBack shouldn't announce platform views that aren't in the a11y tree (platform-android, cla: yes, waiting for tree to go green)
[25667](https://github.com/flutter/engine/pull/25667) Roll Skia from 9d11cbdef854 to d8c2750cf607 (1 revision) (cla: yes, waiting for tree to go green)
[25668](https://github.com/flutter/engine/pull/25668) Roll Skia from d8c2750cf607 to d9bf97c5e249 (2 revisions) (cla: yes, waiting for tree to go green)
[25670](https://github.com/flutter/engine/pull/25670) Add Android accessibility global offset of FlutterView (platform-android, cla: yes)
[25674](https://github.com/flutter/engine/pull/25674) Roll Skia from d9bf97c5e249 to fb5865e6509c (1 revision) (cla: yes, waiting for tree to go green)
[25676](https://github.com/flutter/engine/pull/25676) Roll Skia from fb5865e6509c to 647563879004 (8 revisions) (cla: yes, waiting for tree to go green)
[25677](https://github.com/flutter/engine/pull/25677) Roll Skia from 647563879004 to 94df572a1374 (5 revisions) (cla: yes, waiting for tree to go green)
[25678](https://github.com/flutter/engine/pull/25678) Roll Skia from 94df572a1374 to e05860862631 (2 revisions) (cla: yes, waiting for tree to go green)
[25679](https://github.com/flutter/engine/pull/25679) Roll libpng to afda123a503bdc41df13f86316cf5f83bc204761 (cla: yes)
[25682](https://github.com/flutter/engine/pull/25682) Roll Skia from e05860862631 to d0ef90769b47 (2 revisions) (cla: yes, waiting for tree to go green)
[25683](https://github.com/flutter/engine/pull/25683) Migrate third_party/expat dependency to googlecode (cla: yes)
[25684](https://github.com/flutter/engine/pull/25684) Roll Skia from d0ef90769b47 to 04c82165b1c7 (3 revisions) (cla: yes, waiting for tree to go green)
[25685](https://github.com/flutter/engine/pull/25685) Roll Skia from 04c82165b1c7 to 5ba330cd1324 (1 revision) (cla: yes, waiting for tree to go green)
[25686](https://github.com/flutter/engine/pull/25686) Roll Skia from 5ba330cd1324 to c34dc525fc09 (2 revisions) (cla: yes, waiting for tree to go green)
[25689](https://github.com/flutter/engine/pull/25689) Roll Skia from c34dc525fc09 to e7dfbfea1f39 (1 revision) (cla: yes, waiting for tree to go green)
[25690](https://github.com/flutter/engine/pull/25690) Revert TaskRunner changes to fix Fuchsia Test failures (platform-ios, cla: yes, platform-fuchsia, embedder)
[25691](https://github.com/flutter/engine/pull/25691) Roll Skia from e7dfbfea1f39 to 9a56eb70638a (4 revisions) (cla: yes, waiting for tree to go green)
[25692](https://github.com/flutter/engine/pull/25692) Reland "TaskSources register tasks with MessageLoopTaskQueues dispatcher" (cla: yes, waiting for tree to go green, embedder)
[25693](https://github.com/flutter/engine/pull/25693) Roll Skia from 9a56eb70638a to 8676ebe35045 (2 revisions) (cla: yes, waiting for tree to go green)
[25694](https://github.com/flutter/engine/pull/25694) Roll Skia from 8676ebe35045 to 5d627f3eba1c (3 revisions) (cla: yes, waiting for tree to go green)
[25697](https://github.com/flutter/engine/pull/25697) Roll Skia from 5d627f3eba1c to 716aeb900849 (13 revisions) (cla: yes, waiting for tree to go green)
[25698](https://github.com/flutter/engine/pull/25698) fix AccessibilityBridgeMacDelegate to grab nswindow from appdelegate (cla: yes, waiting for tree to go green, platform-macos)
[25699](https://github.com/flutter/engine/pull/25699) Roll Skia from 716aeb900849 to 7111881617a1 (2 revisions) (cla: yes, waiting for tree to go green)
[25700](https://github.com/flutter/engine/pull/25700) Wire up paragraph font weight and font style in canvas golden test (cla: yes, platform-web)
[25708](https://github.com/flutter/engine/pull/25708) Return an empty canvas in the TesterExternalViewEmbedder (cla: yes)
[25709](https://github.com/flutter/engine/pull/25709) Fix accessibility of embedded views in Android 9 and below (platform-android, cla: yes)
[25711](https://github.com/flutter/engine/pull/25711) Roll Skia from 7111881617a1 to 071182ed1da5 (22 revisions) (cla: yes, waiting for tree to go green)
[25712](https://github.com/flutter/engine/pull/25712) Roll Skia from 071182ed1da5 to 82007f568d90 (4 revisions) (cla: yes, waiting for tree to go green)
[25714](https://github.com/flutter/engine/pull/25714) Roll Clang Linux from GiGTah6EB... to zRvL_ACCG... (cla: yes, waiting for tree to go green)
[25715](https://github.com/flutter/engine/pull/25715) Roll Clang Mac from UStSqd7xn... to bf4GDBSQE... (cla: yes, waiting for tree to go green)
[25717](https://github.com/flutter/engine/pull/25717) Roll Skia from 82007f568d90 to 395274e664cf (7 revisions) (cla: yes, waiting for tree to go green)
[25718](https://github.com/flutter/engine/pull/25718) Roll Dart SDK from d05e7fc462ba to 7f16d6f67d91 (14 revisions) (cla: yes, waiting for tree to go green)
[25719](https://github.com/flutter/engine/pull/25719) Roll Skia from 395274e664cf to 7b60deedbd98 (1 revision) (cla: yes, waiting for tree to go green)
[25720](https://github.com/flutter/engine/pull/25720) Roll Skia from 7b60deedbd98 to 94d3dd82f350 (3 revisions) (cla: yes, waiting for tree to go green)
[25721](https://github.com/flutter/engine/pull/25721) Roll Dart SDK from 7f16d6f67d91 to 805527e063af (1 revision) (cla: yes, waiting for tree to go green)
[25722](https://github.com/flutter/engine/pull/25722) Roll Skia from 94d3dd82f350 to 7b8f14991dae (1 revision) (cla: yes, waiting for tree to go green)
[25723](https://github.com/flutter/engine/pull/25723) Roll Dart SDK from 805527e063af to 4ead30825322 (1 revision) (cla: yes, waiting for tree to go green)
[25725](https://github.com/flutter/engine/pull/25725) Roll Skia from 7b8f14991dae to 7978abafee41 (1 revision) (cla: yes, waiting for tree to go green)
[25729](https://github.com/flutter/engine/pull/25729) Add web ImageShader support for drawVertices. (cla: yes, platform-web)
[25730](https://github.com/flutter/engine/pull/25730) Roll Skia from 7978abafee41 to 600bc360ff01 (5 revisions) (cla: yes, waiting for tree to go green)
[25731](https://github.com/flutter/engine/pull/25731) Roll Dart SDK from 4ead30825322 to b207c9873e6c (1 revision) (cla: yes, waiting for tree to go green)
[25732](https://github.com/flutter/engine/pull/25732) Roll CanvasKit to 0.26.0 (cla: yes, platform-web)
[25733](https://github.com/flutter/engine/pull/25733) Roll Skia from 600bc360ff01 to 92934d75284d (3 revisions) (cla: yes, waiting for tree to go green)
[25734](https://github.com/flutter/engine/pull/25734) [canvaskit] Implement TextHeightBehavior (cla: yes, waiting for tree to go green, platform-web)
[25735](https://github.com/flutter/engine/pull/25735) Roll Skia from 92934d75284d to 9a0da785a5ba (4 revisions) (cla: yes, waiting for tree to go green)
[25736](https://github.com/flutter/engine/pull/25736) Remove "unnecessary" imports. (cla: yes, platform-web)
[25737](https://github.com/flutter/engine/pull/25737) Use GN instead of Ninja to generate compile commands and save ~1sec off of no-op builds. (cla: yes, waiting for tree to go green)
[25738](https://github.com/flutter/engine/pull/25738) Fixes ios accessibility send focus request to an unfocusable node (platform-ios, cla: yes, waiting for tree to go green)
[25739](https://github.com/flutter/engine/pull/25739) Allow dumping trace information during GN calls. (cla: yes, waiting for tree to go green)
[25740](https://github.com/flutter/engine/pull/25740) Roll Skia from 9a0da785a5ba to 48f106501cd2 (3 revisions) (cla: yes, waiting for tree to go green)
[25741](https://github.com/flutter/engine/pull/25741) [CanvasKit] Support all TextHeightStyles (cla: yes, waiting for tree to go green, platform-web)
[25743](https://github.com/flutter/engine/pull/25743) Fix incorrect platformchannel response when clipboard getData is not supported (cla: yes, platform-web)
[25744](https://github.com/flutter/engine/pull/25744) Roll Skia from 48f106501cd2 to 1dcf46359c5a (3 revisions) (cla: yes, waiting for tree to go green)
[25745](https://github.com/flutter/engine/pull/25745) [fuchsia] Adds a singleton to access inspect root node. (cla: yes, platform-fuchsia)
[25746](https://github.com/flutter/engine/pull/25746) Roll Dart SDK from b207c9873e6c to cbffcce7200e (2 revisions) (cla: yes, waiting for tree to go green)
[25747](https://github.com/flutter/engine/pull/25747) [web] Render PlatformViews with SLOT tags. (cla: yes, waiting for tree to go green, platform-web)
[25748](https://github.com/flutter/engine/pull/25748) Roll Skia from 1dcf46359c5a to 08c660890718 (1 revision) (cla: yes, waiting for tree to go green)
[25750](https://github.com/flutter/engine/pull/25750) [fuchsia] Remove now unsed wrapper for zx_clock_get (cla: yes, waiting for tree to go green, platform-fuchsia)
[25751](https://github.com/flutter/engine/pull/25751) Roll Skia from 08c660890718 to d7872aca1d6c (1 revision) (cla: yes, waiting for tree to go green)
[25752](https://github.com/flutter/engine/pull/25752) Roll Dart SDK from cbffcce7200e to af7f6ca66d16 (1 revision) (cla: yes, waiting for tree to go green)
[25753](https://github.com/flutter/engine/pull/25753) Roll Dart SDK from af7f6ca66d16 to 9948dbd6786f (1 revision) (cla: yes, waiting for tree to go green)
[25754](https://github.com/flutter/engine/pull/25754) Roll Skia from d7872aca1d6c to 5d8a09ebff9c (1 revision) (cla: yes, waiting for tree to go green)
[25755](https://github.com/flutter/engine/pull/25755) Roll Dart SDK from 9948dbd6786f to 3ef1518441e1 (1 revision) (cla: yes, waiting for tree to go green)
[25756](https://github.com/flutter/engine/pull/25756) Roll Dart SDK from 3ef1518441e1 to 1d1bde67c094 (1 revision) (cla: yes, waiting for tree to go green)
[25757](https://github.com/flutter/engine/pull/25757) Do not use android_context after it is std::moved in the PlatformViewAndroid constructor (platform-android, cla: yes, waiting for tree to go green)
[25758](https://github.com/flutter/engine/pull/25758) Ensure stdout and stderr from failed test runs are reported from `run_tests.py`. (cla: yes, waiting for tree to go green)
[25759](https://github.com/flutter/engine/pull/25759) Roll Skia from 5d8a09ebff9c to 08ea02560710 (1 revision) (cla: yes, waiting for tree to go green)
[25760](https://github.com/flutter/engine/pull/25760) Use "blur_sigma" instead of "blur_radius" in Shadow. (cla: yes, waiting for tree to go green)
[25761](https://github.com/flutter/engine/pull/25761) Roll Skia from 08ea02560710 to 4df5672a5b7f (1 revision) (cla: yes, waiting for tree to go green)
[25763](https://github.com/flutter/engine/pull/25763) Roll Dart SDK from 1d1bde67c094 to cb00fcef63bd (1 revision) (cla: yes, waiting for tree to go green)
[25764](https://github.com/flutter/engine/pull/25764) Roll Dart SDK from cb00fcef63bd to 0546ef689975 (1 revision) (cla: yes, waiting for tree to go green)
[25765](https://github.com/flutter/engine/pull/25765) Roll Skia from 4df5672a5b7f to 467103022f9b (2 revisions) (cla: yes, waiting for tree to go green)
[25766](https://github.com/flutter/engine/pull/25766) Roll Skia from 467103022f9b to adcf2ef54ec6 (2 revisions) (cla: yes, waiting for tree to go green)
[25767](https://github.com/flutter/engine/pull/25767) Roll Skia from adcf2ef54ec6 to c36aae31a446 (1 revision) (cla: yes, waiting for tree to go green)
[25768](https://github.com/flutter/engine/pull/25768) Roll Dart SDK from 0546ef689975 to 4b6978f8afef (1 revision) (cla: yes, waiting for tree to go green)
[25769](https://github.com/flutter/engine/pull/25769) Implement ColorFilter.matrix for html renderer (cla: yes, platform-web)
[25770](https://github.com/flutter/engine/pull/25770) Fix crash when FlutterFragmentActivity is recreated with an existing FlutterFragment (platform-android, cla: yes, waiting for tree to go green)
[25771](https://github.com/flutter/engine/pull/25771) Get FTL test running again (cla: yes, waiting for tree to go green)
[25772](https://github.com/flutter/engine/pull/25772) Disable ImageDecoderFixtureTest.CanResizeWithoutDecode due to flakiness (cla: yes)
[25773](https://github.com/flutter/engine/pull/25773) Roll Skia from c36aae31a446 to 8e3bca639bce (15 revisions) (cla: yes, waiting for tree to go green)
[25774](https://github.com/flutter/engine/pull/25774) Roll Skia from 8e3bca639bce to 2cc6538c601a (1 revision) (cla: yes, waiting for tree to go green)
[25775](https://github.com/flutter/engine/pull/25775) Roll Dart SDK from 4b6978f8afef to d688c837d18f (2 revisions) (cla: yes, waiting for tree to go green)
[25776](https://github.com/flutter/engine/pull/25776) Roll Skia from 2cc6538c601a to f6051bdba093 (1 revision) (cla: yes, waiting for tree to go green)
[25777](https://github.com/flutter/engine/pull/25777) add `TextLeadingDistribution` to webui `TextStyle` (cla: yes, waiting for tree to go green, platform-web)
[25778](https://github.com/flutter/engine/pull/25778) Roll Skia from f6051bdba093 to e6318b557a29 (2 revisions) (cla: yes, waiting for tree to go green)
[25779](https://github.com/flutter/engine/pull/25779) Roll Dart SDK from d688c837d18f to ecdb943b5ed5 (1 revision) (cla: yes, waiting for tree to go green)
[25780](https://github.com/flutter/engine/pull/25780) Roll Dart SDK from ecdb943b5ed5 to 1e3e5efcd47e (1 revision) (cla: yes, waiting for tree to go green)
[25781](https://github.com/flutter/engine/pull/25781) Roll Skia from e6318b557a29 to 827dab407ec0 (1 revision) (cla: yes, waiting for tree to go green)
[25785](https://github.com/flutter/engine/pull/25785) [Engine] Support for Android Fullscreen Modes (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-fuchsia)
[25786](https://github.com/flutter/engine/pull/25786) Manual Skia roll to be1c99658979972e87cad02e9e5b979c190f2c99 (cla: yes, waiting for tree to go green)
[25787](https://github.com/flutter/engine/pull/25787) [vsync_waiter] add AwaitVSyncForSecondaryCallback() (cla: yes)
[25789](https://github.com/flutter/engine/pull/25789) Pause dart microtasks while UI thread is processing frame workloads (platform-ios, cla: yes, platform-fuchsia)
[25790](https://github.com/flutter/engine/pull/25790) Add a stub implementation of FlutterMetalCompositor (cla: yes, platform-macos)
[25794](https://github.com/flutter/engine/pull/25794) Roll Skia from be1c99658979 to b7223e1269f2 (12 revisions) (cla: yes, waiting for tree to go green)
[25796](https://github.com/flutter/engine/pull/25796) Roll Skia from b7223e1269f2 to 3386533c20fe (5 revisions) (cla: yes, waiting for tree to go green)
[25797](https://github.com/flutter/engine/pull/25797) Fix a11y tab traversal (cla: yes, platform-web)
[25798](https://github.com/flutter/engine/pull/25798) Roll Skia from 3386533c20fe to ae33954b4932 (1 revision) (cla: yes, waiting for tree to go green)
[25801](https://github.com/flutter/engine/pull/25801) Roll Skia from ae33954b4932 to 66bce0c26f97 (2 revisions) (cla: yes, waiting for tree to go green)
[25803](https://github.com/flutter/engine/pull/25803) Roll Skia from 66bce0c26f97 to 421c360abe76 (2 revisions) (cla: yes, waiting for tree to go green)
[25804](https://github.com/flutter/engine/pull/25804) Build engine artifacts when cross-compiling for macOS (cla: yes)
[25806](https://github.com/flutter/engine/pull/25806) Remove override; method no longer called (cla: yes)
[25807](https://github.com/flutter/engine/pull/25807) Roll Skia from 421c360abe76 to 91216673f726 (1 revision) (cla: yes, waiting for tree to go green)
[25810](https://github.com/flutter/engine/pull/25810) [tools/gn] Add mac as target_os and mac_cpu (cla: yes)
[25811](https://github.com/flutter/engine/pull/25811) Roll Skia from 91216673f726 to d1c9e52144bc (1 revision) (cla: yes, waiting for tree to go green)
[25812](https://github.com/flutter/engine/pull/25812) web: improve engine dev cycle on Windows (cla: yes, platform-web)
[25813](https://github.com/flutter/engine/pull/25813) Roll Skia from d1c9e52144bc to ffeef16664ea (4 revisions) (cla: yes, waiting for tree to go green)
[25815](https://github.com/flutter/engine/pull/25815) [build_fuchsia_artifacts] Move license copying into BuildBucket(). (cla: yes)
[25816](https://github.com/flutter/engine/pull/25816) Update firebase_testlab.sh (cla: yes)
[25817](https://github.com/flutter/engine/pull/25817) [flutter_releases] Flutter Beta 2.2.0-10.2.pre Engine Cherrypicks (cla: yes)
[25818](https://github.com/flutter/engine/pull/25818) Roll Skia from ffeef16664ea to 27c4202f4bd6 (1 revision) (cla: yes, waiting for tree to go green)
[25819](https://github.com/flutter/engine/pull/25819) Enable JIT memory protection on macOS (cla: yes, waiting for tree to go green)
[25822](https://github.com/flutter/engine/pull/25822) Roll Dart SDK from 1e3e5efcd47e to 8bab67dad50b (8 revisions) (cla: yes, waiting for tree to go green)
[25823](https://github.com/flutter/engine/pull/25823) Roll Skia from 27c4202f4bd6 to 65d7ab2c074a (1 revision) (cla: yes, waiting for tree to go green)
[25824](https://github.com/flutter/engine/pull/25824) add flag to identify sub-trees with PlatformViewLayers and always paint them (cla: yes, embedder)
[25825](https://github.com/flutter/engine/pull/25825) Roll Skia from 65d7ab2c074a to 958a9395e6ca (2 revisions) (cla: yes, waiting for tree to go green)
[25826](https://github.com/flutter/engine/pull/25826) Fix and re-enable flaky test `MessageLoopTaskQueue::ConcurrentQueueAndTaskCreatingCounts`. (cla: yes, waiting for tree to go green)
[25827](https://github.com/flutter/engine/pull/25827) Avoid calling Dart_HintFreed more than once every five seconds (cla: yes, waiting for tree to go green)
[25828](https://github.com/flutter/engine/pull/25828) Correct an inverted null pointer check (cla: yes, platform-macos)
[25829](https://github.com/flutter/engine/pull/25829) Roll Dart SDK from 8bab67dad50b to 21aa7f8cbde8 (1 revision) (cla: yes, waiting for tree to go green)
[25830](https://github.com/flutter/engine/pull/25830) Fix a11y placeholder on desktop; auto-enable engine semantics (cla: yes, platform-web)
[25832](https://github.com/flutter/engine/pull/25832) Roll Dart SDK from 21aa7f8cbde8 to 90993fcb8554 (1 revision) (cla: yes, waiting for tree to go green)
[25833](https://github.com/flutter/engine/pull/25833) Roll Skia from 958a9395e6ca to fa06f102f13b (4 revisions) (cla: yes, waiting for tree to go green)
[25834](https://github.com/flutter/engine/pull/25834) Roll Dart SDK from 90993fcb8554 to b5ff349bffc8 (1 revision) (cla: yes, waiting for tree to go green)
[25835](https://github.com/flutter/engine/pull/25835) Roll Skia from fa06f102f13b to 83dae92318b3 (1 revision) (cla: yes, waiting for tree to go green)
[25836](https://github.com/flutter/engine/pull/25836) Roll Skia from 83dae92318b3 to 2b8fd2e8e010 (4 revisions) (cla: yes, waiting for tree to go green)
[25837](https://github.com/flutter/engine/pull/25837) Roll Dart SDK from b5ff349bffc8 to a45eaf6402c3 (1 revision) (cla: yes, waiting for tree to go green)
[25838](https://github.com/flutter/engine/pull/25838) Roll Skia from 2b8fd2e8e010 to fb7d378a1ac1 (5 revisions) (cla: yes, waiting for tree to go green)
[25842](https://github.com/flutter/engine/pull/25842) Move path part files to libraries (cla: yes, platform-web)
[25843](https://github.com/flutter/engine/pull/25843) [flutter_releases] Flutter Stable 2.0.6 Engine Cherrypicks (platform-ios, platform-android, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, embedder)
[25844](https://github.com/flutter/engine/pull/25844) Roll Skia from fb7d378a1ac1 to 8c281fbd03fe (15 revisions) (cla: yes, waiting for tree to go green)
[25845](https://github.com/flutter/engine/pull/25845) Roll Skia from 8c281fbd03fe to a9d3cfbda22c (3 revisions) (cla: yes, waiting for tree to go green)
[25846](https://github.com/flutter/engine/pull/25846) Roll Skia from a9d3cfbda22c to 3934647d225a (1 revision) (cla: yes, waiting for tree to go green)
[25847](https://github.com/flutter/engine/pull/25847) Remove flake inducing timeouts (cla: yes)
[25848](https://github.com/flutter/engine/pull/25848) Roll Skia from 3934647d225a to e74638b83f1b (1 revision) (cla: yes, waiting for tree to go green)
[25849](https://github.com/flutter/engine/pull/25849) Roll Skia from e74638b83f1b to 013a9b7920e2 (1 revision) (cla: yes, waiting for tree to go green)
[25851](https://github.com/flutter/engine/pull/25851) Fix crash when both FlutterFragmentActivity and FlutterFragment are destroyed and recreated (platform-android, cla: yes)
[25852](https://github.com/flutter/engine/pull/25852) Roll Skia from 013a9b7920e2 to 00a199282e4b (2 revisions) (cla: yes, waiting for tree to go green)
[25853](https://github.com/flutter/engine/pull/25853) fuchsia: Fix bad syntax in viewStateConnected msg (cla: yes, platform-fuchsia)
[25854](https://github.com/flutter/engine/pull/25854) Roll Skia from 00a199282e4b to e4c4322da6bb (1 revision) (cla: yes, waiting for tree to go green)
[25855](https://github.com/flutter/engine/pull/25855) Roll Skia from e4c4322da6bb to 14efdd3d50db (5 revisions) (cla: yes, waiting for tree to go green)
[25856](https://github.com/flutter/engine/pull/25856) Revert Dart SDK to 1e3e5efcd47edeb7ae5a69e146c8ea0559305a98 (cla: yes)
[25857](https://github.com/flutter/engine/pull/25857) Roll Skia from 14efdd3d50db to 3010f3d79193 (4 revisions) (cla: yes, waiting for tree to go green)
[25858](https://github.com/flutter/engine/pull/25858) Fixes BUILD.gn if is_fuchsia (legacy embedder) and is_debug (cla: yes)
[25859](https://github.com/flutter/engine/pull/25859) Roll Skia from 3010f3d79193 to 5276ba274b38 (1 revision) (cla: yes, waiting for tree to go green)
[25860](https://github.com/flutter/engine/pull/25860) Moved PlatformMessage's to unique_ptrs (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-fuchsia, embedder)
[25861](https://github.com/flutter/engine/pull/25861) Roll Dart SDK from 1e3e5efcd47e to 6397e8b91103 (18 revisions) (cla: yes, waiting for tree to go green)
[25862](https://github.com/flutter/engine/pull/25862) Roll Skia from 5276ba274b38 to 31fddc376993 (14 revisions) (cla: yes, waiting for tree to go green)
[25863](https://github.com/flutter/engine/pull/25863) Move more parts to libraries. (cla: yes, platform-web)
[25864](https://github.com/flutter/engine/pull/25864) deflake more shell unittests (cla: yes)
[25865](https://github.com/flutter/engine/pull/25865) Roll Skia from 31fddc376993 to 097263bb5089 (1 revision) (cla: yes, waiting for tree to go green)
[25866](https://github.com/flutter/engine/pull/25866) [web] Fix some regex issues in the sdk_rewriter (cla: yes, platform-web)
[25867](https://github.com/flutter/engine/pull/25867) Switch PlatformMessages to hold data in Mappings (platform-ios, platform-android, cla: yes, platform-macos, platform-fuchsia, embedder)
[25868](https://github.com/flutter/engine/pull/25868) A11y inspect (cla: yes, platform-fuchsia)
[25869](https://github.com/flutter/engine/pull/25869) Roll Dart SDK from 6397e8b91103 to ee8eb0a65efa (1 revision) (cla: yes, waiting for tree to go green)
[25870](https://github.com/flutter/engine/pull/25870) Roll Skia from 097263bb5089 to 5dfb3f40684b (1 revision) (cla: yes, waiting for tree to go green)
[25871](https://github.com/flutter/engine/pull/25871) Enable avoid_escaping_inner_quotes lint (cla: yes, waiting for tree to go green)
[25872](https://github.com/flutter/engine/pull/25872) Roll Dart SDK from ee8eb0a65efa to 8c109a734bdc (1 revision) (cla: yes, waiting for tree to go green)
[25873](https://github.com/flutter/engine/pull/25873) Roll Dart SDK from 8c109a734bdc to b98a1eec5eb5 (1 revision) (cla: yes, waiting for tree to go green)
[25874](https://github.com/flutter/engine/pull/25874) Roll Dart SDK from b98a1eec5eb5 to 6ecae204598d (1 revision) (cla: yes, waiting for tree to go green)
[25876](https://github.com/flutter/engine/pull/25876) Roll Skia from 5dfb3f40684b to 5c95bcb48b9b (1 revision) (cla: yes, waiting for tree to go green)
[25877](https://github.com/flutter/engine/pull/25877) Roll Dart SDK from 6ecae204598d to 3cc6cdab8eaf (2 revisions) (cla: yes, waiting for tree to go green)
[25879](https://github.com/flutter/engine/pull/25879) Windows: UWP ViewController accepts a CoreApplicationView and exposes to plugins (cla: yes, platform-windows)
[25880](https://github.com/flutter/engine/pull/25880) Roll Skia from 5c95bcb48b9b to c779d432f336 (1 revision) (cla: yes, waiting for tree to go green)
[25881](https://github.com/flutter/engine/pull/25881) Roll Skia from c779d432f336 to ff8b52df55ff (2 revisions) (cla: yes, waiting for tree to go green)
[25882](https://github.com/flutter/engine/pull/25882) [Win32] Don't redispatch ShiftRight keydown event (affects: text input, cla: yes, platform-windows)
[25883](https://github.com/flutter/engine/pull/25883) Update key mapping to the latest logical key values (affects: text input, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, embedder)
[25884](https://github.com/flutter/engine/pull/25884) Implement smooth resizing for Linux (cla: yes, waiting for tree to go green, platform-linux)
[25885](https://github.com/flutter/engine/pull/25885) Roll Dart SDK from 3cc6cdab8eaf to b8f4018535fa (2 revisions) (cla: yes, waiting for tree to go green)
[25886](https://github.com/flutter/engine/pull/25886) Roll Skia from ff8b52df55ff to ec79349bad50 (1 revision) (cla: yes, waiting for tree to go green)
[25887](https://github.com/flutter/engine/pull/25887) Revert the Dart SDK to 1e3e5efcd47edeb7ae5a69e146c8ea0559305a98 (cla: yes)
[25888](https://github.com/flutter/engine/pull/25888) Roll Skia from ec79349bad50 to 671177905d22 (4 revisions) (cla: yes, waiting for tree to go green)
[25890](https://github.com/flutter/engine/pull/25890) Revert "Revert the Dart SDK to 1e3e5efcd47edeb7ae5a69e146c8ea0559305a98" (cla: yes)
[25891](https://github.com/flutter/engine/pull/25891) Roll Skia from 671177905d22 to 75b43ce6ccd3 (1 revision) (cla: yes, waiting for tree to go green)
[25892](https://github.com/flutter/engine/pull/25892) Streamline frame timings recording (cla: yes, waiting for tree to go green)
[25894](https://github.com/flutter/engine/pull/25894) Roll Fuchsia Mac SDK from RgZnCZ5ng... to uQgs5ZmFq... (cla: yes, waiting for tree to go green)
[25895](https://github.com/flutter/engine/pull/25895) [web] Fix incorrect physical size due to visualviewport api on iOS (cla: yes, platform-web)
[25897](https://github.com/flutter/engine/pull/25897) Roll Skia from 75b43ce6ccd3 to bf688645acf9 (6 revisions) (cla: yes, waiting for tree to go green)
[25898](https://github.com/flutter/engine/pull/25898) Revert "Fix a11y placeholder on desktop; auto-enable engine semantics… (cla: yes, platform-web)
[25899](https://github.com/flutter/engine/pull/25899) Ensure that AutoIsolateShutdown drops its reference to the DartIsolate on the intended task runner (cla: yes, waiting for tree to go green)
[25900](https://github.com/flutter/engine/pull/25900) Fix composition when multiple platform views and layers are combined (platform-android, cla: yes, waiting for tree to go green)
[25901](https://github.com/flutter/engine/pull/25901) Don't call release_proc when attempting to wrap an SkSurface which fails (cla: yes, embedder)
[25904](https://github.com/flutter/engine/pull/25904) Roll Skia from bf688645acf9 to 537293bf155f (1 revision) (cla: yes, waiting for tree to go green)
[25905](https://github.com/flutter/engine/pull/25905) Roll Skia from 537293bf155f to adadb95a9f1e (1 revision) (cla: yes, waiting for tree to go green)
[25907](https://github.com/flutter/engine/pull/25907) pull googletest from github instead of fuchsia.googlesource (cla: yes, waiting for tree to go green)
[25918](https://github.com/flutter/engine/pull/25918) Exclude third_party/dart/third_party/devtools from the license script (cla: yes, waiting for tree to go green)
[25924](https://github.com/flutter/engine/pull/25924) Delete unused method from engine_layer.h (cla: yes, waiting for tree to go green)
[25932](https://github.com/flutter/engine/pull/25932) Add missing semantics flag for embedder (cla: yes, embedder)
[25940](https://github.com/flutter/engine/pull/25940) Remove unused parameter in flutter application info loader (platform-android, cla: yes, waiting for tree to go green)
[25943](https://github.com/flutter/engine/pull/25943) Update documentation for embedding SplashScreen (platform-android, cla: yes, waiting for tree to go green)
[25952](https://github.com/flutter/engine/pull/25952) Added exception if you try to reply with a non-direct ByteBuffer. (platform-android, cla: yes)
[25954](https://github.com/flutter/engine/pull/25954) [flutter_releases] Flutter Beta 2.2.0-10.3.pre Engine Cherrypicks (cla: yes)
[25957](https://github.com/flutter/engine/pull/25957) [web] Resolve OS as iOs for iDevice Safari requesting desktop version of app. (cla: yes, waiting for tree to go green, platform-web)
[25961](https://github.com/flutter/engine/pull/25961) Hardware Keyboard: iOS (platform-ios, cla: yes, platform-macos, embedder)
[25964](https://github.com/flutter/engine/pull/25964) Fix GIR transfer annotation (cla: yes, platform-linux)
[25982](https://github.com/flutter/engine/pull/25982) Web ImageFilter.matrix support (cla: yes, waiting for tree to go green, platform-web)
[25984](https://github.com/flutter/engine/pull/25984) fuchsia: Fix multi-views fallout (cla: yes, platform-fuchsia)
[25985](https://github.com/flutter/engine/pull/25985) Add an allowlist flag for Skia trace event categories (cla: yes, waiting for tree to go green)
[25987](https://github.com/flutter/engine/pull/25987) Add image generator registry (cla: yes)
[25988](https://github.com/flutter/engine/pull/25988) Platform channels, eliminate objc copies (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-macos, platform-fuchsia, embedder)
[25991](https://github.com/flutter/engine/pull/25991) Make SceneBuilder.push* not return nullable objects (cla: yes, waiting for tree to go green, platform-web)
[25993](https://github.com/flutter/engine/pull/25993) Roll buildroot to pick change to cppwinrt invocation (cla: yes)
[25994](https://github.com/flutter/engine/pull/25994) [canvaskit] Set a maximum number of overlay canvases. (cla: yes, platform-web)
[25998](https://github.com/flutter/engine/pull/25998) Sped up the objc standard message codec (platform-ios, cla: yes, platform-macos)
[25999](https://github.com/flutter/engine/pull/25999) Roll Dart SDK from b8f4018535fa to 86c749398b3a (16 revisions) (cla: yes, waiting for tree to go green)
[26001](https://github.com/flutter/engine/pull/26001) Roll Fuchsia Mac SDK from uQgs5ZmFq... to aCsEHpnS0... (cla: yes, waiting for tree to go green)
[26003](https://github.com/flutter/engine/pull/26003) Add dependency on Windows SDK CIPD package (cla: yes)
[26006](https://github.com/flutter/engine/pull/26006) Roll Dart SDK from 86c749398b3a to b4210cc43086 (2 revisions) (cla: yes, waiting for tree to go green)
[26009](https://github.com/flutter/engine/pull/26009) Roll Skia from adadb95a9f1e to 1dc2d0fe0fa0 (98 revisions) (cla: yes, waiting for tree to go green)
[26011](https://github.com/flutter/engine/pull/26011) Ensure correct child isolate initialization in enable-isolate-groups dart vm configuration. (cla: yes)
[26012](https://github.com/flutter/engine/pull/26012) Roll Skia from 1dc2d0fe0fa0 to 115645ee9b1b (2 revisions) (cla: yes, waiting for tree to go green)
[26018](https://github.com/flutter/engine/pull/26018) Roll Skia from 115645ee9b1b to c411429239e9 (7 revisions) (cla: yes, waiting for tree to go green)
[26019](https://github.com/flutter/engine/pull/26019) Use pub get --offline for flutter_frontend_server and const_finder (cla: yes, waiting for tree to go green)
[26020](https://github.com/flutter/engine/pull/26020) Roll Dart SDK from b4210cc43086 to 04e55dad908d (2 revisions) (cla: yes, waiting for tree to go green)
[26021](https://github.com/flutter/engine/pull/26021) Unique frame number for each frame (cla: yes)
[26022](https://github.com/flutter/engine/pull/26022) Roll Fuchsia Mac SDK from aCsEHpnS0... to OyXxehV6e... (cla: yes, waiting for tree to go green)
[26023](https://github.com/flutter/engine/pull/26023) Roll Fuchsia Linux SDK from 4numS0K6T... to -FIIsjZj2... (cla: yes, waiting for tree to go green)
[26024](https://github.com/flutter/engine/pull/26024) Roll Skia from c411429239e9 to 72de83df3a03 (1 revision) (cla: yes, waiting for tree to go green)
[26025](https://github.com/flutter/engine/pull/26025) Roll Skia from 72de83df3a03 to dabb2891c4a1 (4 revisions) (cla: yes, waiting for tree to go green)
[26026](https://github.com/flutter/engine/pull/26026) Return a maximum nanoseconds value in FlutterDesktopEngineProcessMessages (cla: yes, waiting for tree to go green, platform-windows)
[26027](https://github.com/flutter/engine/pull/26027) Roll Dart SDK from 04e55dad908d to 094c9024373c (1 revision) (cla: yes, waiting for tree to go green)
[26028](https://github.com/flutter/engine/pull/26028) Extract FML command_line target (affects: engine, cla: yes)
[26029](https://github.com/flutter/engine/pull/26029) Extract Windows string_conversion target (cla: yes, affects: desktop, platform-windows)
[26030](https://github.com/flutter/engine/pull/26030) Roll Dart SDK from 094c9024373c to 2ea89ef8f6de (1 revision) (cla: yes, waiting for tree to go green)
[26031](https://github.com/flutter/engine/pull/26031) Use string_view inputs for conversion functions (code health, cla: yes, platform-windows)
[26032](https://github.com/flutter/engine/pull/26032) Support Windows registry access (cla: yes, affects: desktop, platform-windows)
[26034](https://github.com/flutter/engine/pull/26034) Roll Fuchsia Linux SDK from -FIIsjZj2... to KZCe5FqMb... (cla: yes, waiting for tree to go green)
[26035](https://github.com/flutter/engine/pull/26035) Roll Fuchsia Mac SDK from OyXxehV6e... to DSk0IzBHv... (cla: yes, waiting for tree to go green)
[26036](https://github.com/flutter/engine/pull/26036) Roll Skia from dabb2891c4a1 to 686dd910dd6c (1 revision) (cla: yes, waiting for tree to go green)
[26037](https://github.com/flutter/engine/pull/26037) Revert Dart SDK to b8f4018535fa792891e2add3a475f35e3ec156ab (cla: yes)
[26038](https://github.com/flutter/engine/pull/26038) Add uwptool.exe (cla: yes, affects: desktop, platform-windows)
[26040](https://github.com/flutter/engine/pull/26040) Remove use of package:test and package:mockito from flutter_frontend_… (cla: yes)
[26041](https://github.com/flutter/engine/pull/26041) Roll Skia from 686dd910dd6c to ab1ec37ff32c (2 revisions) (cla: yes, waiting for tree to go green)
[26042](https://github.com/flutter/engine/pull/26042) Roll Fuchsia Mac SDK from DSk0IzBHv... to 3lWeNvs3G... (cla: yes, waiting for tree to go green)
[26043](https://github.com/flutter/engine/pull/26043) Roll Fuchsia Linux SDK from KZCe5FqMb... to ZYimHxg7C... (cla: yes, waiting for tree to go green)
[26045](https://github.com/flutter/engine/pull/26045) Roll Fuchsia Mac SDK from 3lWeNvs3G... to 4VJj6gJdU... (cla: yes, waiting for tree to go green)
[26046](https://github.com/flutter/engine/pull/26046) Roll Fuchsia Linux SDK from ZYimHxg7C... to 4fB2dR4mP... (cla: yes, waiting for tree to go green)
[26047](https://github.com/flutter/engine/pull/26047) Roll Skia from ab1ec37ff32c to 799658f5c22d (12 revisions) (cla: yes, waiting for tree to go green)
[26050](https://github.com/flutter/engine/pull/26050) Add support for zx_channel_write_etc and zx_channel_read_etc. (cla: yes, waiting for tree to go green, platform-fuchsia)
[26051](https://github.com/flutter/engine/pull/26051) Remove debug print (cla: yes, platform-web)
[26053](https://github.com/flutter/engine/pull/26053) Skip SimpleRasterizerStatistics test on Fuchsia (cla: yes)
[26054](https://github.com/flutter/engine/pull/26054) Move parts to libraries (cla: yes, platform-web)
[26056](https://github.com/flutter/engine/pull/26056) Trigger an engine build to re-open the tree (cla: yes)
[26057](https://github.com/flutter/engine/pull/26057) Update README so it's not mobile-specific (cla: yes)
[26058](https://github.com/flutter/engine/pull/26058) Roll Skia from 799658f5c22d to 99ebb17aeda8 (9 revisions) (cla: yes, waiting for tree to go green)
[26059](https://github.com/flutter/engine/pull/26059) Use cached CanvasKit instance if available (cla: yes, platform-web)
[26060](https://github.com/flutter/engine/pull/26060) Roll Skia from 99ebb17aeda8 to dc753cfc65ec (3 revisions) (cla: yes, waiting for tree to go green)
[26061](https://github.com/flutter/engine/pull/26061) Roll Skia from dc753cfc65ec to cb41df0bfad4 (1 revision) (cla: yes, waiting for tree to go green)
[26064](https://github.com/flutter/engine/pull/26064) Roll Skia from cb41df0bfad4 to abdffd5d0055 (3 revisions) (cla: yes, waiting for tree to go green)
[26065](https://github.com/flutter/engine/pull/26065) Roll Fuchsia Linux SDK from 4fB2dR4mP... to BTHMLi6Sh... (cla: yes, waiting for tree to go green)
[26066](https://github.com/flutter/engine/pull/26066) Roll Skia from abdffd5d0055 to bb006430ae82 (1 revision) (cla: yes, waiting for tree to go green)
[26068](https://github.com/flutter/engine/pull/26068) Roll Fuchsia Mac SDK from 4VJj6gJdU... to TJX7h698s... (cla: yes, waiting for tree to go green)
[26069](https://github.com/flutter/engine/pull/26069) Roll Skia from bb006430ae82 to 96bc12d19b9e (3 revisions) (cla: yes, waiting for tree to go green)
[26071](https://github.com/flutter/engine/pull/26071) Roll Skia from 96bc12d19b9e to 7c328b4b42c5 (5 revisions) (cla: yes, waiting for tree to go green)
[26072](https://github.com/flutter/engine/pull/26072) Move more parts to libs. Move bitmap/dom canvas to /html (cla: yes, platform-web)
[26073](https://github.com/flutter/engine/pull/26073) Revert "[web] Catch image load failures in --release builds" (cla: yes, platform-web)
[26074](https://github.com/flutter/engine/pull/26074) SceneBuilder.addPicture returns the layer (cla: yes, waiting for tree to go green, platform-web)
[26075](https://github.com/flutter/engine/pull/26075) Manual SDK roll for DevTools SDK integration (cla: yes, waiting for tree to go green)
[26077](https://github.com/flutter/engine/pull/26077) Get licenses check deps from gclient rather than pub (cla: yes, waiting for tree to go green)
[26079](https://github.com/flutter/engine/pull/26079) Roll Skia from 7c328b4b42c5 to 0c9962a7c8a5 (15 revisions) (cla: yes, waiting for tree to go green)
[26080](https://github.com/flutter/engine/pull/26080) Formatting cleanup for CONTRIBUTING.md (cla: yes)
[26081](https://github.com/flutter/engine/pull/26081) Make 3xH bot script happy (cla: yes, waiting for tree to go green)
[26082](https://github.com/flutter/engine/pull/26082) Roll Fuchsia Linux SDK from BTHMLi6Sh... to 1PbnXEErn... (cla: yes, waiting for tree to go green)
[26083](https://github.com/flutter/engine/pull/26083) Fix splash screen with theme references crash on Android API 21 (platform-android, cla: yes, waiting for tree to go green)
[26084](https://github.com/flutter/engine/pull/26084) Roll Skia from 0c9962a7c8a5 to 8fac6c13fa59 (3 revisions) (cla: yes, waiting for tree to go green)
[26085](https://github.com/flutter/engine/pull/26085) fuchsia: Fix first_layer handling (cla: yes, platform-fuchsia)
[26086](https://github.com/flutter/engine/pull/26086) Roll Dart SDK from b99466d472e3 to d59cb89f73fe (1340 revisions) (cla: yes, waiting for tree to go green)
[26087](https://github.com/flutter/engine/pull/26087) Roll Fuchsia Mac SDK from TJX7h698s... to GNyjTge9c... (cla: yes, waiting for tree to go green)
[26088](https://github.com/flutter/engine/pull/26088) Roll Skia from 8fac6c13fa59 to c1b6b6c615a7 (1 revision) (cla: yes, waiting for tree to go green)
[26089](https://github.com/flutter/engine/pull/26089) Roll Skia from c1b6b6c615a7 to d9a7c5953df3 (2 revisions) (cla: yes, waiting for tree to go green)
[26090](https://github.com/flutter/engine/pull/26090) Roll Dart SDK from d59cb89f73fe to 934cc986926d (1 revision) (cla: yes, waiting for tree to go green)
[26091](https://github.com/flutter/engine/pull/26091) Roll Fuchsia Linux SDK from 1PbnXEErn... to MoY7UVVro... (cla: yes, waiting for tree to go green)
[26093](https://github.com/flutter/engine/pull/26093) Roll Skia from d9a7c5953df3 to 827bb729a84d (2 revisions) (cla: yes, waiting for tree to go green)
[26096](https://github.com/flutter/engine/pull/26096) Roll Skia from d9a7c5953df3 to 827bb729a84d (2 revisions) (cla: yes, waiting for tree to go green)
[26097](https://github.com/flutter/engine/pull/26097) Roll Skia from 827bb729a84d to 433d25c947e4 (3 revisions) (cla: yes, waiting for tree to go green)
[26100](https://github.com/flutter/engine/pull/26100) Roll Skia from 433d25c947e4 to 0270bf5d10be (5 revisions) (cla: yes, waiting for tree to go green)
[26101](https://github.com/flutter/engine/pull/26101) Roll Dart SDK from 934cc986926d to 171876a4e6cf (2 revisions) (cla: yes, waiting for tree to go green)
[26102](https://github.com/flutter/engine/pull/26102) Roll Skia from 0270bf5d10be to 4e9d5e2bdf04 (5 revisions) (cla: yes, waiting for tree to go green)
[26103](https://github.com/flutter/engine/pull/26103) [flutter_releases] Update Dart SDK to 2.13.0 (cla: yes)
[26104](https://github.com/flutter/engine/pull/26104) [fuchsia] rename SessionConnection to DefaultSessionConnection (cla: yes, waiting for tree to go green, platform-fuchsia)
[26105](https://github.com/flutter/engine/pull/26105) Set exitcode to 0 on successful uwptool launch (cla: yes, affects: desktop, platform-windows)
[26106](https://github.com/flutter/engine/pull/26106) Get android_lint deps using gclient rather than pub. (cla: yes)
[26107](https://github.com/flutter/engine/pull/26107) Roll Fuchsia Mac SDK from GNyjTge9c... to q1qWG9XiN... (cla: yes, waiting for tree to go green)
[26108](https://github.com/flutter/engine/pull/26108) Roll Skia from 4e9d5e2bdf04 to 84f70136abfb (4 revisions) (cla: yes, waiting for tree to go green)
[26110](https://github.com/flutter/engine/pull/26110) Use a comma-separated args string for UWP (cla: yes, platform-windows)
[26111](https://github.com/flutter/engine/pull/26111) Roll Skia from 84f70136abfb to 66441d4ea0fa (2 revisions) (cla: yes, waiting for tree to go green)
[26113](https://github.com/flutter/engine/pull/26113) Roll Skia from 66441d4ea0fa to 537b7508343d (1 revision) (cla: yes, waiting for tree to go green)
[26114](https://github.com/flutter/engine/pull/26114) [fuchsia] migrate shader warmup to be triggered by dart code (cla: yes, platform-fuchsia)
[26116](https://github.com/flutter/engine/pull/26116) Roll Fuchsia Linux SDK from MoY7UVVro... to WYD7atCH7... (cla: yes, waiting for tree to go green)
[26117](https://github.com/flutter/engine/pull/26117) Revert "Sped up the objc standard message codec (#25998)" (platform-ios, cla: yes, waiting for tree to go green, platform-macos)
[26119](https://github.com/flutter/engine/pull/26119) Roll Skia from 537b7508343d to 6b719c25cade (3 revisions) (cla: yes, waiting for tree to go green)
[26120](https://github.com/flutter/engine/pull/26120) Use PackageManager to locate installed UWP apps (cla: yes, platform-windows)
[26121](https://github.com/flutter/engine/pull/26121) [uwptool] Support lookup of full package name (cla: yes, platform-windows)
[26122](https://github.com/flutter/engine/pull/26122) [uwptool] Add uninstall command (cla: yes, platform-windows)
[26123](https://github.com/flutter/engine/pull/26123) Roll Fuchsia Mac SDK from q1qWG9XiN... to mdsssGtoC... (cla: yes, waiting for tree to go green)
[26124](https://github.com/flutter/engine/pull/26124) Remove counter from eintr wrapper (cla: yes)
[26127](https://github.com/flutter/engine/pull/26127) Roll Skia from 6b719c25cade to ca9f6a855071 (3 revisions) (cla: yes, waiting for tree to go green)
[26129](https://github.com/flutter/engine/pull/26129) Manual roll of Dart SDK to c119194b23d990140e4f8505c6b0a86b60f196bd (cla: yes)
[26131](https://github.com/flutter/engine/pull/26131) Roll Fuchsia Linux SDK from WYD7atCH7... to uffIHSwYt... (cla: yes, waiting for tree to go green)
[26133](https://github.com/flutter/engine/pull/26133) Revert "SceneBuilder.addPicture returns the layer" (cla: yes, waiting for tree to go green, platform-web)
[26134](https://github.com/flutter/engine/pull/26134) Reland "Fix a11y placeholder on desktop; auto-enable engine semantics" (cla: yes, platform-web)
[26135](https://github.com/flutter/engine/pull/26135) Roll Dart SDK from c119194b23d9 to ba8506bdcef7 (2 revisions) (cla: yes, waiting for tree to go green)
[26136](https://github.com/flutter/engine/pull/26136) Roll Skia from ca9f6a855071 to 3193a04b09d8 (21 revisions) (cla: yes, waiting for tree to go green)
[26137](https://github.com/flutter/engine/pull/26137) Roll Fuchsia Mac SDK from mdsssGtoC... to y3xw-lhxW... (cla: yes, waiting for tree to go green)
[26138](https://github.com/flutter/engine/pull/26138) output fuchsia json package manifest (cla: yes, waiting for tree to go green)
[26139](https://github.com/flutter/engine/pull/26139) Move CanvasKit files from parts to libraries (cla: yes, platform-web)
[26140](https://github.com/flutter/engine/pull/26140) Roll buildroot (cla: yes)
[26141](https://github.com/flutter/engine/pull/26141) Roll Skia from 3193a04b09d8 to cad48c6868bf (2 revisions) (cla: yes, waiting for tree to go green)
[26142](https://github.com/flutter/engine/pull/26142) Revert "Fix composition when multiple platform views and layers are c… (platform-android, cla: yes, waiting for tree to go green)
[26143](https://github.com/flutter/engine/pull/26143) Roll Dart SDK from ba8506bdcef7 to e0f30709e25f (1 revision) (cla: yes, waiting for tree to go green)
[26144](https://github.com/flutter/engine/pull/26144) Roll Skia from cad48c6868bf to 99e6f0fcfb44 (1 revision) (cla: yes, waiting for tree to go green)
[26145](https://github.com/flutter/engine/pull/26145) Roll Skia from 99e6f0fcfb44 to 6b49c5908545 (1 revision) (cla: yes, waiting for tree to go green)
[26146](https://github.com/flutter/engine/pull/26146) Roll Dart SDK from e0f30709e25f to 943fcea0b446 (1 revision) (cla: yes, waiting for tree to go green)
[26147](https://github.com/flutter/engine/pull/26147) Roll Fuchsia Linux SDK from uffIHSwYt... to CudXaX-jL... (cla: yes, waiting for tree to go green)
[26148](https://github.com/flutter/engine/pull/26148) Roll Dart SDK from 943fcea0b446 to d616108772bd (1 revision) (cla: yes, waiting for tree to go green)
[26149](https://github.com/flutter/engine/pull/26149) Roll Fuchsia Mac SDK from y3xw-lhxW... to a6aB7cNgl... (cla: yes, waiting for tree to go green)
[26150](https://github.com/flutter/engine/pull/26150) Roll Skia from 6b49c5908545 to 29b44fc226e9 (1 revision) (cla: yes, waiting for tree to go green)
[26151](https://github.com/flutter/engine/pull/26151) Roll Skia from 29b44fc226e9 to 6f520cd120c0 (6 revisions) (cla: yes, waiting for tree to go green)
[26153](https://github.com/flutter/engine/pull/26153) Roll Skia from 6f520cd120c0 to aecf8d517143 (5 revisions) (cla: yes, waiting for tree to go green)
[26155](https://github.com/flutter/engine/pull/26155) Roll Dart SDK from d616108772bd to a527411e5100 (0 revision) (cla: yes, waiting for tree to go green)
[26156](https://github.com/flutter/engine/pull/26156) Roll Dart SDK from d616108772bd to a527411e5100 (0 revision) (cla: yes, waiting for tree to go green)
[26158](https://github.com/flutter/engine/pull/26158) Fix composition when multiple platform views and layers are combined (platform-android, cla: yes, waiting for tree to go green)
[26162](https://github.com/flutter/engine/pull/26162) Revert "output fuchsia json package manifest" (cla: yes)
[26163](https://github.com/flutter/engine/pull/26163) reland output json manifest file in fuchsia_archive (cla: yes, platform-fuchsia)
[26164](https://github.com/flutter/engine/pull/26164) Let the framework toggle between single- and multi-entry histories (cla: yes, waiting for tree to go green, platform-web)
[26166](https://github.com/flutter/engine/pull/26166) fuchsia: Improve checking/logging for composition (cla: yes, platform-fuchsia)
[26167](https://github.com/flutter/engine/pull/26167) Roll Fuchsia Linux SDK from CudXaX-jL... to RT1RbBM69... (cla: yes, waiting for tree to go green)
[26168](https://github.com/flutter/engine/pull/26168) Roll Skia from aecf8d517143 to df2dbad1a87d (9 revisions) (cla: yes, waiting for tree to go green)
[26169](https://github.com/flutter/engine/pull/26169) Roll Fuchsia Mac SDK from a6aB7cNgl... to 9-tG_VdU_... (cla: yes, waiting for tree to go green)
[26170](https://github.com/flutter/engine/pull/26170) fuchsia: Only send different ViewProperties (cla: yes, platform-fuchsia)
[26171](https://github.com/flutter/engine/pull/26171) Roll Skia from df2dbad1a87d to bc8e0d8ba0d4 (1 revision) (cla: yes, waiting for tree to go green)
[26172](https://github.com/flutter/engine/pull/26172) Add deferred components diagrams for wiki (cla: yes)
[26173](https://github.com/flutter/engine/pull/26173) Roll Fuchsia Linux SDK from RT1RbBM69... to q_v1AFsEq... (cla: yes, waiting for tree to go green)
[26174](https://github.com/flutter/engine/pull/26174) Roll Fuchsia Mac SDK from 9-tG_VdU_... to PVI875Hyp... (cla: yes, waiting for tree to go green)
[26175](https://github.com/flutter/engine/pull/26175) Roll Skia from bc8e0d8ba0d4 to bc7c754ce395 (1 revision) (cla: yes, waiting for tree to go green)
[26176](https://github.com/flutter/engine/pull/26176) Roll Fuchsia Linux SDK from q_v1AFsEq... to lU-S8er5G... (cla: yes, waiting for tree to go green)
[26177](https://github.com/flutter/engine/pull/26177) Roll Fuchsia Mac SDK from PVI875Hyp... to TB587FHc5... (cla: yes, waiting for tree to go green)
[26178](https://github.com/flutter/engine/pull/26178) Roll Skia from bc7c754ce395 to f91ce0201328 (1 revision) (cla: yes, waiting for tree to go green)
[26179](https://github.com/flutter/engine/pull/26179) Provide build information to the inspect tree. (cla: yes, waiting for tree to go green, platform-fuchsia)
[26180](https://github.com/flutter/engine/pull/26180) Roll Fuchsia Linux SDK from lU-S8er5G... to q9Qi_9RMf... (cla: yes, waiting for tree to go green)
[26181](https://github.com/flutter/engine/pull/26181) FlView: Handle leave-notify-event (cla: yes, affects: desktop, platform-linux)
[26183](https://github.com/flutter/engine/pull/26183) Add uwptool install command (cla: yes, affects: desktop, platform-windows)
[26184](https://github.com/flutter/engine/pull/26184) Roll Fuchsia Mac SDK from TB587FHc5... to v4P6zkHIE... (cla: yes, waiting for tree to go green)
[26185](https://github.com/flutter/engine/pull/26185) Deeplink URI fragment on Android and iOS (platform-ios, platform-android, cla: yes, waiting for tree to go green)
[26186](https://github.com/flutter/engine/pull/26186) Roll Skia from f91ce0201328 to d22a70be4f00 (1 revision) (cla: yes, waiting for tree to go green)
[26187](https://github.com/flutter/engine/pull/26187) Roll Fuchsia Linux SDK from q9Qi_9RMf... to l6XmTSLnt... (cla: yes, waiting for tree to go green)
[26188](https://github.com/flutter/engine/pull/26188) Roll Skia from d22a70be4f00 to 9c2769ec1198 (1 revision) (cla: yes, waiting for tree to go green)
[26189](https://github.com/flutter/engine/pull/26189) Roll Fuchsia Mac SDK from v4P6zkHIE... to KmSY84b_E... (cla: yes, waiting for tree to go green)
[26191](https://github.com/flutter/engine/pull/26191) Roll Skia from 9c2769ec1198 to 2da029b28f97 (2 revisions) (cla: yes, waiting for tree to go green)
[26192](https://github.com/flutter/engine/pull/26192) Roll Dart SDK from a527411e5100 to 67be110b5ba8 (1351 revisions) (cla: yes, waiting for tree to go green)
[26193](https://github.com/flutter/engine/pull/26193) Replace flutter_runner::Thread with fml::Thread. (cla: yes, waiting for tree to go green, platform-fuchsia)
[26195](https://github.com/flutter/engine/pull/26195) Roll Skia from 2da029b28f97 to c1f641104531 (8 revisions) (cla: yes, waiting for tree to go green)
[26196](https://github.com/flutter/engine/pull/26196) Prepare to move --delete-tostring-package-uri option to Dart SDK (cla: yes)
[26197](https://github.com/flutter/engine/pull/26197) Roll Skia from c1f641104531 to 469531234936 (4 revisions) (cla: yes, waiting for tree to go green)
[26200](https://github.com/flutter/engine/pull/26200) [icu] Upgrade ICU to 69.1, the same commit used by Chromimum latest (cla: yes, waiting for tree to go green)
[26201](https://github.com/flutter/engine/pull/26201) Roll Fuchsia Linux SDK from l6XmTSLnt... to AUWVgDkx6... (cla: yes, waiting for tree to go green)
[26202](https://github.com/flutter/engine/pull/26202) Roll Skia from 469531234936 to 5b38536d76ae (7 revisions) (cla: yes, waiting for tree to go green)
[26205](https://github.com/flutter/engine/pull/26205) Add frame number to trace events so dev tools can associate the right frame (cla: yes, waiting for tree to go green)
[26206](https://github.com/flutter/engine/pull/26206) Roll Skia from 5b38536d76ae to 2fed9f62d29a (7 revisions) (cla: yes, waiting for tree to go green)
[26207](https://github.com/flutter/engine/pull/26207) Roll Fuchsia Mac SDK from KmSY84b_E... to 7WNQRHsHN... (cla: yes, waiting for tree to go green)
[26208](https://github.com/flutter/engine/pull/26208) fuchsia: Fix occlusion_hint handling (cla: yes, platform-fuchsia)
[26209](https://github.com/flutter/engine/pull/26209) Add more diagrams for deferred components docs, fix alignment of existing one (cla: yes)
[26210](https://github.com/flutter/engine/pull/26210) Capture the layer tree pipeline as a weak pointer in the OnAnimatorDraw task (cla: yes, waiting for tree to go green)
[26212](https://github.com/flutter/engine/pull/26212) Roll Dart SDK from 67be110b5ba8 to 510f26486328 (3 revisions) (cla: yes, waiting for tree to go green)
[26213](https://github.com/flutter/engine/pull/26213) Roll Skia from 2fed9f62d29a to e8cd0a54041e (2 revisions) (cla: yes, waiting for tree to go green)
[26215](https://github.com/flutter/engine/pull/26215) Adds package:litetest, uses it instead of package:test under testing/dart (cla: yes)
[26216](https://github.com/flutter/engine/pull/26216) Roll Skia from e8cd0a54041e to 3d854bade6de (4 revisions) (cla: yes, waiting for tree to go green)
[26217](https://github.com/flutter/engine/pull/26217) Roll Fuchsia Linux SDK from AUWVgDkx6... to boele8geO... (cla: yes, waiting for tree to go green)
[26218](https://github.com/flutter/engine/pull/26218) Roll Dart SDK from 510f26486328 to 13e329e614f2 (1 revision) (cla: yes, waiting for tree to go green)
[26219](https://github.com/flutter/engine/pull/26219) EngineLayer::dispose (cla: yes, waiting for tree to go green)
[26220](https://github.com/flutter/engine/pull/26220) Roll Fuchsia Mac SDK from 7WNQRHsHN... to F5TX4MaEg... (cla: yes, waiting for tree to go green)
[26221](https://github.com/flutter/engine/pull/26221) Roll Skia from 3d854bade6de to 66125eac158d (1 revision) (cla: yes, waiting for tree to go green)
[26222](https://github.com/flutter/engine/pull/26222) Roll Dart SDK from 13e329e614f2 to 2eea032403e2 (1 revision) (cla: yes, waiting for tree to go green)
[26223](https://github.com/flutter/engine/pull/26223) Roll Skia from 66125eac158d to 5696bcd0f7f8 (1 revision) (cla: yes, waiting for tree to go green)
[26224](https://github.com/flutter/engine/pull/26224) Roll Skia from 5696bcd0f7f8 to bdfd77616177 (5 revisions) (cla: yes, waiting for tree to go green)
[26225](https://github.com/flutter/engine/pull/26225) Roll Skia from bdfd77616177 to fb8d20befa8f (1 revision) (cla: yes, waiting for tree to go green)
[26226](https://github.com/flutter/engine/pull/26226) Provide better messaging when user attempts to use non-secure http connection. (cla: yes, waiting for tree to go green)
[26227](https://github.com/flutter/engine/pull/26227) Fix CanvasKit SVG clipPath leak (cla: yes, platform-web, cp: 2.2)
[26232](https://github.com/flutter/engine/pull/26232) Revert Dart SDK to 67be110b5ba8fc84af5e7136389e52a13ccbc9d5 (cla: yes)
[26233](https://github.com/flutter/engine/pull/26233) plumb frame number through to framework (cla: yes, waiting for tree to go green, platform-web)
[26237](https://github.com/flutter/engine/pull/26237) Fix frame request tracing (cla: yes, waiting for tree to go green)
[26238](https://github.com/flutter/engine/pull/26238) fix mobile a11y placeholder (cla: yes, waiting for tree to go green, platform-web)
[26242](https://github.com/flutter/engine/pull/26242) Roll Fuchsia Mac SDK from F5TX4MaEg... to mx5LVKqk8... (cla: yes, waiting for tree to go green)
[26243](https://github.com/flutter/engine/pull/26243) Roll Fuchsia Linux SDK from boele8geO... to 5qwj-Mw7_... (cla: yes, waiting for tree to go green)
[26245](https://github.com/flutter/engine/pull/26245) Roll Skia from fb8d20befa8f to d9ea2989d6e9 (20 revisions) (cla: yes, waiting for tree to go green)
[26246](https://github.com/flutter/engine/pull/26246) Roll Skia from d9ea2989d6e9 to d7d7a8215e6c (1 revision) (cla: yes, waiting for tree to go green)
[26247](https://github.com/flutter/engine/pull/26247) Refactor: Group together externally-managed UIDartState. (cla: yes)
[26248](https://github.com/flutter/engine/pull/26248) Roll Skia from d7d7a8215e6c to a65c295c1c9b (1 revision) (cla: yes, waiting for tree to go green)
[26252](https://github.com/flutter/engine/pull/26252) Roll Skia from a65c295c1c9b to 814c6db4c04d (1 revision) (cla: yes, waiting for tree to go green)
[26253](https://github.com/flutter/engine/pull/26253) suppress output from intentionally failing tests (cla: yes, platform-web)
[26254](https://github.com/flutter/engine/pull/26254) Use 'pub get --offline' for scenario_app deps (cla: yes)
[26257](https://github.com/flutter/engine/pull/26257) updated the documentation for message loops a bit (cla: yes, waiting for tree to go green)
[26258](https://github.com/flutter/engine/pull/26258) Roll Dart SDK from 67be110b5ba8 to 3a8c551ec08e (9 revisions) (cla: yes, waiting for tree to go green)
[26259](https://github.com/flutter/engine/pull/26259) Roll Fuchsia Linux SDK from 5qwj-Mw7_... to ih1GwcLki... (cla: yes, waiting for tree to go green)
[26261](https://github.com/flutter/engine/pull/26261) Use path dependencies for testing/symbols (cla: yes)
[26263](https://github.com/flutter/engine/pull/26263) Roll Skia from 814c6db4c04d to 10e7e77909c5 (5 revisions) (cla: yes, waiting for tree to go green)
[26265](https://github.com/flutter/engine/pull/26265) Roll Fuchsia Mac SDK from mx5LVKqk8... to 56WoN2WG2... (cla: yes, waiting for tree to go green)
[26268](https://github.com/flutter/engine/pull/26268) Roll Skia from 10e7e77909c5 to 8988cb464391 (3 revisions) (cla: yes, waiting for tree to go green)
[26269](https://github.com/flutter/engine/pull/26269) Roll Dart SDK from 3a8c551ec08e to 87b37682b24f (1 revision) (cla: yes, waiting for tree to go green)
[26271](https://github.com/flutter/engine/pull/26271) Migrate to ci.yaml (cla: yes, waiting for tree to go green)
[26272](https://github.com/flutter/engine/pull/26272) Fix hybrid composition case and enable test (platform-android, cla: yes, waiting for tree to go green)
[26274](https://github.com/flutter/engine/pull/26274) Roll Skia from 8988cb464391 to 9c7e04cd6f37 (4 revisions) (cla: yes, waiting for tree to go green)
[26276](https://github.com/flutter/engine/pull/26276) Roll Clang Mac from bf4GDBSQE... to xwRoi0Lbe... (cla: yes, waiting for tree to go green)
[26277](https://github.com/flutter/engine/pull/26277) CanvasKit: recall the last frame in the animated image after resurrection (cla: yes, waiting for tree to go green, platform-web)
[26278](https://github.com/flutter/engine/pull/26278) Roll Skia from 9c7e04cd6f37 to d24422a9fe4a (1 revision) (cla: yes, waiting for tree to go green)
[26279](https://github.com/flutter/engine/pull/26279) Drop package:image dependency from testing harness (cla: yes, waiting for tree to go green)
[26281](https://github.com/flutter/engine/pull/26281) Roll Dart SDK from 87b37682b24f to 43fe359811ea (1 revision) (cla: yes, waiting for tree to go green)
[26283](https://github.com/flutter/engine/pull/26283) Roll Skia from d24422a9fe4a to 1f193df9b393 (2 revisions) (cla: yes, waiting for tree to go green)
[26285](https://github.com/flutter/engine/pull/26285) Roll Fuchsia Linux SDK from ih1GwcLki... to JuoV30Dy2... (cla: yes, waiting for tree to go green)
[26286](https://github.com/flutter/engine/pull/26286) Roll Dart SDK from 43fe359811ea to ff8dd0a9bbe1 (1 revision) (cla: yes, waiting for tree to go green)
[26287](https://github.com/flutter/engine/pull/26287) Roll Skia from 1f193df9b393 to edb7aa70fcf3 (1 revision) (cla: yes, waiting for tree to go green)
[26290](https://github.com/flutter/engine/pull/26290) Roll Fuchsia Mac SDK from 56WoN2WG2... to 3AWY87vDb... (cla: yes, waiting for tree to go green)
[26291](https://github.com/flutter/engine/pull/26291) Roll Skia from edb7aa70fcf3 to 1c4a0b89b0f6 (2 revisions) (cla: yes, waiting for tree to go green)
[26292](https://github.com/flutter/engine/pull/26292) Roll Clang Mac from xwRoi0Lbe... to bf4GDBSQE... (cla: yes, waiting for tree to go green)
[26295](https://github.com/flutter/engine/pull/26295) [vm_service] Add vm service port to inspect. (cla: yes, platform-fuchsia)
[26298](https://github.com/flutter/engine/pull/26298) Cleanup toString transformer (cla: yes)
[26299](https://github.com/flutter/engine/pull/26299) Roll Skia from 1c4a0b89b0f6 to 2758a3189ade (3 revisions) (cla: yes, waiting for tree to go green)
[26300](https://github.com/flutter/engine/pull/26300) Roll Dart SDK from ff8dd0a9bbe1 to 3c595684faca (2 revisions) (cla: yes, waiting for tree to go green)
[26302](https://github.com/flutter/engine/pull/26302) Add support for compositing using Metal on macOS (cla: yes, platform-macos)
[26303](https://github.com/flutter/engine/pull/26303) Roll Skia from 2758a3189ade to 60e52284d55d (7 revisions) (cla: yes, waiting for tree to go green)
[26304](https://github.com/flutter/engine/pull/26304) roll CanvasKit 0.27.0 (cla: yes, waiting for tree to go green, platform-web)
[26307](https://github.com/flutter/engine/pull/26307) Roll Dart SDK from 3c595684faca to 144f3bb9b017 (1 revision) (cla: yes, waiting for tree to go green)
[26308](https://github.com/flutter/engine/pull/26308) Roll Skia from 60e52284d55d to 36c5796f0bd0 (9 revisions) (cla: yes, waiting for tree to go green)
[26309](https://github.com/flutter/engine/pull/26309) [uwptool] Refactor command-handling to a map (cla: yes, affects: desktop, platform-windows)
[26310](https://github.com/flutter/engine/pull/26310) Roll Dart SDK from 144f3bb9b017 to 551af75f42c0 (1 revision) (cla: yes, waiting for tree to go green)
[26311](https://github.com/flutter/engine/pull/26311) Roll Fuchsia Linux SDK from JuoV30Dy2... to nN6J_ZcaY... (cla: yes, waiting for tree to go green)
[26312](https://github.com/flutter/engine/pull/26312) Roll Fuchsia Mac SDK from 3AWY87vDb... to E47v59mWP... (cla: yes, waiting for tree to go green)
[26313](https://github.com/flutter/engine/pull/26313) Clean up testing/benchmark (cla: yes)
[26314](https://github.com/flutter/engine/pull/26314) Roll Skia from 36c5796f0bd0 to a39b80bfd34c (1 revision) (cla: yes, waiting for tree to go green)
[26315](https://github.com/flutter/engine/pull/26315) [uwptool] Move Launch, Uninstall to AppStore class (affects: tests, cla: yes, affects: desktop, platform-windows)
[26316](https://github.com/flutter/engine/pull/26316) Roll Skia from a39b80bfd34c to 7c67ebcd3bd4 (1 revision) (cla: yes, waiting for tree to go green)
[26317](https://github.com/flutter/engine/pull/26317) Roll Dart SDK from 551af75f42c0 to a70c4b0fafc2 (1 revision) (cla: yes, waiting for tree to go green)
[26318](https://github.com/flutter/engine/pull/26318) Roll Skia from 7c67ebcd3bd4 to 9604eab2bdca (1 revision) (cla: yes, waiting for tree to go green)
[26320](https://github.com/flutter/engine/pull/26320) Roll Skia from 9604eab2bdca to 465819d7c20d (4 revisions) (cla: yes, waiting for tree to go green)
[26321](https://github.com/flutter/engine/pull/26321) Make tools/gn compatible with Python 3 (cla: yes, waiting for tree to go green)
[26322](https://github.com/flutter/engine/pull/26322) Roll Fuchsia Linux SDK from nN6J_ZcaY... to aeRo3f-er... (cla: yes, waiting for tree to go green)
[26323](https://github.com/flutter/engine/pull/26323) Roll Fuchsia Mac SDK from E47v59mWP... to -ISyWoKV3... (cla: yes, waiting for tree to go green)
[26325](https://github.com/flutter/engine/pull/26325) Clean up Dart scripts in ci/ (cla: yes)
[26326](https://github.com/flutter/engine/pull/26326) Roll Dart SDK from a70c4b0fafc2 to 1efa8657fe8e (2 revisions) (cla: yes, waiting for tree to go green)
[26327](https://github.com/flutter/engine/pull/26327) Roll Skia from 465819d7c20d to 0ea0e75a3d29 (6 revisions) (cla: yes, waiting for tree to go green)
[26328](https://github.com/flutter/engine/pull/26328) prevent ios accessibility bridge from sending notification when modal (platform-ios, cla: yes, waiting for tree to go green)
[26329](https://github.com/flutter/engine/pull/26329) Clean up upload_metrics.sh (cla: yes)
[26331](https://github.com/flutter/engine/pull/26331) android platform channels: moved to direct buffers for c <-> java interop (platform-android, cla: yes, waiting for tree to go green)
[26333](https://github.com/flutter/engine/pull/26333) Handle only asset-only components case (platform-android, cla: yes)
[26334](https://github.com/flutter/engine/pull/26334) Roll Dart SDK from 1efa8657fe8e to 1c14e29fbfba (1 revision) (cla: yes, waiting for tree to go green)
[26335](https://github.com/flutter/engine/pull/26335) Sets a11y traversal order in android accessibility bridge (platform-android, cla: yes, waiting for tree to go green)
[26337](https://github.com/flutter/engine/pull/26337) Roll Skia from 0ea0e75a3d29 to 8447f13c6d4b (4 revisions) (cla: yes, waiting for tree to go green)
[26338](https://github.com/flutter/engine/pull/26338) Use the image generator registry & protocol for resolving image decoders. (cla: yes)
[26339](https://github.com/flutter/engine/pull/26339) Roll Skia from 8447f13c6d4b to ec9d0e865d77 (1 revision) (cla: yes)
[26340](https://github.com/flutter/engine/pull/26340) Roll Dart SDK from 1c14e29fbfba to 5ae74b9c13b0 (1 revision) (cla: yes, waiting for tree to go green)
[26341](https://github.com/flutter/engine/pull/26341) Use package:litetest for flutter_frontend_server (cla: yes)
[26342](https://github.com/flutter/engine/pull/26342) Remove group() support from package:litetest (cla: yes)
[26344](https://github.com/flutter/engine/pull/26344) Roll Fuchsia Mac SDK from -ISyWoKV3... to dd7nw2tfc... (cla: yes, waiting for tree to go green)
[26345](https://github.com/flutter/engine/pull/26345) Roll Fuchsia Linux SDK from aeRo3f-er... to GNvpzwlsb... (cla: yes, waiting for tree to go green)
[26346](https://github.com/flutter/engine/pull/26346) Roll Dart SDK from 5ae74b9c13b0 to 53da3ba84895 (1 revision) (cla: yes, waiting for tree to go green)
[26347](https://github.com/flutter/engine/pull/26347) MacOS: Do not send key event if modifiers flags haven't changed (cla: yes, platform-macos)
[26348](https://github.com/flutter/engine/pull/26348) Roll Fuchsia Mac SDK from dd7nw2tfc... to 80lum62wn... (cla: yes, waiting for tree to go green)
[26349](https://github.com/flutter/engine/pull/26349) Roll Dart SDK from 53da3ba84895 to 79f1604820d2 (1 revision) (cla: yes, waiting for tree to go green)
[26350](https://github.com/flutter/engine/pull/26350) Roll Fuchsia Linux SDK from GNvpzwlsb... to qLBO-PTv_... (cla: yes, waiting for tree to go green)
[26351](https://github.com/flutter/engine/pull/26351) Roll Dart SDK from 79f1604820d2 to 99aa976af869 (1 revision) (cla: yes, waiting for tree to go green)
[26352](https://github.com/flutter/engine/pull/26352) Roll Dart SDK from 99aa976af869 to cf0a921e4380 (1 revision) (cla: yes, waiting for tree to go green)
[26353](https://github.com/flutter/engine/pull/26353) Roll Skia from ec9d0e865d77 to f88eb656c123 (1 revision) (cla: yes, waiting for tree to go green)
[26354](https://github.com/flutter/engine/pull/26354) Roll Fuchsia Mac SDK from 80lum62wn... to RnPV5ymFi... (cla: yes, waiting for tree to go green)
[26355](https://github.com/flutter/engine/pull/26355) Roll Fuchsia Linux SDK from qLBO-PTv_... to l5hYeTpdW... (cla: yes, waiting for tree to go green)
[26356](https://github.com/flutter/engine/pull/26356) Roll Dart SDK from cf0a921e4380 to c696ecf5a8a0 (1 revision) (cla: yes, waiting for tree to go green)
[26357](https://github.com/flutter/engine/pull/26357) Roll Fuchsia Mac SDK from RnPV5ymFi... to nRqbdi_ZK... (cla: yes, waiting for tree to go green)
[26358](https://github.com/flutter/engine/pull/26358) Fix: Strip option doesn't work for linux .so files (platform-android, cla: yes, waiting for tree to go green)
[26361](https://github.com/flutter/engine/pull/26361) Roll Skia from f88eb656c123 to 29670b085358 (3 revisions) (cla: yes, waiting for tree to go green)
[26362](https://github.com/flutter/engine/pull/26362) Roll Fuchsia Linux SDK from l5hYeTpdW... to oT8kKQch3... (cla: yes, waiting for tree to go green)
[26363](https://github.com/flutter/engine/pull/26363) Roll Skia from 29670b085358 to 09eb337d304a (1 revision) (cla: yes, waiting for tree to go green)
[26364](https://github.com/flutter/engine/pull/26364) Roll Fuchsia Mac SDK from nRqbdi_ZK... to -F-5r68i6... (cla: yes, waiting for tree to go green)
[26365](https://github.com/flutter/engine/pull/26365) Roll Skia from 09eb337d304a to 0e4477e7139a (1 revision) (cla: yes, waiting for tree to go green)
[26367](https://github.com/flutter/engine/pull/26367) Roll Skia from 0e4477e7139a to db418ec6cd6f (6 revisions) (cla: yes, waiting for tree to go green)
[26368](https://github.com/flutter/engine/pull/26368) fuchsia: Fix View create vs render race (cla: yes, platform-fuchsia)
[26369](https://github.com/flutter/engine/pull/26369) Fix race with engine destruction in `Shell` (cla: yes)
[26370](https://github.com/flutter/engine/pull/26370) Roll Dart SDK from c696ecf5a8a0 to bb9d96ffbafa (1 revision) (cla: yes, waiting for tree to go green)
[26371](https://github.com/flutter/engine/pull/26371) Revert "Provide better messaging when user attempts to use non-secure http connection. (#26226)" (cla: yes)
[26373](https://github.com/flutter/engine/pull/26373) Roll Dart SDK from c696ecf5a8a0 to 7250fd6379b2 (0 revision) (cla: yes, waiting for tree to go green)
[26374](https://github.com/flutter/engine/pull/26374) Roll Dart SDK from bb9d96ffbafa to 7250fd6379b2 (0 revision) (cla: yes, waiting for tree to go green)
[26377](https://github.com/flutter/engine/pull/26377) Delete framework test from Cirrus (cla: yes)
[26379](https://github.com/flutter/engine/pull/26379) Roll Dart SDK from 7250fd6379b2 to 3731dc83886c (1379 revisions) (cla: yes, waiting for tree to go green)
[26380](https://github.com/flutter/engine/pull/26380) Add script to serve fuchsia packages (cla: yes, waiting for tree to go green)
[26381](https://github.com/flutter/engine/pull/26381) Roll Fuchsia Linux SDK from oT8kKQch3... to pfJX5Fu8B... (cla: yes, waiting for tree to go green)
[26382](https://github.com/flutter/engine/pull/26382) Use -rdynamic when building test executables in order to improve backtraces (cla: yes)
[26383](https://github.com/flutter/engine/pull/26383) Update buildroot to d86d028552a050f25fb25bf9163f7df0cee9f9a4 (cla: yes)
[26384](https://github.com/flutter/engine/pull/26384) Implement ImageShader for html Canvas (cla: yes, platform-web)
[26385](https://github.com/flutter/engine/pull/26385) Roll Fuchsia Mac SDK from -F-5r68i6... to tWU3PEj6V... (cla: yes, waiting for tree to go green)
[26386](https://github.com/flutter/engine/pull/26386) Add Float32List support to StandardMessageCodec (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-macos)
[26387](https://github.com/flutter/engine/pull/26387) Roll Dart SDK from 3731dc83886c to 0b7d0953ce47 (1 revision) (cla: yes, waiting for tree to go green)
[26391](https://github.com/flutter/engine/pull/26391) Add back inexpensive framework tests (cla: yes, waiting for tree to go green)
[26392](https://github.com/flutter/engine/pull/26392) Roll Skia from db418ec6cd6f to 30fd35da015e (20 revisions) (cla: yes, waiting for tree to go green)
[26393](https://github.com/flutter/engine/pull/26393) Roll Dart SDK from 0b7d0953ce47 to 42d74caa7d26 (1 revision) (cla: yes, waiting for tree to go green)
[26394](https://github.com/flutter/engine/pull/26394) Roll Fuchsia Linux SDK from pfJX5Fu8B... to x9gmyu-IU... (cla: yes, waiting for tree to go green)
[26395](https://github.com/flutter/engine/pull/26395) Adding webdev in DEPS (cla: yes, waiting for tree to go green)
[26397](https://github.com/flutter/engine/pull/26397) Roll Fuchsia Mac SDK from tWU3PEj6V... to OB7ucXyBd... (cla: yes, waiting for tree to go green)
[26398](https://github.com/flutter/engine/pull/26398) Roll Skia from 30fd35da015e to 6576de67a439 (1 revision) (cla: yes, waiting for tree to go green)
[26399](https://github.com/flutter/engine/pull/26399) Roll Skia from 6576de67a439 to 966fb69e5db5 (3 revisions) (cla: yes, waiting for tree to go green)
[26400](https://github.com/flutter/engine/pull/26400) Reland "Provide better messaging when user attempts to use non-secure http connection. (#26226)" (cla: yes)
[26401](https://github.com/flutter/engine/pull/26401) Roll Dart SDK from 42d74caa7d26 to 5b70042e9fe2 (1 revision) (cla: yes, waiting for tree to go green)
[26402](https://github.com/flutter/engine/pull/26402) Roll Skia from 966fb69e5db5 to 8cdf28fe2d89 (7 revisions) (cla: yes, waiting for tree to go green)
[26403](https://github.com/flutter/engine/pull/26403) Remove build timestamp from build_info.h. (cla: yes, platform-fuchsia)
[26404](https://github.com/flutter/engine/pull/26404) Roll Skia from 8cdf28fe2d89 to 569c01bfa28f (3 revisions) (cla: yes, waiting for tree to go green)
[26405](https://github.com/flutter/engine/pull/26405) [flutter_releases] Flutter Stable 2.2.1 Engine Cherrypicks (cla: yes, platform-web)
[26406](https://github.com/flutter/engine/pull/26406) [web] Ensure handleNavigationMessage can receive null arguments. (cla: yes, waiting for tree to go green, platform-web)
[26407](https://github.com/flutter/engine/pull/26407) Roll Skia from 569c01bfa28f to ee7e22acd20f (3 revisions) (cla: yes, waiting for tree to go green)
[26408](https://github.com/flutter/engine/pull/26408) Add Handle.replace(int rights). (cla: yes, platform-fuchsia)
[26409](https://github.com/flutter/engine/pull/26409) Disable hidden symbols on unoptimized builds in order to improve test backtraces (cla: yes, waiting for tree to go green)
[26410](https://github.com/flutter/engine/pull/26410) Roll Dart SDK from 5b70042e9fe2 to e2f96cd405a3 (1 revision) (cla: yes, waiting for tree to go green)
[26411](https://github.com/flutter/engine/pull/26411) Roll Skia from ee7e22acd20f to 4987c4af499d (3 revisions) (cla: yes, waiting for tree to go green)
[26412](https://github.com/flutter/engine/pull/26412) Fix iOS key events in platform views (platform-ios, cla: yes, waiting for tree to go green)
[26413](https://github.com/flutter/engine/pull/26413) Roll Skia from 4987c4af499d to ad5b44720f97 (1 revision) (cla: yes, waiting for tree to go green)
[26415](https://github.com/flutter/engine/pull/26415) Roll Skia from ad5b44720f97 to e5240a24987b (1 revision) (cla: yes, waiting for tree to go green)
[26416](https://github.com/flutter/engine/pull/26416) Fixes iOS refuses to accept semantics rect update if UISwitch is not … (platform-ios, cla: yes)
[26417](https://github.com/flutter/engine/pull/26417) Roll Dart SDK from e2f96cd405a3 to 23230583a210 (1 revision) (cla: yes, waiting for tree to go green)
[26418](https://github.com/flutter/engine/pull/26418) Add Linux Framework Smoke Tests to pre/post submit. (cla: yes)
[26419](https://github.com/flutter/engine/pull/26419) Roll Skia from e5240a24987b to 9b2baac1d650 (1 revision) (cla: yes, waiting for tree to go green)
[26420](https://github.com/flutter/engine/pull/26420) Roll Fuchsia Linux SDK from x9gmyu-IU... to kWrYHMQWQ... (cla: yes, waiting for tree to go green)
[26421](https://github.com/flutter/engine/pull/26421) Revert "Add Linux Framework Smoke Tests to pre/post submit." (cla: yes)
[26422](https://github.com/flutter/engine/pull/26422) fuchsia: Delete all the legacy code! (cla: yes, Work in progress (WIP), platform-web, platform-fuchsia, tech-debt)
[26423](https://github.com/flutter/engine/pull/26423) Roll Fuchsia Mac SDK from OB7ucXyBd... to Rbr2O4K3O... (cla: yes, waiting for tree to go green)
[26424](https://github.com/flutter/engine/pull/26424) Roll Dart SDK from 23230583a210 to e6f56536dd12 (1 revision) (cla: yes, waiting for tree to go green)
[26425](https://github.com/flutter/engine/pull/26425) Roll Skia from 9b2baac1d650 to 1a7fb9b3962e (1 revision) (cla: yes, waiting for tree to go green)
[26426](https://github.com/flutter/engine/pull/26426) Canonicalize runner debug symbol path for fuchsia. (cla: yes, waiting for tree to go green, platform-fuchsia)
[26429](https://github.com/flutter/engine/pull/26429) Fix deferred components startup threading and improve .so search algorithm. (affects: engine, platform-android, cla: yes, waiting for tree to go green)
[26430](https://github.com/flutter/engine/pull/26430) Roll Skia from 1a7fb9b3962e to 0fb5e6290f1e (1 revision) (cla: yes, waiting for tree to go green)
[26432](https://github.com/flutter/engine/pull/26432) Roll Skia from 0fb5e6290f1e to e1c2beb3beef (2 revisions) (cla: yes, waiting for tree to go green)
[26433](https://github.com/flutter/engine/pull/26433) "Reland "Add Linux Framework Smoke Tests to pre/post submit."" (cla: yes)
[26434](https://github.com/flutter/engine/pull/26434) Roll Skia from e1c2beb3beef to 3af709f71a60 (5 revisions) (cla: yes, waiting for tree to go green)
[26435](https://github.com/flutter/engine/pull/26435) SingleFrameCodec GetAllocationSize and ImageDescriptor.dispose (cla: yes, waiting for tree to go green)
[26436](https://github.com/flutter/engine/pull/26436) Roll Fuchsia Mac SDK from Rbr2O4K3O... to anl_Ge_vz... (cla: yes, waiting for tree to go green)
[26437](https://github.com/flutter/engine/pull/26437) Roll Fuchsia Linux SDK from kWrYHMQWQ... to kn_6DzM7h... (cla: yes, waiting for tree to go green)
[26438](https://github.com/flutter/engine/pull/26438) Reclaim paragraph memory more aggressively (cla: yes, platform-web)
[26440](https://github.com/flutter/engine/pull/26440) Make resume dart microtasks static to avoid capturing vsync waiter (cla: yes, waiting for tree to go green)
[26442](https://github.com/flutter/engine/pull/26442) Add bottom view inset to FlutterWindowMetricsEvent (cla: yes, embedder)
[26446](https://github.com/flutter/engine/pull/26446) Fix Fragment not transparent in Texture render mode (platform-android, cla: yes, waiting for tree to go green)
[26447](https://github.com/flutter/engine/pull/26447) Roll Fuchsia Mac SDK from anl_Ge_vz... to _AaCM1K4Z... (cla: yes, waiting for tree to go green)
[26449](https://github.com/flutter/engine/pull/26449) Roll Fuchsia Linux SDK from kn_6DzM7h... to mgoUMLlft... (cla: yes, waiting for tree to go green)
[26451](https://github.com/flutter/engine/pull/26451) MacOS: Don't remove pointer after drag if released inside window (cla: yes, platform-macos)
[26453](https://github.com/flutter/engine/pull/26453) Add todo to handle_test. (cla: yes, waiting for tree to go green, platform-fuchsia)
[26454](https://github.com/flutter/engine/pull/26454) Add trace-skia-allowlist to the Android intent flags (platform-android, cla: yes, waiting for tree to go green)
[26455](https://github.com/flutter/engine/pull/26455) Roll Skia from 3af709f71a60 to ace17c2f4689 (32 revisions) (cla: yes, waiting for tree to go green)
[26456](https://github.com/flutter/engine/pull/26456) support history entry replace in multi entries browser history (cla: yes, platform-web)
[26457](https://github.com/flutter/engine/pull/26457) Roll Clang Linux from zRvL_ACCG... to aUPvom0rf... (cla: yes, waiting for tree to go green)
[26458](https://github.com/flutter/engine/pull/26458) Roll Clang Mac from bf4GDBSQE... to rm-r5Uy50... (cla: yes, waiting for tree to go green)
[26459](https://github.com/flutter/engine/pull/26459) Roll Dart SDK from e6f56536dd12 to efccf1e46351 (8 revisions) (cla: yes, waiting for tree to go green)
[26460](https://github.com/flutter/engine/pull/26460) Better logging `pthread_setspecific` (cla: yes, waiting for tree to go green)
[26461](https://github.com/flutter/engine/pull/26461) Roll Skia from ace17c2f4689 to 35981296a8f4 (3 revisions) (cla: yes, waiting for tree to go green)
[26462](https://github.com/flutter/engine/pull/26462) Make litetest throw on test failure instead of exit() (cla: yes)
[26463](https://github.com/flutter/engine/pull/26463) Add debug symbols (symbol-index) to serve.sh for Fuchsia. (cla: yes, waiting for tree to go green, platform-fuchsia)
[26464](https://github.com/flutter/engine/pull/26464) Roll Skia from 35981296a8f4 to bdda1a3ccdde (3 revisions) (cla: yes, waiting for tree to go green)
[26468](https://github.com/flutter/engine/pull/26468) Roll Skia from bdda1a3ccdde to b4403a95292b (1 revision) (cla: yes, waiting for tree to go green)
[26469](https://github.com/flutter/engine/pull/26469) Roll Dart SDK from efccf1e46351 to 002db0ae4563 (1 revision) (cla: yes, waiting for tree to go green)
[26470](https://github.com/flutter/engine/pull/26470) Revert "android platform channels: moved to direct buffers for c <-> java interop" (platform-android, cla: yes)
[26471](https://github.com/flutter/engine/pull/26471) Roll Fuchsia Mac SDK from _AaCM1K4Z... to i9cDU3Lze... (cla: yes, waiting for tree to go green)
[26472](https://github.com/flutter/engine/pull/26472) Add Float32List support to the Linux standard message codec (cla: yes, platform-linux)
[26473](https://github.com/flutter/engine/pull/26473) Roll Skia from b4403a95292b to 2a63f8242274 (1 revision) (cla: yes, waiting for tree to go green)
[26475](https://github.com/flutter/engine/pull/26475) Roll Skia from 2a63f8242274 to b1eb7dd759b9 (2 revisions) (cla: yes, waiting for tree to go green)
[26476](https://github.com/flutter/engine/pull/26476) Roll Skia from b1eb7dd759b9 to 890498e3d730 (1 revision) (cla: yes, waiting for tree to go green)
[26477](https://github.com/flutter/engine/pull/26477) Roll Dart SDK from 002db0ae4563 to 89ffc22de5cb (1 revision) (cla: yes, waiting for tree to go green)
[26478](https://github.com/flutter/engine/pull/26478) Roll Fuchsia Linux SDK from mgoUMLlft... to JMl78sNB8... (cla: yes, waiting for tree to go green)
[26479](https://github.com/flutter/engine/pull/26479) Roll Dart SDK from 89ffc22de5cb to 77491c775d8f (1 revision) (cla: yes, waiting for tree to go green)
[26480](https://github.com/flutter/engine/pull/26480) Roll Fuchsia Mac SDK from i9cDU3Lze... to oPWKIUaFo... (cla: yes, waiting for tree to go green)
[26481](https://github.com/flutter/engine/pull/26481) Roll Dart SDK from 77491c775d8f to 7fef568a9b33 (1 revision) (cla: yes, waiting for tree to go green)
[26482](https://github.com/flutter/engine/pull/26482) Add the images for TileMode.decal (cla: yes, waiting for tree to go green)
[26483](https://github.com/flutter/engine/pull/26483) Roll Fuchsia Linux SDK from JMl78sNB8... to Y13BYMF29... (cla: yes, waiting for tree to go green)
[26484](https://github.com/flutter/engine/pull/26484) Roll Dart SDK from 7fef568a9b33 to 069554af24d6 (1 revision) (cla: yes, waiting for tree to go green)
[26485](https://github.com/flutter/engine/pull/26485) Roll Fuchsia Mac SDK from oPWKIUaFo... to 5c4YB-7_r... (cla: yes, waiting for tree to go green)
[26486](https://github.com/flutter/engine/pull/26486) [iOSTextInputPlugin] bypass UIKit floating cursor coordinates clamping (platform-ios, cla: yes, waiting for tree to go green)
[26487](https://github.com/flutter/engine/pull/26487) Roll Fuchsia Linux SDK from Y13BYMF29... to xLBoLtUi8... (cla: yes, waiting for tree to go green)
[26488](https://github.com/flutter/engine/pull/26488) Roll Fuchsia Mac SDK from 5c4YB-7_r... to xxNJ4Crvh... (cla: yes, waiting for tree to go green)
[26489](https://github.com/flutter/engine/pull/26489) Roll Fuchsia Linux SDK from xLBoLtUi8... to sWU99T5u7... (cla: yes, waiting for tree to go green)
[26490](https://github.com/flutter/engine/pull/26490) Roll Skia from 890498e3d730 to 481b3240fb7e (1 revision) (cla: yes, waiting for tree to go green)
[26491](https://github.com/flutter/engine/pull/26491) Roll Fuchsia Mac SDK from xxNJ4Crvh... to MdVGflQxJ... (cla: yes, waiting for tree to go green)
[26492](https://github.com/flutter/engine/pull/26492) fix a LateInitializationError (cla: yes, waiting for tree to go green, platform-web)
[26493](https://github.com/flutter/engine/pull/26493) Roll Fuchsia Linux SDK from sWU99T5u7... to 76zSlrdqM... (cla: yes, waiting for tree to go green)
[26494](https://github.com/flutter/engine/pull/26494) Roll Fuchsia Mac SDK from MdVGflQxJ... to FmS6HazcE... (cla: yes, waiting for tree to go green)
[26495](https://github.com/flutter/engine/pull/26495) Roll Fuchsia Linux SDK from 76zSlrdqM... to 2ke-RgVsK... (cla: yes, waiting for tree to go green)
[26496](https://github.com/flutter/engine/pull/26496) Roll Skia from 481b3240fb7e to 7e114d7b3c23 (1 revision) (cla: yes, waiting for tree to go green)
[26497](https://github.com/flutter/engine/pull/26497) Roll Skia from 7e114d7b3c23 to 8942247ae46e (2 revisions) (cla: yes, waiting for tree to go green)
[26498](https://github.com/flutter/engine/pull/26498) Roll Fuchsia Mac SDK from FmS6HazcE... to k9XWcZPZO... (cla: yes, waiting for tree to go green)
[26499](https://github.com/flutter/engine/pull/26499) Roll Dart SDK from 069554af24d6 to 643d01d6a8e3 (1 revision) (cla: yes, waiting for tree to go green)
[26501](https://github.com/flutter/engine/pull/26501) Roll Skia from 8942247ae46e to 77724af76ce2 (1 revision) (cla: yes, waiting for tree to go green)
[26502](https://github.com/flutter/engine/pull/26502) Roll Fuchsia Linux SDK from 2ke-RgVsK... to hopGYPnVP... (cla: yes, waiting for tree to go green)
[26503](https://github.com/flutter/engine/pull/26503) Roll Fuchsia Mac SDK from k9XWcZPZO... to DJjuIbfI5... (cla: yes, waiting for tree to go green)
[26504](https://github.com/flutter/engine/pull/26504) Roll Skia from 77724af76ce2 to a9109c50fb1f (1 revision) (cla: yes, waiting for tree to go green)
[26505](https://github.com/flutter/engine/pull/26505) Roll Skia from a9109c50fb1f to c7abc8bfa02f (1 revision) (cla: yes, waiting for tree to go green)
[26506](https://github.com/flutter/engine/pull/26506) Cache Handle.koid(). (cla: yes, waiting for tree to go green, platform-fuchsia)
[26507](https://github.com/flutter/engine/pull/26507) Roll Skia from c7abc8bfa02f to fe9b4316d8de (3 revisions) (cla: yes, waiting for tree to go green)
[26508](https://github.com/flutter/engine/pull/26508) Roll Fuchsia Linux SDK from hopGYPnVP... to xi7pltS1F... (cla: yes, waiting for tree to go green)
[26509](https://github.com/flutter/engine/pull/26509) Roll Fuchsia Mac SDK from DJjuIbfI5... to mDjEP9hR9... (cla: yes, waiting for tree to go green)
[26510](https://github.com/flutter/engine/pull/26510) Fix pub_get_offline.py undefined variables (cla: yes, waiting for tree to go green)
[26511](https://github.com/flutter/engine/pull/26511) Roll Skia from fe9b4316d8de to 9af0bca3de2b (1 revision) (cla: yes, waiting for tree to go green)
[26512](https://github.com/flutter/engine/pull/26512) Roll Skia from 9af0bca3de2b to b069582d16d3 (7 revisions) (cla: yes, waiting for tree to go green)
[26513](https://github.com/flutter/engine/pull/26513) Cloned frame timings have same frame number (cla: yes, waiting for tree to go green)
[26514](https://github.com/flutter/engine/pull/26514) Roll Skia from b069582d16d3 to f9d1c159b3cc (4 revisions) (cla: yes, waiting for tree to go green)
[26515](https://github.com/flutter/engine/pull/26515) Reland: "android platform channels: moved to direct buffers for c <-> java interop" (platform-android, cla: yes, waiting for tree to go green)
[26516](https://github.com/flutter/engine/pull/26516) Add Unopt builders to ci config (cla: yes)
[26517](https://github.com/flutter/engine/pull/26517) Roll Skia from f9d1c159b3cc to 4943421095e1 (2 revisions) (cla: yes, waiting for tree to go green)
[26518](https://github.com/flutter/engine/pull/26518) Fix gradient stop out of range error (cla: yes, platform-web)
[26519](https://github.com/flutter/engine/pull/26519) Docuements the new flag in BrowserHistory.setRouteName (cla: yes, waiting for tree to go green, platform-web)
[26520](https://github.com/flutter/engine/pull/26520) Roll Skia from 4943421095e1 to d774558eb189 (6 revisions) (cla: yes, waiting for tree to go green)
[26521](https://github.com/flutter/engine/pull/26521) Roll Skia from d774558eb189 to c9b70c65436e (5 revisions) (cla: yes, waiting for tree to go green)
[26522](https://github.com/flutter/engine/pull/26522) Roll Skia from c9b70c65436e to f4f9c3b6cc62 (3 revisions) (cla: yes, waiting for tree to go green)
[26523](https://github.com/flutter/engine/pull/26523) Roll Dart SDK from 643d01d6a8e3 to 302c6dd3c29c (4 revisions) (cla: yes, waiting for tree to go green)
[26524](https://github.com/flutter/engine/pull/26524) Revert "Add API to the engine to support attributed text (#25373)" (platform-ios, platform-android, cla: yes, platform-web)
[26525](https://github.com/flutter/engine/pull/26525) Revert "Implement ImageShader for html Canvas (#26384)" (cla: yes, platform-web)
[26526](https://github.com/flutter/engine/pull/26526) Add an encoder for CharSequence in StandardMessageCodec (platform-android, cla: yes)
[26527](https://github.com/flutter/engine/pull/26527) Added more descriptive error to StandardMessageCodec for types that override toString (platform-android, cla: yes, waiting for tree to go green)
[26528](https://github.com/flutter/engine/pull/26528) Reland "Add API to the engine to support attributed text (#25373)" (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web)
[26530](https://github.com/flutter/engine/pull/26530) Roll Fuchsia Linux SDK from xi7pltS1F... to MVkOwZQtv... (cla: yes, waiting for tree to go green)
[26533](https://github.com/flutter/engine/pull/26533) Roll Dart SDK from 302c6dd3c29c to 4ce8bbf4738d (1 revision) (cla: yes, waiting for tree to go green)
[26534](https://github.com/flutter/engine/pull/26534) Roll Skia from f4f9c3b6cc62 to d51fbe1a78b5 (2 revisions) (cla: yes, waiting for tree to go green)
[26536](https://github.com/flutter/engine/pull/26536) Migrate flutter_runner to Scenic.CreateSessionT. (cla: yes, waiting for tree to go green, platform-fuchsia)
[26537](https://github.com/flutter/engine/pull/26537) Fix incorrectly inserting Float32List in the wrong location in encodable_value (cla: yes, waiting for tree to go green)
[26538](https://github.com/flutter/engine/pull/26538) Fix create_arm_gen_snapshot target (cla: yes, waiting for tree to go green)
[26540](https://github.com/flutter/engine/pull/26540) Revert "Add support for compositing using Metal on macOS" (cla: yes, platform-macos)
[26541](https://github.com/flutter/engine/pull/26541) Roll Skia from d51fbe1a78b5 to 2e76c84b8b8a (9 revisions) (cla: yes, waiting for tree to go green)
[26542](https://github.com/flutter/engine/pull/26542) Guard task queue id for fuchsia (cla: yes)
[26544](https://github.com/flutter/engine/pull/26544) Roll Fuchsia Mac SDK from mDjEP9hR9... to pCoQB3Wr-... (cla: yes, waiting for tree to go green)
[26545](https://github.com/flutter/engine/pull/26545) Roll Dart SDK from 4ce8bbf4738d to 47e55d2e746a (3 revisions) (cla: yes, waiting for tree to go green)
[26546](https://github.com/flutter/engine/pull/26546) Roll Skia from 2e76c84b8b8a to b8416d27be1e (12 revisions) (cla: yes, waiting for tree to go green)
[26547](https://github.com/flutter/engine/pull/26547) [iOSTextInput] fix potential dangling pointer access (platform-ios, cla: yes, waiting for tree to go green)
[26548](https://github.com/flutter/engine/pull/26548) Roll buildroot to 91b3d1f3a878a6d6ce0749a233d5d467c4daaf41 (cla: yes)
[26549](https://github.com/flutter/engine/pull/26549) Re-enable non-smooth scrolling. (cla: yes, platform-linux)
[26550](https://github.com/flutter/engine/pull/26550) Roll Skia from b8416d27be1e to 03e783020013 (3 revisions) (cla: yes, waiting for tree to go green)
[26553](https://github.com/flutter/engine/pull/26553) Roll Dart SDK from 47e55d2e746a to cd41b767a29d (1 revision) (cla: yes, waiting for tree to go green)
[26554](https://github.com/flutter/engine/pull/26554) Add support for compositing using Metal on macOS (cla: yes, platform-macos)
[26555](https://github.com/flutter/engine/pull/26555) Roll Skia from 03e783020013 to 6e82db35a695 (1 revision) (cla: yes, waiting for tree to go green)
[26556](https://github.com/flutter/engine/pull/26556) Roll Skia from 6e82db35a695 to cb66e25d23d8 (1 revision) (cla: yes, waiting for tree to go green)
[26557](https://github.com/flutter/engine/pull/26557) Roll Fuchsia Linux SDK from MVkOwZQtv... to DvgL0sNJV... (cla: yes, waiting for tree to go green)
[26559](https://github.com/flutter/engine/pull/26559) Roll Skia from cb66e25d23d8 to 6f4bacb9df54 (2 revisions) (cla: yes, waiting for tree to go green)
[26560](https://github.com/flutter/engine/pull/26560) Roll Dart SDK from cd41b767a29d to 6186a3ef5ffa (2 revisions) (cla: yes, waiting for tree to go green)
[26561](https://github.com/flutter/engine/pull/26561) Roll Fuchsia Mac SDK from pCoQB3Wr-... to vGpSL2e_a... (cla: yes, waiting for tree to go green)
[26563](https://github.com/flutter/engine/pull/26563) Roll Skia from 6f4bacb9df54 to 7b6a92818d23 (1 revision) (cla: yes, waiting for tree to go green)
[26564](https://github.com/flutter/engine/pull/26564) Update dep overrides in flutter_frontend_server (cla: yes, waiting for tree to go green)
[26565](https://github.com/flutter/engine/pull/26565) Roll Skia from 7b6a92818d23 to 357e67e7af3b (5 revisions) (cla: yes, waiting for tree to go green)
[26566](https://github.com/flutter/engine/pull/26566) Reland reverted #26384 (cla: yes, platform-web)
[26567](https://github.com/flutter/engine/pull/26567) Roll Skia from 357e67e7af3b to 053eb1ba91d5 (3 revisions) (cla: yes, waiting for tree to go green)
[26568](https://github.com/flutter/engine/pull/26568) Disable Skia reduceOpsTaskSplitting (cla: yes, platform-fuchsia)
[26569](https://github.com/flutter/engine/pull/26569) Roll Fuchsia Linux SDK from DvgL0sNJV... to 3Xj5uw866... (cla: yes, waiting for tree to go green)
[26570](https://github.com/flutter/engine/pull/26570) Roll Dart SDK from 6186a3ef5ffa to 202c42e3395c (3 revisions) (cla: yes, waiting for tree to go green)
[26571](https://github.com/flutter/engine/pull/26571) Roll Skia from 053eb1ba91d5 to 7856eb88eda0 (5 revisions) (cla: yes, waiting for tree to go green)
[26572](https://github.com/flutter/engine/pull/26572) Roll Skia from 7856eb88eda0 to 7aa7939a60b9 (4 revisions) (cla: yes, waiting for tree to go green)
[26573](https://github.com/flutter/engine/pull/26573) Web: add support for TextInputType.none (cla: yes, waiting for tree to go green, platform-web)
[26574](https://github.com/flutter/engine/pull/26574) Linux: add support for TextInputType.none (cla: yes, platform-linux)
[26576](https://github.com/flutter/engine/pull/26576) fixes crash when sets mouseTrackingMode before view is loaded (cla: yes, waiting for tree to go green, platform-macos)
[26577](https://github.com/flutter/engine/pull/26577) Roll Dart SDK from 202c42e3395c to 2e9c4305a6aa (1 revision) (cla: yes, waiting for tree to go green)
[26578](https://github.com/flutter/engine/pull/26578) Roll Dart SDK from 202c42e3395c to 2e9c4305a6aa (1 revision) (cla: yes, waiting for tree to go green)
[26579](https://github.com/flutter/engine/pull/26579) Roll Skia from 7aa7939a60b9 to 568ef84d3f8a (2 revisions) (cla: yes, waiting for tree to go green)
[26580](https://github.com/flutter/engine/pull/26580) Remove "unnecessary" imports. (cla: yes, waiting for tree to go green, platform-web)
[26581](https://github.com/flutter/engine/pull/26581) Roll Fuchsia Mac SDK from vGpSL2e_a... to ldByLqm7f... (cla: yes, waiting for tree to go green)
[26582](https://github.com/flutter/engine/pull/26582) Roll Skia from 568ef84d3f8a to 2692b0dd119f (1 revision) (cla: yes, waiting for tree to go green)
[26584](https://github.com/flutter/engine/pull/26584) Roll Skia from 2692b0dd119f to 08d0d86b8180 (2 revisions) (cla: yes, waiting for tree to go green)
[26585](https://github.com/flutter/engine/pull/26585) Android: add support for TextInputType.none (platform-android, cla: yes, waiting for tree to go green)
[26586](https://github.com/flutter/engine/pull/26586) Roll Dart SDK from 2e9c4305a6aa to 39814844606e (2 revisions) (cla: yes, waiting for tree to go green)
[26587](https://github.com/flutter/engine/pull/26587) Roll Fuchsia Linux SDK from 3Xj5uw866... to 7jqSNhU_b... (cla: yes, waiting for tree to go green)
[26588](https://github.com/flutter/engine/pull/26588) Roll Fuchsia Mac SDK from ldByLqm7f... to otF0aYh8E... (cla: yes, waiting for tree to go green)
[26589](https://github.com/flutter/engine/pull/26589) Roll Skia from 08d0d86b8180 to bb04e3d47ef8 (13 revisions) (cla: yes, waiting for tree to go green)
[26590](https://github.com/flutter/engine/pull/26590) Add a filterKey argument to Skia shader trace events (cla: yes, waiting for tree to go green)
[26591](https://github.com/flutter/engine/pull/26591) Docs, debugDisposed for ImmutableBuffer (cla: yes, waiting for tree to go green)
[26592](https://github.com/flutter/engine/pull/26592) Roll Skia from bb04e3d47ef8 to 8cb7c3be75a7 (5 revisions) (cla: yes, waiting for tree to go green)
[26593](https://github.com/flutter/engine/pull/26593) Wait for the native callbacks from the spawned isolate (cla: yes, waiting for tree to go green)
[26595](https://github.com/flutter/engine/pull/26595) Roll Dart SDK from 39814844606e to 657d6dbde485 (2 revisions) (cla: yes, waiting for tree to go green)
[26596](https://github.com/flutter/engine/pull/26596) Fixes handleNavigationMessage in order (cla: yes, waiting for tree to go green, platform-web)
[26597](https://github.com/flutter/engine/pull/26597) Roll Skia from 8cb7c3be75a7 to bcfdc1d43872 (5 revisions) (cla: yes, waiting for tree to go green)
[26598](https://github.com/flutter/engine/pull/26598) Roll buildroot to 60e83491e8ce171687431e6e7a4b0cd20b4d8d40 (cla: yes, waiting for tree to go green)
[26599](https://github.com/flutter/engine/pull/26599) Provide the isolate cleanup callback to Dart_CreateIsolateInGroup (cla: yes, waiting for tree to go green)
[26600](https://github.com/flutter/engine/pull/26600) Roll Fuchsia Mac SDK from otF0aYh8E... to ICWUopirb... (cla: yes, waiting for tree to go green)
[26601](https://github.com/flutter/engine/pull/26601) Roll Fuchsia Linux SDK from 7jqSNhU_b... to 6CBxGudrv... (cla: yes, waiting for tree to go green)
[26602](https://github.com/flutter/engine/pull/26602) Allow Flutter focus to interop with Android view hierarchies (platform-android, cla: yes, waiting for tree to go green)
[26603](https://github.com/flutter/engine/pull/26603) Roll Skia from bcfdc1d43872 to aad4b80fa625 (1 revision) (cla: yes, waiting for tree to go green)
[26604](https://github.com/flutter/engine/pull/26604) Roll buildroot to 823808de422a8912bcec8a06f548da96d72cc682 (cla: yes)
[26605](https://github.com/flutter/engine/pull/26605) Roll Skia from aad4b80fa625 to 14eee314b1f4 (1 revision) (cla: yes, waiting for tree to go green)
[26606](https://github.com/flutter/engine/pull/26606) Roll Fuchsia Mac SDK from ICWUopirb... to ddbxEQera... (cla: yes, waiting for tree to go green)
[26607](https://github.com/flutter/engine/pull/26607) Roll Fuchsia Linux SDK from 6CBxGudrv... to XClZ-9fkt... (cla: yes, waiting for tree to go green)
[26609](https://github.com/flutter/engine/pull/26609) Roll Skia from 14eee314b1f4 to fc8cf91cee9f (2 revisions) (cla: yes, waiting for tree to go green)
[26610](https://github.com/flutter/engine/pull/26610) Roll Dart SDK from 657d6dbde485 to fc99280265c9 (1 revision) (cla: yes, waiting for tree to go green)
[26611](https://github.com/flutter/engine/pull/26611) Roll Skia from fc8cf91cee9f to 681e409625b9 (1 revision) (cla: yes, waiting for tree to go green)
[26612](https://github.com/flutter/engine/pull/26612) Fix issues with RunExpiredTasksWhileFirstTaskUnMergesThreads (cla: yes)
[26614](https://github.com/flutter/engine/pull/26614) Fix Android imports stamp file write mode (cla: yes, waiting for tree to go green)
[26615](https://github.com/flutter/engine/pull/26615) Roll Fuchsia Mac SDK from ddbxEQera... to e0WQ49xxD... (cla: yes, waiting for tree to go green)
[26616](https://github.com/flutter/engine/pull/26616) Roll Skia from 681e409625b9 to dc03537758f3 (5 revisions) (cla: yes, waiting for tree to go green)
[26617](https://github.com/flutter/engine/pull/26617) Enable Skia shader trace events by default (cla: yes, waiting for tree to go green)
[26618](https://github.com/flutter/engine/pull/26618) Roll Fuchsia Linux SDK from XClZ-9fkt... to qqVmyK6TU... (cla: yes, waiting for tree to go green)
[26619](https://github.com/flutter/engine/pull/26619) Roll Dart SDK from fc99280265c9 to 5204465f71be (1 revision) (cla: yes, waiting for tree to go green)
[26620](https://github.com/flutter/engine/pull/26620) Roll Skia from dc03537758f3 to 9aa5c2c86089 (2 revisions) (cla: yes, waiting for tree to go green)
[26621](https://github.com/flutter/engine/pull/26621) Roll Skia from 9aa5c2c86089 to 8aef107f6d58 (2 revisions) (cla: yes, waiting for tree to go green)
[26622](https://github.com/flutter/engine/pull/26622) [web canvaskit] fix SkiaObjectBox instrumentation (cla: yes, platform-web)
[26623](https://github.com/flutter/engine/pull/26623) Add support for native callbacks to the macOS embedder test harness (cla: yes, platform-macos)
[26624](https://github.com/flutter/engine/pull/26624) Roll Skia from 8aef107f6d58 to 2c9a6ec3a0d0 (1 revision) (cla: yes, waiting for tree to go green)
[26625](https://github.com/flutter/engine/pull/26625) Roll Fuchsia Linux SDK from qqVmyK6TU... to TqViQQzJo... (cla: yes, waiting for tree to go green)
[26626](https://github.com/flutter/engine/pull/26626) [web] Allow some more nulls in platform_dispatcher. (cla: yes, waiting for tree to go green, platform-web)
[26627](https://github.com/flutter/engine/pull/26627) Python 3 support for macOS/iOS builds (cla: yes, waiting for tree to go green)
[26628](https://github.com/flutter/engine/pull/26628) [Android TextInput] clean up nested batch edits in closeConnection() (platform-android, cla: yes, waiting for tree to go green)
[26631](https://github.com/flutter/engine/pull/26631) Roll Skia from 2c9a6ec3a0d0 to 5b5a4c6bf5d1 (5 revisions) (cla: yes, waiting for tree to go green)
[26632](https://github.com/flutter/engine/pull/26632) Roll Fuchsia Mac SDK from e0WQ49xxD... to p4LZtOVnJ... (cla: yes, waiting for tree to go green)
[26634](https://github.com/flutter/engine/pull/26634) Revert "Roll Fuchsia Mac SDK from e0WQ49xxD... to p4LZtOVnJ... (#26632)" (cla: yes)
[26635](https://github.com/flutter/engine/pull/26635) Roll Skia from 5b5a4c6bf5d1 to f07b4ce437ad (2 revisions) (cla: yes, waiting for tree to go green)
[26636](https://github.com/flutter/engine/pull/26636) Roll Skia from f07b4ce437ad to 89d460f27bd4 (3 revisions) (cla: yes, waiting for tree to go green)
[26637](https://github.com/flutter/engine/pull/26637) Revert "fuchsia: Delete all the legacy code!" (cla: yes, platform-web, platform-fuchsia)
[26638](https://github.com/flutter/engine/pull/26638) Revert "fuchsia: Delete all the legacy code! (#26422)" (#26637) (cla: yes, platform-web, platform-fuchsia)
[26639](https://github.com/flutter/engine/pull/26639) Roll Skia from 89d460f27bd4 to 70c21e34ca4f (5 revisions) (cla: yes, waiting for tree to go green)
[26640](https://github.com/flutter/engine/pull/26640) Roll Dart SDK from 5204465f71be to 019918a203bc (1 revision) (cla: yes, waiting for tree to go green)
[26641](https://github.com/flutter/engine/pull/26641) Roll Fuchsia Mac SDK from e0WQ49xxD... to qDntzygjT... (cla: yes, waiting for tree to go green)
[26642](https://github.com/flutter/engine/pull/26642) Remove compilation trace saving. (cla: yes, waiting for tree to go green)
[26643](https://github.com/flutter/engine/pull/26643) Roll Skia from 70c21e34ca4f to 917f9193d244 (2 revisions) (cla: yes, waiting for tree to go green)
[26644](https://github.com/flutter/engine/pull/26644) [web] migrate some felt code to null safety (cla: yes, platform-web)
[26645](https://github.com/flutter/engine/pull/26645) Roll Skia from 917f9193d244 to 26666bda75b9 (1 revision) (cla: yes, waiting for tree to go green)
[26646](https://github.com/flutter/engine/pull/26646) Roll Skia from 26666bda75b9 to 031d76b67447 (1 revision) (cla: yes, waiting for tree to go green)
[26647](https://github.com/flutter/engine/pull/26647) [web] Fall-back to a DOM node if Shadow DOM is unavailable. (cla: yes, waiting for tree to go green, platform-web)
[26648](https://github.com/flutter/engine/pull/26648) Roll Dart SDK from 019918a203bc to 37338b2f4bbb (1 revision) (cla: yes, waiting for tree to go green)
[26649](https://github.com/flutter/engine/pull/26649) [web] migrate more felt code to null safety (cla: yes, platform-web)
[26650](https://github.com/flutter/engine/pull/26650) Roll Skia from 031d76b67447 to 163cc9124259 (1 revision) (cla: yes, waiting for tree to go green)
[26651](https://github.com/flutter/engine/pull/26651) Roll Skia from 163cc9124259 to 6b2121d0ec57 (4 revisions) (cla: yes, waiting for tree to go green)
[26652](https://github.com/flutter/engine/pull/26652) Roll Dart SDK from 37338b2f4bbb to 4dc4671c3a87 (1 revision) (cla: yes, waiting for tree to go green)
[26653](https://github.com/flutter/engine/pull/26653) Roll Fuchsia Mac SDK from qDntzygjT... to Q22GCF6Le... (cla: yes, waiting for tree to go green)
[26655](https://github.com/flutter/engine/pull/26655) Roll Dart SDK from 4dc4671c3a87 to a2ef55cfb8ac (1 revision) (cla: yes, waiting for tree to go green)
[26656](https://github.com/flutter/engine/pull/26656) Roll Skia from 6b2121d0ec57 to 43c713d5cd1a (5 revisions) (cla: yes, waiting for tree to go green)
[26659](https://github.com/flutter/engine/pull/26659) small clean-up of the license script (cla: yes, platform-web)
[26661](https://github.com/flutter/engine/pull/26661) Roll Dart SDK from a2ef55cfb8ac to b7c2babecc88 (1 revision) (cla: yes, waiting for tree to go green)
[26662](https://github.com/flutter/engine/pull/26662) Add test for CanvasKit text memory crash (cla: yes, platform-web)
[26666](https://github.com/flutter/engine/pull/26666) Updates the objectc docs script to use env variables. (cla: yes, waiting for tree to go green)
[26668](https://github.com/flutter/engine/pull/26668) migrate the rest of dev/ to null safety (cla: yes, waiting for tree to go green, platform-web)
[26669](https://github.com/flutter/engine/pull/26669) [flutter_releases] Flutter Stable 2.2.2 Engine Cherrypicks (cla: yes, platform-web)
[26670](https://github.com/flutter/engine/pull/26670) Roll Skia from 43c713d5cd1a to 7391511f7be3 (24 revisions) (cla: yes, waiting for tree to go green)
[26671](https://github.com/flutter/engine/pull/26671) Support scrolling in iOS accessibility (platform-ios, cla: yes, waiting for tree to go green)
[26672](https://github.com/flutter/engine/pull/26672) Roll Fuchsia Mac SDK from Q22GCF6Le... to 2Py2O7FIT... (cla: yes, waiting for tree to go green)
[26673](https://github.com/flutter/engine/pull/26673) Roll Skia from 7391511f7be3 to 198ac15a907a (1 revision) (cla: yes, waiting for tree to go green)
[26674](https://github.com/flutter/engine/pull/26674) [web] more null safety in tests (cla: yes, platform-web)
[26675](https://github.com/flutter/engine/pull/26675) Roll Dart SDK from b7c2babecc88 to 4882a5e99192 (1 revision) (cla: yes, waiting for tree to go green)
[26677](https://github.com/flutter/engine/pull/26677) Roll Skia from 198ac15a907a to 2a3fb1baa186 (3 revisions) (cla: yes, waiting for tree to go green)
[26679](https://github.com/flutter/engine/pull/26679) Roll Dart SDK from 4882a5e99192 to 93ff88f22f01 (2 revisions) (cla: yes, waiting for tree to go green)
[26680](https://github.com/flutter/engine/pull/26680) Roll Skia from 2a3fb1baa186 to 1f6ca3a950e5 (1 revision) (cla: yes, waiting for tree to go green)
[26681](https://github.com/flutter/engine/pull/26681) Roll Dart SDK from 93ff88f22f01 to fc2e183f4ea9 (1 revision) (cla: yes, waiting for tree to go green)
[26682](https://github.com/flutter/engine/pull/26682) Cherrypick skia to 7391511f7be3 (cla: yes)
[26683](https://github.com/flutter/engine/pull/26683) Roll Fuchsia Mac SDK from 2Py2O7FIT... to jNlbyBr6p... (cla: yes, waiting for tree to go green)
[26686](https://github.com/flutter/engine/pull/26686) Disable ImageReleasedAfterFrame on Fuchsia (cla: yes)
[26687](https://github.com/flutter/engine/pull/26687) Roll Skia from 1f6ca3a950e5 to a1feabd38305 (6 revisions) (cla: yes, waiting for tree to go green)
[26688](https://github.com/flutter/engine/pull/26688) [web] use isTrue/isFalse in all tests (cla: yes, platform-web)
[26689](https://github.com/flutter/engine/pull/26689) Roll Skia from a1feabd38305 to d2e096069691 (1 revision) (cla: yes, waiting for tree to go green)
[26690](https://github.com/flutter/engine/pull/26690) Roll Dart SDK from fc2e183f4ea9 to 51af508b1661 (1 revision) (cla: yes, waiting for tree to go green)
[26691](https://github.com/flutter/engine/pull/26691) Roll Skia from d2e096069691 to 9d1cc0510039 (4 revisions) (cla: yes, waiting for tree to go green)
[26692](https://github.com/flutter/engine/pull/26692) Roll Skia from 9d1cc0510039 to ecc8e3bc043e (2 revisions) (cla: yes, waiting for tree to go green)
[26693](https://github.com/flutter/engine/pull/26693) Revert "Add support for native callbacks to the macOS embedder test harness" (cla: yes, platform-macos)
[26694](https://github.com/flutter/engine/pull/26694) Add support for native callbacks to the macOS embedder test harness (cla: yes, platform-macos)
[26695](https://github.com/flutter/engine/pull/26695) Roll Skia from ecc8e3bc043e to 1f5ee0d00c7f (1 revision) (cla: yes, waiting for tree to go green)
[26696](https://github.com/flutter/engine/pull/26696) [web] test runner fixes: build, sourcemaps, Dart 1-isms (cla: yes, platform-web)
[26697](https://github.com/flutter/engine/pull/26697) Roll Dart SDK from 51af508b1661 to b541bcb9fd3d (1 revision) (cla: yes, waiting for tree to go green)
[26698](https://github.com/flutter/engine/pull/26698) Roll Skia from 1f5ee0d00c7f to 08ac524b4331 (3 revisions) (cla: yes, waiting for tree to go green)
[26699](https://github.com/flutter/engine/pull/26699) Add pre-push git hook (cla: yes)
[26700](https://github.com/flutter/engine/pull/26700) Roll Dart SDK from b541bcb9fd3d to d622b98e77d7 (1 revision) (cla: yes, waiting for tree to go green)
[26701](https://github.com/flutter/engine/pull/26701) Roll Fuchsia Mac SDK from jNlbyBr6p... to OP_AFyX5C... (cla: yes, waiting for tree to go green)
[26702](https://github.com/flutter/engine/pull/26702) Roll Skia from 08ac524b4331 to 2a07fd68ebdd (1 revision) (cla: yes, waiting for tree to go green)
[26703](https://github.com/flutter/engine/pull/26703) Roll Dart SDK from d622b98e77d7 to c8a66f8e7ca1 (1 revision) (cla: yes, waiting for tree to go green)
[26704](https://github.com/flutter/engine/pull/26704) Roll Skia from 2a07fd68ebdd to dd84dd09f304 (2 revisions) (cla: yes, waiting for tree to go green)
[26706](https://github.com/flutter/engine/pull/26706) Roll Skia from dd84dd09f304 to bc215ba3bbfe (2 revisions) (cla: yes, waiting for tree to go green)
[26707](https://github.com/flutter/engine/pull/26707) Roll Dart SDK from c8a66f8e7ca1 to 935470ea59c4 (1 revision) (cla: yes, waiting for tree to go green)
[26708](https://github.com/flutter/engine/pull/26708) Roll Skia from bc215ba3bbfe to 1907f9051e17 (1 revision) (cla: yes, waiting for tree to go green)
[26709](https://github.com/flutter/engine/pull/26709) [web] text_editing_test.dart nnbd; bump test dep (cla: yes, platform-web)
[26711](https://github.com/flutter/engine/pull/26711) [iOS TextInputPlugin] fix autofill assert (platform-ios, cla: yes, waiting for tree to go green)
[26712](https://github.com/flutter/engine/pull/26712) [web] more null-safe tests (cla: yes, platform-web)
[26713](https://github.com/flutter/engine/pull/26713) Roll Skia from 1907f9051e17 to 9b0841d822c3 (1 revision) (cla: yes, waiting for tree to go green)
[26714](https://github.com/flutter/engine/pull/26714) Revert dart rolls (cla: yes)
[26715](https://github.com/flutter/engine/pull/26715) Configuration files to describe engine builds. (cla: yes, waiting for tree to go green)
[26716](https://github.com/flutter/engine/pull/26716) Roll Fuchsia Mac SDK from OP_AFyX5C... to iHnYdNmCi... (cla: yes, waiting for tree to go green)
[26717](https://github.com/flutter/engine/pull/26717) Revert "Replace flutter_runner::Thread with fml::Thread." (cla: yes, waiting for tree to go green, platform-fuchsia)
[26718](https://github.com/flutter/engine/pull/26718) Roll Skia from 9b0841d822c3 to bc4bc5f1e284 (1 revision) (cla: yes, waiting for tree to go green)
[26719](https://github.com/flutter/engine/pull/26719) [web] last batch of test null safety (cla: yes, waiting for tree to go green, platform-web)
[26720](https://github.com/flutter/engine/pull/26720) [web] migrate web_sdk to null safety (cla: yes, waiting for tree to go green, platform-web)
[26721](https://github.com/flutter/engine/pull/26721) Roll Dart SDK from d622b98e77d7 to eb912be5af54 (3 revisions) (cla: yes, waiting for tree to go green)
[26722](https://github.com/flutter/engine/pull/26722) Make ci/lint.dart more idiomatic and move to tools/clang_tidy (cla: yes, waiting for tree to go green)
[26723](https://github.com/flutter/engine/pull/26723) Revert "Replace flutter_runner::Thread with fml::Thread. (#26193)" (#… (cla: yes, platform-fuchsia)
[26724](https://github.com/flutter/engine/pull/26724) Roll Dart SDK from eb912be5af54 to 88b9786db62b (1 revision) (cla: yes, waiting for tree to go green)
[26725](https://github.com/flutter/engine/pull/26725) Roll Fuchsia Mac SDK from iHnYdNmCi... to oY-eFO3pI... (cla: yes, waiting for tree to go green)
[26729](https://github.com/flutter/engine/pull/26729) Roll Dart SDK from 88b9786db62b to 0a32380de829 (1 revision) (cla: yes, waiting for tree to go green)
[26730](https://github.com/flutter/engine/pull/26730) Roll Skia from bc4bc5f1e284 to cd33e4accde2 (1 revision) (cla: yes, waiting for tree to go green)
[26731](https://github.com/flutter/engine/pull/26731) Roll Fuchsia Mac SDK from oY-eFO3pI... to RkHrXJvD7... (cla: yes, waiting for tree to go green)
[26732](https://github.com/flutter/engine/pull/26732) Roll Skia from cd33e4accde2 to d6c51edd5243 (1 revision) (cla: yes, waiting for tree to go green)
[26733](https://github.com/flutter/engine/pull/26733) Roll Dart SDK from 0a32380de829 to ccdd47ff5673 (1 revision) (cla: yes, waiting for tree to go green)
[26734](https://github.com/flutter/engine/pull/26734) Roll Fuchsia Mac SDK from RkHrXJvD7... to oZ_FM_PHa... (cla: yes, waiting for tree to go green)
[26735](https://github.com/flutter/engine/pull/26735) Roll Dart SDK from ccdd47ff5673 to a38f02400658 (1 revision) (cla: yes, waiting for tree to go green)
[26736](https://github.com/flutter/engine/pull/26736) Roll Dart SDK from a38f02400658 to 78fcc3e7aa05 (1 revision) (cla: yes, waiting for tree to go green)
[26737](https://github.com/flutter/engine/pull/26737) Roll Fuchsia Mac SDK from oZ_FM_PHa... to 6hi4xXhT4... (cla: yes, waiting for tree to go green)
[26738](https://github.com/flutter/engine/pull/26738) Roll Dart SDK from 78fcc3e7aa05 to ca1e2e543d44 (1 revision) (cla: yes, waiting for tree to go green)
[26739](https://github.com/flutter/engine/pull/26739) Roll Dart SDK from ca1e2e543d44 to e48368c7cacb (1 revision) (cla: yes, waiting for tree to go green)
[26740](https://github.com/flutter/engine/pull/26740) Make Layer::AssignOldLayer non virtual (cla: yes, waiting for tree to go green)
[26741](https://github.com/flutter/engine/pull/26741) ImageFilterLayer should not contribute to readback region (cla: yes, waiting for tree to go green)
[26742](https://github.com/flutter/engine/pull/26742) Roll Fuchsia Mac SDK from 6hi4xXhT4... to _VHCabwHc... (cla: yes, waiting for tree to go green)
[26743](https://github.com/flutter/engine/pull/26743) Roll Dart SDK from e48368c7cacb to 5fdf43fdde62 (1 revision) (cla: yes, waiting for tree to go green)
[26745](https://github.com/flutter/engine/pull/26745) Add family of dependencies that work on SPIRV. (cla: yes, waiting for tree to go green)
[26746](https://github.com/flutter/engine/pull/26746) Add native Android image decoders supported by API 28+ (platform-android, cla: yes)
[26747](https://github.com/flutter/engine/pull/26747) Roll Skia from d6c51edd5243 to 2705cbf9bd1d (1 revision) (cla: yes, waiting for tree to go green)
[26748](https://github.com/flutter/engine/pull/26748) Roll Skia from 2705cbf9bd1d to ef1f4991a688 (1 revision) (cla: yes, waiting for tree to go green)
[26749](https://github.com/flutter/engine/pull/26749) Roll Skia from ef1f4991a688 to 50c3c2475882 (1 revision) (cla: yes, waiting for tree to go green)
[26750](https://github.com/flutter/engine/pull/26750) Roll Skia from 50c3c2475882 to c238572723b0 (1 revision) (cla: yes, waiting for tree to go green)
[26751](https://github.com/flutter/engine/pull/26751) Roll Dart SDK from 5fdf43fdde62 to 03d33dd92243 (1 revision) (cla: yes, waiting for tree to go green)
[26752](https://github.com/flutter/engine/pull/26752) Remove autoninja calls from the analyze script. (cla: yes)
[26753](https://github.com/flutter/engine/pull/26753) Roll Fuchsia Mac SDK from _VHCabwHc... to HLSrWqE34... (cla: yes, waiting for tree to go green)
[26754](https://github.com/flutter/engine/pull/26754) Roll Skia from c238572723b0 to b5b7c982958d (1 revision) (cla: yes, waiting for tree to go green)
[26755](https://github.com/flutter/engine/pull/26755) Fix Typo in create_sdk_cipd_package.sh (cla: yes, waiting for tree to go green)
[26756](https://github.com/flutter/engine/pull/26756) Delete window_hooks_integration_test.dart (cla: yes, waiting for tree to go green, tech-debt)
[26757](https://github.com/flutter/engine/pull/26757) Fix windows keyboard: Extended key, delegate order (affects: text input, cla: yes, platform-windows)
[26758](https://github.com/flutter/engine/pull/26758) Roll Dart SDK from 03d33dd92243 to e0ea160bb165 (1 revision) (cla: yes, waiting for tree to go green)
[26761](https://github.com/flutter/engine/pull/26761) Initialize EventChannel state (cla: yes)
[26763](https://github.com/flutter/engine/pull/26763) Roll Dart SDK from e0ea160bb165 to 7f1d45fab187 (1 revision) (cla: yes, waiting for tree to go green)
[26765](https://github.com/flutter/engine/pull/26765) Migrate spirv to nnbd (cla: yes, waiting for tree to go green)
[26768](https://github.com/flutter/engine/pull/26768) Roll Skia from b5b7c982958d to 237bf5284da1 (24 revisions) (cla: yes, waiting for tree to go green)
[26769](https://github.com/flutter/engine/pull/26769) Fix JSON map type declaration for SystemChrome.setApplicationSwitcherDescription arguments (cla: yes, waiting for tree to go green, platform-web)
[26770](https://github.com/flutter/engine/pull/26770) Roll Fuchsia Mac SDK from HLSrWqE34... to 0JD2eM0c_... (cla: yes, waiting for tree to go green)
[26771](https://github.com/flutter/engine/pull/26771) Roll Dart SDK from 7f1d45fab187 to 83edd189b2a3 (1 revision) (cla: yes, waiting for tree to go green)
[26772](https://github.com/flutter/engine/pull/26772) Log an error in DoMakeRasterSnapshot if Skia can not create a GPU render target (cla: yes, waiting for tree to go green)
[26774](https://github.com/flutter/engine/pull/26774) Roll Skia from 237bf5284da1 to 6ae690f8b2f5 (1 revision) (cla: yes, waiting for tree to go green)
[26775](https://github.com/flutter/engine/pull/26775) Roll Skia from 6ae690f8b2f5 to af8047dbb849 (1 revision) (cla: yes, waiting for tree to go green)
[26776](https://github.com/flutter/engine/pull/26776) [canvaskit] Only check missing glyphs against fallback fonts once per frame (cla: yes, platform-web)
[26777](https://github.com/flutter/engine/pull/26777) Roll Dart SDK from 83edd189b2a3 to 142674549a5d (1 revision) (cla: yes, waiting for tree to go green)
[26778](https://github.com/flutter/engine/pull/26778) Roll Dart SDK from 142674549a5d to 2084c5eeef79 (1 revision) (cla: yes, waiting for tree to go green)
[26779](https://github.com/flutter/engine/pull/26779) Roll Skia from af8047dbb849 to fab6ede2ec1d (1 revision) (cla: yes, waiting for tree to go green)
[26780](https://github.com/flutter/engine/pull/26780) Roll Fuchsia Mac SDK from 0JD2eM0c_... to ih-TlZVj9... (cla: yes, waiting for tree to go green)
[26783](https://github.com/flutter/engine/pull/26783) Replace flutter_runner::Thread with fml::Thread (cla: yes, platform-web, platform-fuchsia, needs tests)
[26785](https://github.com/flutter/engine/pull/26785) Surface frame number identifier through window (cla: yes, waiting for tree to go green, platform-web)
[26787](https://github.com/flutter/engine/pull/26787) Update NDK from r21 to r22 (cla: yes)
[26789](https://github.com/flutter/engine/pull/26789) Fix a leak of the resource EGL context on Android (platform-android, cla: yes, waiting for tree to go green)
[26790](https://github.com/flutter/engine/pull/26790) Roll Skia from fab6ede2ec1d to 33da72d168d7 (24 revisions) (cla: yes, waiting for tree to go green)
[26791](https://github.com/flutter/engine/pull/26791) Emit ViewRefFocused events in flutter_runner (cla: yes, platform-fuchsia)
[26792](https://github.com/flutter/engine/pull/26792) Roll Dart SDK from 2084c5eeef79 to 914b1c6d1c88 (4 revisions) (cla: yes, waiting for tree to go green)
[26793](https://github.com/flutter/engine/pull/26793) Roll Skia from 33da72d168d7 to 491282486e34 (1 revision) (cla: yes, waiting for tree to go green)
[26795](https://github.com/flutter/engine/pull/26795) Roll Skia from 491282486e34 to b2cb817d23d0 (4 revisions) (cla: yes, waiting for tree to go green)
[26799](https://github.com/flutter/engine/pull/26799) Roll Dart SDK from 914b1c6d1c88 to 369366069b83 (1 revision) (cla: yes, waiting for tree to go green)
[26801](https://github.com/flutter/engine/pull/26801) Roll Skia from b2cb817d23d0 to e8502cc73c5d (5 revisions) (cla: yes, waiting for tree to go green)
[26803](https://github.com/flutter/engine/pull/26803) Revert "Support scrolling in iOS accessibility (#26671)" (platform-ios, cla: yes)
[26805](https://github.com/flutter/engine/pull/26805) Roll Skia from e8502cc73c5d to 8e814b3be082 (6 revisions) (cla: yes, waiting for tree to go green)
[26807](https://github.com/flutter/engine/pull/26807) Roll Dart SDK from 369366069b83 to 0796dd6c7bcf (1 revision) (cla: yes, waiting for tree to go green)
[26809](https://github.com/flutter/engine/pull/26809) Roll Skia from 8e814b3be082 to ca8191b0adef (6 revisions) (cla: yes, waiting for tree to go green)
[26810](https://github.com/flutter/engine/pull/26810) Roll Fuchsia Mac SDK from ih-TlZVj9... to qEI_C9coX... (cla: yes, waiting for tree to go green)
[26811](https://github.com/flutter/engine/pull/26811) [web] Render RTL text correctly (cla: yes, platform-web)
[26812](https://github.com/flutter/engine/pull/26812) Revert "Remove autoninja calls from the analyze script." (cla: yes)
[26813](https://github.com/flutter/engine/pull/26813) Issues/80711 reland (platform-ios, cla: yes, waiting for tree to go green)
[26815](https://github.com/flutter/engine/pull/26815) [build] Speed up incremental & no-op builds. (cla: yes, platform-fuchsia)
[26816](https://github.com/flutter/engine/pull/26816) [metal] Remove invalid texture error message (cla: yes, embedder)
[26817](https://github.com/flutter/engine/pull/26817) Roll buildroot to fc82ca44f1ae85c5fbfa06bd313477539ca50729 (cla: yes)
[26819](https://github.com/flutter/engine/pull/26819) Roll Skia from ca8191b0adef to 3f0e25ca47ff (15 revisions) (cla: yes, waiting for tree to go green)
[26820](https://github.com/flutter/engine/pull/26820) [canvaskit] Fix bug where empty scene doesn't overwrite contentful scene (cla: yes, platform-web)
[26822](https://github.com/flutter/engine/pull/26822) Remove gn. ninja commands from test runner. (cla: yes)
[26823](https://github.com/flutter/engine/pull/26823) Remove built-in shadows from the @Config annotation (platform-android, cla: yes, waiting for tree to go green)
[26825](https://github.com/flutter/engine/pull/26825) Migrate //testing to nullsafety (cla: yes, waiting for tree to go green, tech-debt)
[26826](https://github.com/flutter/engine/pull/26826) Android lint to NNBD (cla: yes)
[26827](https://github.com/flutter/engine/pull/26827) Roll Skia from 3f0e25ca47ff to 7bf6bc0d0604 (5 revisions) (cla: yes, waiting for tree to go green)
[26828](https://github.com/flutter/engine/pull/26828) Remove outdated annotations from fixtures (cla: yes, waiting for tree to go green, tech-debt, embedder)
[26829](https://github.com/flutter/engine/pull/26829) Roll Skia from 7bf6bc0d0604 to 5a479e187db4 (1 revision) (cla: yes, waiting for tree to go green)
[26831](https://github.com/flutter/engine/pull/26831) Remove analyze script (cla: yes, waiting for tree to go green)
[26832](https://github.com/flutter/engine/pull/26832) Roll Dart SDK from 0796dd6c7bcf to bb03d195583c (1 revision) (cla: yes, waiting for tree to go green)
[26833](https://github.com/flutter/engine/pull/26833) Roll Fuchsia Mac SDK from qEI_C9coX... to K1Tu371Kz... (cla: yes, waiting for tree to go green)
[26834](https://github.com/flutter/engine/pull/26834) Roll Dart SDK from bb03d195583c to 46a04dccfcdc (1 revision) (cla: yes, waiting for tree to go green)
[26836](https://github.com/flutter/engine/pull/26836) Roll Dart SDK from 46a04dccfcdc to 1fd0db5918c3 (1 revision) (cla: yes, waiting for tree to go green)
[26838](https://github.com/flutter/engine/pull/26838) Roll Skia from 5a479e187db4 to fe83ab67063c (2 revisions) (cla: yes, waiting for tree to go green)
[26839](https://github.com/flutter/engine/pull/26839) Roll Skia from fe83ab67063c to 2421b9901b29 (1 revision) (cla: yes, waiting for tree to go green)
[26841](https://github.com/flutter/engine/pull/26841) Roll Skia from 2421b9901b29 to 685e09b31a97 (1 revision) (cla: yes, waiting for tree to go green)
[26842](https://github.com/flutter/engine/pull/26842) Roll Fuchsia Mac SDK from K1Tu371Kz... to YvOB9uq1d... (cla: yes, waiting for tree to go green)
[26843](https://github.com/flutter/engine/pull/26843) Roll Dart SDK from 1fd0db5918c3 to b30cd791a933 (1 revision) (cla: yes, waiting for tree to go green)
[26844](https://github.com/flutter/engine/pull/26844) Roll Skia from 685e09b31a97 to efe9df37e08d (1 revision) (cla: yes, waiting for tree to go green)
[26845](https://github.com/flutter/engine/pull/26845) Roll Dart SDK from b30cd791a933 to debd5e54b544 (1 revision) (cla: yes, waiting for tree to go green)
[26846](https://github.com/flutter/engine/pull/26846) Roll Skia from efe9df37e08d to 9a4824b47c03 (1 revision) (cla: yes, waiting for tree to go green)
[26847](https://github.com/flutter/engine/pull/26847) Add missing context switches in Rasterizer (cla: yes, embedder)
[26848](https://github.com/flutter/engine/pull/26848) [docs] Add Gradient.sweep and TileMode.decal images (cla: yes)
[26849](https://github.com/flutter/engine/pull/26849) Roll Fuchsia Mac SDK from YvOB9uq1d... to _YU5l2N-C... (cla: yes, waiting for tree to go green)
[26850](https://github.com/flutter/engine/pull/26850) Roll Fuchsia Mac SDK from _YU5l2N-C... to krpEDaT56... (cla: yes, waiting for tree to go green)
[26851](https://github.com/flutter/engine/pull/26851) Roll Skia from 9a4824b47c03 to 64751750f474 (1 revision) (cla: yes, waiting for tree to go green)
[26852](https://github.com/flutter/engine/pull/26852) Typo in tests names (cla: yes)
[26853](https://github.com/flutter/engine/pull/26853) Roll Dart SDK from debd5e54b544 to 77bc0eb4b39a (1 revision) (cla: yes, waiting for tree to go green)
[26855](https://github.com/flutter/engine/pull/26855) Fix potential crash of "divide by zero" for invalid GIF image source. (cla: yes)
[26857](https://github.com/flutter/engine/pull/26857) Windows: Resize synchronization shouldn't wait for vsync if window is hidden (cla: yes, platform-windows)
[26859](https://github.com/flutter/engine/pull/26859) Revert "Issues/80711 reland (#26813)" (cla: yes)
[26860](https://github.com/flutter/engine/pull/26860) Reland ios accessibility scrolling support (platform-ios, cla: yes)
[26868](https://github.com/flutter/engine/pull/26868) Update cirrus gcloud credentials (cla: yes)
[26870](https://github.com/flutter/engine/pull/26870) Remove tech debt related to image disposal and layer GC (cla: yes)
[26871](https://github.com/flutter/engine/pull/26871) Roll Skia from 64751750f474 to 9f73b04b437d (10 revisions) (cla: yes, waiting for tree to go green)
[26872](https://github.com/flutter/engine/pull/26872) Roll Dart SDK from 77bc0eb4b39a to b260adefae51 (4 revisions) (cla: yes, waiting for tree to go green)
[26873](https://github.com/flutter/engine/pull/26873) Roll Fuchsia Mac SDK from krpEDaT56... to 8F5w2I_W6... (cla: yes, waiting for tree to go green)
[26876](https://github.com/flutter/engine/pull/26876) Roll Skia from 9f73b04b437d to 79e706ad238f (3 revisions) (cla: yes, waiting for tree to go green)
[26877](https://github.com/flutter/engine/pull/26877) Remove usages of --no-causal-async-stacks (cla: yes, platform-fuchsia)
[26878](https://github.com/flutter/engine/pull/26878) Roll Dart SDK from b260adefae51 to 90aa0bd86307 (1 revision) (cla: yes, waiting for tree to go green)
[26881](https://github.com/flutter/engine/pull/26881) Roll Fuchsia Mac SDK from 8F5w2I_W6... to b88AaXCwv... (cla: yes, waiting for tree to go green)
[26883](https://github.com/flutter/engine/pull/26883) Const finder NNBD (cla: yes, waiting for tree to go green)
[26884](https://github.com/flutter/engine/pull/26884) Roll Skia from 79e706ad238f to 343588ddf0e2 (11 revisions) (cla: yes, waiting for tree to go green)
[26885](https://github.com/flutter/engine/pull/26885) Roll Dart SDK from 90aa0bd86307 to 7dcf180a625a (2 revisions) (cla: yes, waiting for tree to go green)
[26886](https://github.com/flutter/engine/pull/26886) Increase CIPD package verification timeout (cla: yes)
[26887](https://github.com/flutter/engine/pull/26887) [canvaskit] Make the surface size exactly the window size so filters work correctly at the edges (cla: yes, platform-web)
[26888](https://github.com/flutter/engine/pull/26888) [web] Librarify paragraph/text files (cla: yes, platform-web, needs tests)
[26889](https://github.com/flutter/engine/pull/26889) Adds a python script for doing prod rebuilds (cla: yes)
[26890](https://github.com/flutter/engine/pull/26890) [flutter_releases] Flutter Beta 2.3.0-24.1.pre Engine Cherrypicks (platform-android, cla: yes)
[26891](https://github.com/flutter/engine/pull/26891) Roll Skia from 343588ddf0e2 to e2c4e7e62dad (1 revision) (cla: yes, waiting for tree to go green)
[26892](https://github.com/flutter/engine/pull/26892) fix javadoc (platform-android, affects: docs, cla: yes, waiting for tree to go green, tech-debt)
[26893](https://github.com/flutter/engine/pull/26893) Roll Skia from e2c4e7e62dad to 80c83a1225d9 (1 revision) (cla: yes, waiting for tree to go green)
[26895](https://github.com/flutter/engine/pull/26895) Fix tools/luci/build.py script (cla: yes)
[26908](https://github.com/flutter/engine/pull/26908) [web] Honor background color when rendering text to dom (cla: yes, platform-web)
[26909](https://github.com/flutter/engine/pull/26909) Reserve space for the line metrics styles created by ParagraphSkia::GetLineMetrics (cla: yes, waiting for tree to go green)
[26910](https://github.com/flutter/engine/pull/26910) Make clang_tidy test more hermetic (cla: yes)
[26915](https://github.com/flutter/engine/pull/26915) Roll Dart SDK from 7dcf180a625a to 2ca3cb6a1247 (4 revisions) (cla: yes, waiting for tree to go green)
[26916](https://github.com/flutter/engine/pull/26916) Symbolize crash backtraces using the Abseil debugging library (cla: yes, waiting for tree to go green)
[26917](https://github.com/flutter/engine/pull/26917) [web] Librarify keyboard files (cla: yes, platform-web)
[26918](https://github.com/flutter/engine/pull/26918) Roll Skia from 80c83a1225d9 to d1d0a9f1f334 (19 revisions) (cla: yes, waiting for tree to go green)
[26919](https://github.com/flutter/engine/pull/26919) Roll Fuchsia Mac SDK from b88AaXCwv... to eN9tZUQWG... (cla: yes, waiting for tree to go green)
[26920](https://github.com/flutter/engine/pull/26920) Roll Skia from d1d0a9f1f334 to b1e8f85fb802 (1 revision) (cla: yes, waiting for tree to go green)
[26921](https://github.com/flutter/engine/pull/26921) Use unstripped executables when running tests on Linux (cla: yes, waiting for tree to go green)
[26922](https://github.com/flutter/engine/pull/26922) Update ci.yaml documentation link (cla: yes, waiting for tree to go green)
[26923](https://github.com/flutter/engine/pull/26923) Roll Skia from b1e8f85fb802 to 9a2d3d1e19e7 (1 revision) (cla: yes, waiting for tree to go green)
[26924](https://github.com/flutter/engine/pull/26924) Make fuchsia python scripts work with python3 (cla: yes)
[26925](https://github.com/flutter/engine/pull/26925) Roll Dart SDK from 2ca3cb6a1247 to 092a61ba6f58 (1 revision) (cla: yes, waiting for tree to go green)
[26926](https://github.com/flutter/engine/pull/26926) Roll Skia from 9a2d3d1e19e7 to aa938cea3385 (1 revision) (cla: yes, waiting for tree to go green)
[26927](https://github.com/flutter/engine/pull/26927) font-subset builds its own zip bundle and adds a README (cla: yes)
[26928](https://github.com/flutter/engine/pull/26928) Implement a DisplayList mechanism similar to the Skia SkLiteDL mechanism (affects: engine, cla: yes, waiting for tree to go green)
[26929](https://github.com/flutter/engine/pull/26929) Roll Skia from aa938cea3385 to 83420eb81773 (1 revision) (cla: yes, waiting for tree to go green)
[26930](https://github.com/flutter/engine/pull/26930) Roll Skia from 83420eb81773 to 8c3036c14570 (1 revision) (cla: yes, waiting for tree to go green)
[26931](https://github.com/flutter/engine/pull/26931) Add an option to use a prebuilt Dart SDK (cla: yes, platform-web, needs tests)
[26932](https://github.com/flutter/engine/pull/26932) Roll Dart SDK from 092a61ba6f58 to 33c9448f6dbe (1 revision) (cla: yes, waiting for tree to go green)
[26933](https://github.com/flutter/engine/pull/26933) Roll Skia from 8c3036c14570 to 2bf88911b930 (4 revisions) (cla: yes, waiting for tree to go green)
[26934](https://github.com/flutter/engine/pull/26934) Roll Fuchsia Mac SDK from eN9tZUQWG... to ntgCqOS4m... (cla: yes, waiting for tree to go green)
[26935](https://github.com/flutter/engine/pull/26935) Roll Dart SDK from 33c9448f6dbe to 4b5364175b06 (1 revision) (cla: yes, waiting for tree to go green)
[26936](https://github.com/flutter/engine/pull/26936) Roll Skia from 2bf88911b930 to ecee7cc6fe88 (1 revision) (cla: yes, waiting for tree to go green)
[26937](https://github.com/flutter/engine/pull/26937) Roll Skia from ecee7cc6fe88 to c5a65cb22d36 (1 revision) (cla: yes, waiting for tree to go green)
[26940](https://github.com/flutter/engine/pull/26940) Roll Skia from c5a65cb22d36 to 3722d3195be5 (1 revision) (cla: yes, waiting for tree to go green)
[26941](https://github.com/flutter/engine/pull/26941) [flutter_releases] Flutter Beta 2.3.0-24.1.pre Engine Cherrypicks (platform-android, cla: yes, platform-web, platform-fuchsia)
[26943](https://github.com/flutter/engine/pull/26943) Roll Skia from 3722d3195be5 to bd7ed7434a65 (4 revisions) (cla: yes, waiting for tree to go green)
[26944](https://github.com/flutter/engine/pull/26944) Roll CanvasKit to 0.28.0 (cla: yes, platform-web)
[26945](https://github.com/flutter/engine/pull/26945) Roll buildroot to 275038b8be7196927b0f71770701f3c2c3744860 (cla: yes, waiting for tree to go green)
[26946](https://github.com/flutter/engine/pull/26946) Builder configuration for windows_host_engine. (cla: yes, waiting for tree to go green)
[26947](https://github.com/flutter/engine/pull/26947) Roll Skia from bd7ed7434a65 to 559185ad34e1 (1 revision) (cla: yes, waiting for tree to go green)
[26948](https://github.com/flutter/engine/pull/26948) Roll Dart SDK from 4b5364175b06 to 557c841b50bd (1 revision) (cla: yes, waiting for tree to go green)
[26949](https://github.com/flutter/engine/pull/26949) Remove unused file: flutter/lib/spirv/test/exception_shaders/assemble.py, spirv-assembler.cc is what is actually used (cla: yes)
[26950](https://github.com/flutter/engine/pull/26950) Roll Skia from 559185ad34e1 to 9c81a4b7047d (3 revisions) (cla: yes, waiting for tree to go green)
[26951](https://github.com/flutter/engine/pull/26951) Add unit tests for Dart entrypoint arguments on Linux (cla: yes, platform-linux)
[26955](https://github.com/flutter/engine/pull/26955) Roll Dart SDK from 557c841b50bd to 3a23cb476b32 (1 revision) (cla: yes, waiting for tree to go green)
[26956](https://github.com/flutter/engine/pull/26956) Removes unnecessary error message: "Invalid read in StandardCodecByteStreamReader" for cpp BasicMessageChannel (cla: yes, waiting for tree to go green)
[26957](https://github.com/flutter/engine/pull/26957) Roll Skia from 9c81a4b7047d to 0b04b6b16f1f (1 revision) (cla: yes, waiting for tree to go green)
[26958](https://github.com/flutter/engine/pull/26958) Make const_finder a kernel snapshot rather than app_jit (cla: yes)
[26959](https://github.com/flutter/engine/pull/26959) Roll Fuchsia Mac SDK from ntgCqOS4m... to BPvUey1RN... (cla: yes, waiting for tree to go green)
[26960](https://github.com/flutter/engine/pull/26960) Roll Skia from 0b04b6b16f1f to cb316203573f (1 revision) (cla: yes, waiting for tree to go green)
[26961](https://github.com/flutter/engine/pull/26961) Roll Skia from cb316203573f to 3a35f0b263cb (1 revision) (cla: yes, waiting for tree to go green)
[26962](https://github.com/flutter/engine/pull/26962) Roll Dart SDK from 3a23cb476b32 to 82e9a9e0dc8a (1 revision) (cla: yes, waiting for tree to go green)
[26963](https://github.com/flutter/engine/pull/26963) Roll Skia from 3a35f0b263cb to e58831cd9578 (1 revision) (cla: yes, waiting for tree to go green)
[26964](https://github.com/flutter/engine/pull/26964) Roll Dart SDK from 82e9a9e0dc8a to 624322b41ddb (1 revision) (cla: yes, waiting for tree to go green)
[26965](https://github.com/flutter/engine/pull/26965) Roll Skia from e58831cd9578 to 68d6983acd82 (1 revision) (cla: yes, waiting for tree to go green)
[26966](https://github.com/flutter/engine/pull/26966) Roll Skia from 68d6983acd82 to bef379ba620a (2 revisions) (cla: yes, waiting for tree to go green)
[26967](https://github.com/flutter/engine/pull/26967) Roll Skia from bef379ba620a to d253088fc211 (6 revisions) (cla: yes, waiting for tree to go green)
[26968](https://github.com/flutter/engine/pull/26968) Roll Fuchsia Mac SDK from BPvUey1RN... to T_EmrITXO... (cla: yes, waiting for tree to go green)
[26970](https://github.com/flutter/engine/pull/26970) Record raster end as soon as frame is submitted (cla: yes)
[26972](https://github.com/flutter/engine/pull/26972) Roll Skia from d253088fc211 to 7bf799956d8b (5 revisions) (cla: yes, waiting for tree to go green)
[26975](https://github.com/flutter/engine/pull/26975) Roll Dart SDK from 624322b41ddb to 4f1a93c0cd09 (2 revisions) (cla: yes, waiting for tree to go green)
[26978](https://github.com/flutter/engine/pull/26978) Roll Skia from 7bf799956d8b to 688d3180ab9d (8 revisions) (cla: yes, waiting for tree to go green)
[26979](https://github.com/flutter/engine/pull/26979) [iOS TextInput] Disables system keyboard for TextInputType.none (platform-ios, cla: yes, waiting for tree to go green)
[26980](https://github.com/flutter/engine/pull/26980) Roll Dart SDK from 4f1a93c0cd09 to d2025958e351 (1 revision) (cla: yes, waiting for tree to go green)
[26981](https://github.com/flutter/engine/pull/26981) [canvaskit] make picture disposal work on older browsers (cla: yes, platform-web)
[26983](https://github.com/flutter/engine/pull/26983) Roll Skia from 688d3180ab9d to 9f745d90d0e8 (1 revision) (cla: yes, waiting for tree to go green)
[26985](https://github.com/flutter/engine/pull/26985) Roll Skia from 9f745d90d0e8 to 1d9fe0090a7e (2 revisions) (cla: yes, waiting for tree to go green)
[26986](https://github.com/flutter/engine/pull/26986) Use package:clang_tidy in git pre-push hook (cla: yes)
[26987](https://github.com/flutter/engine/pull/26987) Roll Fuchsia Mac SDK from T_EmrITXO... to fSBeRabKp... (cla: yes, waiting for tree to go green)
[26988](https://github.com/flutter/engine/pull/26988) Add missing license headers (cla: yes)
[26989](https://github.com/flutter/engine/pull/26989) Roll Skia from 1d9fe0090a7e to 96a7f06201e6 (1 revision) (cla: yes, waiting for tree to go green)
[26990](https://github.com/flutter/engine/pull/26990) Roll Fuchsia Mac SDK from fSBeRabKp... to z6trYeCMx... (cla: yes, waiting for tree to go green)
[26991](https://github.com/flutter/engine/pull/26991) [web] make analysis options delta of root options (cla: yes, platform-web)
[26992](https://github.com/flutter/engine/pull/26992) [web] fix actions flags in SemanticsTester (cla: yes, platform-web, needs tests)
[26993](https://github.com/flutter/engine/pull/26993) Minor correction of hyperlinks in FlutterFragment.java (platform-android, cla: yes)
[26994](https://github.com/flutter/engine/pull/26994) Always complete platform message requests. (cla: yes, platform-fuchsia)
[26997](https://github.com/flutter/engine/pull/26997) Remove presubmit flake reporting instructions from issue template. (cla: yes, waiting for tree to go green)
[26998](https://github.com/flutter/engine/pull/26998) Roll Skia from 96a7f06201e6 to 0f1ac21185fe (1 revision) (cla: yes, waiting for tree to go green)
[26999](https://github.com/flutter/engine/pull/26999) --sound-null-safety instead of enable-experiment where possible (cla: yes, waiting for tree to go green, platform-web, platform-fuchsia)
[27000](https://github.com/flutter/engine/pull/27000) Roll Skia from 0f1ac21185fe to b1590f15a32b (1 revision) (cla: yes, waiting for tree to go green)
[27001](https://github.com/flutter/engine/pull/27001) Roll Skia from b1590f15a32b to eef5b0e933e3 (2 revisions) (cla: yes, waiting for tree to go green)
[27002](https://github.com/flutter/engine/pull/27002) Roll Fuchsia Mac SDK from z6trYeCMx... to R1ENSI-od... (cla: yes, waiting for tree to go green)
[27003](https://github.com/flutter/engine/pull/27003) Roll Dart SDK from d2025958e351 to eca780278d49 (1 revision) (cla: yes, waiting for tree to go green)
[27005](https://github.com/flutter/engine/pull/27005) [refactor] Migrate to View.focus.*. (cla: yes, waiting for tree to go green, platform-fuchsia)
[27006](https://github.com/flutter/engine/pull/27006) Roll Fuchsia Linux SDK from TqViQQzJo... to 4udsaggtH... (cla: yes, waiting for tree to go green)
[27007](https://github.com/flutter/engine/pull/27007) Fix Fuchsia build on Mac (cla: yes, waiting for tree to go green)
[27009](https://github.com/flutter/engine/pull/27009) [web] felt --watch fixes (cla: yes, platform-web, needs tests)
[27011](https://github.com/flutter/engine/pull/27011) Roll Skia from eef5b0e933e3 to e5766b808045 (12 revisions) (cla: yes, waiting for tree to go green)
[27012](https://github.com/flutter/engine/pull/27012) Allow fuchsia_archive to accept a cml file and cmx file (cla: yes, waiting for tree to go green, platform-fuchsia)
[27013](https://github.com/flutter/engine/pull/27013) Roll CanvasKit to 0.28.1 (cla: yes, platform-web)
[27014](https://github.com/flutter/engine/pull/27014) Revert "[Engine] Support for Android Fullscreen Modes" (platform-ios, platform-android, cla: yes, waiting for tree to go green)
[27015](https://github.com/flutter/engine/pull/27015) Roll Dart SDK from eca780278d49 to bbd701b4ba76 (1 revision) (cla: yes, waiting for tree to go green)
[27016](https://github.com/flutter/engine/pull/27016) Configure contexts to reduce shader variations. (cla: yes, platform-fuchsia)
[27018](https://github.com/flutter/engine/pull/27018) Re-land Android fullscreen support (platform-ios, platform-android, cla: yes, waiting for tree to go green)
[27019](https://github.com/flutter/engine/pull/27019) Support right-clicking on iPadOS (platform-ios, cla: yes)
[27020](https://github.com/flutter/engine/pull/27020) Roll Skia from e5766b808045 to 661abd0f8d64 (7 revisions) (cla: yes, waiting for tree to go green)
[27023](https://github.com/flutter/engine/pull/27023) Roll Skia from 661abd0f8d64 to 1bddd42b9897 (3 revisions) (cla: yes, waiting for tree to go green)
[27024](https://github.com/flutter/engine/pull/27024) Roll Dart SDK from bbd701b4ba76 to fff3a3747a18 (1 revision) (cla: yes)
[27025](https://github.com/flutter/engine/pull/27025) Roll Skia from 1bddd42b9897 to baae2dd7fb9d (1 revision) (cla: yes, waiting for tree to go green)
[27026](https://github.com/flutter/engine/pull/27026) Roll Fuchsia Mac SDK from R1ENSI-od... to vWnaCinzz... (cla: yes, waiting for tree to go green)
[27027](https://github.com/flutter/engine/pull/27027) Roll Skia from baae2dd7fb9d to a7d429464276 (2 revisions) (cla: yes, waiting for tree to go green)
[27028](https://github.com/flutter/engine/pull/27028) Roll Fuchsia Linux SDK from 4udsaggtH... to qq5J5tHIA... (cla: yes, waiting for tree to go green)
[27029](https://github.com/flutter/engine/pull/27029) Roll Skia from a7d429464276 to 78af79e98d66 (1 revision) (cla: yes, waiting for tree to go green)
[27030](https://github.com/flutter/engine/pull/27030) Roll Dart SDK from fff3a3747a18 to e6e47f919791 (1 revision) (cla: yes, waiting for tree to go green)
[27031](https://github.com/flutter/engine/pull/27031) Roll Skia from 78af79e98d66 to 1df8756419ee (1 revision) (cla: yes, waiting for tree to go green)
[27032](https://github.com/flutter/engine/pull/27032) Roll Dart SDK from e6e47f919791 to 59f9594aed9a (1 revision) (cla: yes, waiting for tree to go green)
[27035](https://github.com/flutter/engine/pull/27035) Roll Skia from 1df8756419ee to 4716a7681e4a (7 revisions) (cla: yes, waiting for tree to go green)
[27036](https://github.com/flutter/engine/pull/27036) Prepare for cfv2 unittests. (cla: yes, waiting for tree to go green, platform-fuchsia)
[27038](https://github.com/flutter/engine/pull/27038) Create flag to enable/disable FlutterView render surface conversion (platform-android, cla: yes, waiting for tree to go green)
[27039](https://github.com/flutter/engine/pull/27039) Roll Skia from 4716a7681e4a to 62ce2488f744 (1 revision) (cla: yes, waiting for tree to go green)
[27040](https://github.com/flutter/engine/pull/27040) Roll Dart SDK from 59f9594aed9a to 5103185fdff6 (1 revision) (cla: yes, waiting for tree to go green)
[27047](https://github.com/flutter/engine/pull/27047) Roll Fuchsia Mac SDK from vWnaCinzz... to 2FIILk5GN... (cla: yes, waiting for tree to go green)
[27048](https://github.com/flutter/engine/pull/27048) Temporarily opt out of reduced shaders variants till roll issues are resolved. (cla: yes, waiting for tree to go green, needs tests, embedder)
[27049](https://github.com/flutter/engine/pull/27049) Roll Fuchsia Linux SDK from qq5J5tHIA... to eMHAbJpmO... (cla: yes, waiting for tree to go green)
[27050](https://github.com/flutter/engine/pull/27050) Roll Skia from 62ce2488f744 to c6804edbaefc (4 revisions) (cla: yes, waiting for tree to go green)
[27051](https://github.com/flutter/engine/pull/27051) Removes the licence check from cirrus (cla: yes)
[27052](https://github.com/flutter/engine/pull/27052) Give FlutterView a view ID (platform-android, cla: yes, waiting for tree to go green)
[27053](https://github.com/flutter/engine/pull/27053) Fix use-after-free. (cla: yes, platform-fuchsia, needs tests)
[27054](https://github.com/flutter/engine/pull/27054) Roll Dart SDK from 5103185fdff6 to 9d7c40ba84c4 (1 revision) (cla: yes, waiting for tree to go green)
[27055](https://github.com/flutter/engine/pull/27055) Roll Skia from c6804edbaefc to 55b401ed9e6c (1 revision) (cla: yes, waiting for tree to go green)
[27056](https://github.com/flutter/engine/pull/27056) Update buildroot to ignore new warnings from Clang package update (cla: yes)
[27057](https://github.com/flutter/engine/pull/27057) Delete legacy focus platform message request handlers. (cla: yes, platform-fuchsia)
[27058](https://github.com/flutter/engine/pull/27058) Roll Dart SDK from 9d7c40ba84c4 to d01a840fa25b (1 revision) (cla: yes, waiting for tree to go green)
[27059](https://github.com/flutter/engine/pull/27059) Revert "--sound-null-safety instead of enable-experiment where possible" (cla: yes, platform-web)
[27060](https://github.com/flutter/engine/pull/27060) Roll Dart SDK from d01a840fa25b to 75ae501952db (1 revision) (cla: yes, waiting for tree to go green)
[27061](https://github.com/flutter/engine/pull/27061) Roll Skia from 55b401ed9e6c to 76e45134b8a7 (1 revision) (cla: yes, waiting for tree to go green)
[27062](https://github.com/flutter/engine/pull/27062) Fix crash when splash screen is not specified for FlutterFragmentActivity (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27063](https://github.com/flutter/engine/pull/27063) Roll Fuchsia Mac SDK from 2FIILk5GN... to 8L02NQinV... (cla: yes, waiting for tree to go green)
[27064](https://github.com/flutter/engine/pull/27064) Do not expect WM_CHAR if control or windows key is pressed (cla: yes, waiting for tree to go green, platform-windows)
[27065](https://github.com/flutter/engine/pull/27065) Roll Fuchsia Linux SDK from eMHAbJpmO... to pjxq0wD6b... (cla: yes, waiting for tree to go green)
[27066](https://github.com/flutter/engine/pull/27066) Roll Dart SDK from 75ae501952db to 8234f00e521a (1 revision) (cla: yes, waiting for tree to go green)
[27067](https://github.com/flutter/engine/pull/27067) Roll Skia from 76e45134b8a7 to b393c4bccd5f (1 revision) (cla: yes, waiting for tree to go green)
[27068](https://github.com/flutter/engine/pull/27068) Roll Skia from b393c4bccd5f to c9897a55650a (1 revision) (cla: yes, waiting for tree to go green)
[27069](https://github.com/flutter/engine/pull/27069) Partial reland of sound null safety for VM tests (cla: yes, waiting for tree to go green)
[27070](https://github.com/flutter/engine/pull/27070) [web][felt] Fix stdout inheritance for sub-processes (cla: yes, waiting for tree to go green, platform-web, needs tests)
[27071](https://github.com/flutter/engine/pull/27071) [web] Librarify text editing files (cla: yes, waiting for tree to go green, platform-web)
[27072](https://github.com/flutter/engine/pull/27072) Remove unnecessary experiment flag (cla: yes, platform-web, platform-fuchsia)
[27073](https://github.com/flutter/engine/pull/27073) Roll Skia from c9897a55650a to e1f72377e574 (3 revisions) (cla: yes, waiting for tree to go green)
[27074](https://github.com/flutter/engine/pull/27074) FrameTimings captures raster finish time in wall-clock time (cla: yes, waiting for tree to go green)
[27075](https://github.com/flutter/engine/pull/27075) Reland "fuchsia: Delete all the legacy code! (#26422)" (cla: yes, platform-web, platform-fuchsia)
[27077](https://github.com/flutter/engine/pull/27077) Roll Fuchsia from 275038b8be7196927b0f71770701f3c2c3744860 to 86a2f5264f8dc496dccdd4060e4bad4c33eef552 (cla: yes, waiting for tree to go green)
[27078](https://github.com/flutter/engine/pull/27078) Roll Skia from e1f72377e574 to 0734c6223cb8 (3 revisions) (cla: yes, waiting for tree to go green)
[27079](https://github.com/flutter/engine/pull/27079) Roll Dart SDK from 8234f00e521a to 54c79f559d23 (2 revisions) (cla: yes, waiting for tree to go green)
[27080](https://github.com/flutter/engine/pull/27080) JavaDoc error fix (platform-android, cla: yes, needs tests)
[27081](https://github.com/flutter/engine/pull/27081) [flutter_releases] Flutter Stable 2.2.3 Engine Cherrypicks (platform-android, cla: yes)
[27083](https://github.com/flutter/engine/pull/27083) Fixes inset padding in android accessibility bridge (platform-android, cla: yes, waiting for tree to go green)
[27084](https://github.com/flutter/engine/pull/27084) [web] replace browser-related conditional logic with BrowserEnvironment (cla: yes, platform-web, needs tests)
[27086](https://github.com/flutter/engine/pull/27086) Roll Fuchsia Mac SDK from 8L02NQinV... to TwKuP0eAM... (cla: yes, waiting for tree to go green)
[27087](https://github.com/flutter/engine/pull/27087) [flutter_releases] Flutter Stable 2.2.3 Engine Cherrypicks Pt 2 (platform-android, cla: yes, needs tests)
[27088](https://github.com/flutter/engine/pull/27088) Update include path in FlutterDarwinContextMetal.mm (cla: yes, waiting for tree to go green, needs tests)
[27089](https://github.com/flutter/engine/pull/27089) [web] fix macOS info collection; print only on bot; propagate errors (cla: yes, platform-web, needs tests)
[27091](https://github.com/flutter/engine/pull/27091) Roll Fuchsia Linux SDK from pjxq0wD6b... to OzIwVa3oF... (cla: yes, waiting for tree to go green)
[27092](https://github.com/flutter/engine/pull/27092) Roll Dart SDK from 54c79f559d23 to 3dc08e6ea29d (1 revision) (cla: yes, waiting for tree to go green)
[27098](https://github.com/flutter/engine/pull/27098) Windows: Allow win32 apps to initialize with different assets path or AOT filename (cla: yes, platform-windows)
[27109](https://github.com/flutter/engine/pull/27109) Skip failing web golden tests (cla: yes, platform-web)
[27112](https://github.com/flutter/engine/pull/27112) Roll Fuchsia Mac SDK from TwKuP0eAM... to jJi9pAzTk... (cla: yes, waiting for tree to go green)
[27113](https://github.com/flutter/engine/pull/27113) Roll Fuchsia Linux SDK from OzIwVa3oF... to tWUmW9zse... (cla: yes, waiting for tree to go green)
[27114](https://github.com/flutter/engine/pull/27114) [web] skip overlay test on Safari (cla: yes, platform-web)
[27115](https://github.com/flutter/engine/pull/27115) Roll Skia from 0734c6223cb8 to 024668cf7f46 (25 revisions) (cla: yes, waiting for tree to go green)
[27118](https://github.com/flutter/engine/pull/27118) Make scrollable unfocusable when voiceover is running (platform-ios, cla: yes)
[27119](https://github.com/flutter/engine/pull/27119) Roll Dart SDK from 3dc08e6ea29d to 428382bd1c75 (5 revisions) (cla: yes, waiting for tree to go green)
[27121](https://github.com/flutter/engine/pull/27121) Roll Skia from 024668cf7f46 to d584ddd1519c (7 revisions) (cla: yes, waiting for tree to go green)
[27123](https://github.com/flutter/engine/pull/27123) Avoid capturing raw pointers to the SkPicture/DisplayList used by the RasterizeToImage draw callback (cla: yes, waiting for tree to go green, needs tests)
[27124](https://github.com/flutter/engine/pull/27124) [flow] Switch to directional shadows (cla: yes, waiting for tree to go green)
[27125](https://github.com/flutter/engine/pull/27125) Move the Android API JAR ahead of the third-party dependencies in the Javadoc classpath (cla: yes, waiting for tree to go green)
[27126](https://github.com/flutter/engine/pull/27126) Rename SkiaGPUObject::get() to skia_object() (cla: yes, waiting for tree to go green)
[27127](https://github.com/flutter/engine/pull/27127) Roll Skia from d584ddd1519c to 3c227305ac28 (3 revisions) (cla: yes, waiting for tree to go green)
[27129](https://github.com/flutter/engine/pull/27129) Roll Skia from 3c227305ac28 to 3dd52c758b6c (2 revisions) (cla: yes, waiting for tree to go green)
[27130](https://github.com/flutter/engine/pull/27130) enable DisplayList by default (cla: yes, waiting for tree to go green)
[27132](https://github.com/flutter/engine/pull/27132) Roll Dart SDK from 428382bd1c75 to c514a807e19d (1 revision) (cla: yes, waiting for tree to go green)
[27133](https://github.com/flutter/engine/pull/27133) Roll Skia from 3dd52c758b6c to b14bdcfee9b7 (1 revision) (cla: yes, waiting for tree to go green)
[27134](https://github.com/flutter/engine/pull/27134) Roll Fuchsia Mac SDK from jJi9pAzTk... to jzKy-rCeR... (cla: yes, waiting for tree to go green)
[27135](https://github.com/flutter/engine/pull/27135) Roll Skia from b14bdcfee9b7 to 9c060b55e116 (3 revisions) (cla: yes, waiting for tree to go green)
[27136](https://github.com/flutter/engine/pull/27136) Roll Fuchsia Linux SDK from tWUmW9zse... to 4MLcvcjCH... (cla: yes, waiting for tree to go green)
[27137](https://github.com/flutter/engine/pull/27137) Roll Dart SDK from c514a807e19d to 3c78c06ceb91 (1 revision) (cla: yes, waiting for tree to go green)
[27139](https://github.com/flutter/engine/pull/27139) Roll Dart SDK from 3c78c06ceb91 to f860b70c98d0 (1 revision) (cla: yes, waiting for tree to go green)
[27140](https://github.com/flutter/engine/pull/27140) Roll Skia from 9c060b55e116 to 1c467774e56e (2 revisions) (cla: yes, waiting for tree to go green)
[27141](https://github.com/flutter/engine/pull/27141) Use a Pbuffer surface when the onscreen surface is not available for snapshotting on Android (platform-ios, platform-android, cla: yes, platform-fuchsia)
[27142](https://github.com/flutter/engine/pull/27142) Make rasterFinishWallTime required (cla: yes, waiting for tree to go green, platform-web, needs tests)
[27143](https://github.com/flutter/engine/pull/27143) Roll Skia from 1c467774e56e to e9ab391765c7 (1 revision) (cla: yes, waiting for tree to go green)
[27144](https://github.com/flutter/engine/pull/27144) [canvaskit] Update goldens test for Thai (cla: yes, platform-web)
[27145](https://github.com/flutter/engine/pull/27145) Roll Fuchsia Mac SDK from jzKy-rCeR... to oiyYFMOd3... (cla: yes, waiting for tree to go green)
[27146](https://github.com/flutter/engine/pull/27146) Roll Fuchsia Linux SDK from 4MLcvcjCH... to QbIpQIqxK... (cla: yes, waiting for tree to go green)
[27148](https://github.com/flutter/engine/pull/27148) Roll Skia from e9ab391765c7 to 04d79fc59488 (1 revision) (cla: yes, waiting for tree to go green)
[27149](https://github.com/flutter/engine/pull/27149) fuchsia: Handle clips on platform views (cla: yes, platform-fuchsia, needs tests)
[27150](https://github.com/flutter/engine/pull/27150) Fix zip bundle structure (cla: yes)
[27151](https://github.com/flutter/engine/pull/27151) [web] Librarify semantics files (cla: yes, platform-web)
[27152](https://github.com/flutter/engine/pull/27152) Follow up cleanup of some unit tests for right click handling. (cla: yes, waiting for tree to go green)
[27153](https://github.com/flutter/engine/pull/27153) Revert "enable DisplayList by default" (cla: yes)
[27154](https://github.com/flutter/engine/pull/27154) [web] Reassign content to temporary slot so Safari can delete it. (cla: yes, waiting for tree to go green, platform-web)
[27155](https://github.com/flutter/engine/pull/27155) add support for SkPathEffect to DisplayList (cla: yes, waiting for tree to go green)
[27157](https://github.com/flutter/engine/pull/27157) Roll Fuchsia Mac SDK from oiyYFMOd3... to chKeQc7Mz... (cla: yes, waiting for tree to go green)
[27159](https://github.com/flutter/engine/pull/27159) Roll Fuchsia Linux SDK from QbIpQIqxK... to tSP7U5udy... (cla: yes, waiting for tree to go green)
[27161](https://github.com/flutter/engine/pull/27161) Roll Dart SDK from f860b70c98d0 to 559da0f2d2a4 (5 revisions) (cla: yes, waiting for tree to go green)
[27162](https://github.com/flutter/engine/pull/27162) Roll Fuchsia Mac SDK from chKeQc7Mz... to 1cvQeFtFt... (cla: yes, waiting for tree to go green)
[27163](https://github.com/flutter/engine/pull/27163) Roll Fuchsia Linux SDK from tSP7U5udy... to GbnevjaIL... (cla: yes, waiting for tree to go green)
[27164](https://github.com/flutter/engine/pull/27164) Roll Skia from 04d79fc59488 to e5d312975fea (1 revision) (cla: yes, waiting for tree to go green)
[27165](https://github.com/flutter/engine/pull/27165) Roll Fuchsia Mac SDK from 1cvQeFtFt... to bWBLMrWY9... (cla: yes, waiting for tree to go green)
[27166](https://github.com/flutter/engine/pull/27166) Roll Fuchsia Linux SDK from GbnevjaIL... to _qjVyc39z... (cla: yes, waiting for tree to go green)
[27167](https://github.com/flutter/engine/pull/27167) Roll Fuchsia Mac SDK from bWBLMrWY9... to Bdm6sG4U3... (cla: yes, waiting for tree to go green)
[27168](https://github.com/flutter/engine/pull/27168) Roll Fuchsia Linux SDK from _qjVyc39z... to H_WclqYkW... (cla: yes, waiting for tree to go green)
[27169](https://github.com/flutter/engine/pull/27169) Roll Skia from e5d312975fea to 47540bb36158 (1 revision) (cla: yes, waiting for tree to go green)
[27170](https://github.com/flutter/engine/pull/27170) Roll Skia from 47540bb36158 to 8cbd2b476cdb (3 revisions) (cla: yes, waiting for tree to go green)
[27171](https://github.com/flutter/engine/pull/27171) Roll Dart SDK from 559da0f2d2a4 to f99e4033de1a (1 revision) (cla: yes, waiting for tree to go green)
[27172](https://github.com/flutter/engine/pull/27172) Roll Fuchsia Mac SDK from Bdm6sG4U3... to etX11y7Bd... (cla: yes, waiting for tree to go green)
[27173](https://github.com/flutter/engine/pull/27173) Roll Dart SDK from f99e4033de1a to 9b7b9f735866 (1 revision) (cla: yes, waiting for tree to go green)
[27174](https://github.com/flutter/engine/pull/27174) Roll Fuchsia Linux SDK from H_WclqYkW... to C2OiQOT3x... (cla: yes, waiting for tree to go green)
[27175](https://github.com/flutter/engine/pull/27175) (Reland) enable DisplayList mechanism over SkPicture by default (cla: yes, waiting for tree to go green)
[27176](https://github.com/flutter/engine/pull/27176) Roll Dart SDK from 9b7b9f735866 to bae7f5908cfb (1 revision) (cla: yes, waiting for tree to go green)
[27177](https://github.com/flutter/engine/pull/27177) Roll Dart SDK from bae7f5908cfb to 2758c89236ac (1 revision) (cla: yes, waiting for tree to go green)
[27178](https://github.com/flutter/engine/pull/27178) Roll Fuchsia Mac SDK from etX11y7Bd... to FYI3wC-M1... (cla: yes, waiting for tree to go green)
[27179](https://github.com/flutter/engine/pull/27179) Roll Dart SDK from 2758c89236ac to 4c71ad843de0 (1 revision) (cla: yes, waiting for tree to go green)
[27180](https://github.com/flutter/engine/pull/27180) Roll Skia from 8cbd2b476cdb to e355e73eedad (1 revision) (cla: yes, waiting for tree to go green)
[27181](https://github.com/flutter/engine/pull/27181) Roll Fuchsia Linux SDK from C2OiQOT3x... to a1MOPse95... (cla: yes, waiting for tree to go green)
[27182](https://github.com/flutter/engine/pull/27182) Roll Skia from e355e73eedad to fcd068ad7215 (3 revisions) (cla: yes, waiting for tree to go green)
[27183](https://github.com/flutter/engine/pull/27183) Roll Dart SDK from 4c71ad843de0 to 8ad824d8b114 (1 revision) (cla: yes, waiting for tree to go green)
[27186](https://github.com/flutter/engine/pull/27186) Roll Dart SDK from 8ad824d8b114 to 4422591ed19b (1 revision) (cla: yes, waiting for tree to go green)
[27188](https://github.com/flutter/engine/pull/27188) Roll Skia from fcd068ad7215 to ad77b4db8dc6 (2 revisions) (cla: yes, waiting for tree to go green)
[27189](https://github.com/flutter/engine/pull/27189) MacOS: Release backbuffer surface when idle (cla: yes, waiting for tree to go green, platform-macos, needs tests)
[27190](https://github.com/flutter/engine/pull/27190) Roll Skia from ad77b4db8dc6 to 3037d9f322ff (1 revision) (cla: yes, waiting for tree to go green)
[27191](https://github.com/flutter/engine/pull/27191) MacOS (metal): Block raster thread instead of platform thread (cla: yes, waiting for tree to go green, platform-macos, needs tests)
[27193](https://github.com/flutter/engine/pull/27193) Roll Dart SDK from 4422591ed19b to 586ecc5a0697 (1 revision) (cla: yes, waiting for tree to go green)
[27195](https://github.com/flutter/engine/pull/27195) Roll Fuchsia Linux SDK from a1MOPse95... to CEpfImAgA... (cla: yes, waiting for tree to go green)
[27196](https://github.com/flutter/engine/pull/27196) Roll Skia from 3037d9f322ff to 40242241c3bf (3 revisions) (cla: yes, waiting for tree to go green)
[27198](https://github.com/flutter/engine/pull/27198) Roll Fuchsia Mac SDK from FYI3wC-M1... to YKiGmmdKT... (cla: yes, waiting for tree to go green)
[27201](https://github.com/flutter/engine/pull/27201) Roll Skia from 40242241c3bf to 40586cf1f885 (2 revisions) (cla: yes, waiting for tree to go green)
[27202](https://github.com/flutter/engine/pull/27202) Roll Dart SDK from 586ecc5a0697 to 6f9810c8f7da (1 revision) (cla: yes, waiting for tree to go green)
[27203](https://github.com/flutter/engine/pull/27203) Roll Fuchsia Linux SDK from CEpfImAgA... to MVQ4QtbNK... (cla: yes, waiting for tree to go green)
[27207](https://github.com/flutter/engine/pull/27207) Roll Fuchsia Mac SDK from YKiGmmdKT... to 57vjq86y7... (cla: yes, waiting for tree to go green)
[27208](https://github.com/flutter/engine/pull/27208) Roll Skia from 40586cf1f885 to 66657d17c64b (11 revisions) (cla: yes, waiting for tree to go green)
[27209](https://github.com/flutter/engine/pull/27209) [web] Clean up librarified files (cla: yes, platform-web)
[27211](https://github.com/flutter/engine/pull/27211) Adds python3_action GN target (cla: yes)
[27213](https://github.com/flutter/engine/pull/27213) Roll Skia from 66657d17c64b to 55d339c34879 (2 revisions) (cla: yes, waiting for tree to go green)
[27214](https://github.com/flutter/engine/pull/27214) Hides the scroll bar from UIScrollView (platform-ios, cla: yes, waiting for tree to go green)
[27215](https://github.com/flutter/engine/pull/27215) Avoid passive clipboard read on Android (platform-android, cla: yes, waiting for tree to go green)
[27216](https://github.com/flutter/engine/pull/27216) Roll Skia from 55d339c34879 to 2dc2859c70b0 (2 revisions) (cla: yes, waiting for tree to go green)
[27217](https://github.com/flutter/engine/pull/27217) Roll Dart SDK from 6f9810c8f7da to 8697e05f98df (2 revisions) (cla: yes, waiting for tree to go green)
[27220](https://github.com/flutter/engine/pull/27220) Roll Skia from 2dc2859c70b0 to f60052072ca9 (2 revisions) (cla: yes, waiting for tree to go green)
[27222](https://github.com/flutter/engine/pull/27222) Emit more info while running pre-push githooks (cla: yes, needs tests)
[27224](https://github.com/flutter/engine/pull/27224) Roll Skia from f60052072ca9 to 90f4e9f5f700 (3 revisions) (cla: yes, waiting for tree to go green)
[27225](https://github.com/flutter/engine/pull/27225) Fix spelling Ingore->Ignore (cla: yes, waiting for tree to go green)
[27226](https://github.com/flutter/engine/pull/27226) [fuchsia] make dart_runner work with cfv2 (cla: yes, platform-fuchsia, needs tests)
[27227](https://github.com/flutter/engine/pull/27227) Remove unnecessary variable assignment (cla: yes, platform-windows, needs tests)
[27228](https://github.com/flutter/engine/pull/27228) Roll Skia from 90f4e9f5f700 to d390c642acfb (2 revisions) (cla: yes, waiting for tree to go green)
[27229](https://github.com/flutter/engine/pull/27229) Roll Dart SDK from 8697e05f98df to 2ec59f6c0e47 (1 revision) (cla: yes, waiting for tree to go green)
[27230](https://github.com/flutter/engine/pull/27230) Revert "(Reland) enable DisplayList mechanism over SkPicture by default" (cla: yes)
[27231](https://github.com/flutter/engine/pull/27231) Roll Skia from d390c642acfb to bc26cfc9a54a (1 revision) (cla: yes, waiting for tree to go green)
[27232](https://github.com/flutter/engine/pull/27232) [web] Librarify html renderer files (cla: yes, waiting for tree to go green, platform-web)
[27233](https://github.com/flutter/engine/pull/27233) Roll Fuchsia Linux SDK from MVQ4QtbNK... to AI_KDVmMU... (cla: yes, waiting for tree to go green)
[27234](https://github.com/flutter/engine/pull/27234) Roll Fuchsia Mac SDK from 57vjq86y7... to fgd_fxgRy... (cla: yes, waiting for tree to go green)
[27235](https://github.com/flutter/engine/pull/27235) Roll Clang Mac from AA9aCrWNr... to GUxdhOlaK... (cla: yes, waiting for tree to go green)
[27236](https://github.com/flutter/engine/pull/27236) Roll Clang Linux from d9nnr4pVX... to eDzL2utDI... (cla: yes, waiting for tree to go green)
[27237](https://github.com/flutter/engine/pull/27237) Roll Dart SDK from 2ec59f6c0e47 to e4125ef075e6 (1 revision) (cla: yes, waiting for tree to go green)
[27238](https://github.com/flutter/engine/pull/27238) Remove sky_services, flutter_services (cla: yes, needs tests)
[27239](https://github.com/flutter/engine/pull/27239) Roll Skia from bc26cfc9a54a to 744c6a1b1992 (1 revision) (cla: yes, waiting for tree to go green)
[27240](https://github.com/flutter/engine/pull/27240) pub get offline for scenario_app (cla: yes, waiting for tree to go green)
[27241](https://github.com/flutter/engine/pull/27241) Migrate non-scenic-based fuchsia tests to cfv2. (affects: tests, cla: yes, platform-fuchsia, tech-debt)
[27242](https://github.com/flutter/engine/pull/27242) Roll Skia from 744c6a1b1992 to d471e7c36dd4 (4 revisions) (cla: yes, waiting for tree to go green)
[27243](https://github.com/flutter/engine/pull/27243) Roll Skia from d471e7c36dd4 to ae7f7edd499b (1 revision) (cla: yes, waiting for tree to go green)
[27244](https://github.com/flutter/engine/pull/27244) Roll Skia from ae7f7edd499b to a2d6890c5b9b (1 revision) (cla: yes, waiting for tree to go green)
[27246](https://github.com/flutter/engine/pull/27246) Roll Skia from a2d6890c5b9b to e822837a1322 (4 revisions) (cla: yes, waiting for tree to go green)
[27247](https://github.com/flutter/engine/pull/27247) Roll Dart SDK from e4125ef075e6 to 3f177d9ad50c (1 revision) (cla: yes, waiting for tree to go green)
[27248](https://github.com/flutter/engine/pull/27248) Roll Skia from e822837a1322 to ba70138477f5 (3 revisions) (cla: yes, waiting for tree to go green)
[27249](https://github.com/flutter/engine/pull/27249) Roll Fuchsia Mac SDK from fgd_fxgRy... to HXQigwdUe... (cla: yes, waiting for tree to go green)
[27250](https://github.com/flutter/engine/pull/27250) Roll Skia from ba70138477f5 to 26ea975e6c9d (5 revisions) (cla: yes, waiting for tree to go green)
[27251](https://github.com/flutter/engine/pull/27251) Roll Fuchsia Linux SDK from AI_KDVmMU... to KsHfXaCpD... (cla: yes, waiting for tree to go green)
[27255](https://github.com/flutter/engine/pull/27255) Roll Skia from 26ea975e6c9d to a89781215a81 (9 revisions) (cla: yes, waiting for tree to go green)
[27257](https://github.com/flutter/engine/pull/27257) delete references to FilterQuality prior to its removal (cla: yes, waiting for tree to go green)
[27258](https://github.com/flutter/engine/pull/27258) Roll Dart SDK from 3f177d9ad50c to eb6ae1c165fc (1 revision) (cla: yes, waiting for tree to go green)
[27259](https://github.com/flutter/engine/pull/27259) Roll Skia from a89781215a81 to 54fd2c59bff2 (2 revisions) (cla: yes, waiting for tree to go green)
[27260](https://github.com/flutter/engine/pull/27260) Roll webp to 1.2.0 and buildroot (cla: yes, waiting for tree to go green)
[27262](https://github.com/flutter/engine/pull/27262) Set Flutter View ID to the view ID instead of of the splash screen (platform-android, cla: yes, waiting for tree to go green)
[27263](https://github.com/flutter/engine/pull/27263) Roll Skia from 54fd2c59bff2 to 3c636f0987c6 (4 revisions) (cla: yes, waiting for tree to go green)
[27264](https://github.com/flutter/engine/pull/27264) Fix prebuilt Dart SDK use on Windows (cla: yes, platform-web)
[27265](https://github.com/flutter/engine/pull/27265) Roll Skia from 3c636f0987c6 to b1fd64e82efd (2 revisions) (cla: yes, waiting for tree to go green)
[27266](https://github.com/flutter/engine/pull/27266) Windows: Fix AltGr key causing CtrlLeft to hang (affects: text input, cla: yes, platform-windows)
[27268](https://github.com/flutter/engine/pull/27268) Revert "Roll webp to 1.2.0 and buildroot" (cla: yes)
[27269](https://github.com/flutter/engine/pull/27269) Roll Skia from b1fd64e82efd to c2f5b311ceac (3 revisions) (cla: yes, waiting for tree to go green)
[27270](https://github.com/flutter/engine/pull/27270) Roll Dart SDK from eb6ae1c165fc to ae01d698532b (2 revisions) (cla: yes, waiting for tree to go green)
[27271](https://github.com/flutter/engine/pull/27271) Roll Skia from c2f5b311ceac to 39122d445939 (1 revision) (cla: yes, waiting for tree to go green)
[27272](https://github.com/flutter/engine/pull/27272) Reland webp 1.2.0 (cla: yes)
[27273](https://github.com/flutter/engine/pull/27273) Roll Fuchsia Mac SDK from HXQigwdUe... to pt_XKNLXb... (cla: yes, waiting for tree to go green)
[27274](https://github.com/flutter/engine/pull/27274) Use the prebuilt SDK's VM to run its frontend_server (cla: yes)
[27275](https://github.com/flutter/engine/pull/27275) Roll Skia from 39122d445939 to f5bd4e4b9f6b (2 revisions) (cla: yes, waiting for tree to go green)
[27276](https://github.com/flutter/engine/pull/27276) Roll Fuchsia Linux SDK from KsHfXaCpD... to OPhOQ6shB... (cla: yes, waiting for tree to go green)
[27279](https://github.com/flutter/engine/pull/27279) Roll Dart SDK from ae01d698532b to a8c4933bf92e (2 revisions) (cla: yes, waiting for tree to go green)
[27280](https://github.com/flutter/engine/pull/27280) Roll Skia from f5bd4e4b9f6b to beb2fbf0e66a (1 revision) (cla: yes, waiting for tree to go green)
[27281](https://github.com/flutter/engine/pull/27281) Roll Skia from beb2fbf0e66a to 8573dab150a7 (4 revisions) (cla: yes, waiting for tree to go green)
[27282](https://github.com/flutter/engine/pull/27282) Roll Skia from 8573dab150a7 to 552a81a6c78b (4 revisions) (cla: yes, waiting for tree to go green)
[27284](https://github.com/flutter/engine/pull/27284) Fix host_release tests for prebuilt Dart SDK (cla: yes)
[27285](https://github.com/flutter/engine/pull/27285) Roll Skia from 552a81a6c78b to 768843b52f9d (1 revision) (cla: yes, waiting for tree to go green)
[27286](https://github.com/flutter/engine/pull/27286) Roll Fuchsia Mac SDK from pt_XKNLXb... to MkrnXce9t... (cla: yes, waiting for tree to go green)
[27287](https://github.com/flutter/engine/pull/27287) Roll Skia from 768843b52f9d to b161a77d0321 (3 revisions) (cla: yes, waiting for tree to go green)
[27288](https://github.com/flutter/engine/pull/27288) [ci.yaml] Add platform_args, properties, recipe, and timeout information (cla: yes, waiting for tree to go green)
[27289](https://github.com/flutter/engine/pull/27289) encode DPR for shadows into DisplayList (cla: yes, waiting for tree to go green)
[27290](https://github.com/flutter/engine/pull/27290) Roll Fuchsia Linux SDK from OPhOQ6shB... to 7q7h2ljWo... (cla: yes, waiting for tree to go green)
[27291](https://github.com/flutter/engine/pull/27291) Roll Dart SDK from a8c4933bf92e to 83a559e0a9bd (2 revisions) (cla: yes, waiting for tree to go green)
[27292](https://github.com/flutter/engine/pull/27292) Build testing/dart snapshots with GN instead of in run_tests.py (cla: yes)
[27293](https://github.com/flutter/engine/pull/27293) Roll Skia from b161a77d0321 to 4b6e2f0d8818 (4 revisions) (cla: yes, waiting for tree to go green)
[27294](https://github.com/flutter/engine/pull/27294) Dispose of embedded views in CanvasKit after resize (cla: yes, platform-web)
[27295](https://github.com/flutter/engine/pull/27295) Fix the firebase scenario app run and assert that it does good things (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27296](https://github.com/flutter/engine/pull/27296) [web] Librarify all remaining files (cla: yes, platform-web, needs tests)
[27298](https://github.com/flutter/engine/pull/27298) Roll Dart SDK from 83a559e0a9bd to ab8bac9fd542 (1 revision) (cla: yes, waiting for tree to go green)
[27299](https://github.com/flutter/engine/pull/27299) [web] delete e2etests and all related tooling (cla: yes, platform-web)
[27300](https://github.com/flutter/engine/pull/27300) Roll Dart SDK from ab8bac9fd542 to 812bf07cf737 (1 revision) (cla: yes, waiting for tree to go green)
[27301](https://github.com/flutter/engine/pull/27301) Fix duplicated keys with CONTROL key toggled (cla: yes, waiting for tree to go green, platform-windows)
[27302](https://github.com/flutter/engine/pull/27302) Build rules for scenario_app (cla: yes)
[27304](https://github.com/flutter/engine/pull/27304) Roll Fuchsia Linux SDK from 7q7h2ljWo... to C6i1FgtOK... (cla: yes, waiting for tree to go green)
[27305](https://github.com/flutter/engine/pull/27305) Roll Fuchsia Mac SDK from MkrnXce9t... to MKuIBsUt-... (cla: yes, waiting for tree to go green)
[27306](https://github.com/flutter/engine/pull/27306) Roll Dart SDK from 812bf07cf737 to 40695d910591 (1 revision) (cla: yes, waiting for tree to go green)
[27308](https://github.com/flutter/engine/pull/27308) Roll Dart SDK from 40695d910591 to fb3ebe02a0bb (1 revision) (cla: yes, waiting for tree to go green)
[27309](https://github.com/flutter/engine/pull/27309) Roll Fuchsia Mac SDK from MKuIBsUt-... to XZIR07Fmq... (cla: yes, waiting for tree to go green)
[27310](https://github.com/flutter/engine/pull/27310) Roll Fuchsia Linux SDK from C6i1FgtOK... to FV0wVt4TU... (cla: yes, waiting for tree to go green)
[27311](https://github.com/flutter/engine/pull/27311) Windows: Implement GetPreferredLanguages for UWP and support l18n (cla: yes, platform-windows, needs tests)
[27314](https://github.com/flutter/engine/pull/27314) Roll Fuchsia Mac SDK from XZIR07Fmq... to gySDhb-Ea... (cla: yes, waiting for tree to go green)
[27315](https://github.com/flutter/engine/pull/27315) Roll Fuchsia Linux SDK from FV0wVt4TU... to rc7UXpK1K... (cla: yes, waiting for tree to go green)
[27320](https://github.com/flutter/engine/pull/27320) Fixes some bugs when multiple Flutter VC shared one engine (platform-ios, cla: yes, waiting for tree to go green)
[27321](https://github.com/flutter/engine/pull/27321) Fix import order to unblock Dart roll (cla: yes, needs tests)
[27322](https://github.com/flutter/engine/pull/27322) Roll Fuchsia Mac SDK from gySDhb-Ea... to DM-zc7Snb... (cla: yes, waiting for tree to go green)
[27323](https://github.com/flutter/engine/pull/27323) Roll Fuchsia Linux SDK from rc7UXpK1K... to PzuC0jXIy... (cla: yes, waiting for tree to go green)
[27327](https://github.com/flutter/engine/pull/27327) fuchsia: Update SessionConnection & tests w/ FakeScenic (affects: tests, cla: yes, platform-fuchsia, tech-debt)
[27329](https://github.com/flutter/engine/pull/27329) [web] remove no longer used setFilterQuality (cla: yes, platform-web)
[27330](https://github.com/flutter/engine/pull/27330) [fuchsia] Cleanup unused method in dart:zircon handle (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[27331](https://github.com/flutter/engine/pull/27331) disable the directives_ordering lint (cla: yes)
[27332](https://github.com/flutter/engine/pull/27332) Make FlutterFragment usable without requiring it to be attached to an Android Activity. (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27333](https://github.com/flutter/engine/pull/27333) remove references to deprecated SkPaint::getBlendMode() (cla: yes, waiting for tree to go green)
[27338](https://github.com/flutter/engine/pull/27338) Roll Fuchsia Linux SDK from PzuC0jXIy... to vWn_wwccR... (cla: yes, waiting for tree to go green)
[27339](https://github.com/flutter/engine/pull/27339) update the analysis options for tools/licenses (cla: yes, needs tests)
[27340](https://github.com/flutter/engine/pull/27340) [web] make Pipeline.run throw (cla: yes, platform-web, needs tests)
[27341](https://github.com/flutter/engine/pull/27341) [web] Final cleanup after librarification is complete (cla: yes, platform-web, needs tests)
[27342](https://github.com/flutter/engine/pull/27342) Add the ability to change the CanvasKit url at runtime. (cla: yes, platform-web, needs tests)
[27343](https://github.com/flutter/engine/pull/27343) Add [[nodiscard]] decorations to fml::HashCombine. (cla: yes)
[27344](https://github.com/flutter/engine/pull/27344) Don't specify the secondary build tree when importing glfw. (cla: yes)
[27345](https://github.com/flutter/engine/pull/27345) Build the robolectric tests by default for debug armv7 (platform-android, cla: yes)
[27346](https://github.com/flutter/engine/pull/27346) restore the directives_ordering lint (cla: yes, waiting for tree to go green, needs tests)
[27347](https://github.com/flutter/engine/pull/27347) Do not use the centralized graphics context options for Fuchsia Vulkan contexts (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[27348](https://github.com/flutter/engine/pull/27348) Roll Fuchsia Mac SDK from XuEHwe6le... to wUg-tGGCL... (cla: yes, waiting for tree to go green)
[27349](https://github.com/flutter/engine/pull/27349) Roll Fuchsia Linux SDK from vWn_wwccR... to hykYtaK7D... (cla: yes, waiting for tree to go green)
[27350](https://github.com/flutter/engine/pull/27350) Make dart wrappable classes use only one native field (cla: yes, platform-fuchsia, needs tests)
[27352](https://github.com/flutter/engine/pull/27352) Roll Skia from 4b6e2f0d8818 to 224e3e257d06 (42 revisions) (cla: yes, waiting for tree to go green)
[27353](https://github.com/flutter/engine/pull/27353) [fuchsia] Use FFI to get System clockMonotonic (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[27354](https://github.com/flutter/engine/pull/27354) Ensure gclient sync is successful on an M1 Mac host. (cla: yes, waiting for tree to go green, platform-macos)
[27355](https://github.com/flutter/engine/pull/27355) Roll Dart SDK from fb3ebe02a0bb to 2b81a20ef985 (8 revisions) (cla: yes, waiting for tree to go green)
[27358](https://github.com/flutter/engine/pull/27358) Revert "Build rules for scenario_app" (cla: yes)
[27360](https://github.com/flutter/engine/pull/27360) Reland build rules for scenario app (cla: yes)
[27361](https://github.com/flutter/engine/pull/27361) [web] Fix webkit ColorFilter.mode for webkit (cla: yes, platform-web)
[27362](https://github.com/flutter/engine/pull/27362) NNBD migration for scenario_app (cla: yes)
[27364](https://github.com/flutter/engine/pull/27364) Revert "NNBD migration for scenario_app" (cla: yes, needs tests)
[27365](https://github.com/flutter/engine/pull/27365) Scenario nnbd (cla: yes, needs tests)
[27366](https://github.com/flutter/engine/pull/27366) Roll Dart SDK from 2b81a20ef985 to 3c094fbf2093 (1 revision) (cla: yes, waiting for tree to go green)
[27367](https://github.com/flutter/engine/pull/27367) Fix dart analysis (cla: yes, waiting for tree to go green, needs tests)
[27368](https://github.com/flutter/engine/pull/27368) Switch test_suites to yaml. (affects: tests, cla: yes, platform-fuchsia)
[27370](https://github.com/flutter/engine/pull/27370) refactor and simplify CI dart analysis (cla: yes, waiting for tree to go green)
[27371](https://github.com/flutter/engine/pull/27371) Set ANDROID_HOME in run_gradle.py (cla: yes, waiting for tree to go green)
[27373](https://github.com/flutter/engine/pull/27373) Enable Dart compressed pointers for 64-bit mobile targets (cla: yes)
[27374](https://github.com/flutter/engine/pull/27374) Roll Dart SDK from 3c094fbf2093 to ab009483f343 (2 revisions) (cla: yes, waiting for tree to go green)
[27375](https://github.com/flutter/engine/pull/27375) [web] fix a few analysis lints (cla: yes, platform-web)
[27377](https://github.com/flutter/engine/pull/27377) [fuchsia] fix race in DefaultSessionConnection (cla: yes, platform-fuchsia, needs tests)
[27382](https://github.com/flutter/engine/pull/27382) Revert "Make FlutterFragment usable without requiring it to be attached to an Android Activity." (platform-android, cla: yes)
[27392](https://github.com/flutter/engine/pull/27392) Add embedder unit test that reproduces https://github.com/dart-lang/sdk/issues/46275 (cla: yes, embedder)
[27397](https://github.com/flutter/engine/pull/27397) Make FlutterFragment usable without requiring it to be attached to an Android Activity. (Attempt 2) (platform-android, cla: yes, waiting for tree to go green)
[27398](https://github.com/flutter/engine/pull/27398) Avoid using CompletableFuture (cla: yes)
[27399](https://github.com/flutter/engine/pull/27399) Roll Skia from 224e3e257d06 to 773a0b8c7e74 (44 revisions) (cla: yes, waiting for tree to go green)
[27400](https://github.com/flutter/engine/pull/27400) [ci.yaml] Add Linux Android Scenarios postsubmit (cla: yes)
[27401](https://github.com/flutter/engine/pull/27401) remove the use of package:isolate (cla: yes, needs tests)
[27402](https://github.com/flutter/engine/pull/27402) Roll Skia from 773a0b8c7e74 to 36c1804e8f5c (1 revision) (cla: yes, waiting for tree to go green)
[27403](https://github.com/flutter/engine/pull/27403) Roll Dart SDK from ab009483f343 to 746879714c96 (5 revisions) (cla: yes, waiting for tree to go green)
[27405](https://github.com/flutter/engine/pull/27405) [ci.yaml] Add linux benchmarks, add enabled branches (cla: yes, waiting for tree to go green)
[27406](https://github.com/flutter/engine/pull/27406) [web] enable always_specify_types lint (cla: yes, waiting for tree to go green)
[27407](https://github.com/flutter/engine/pull/27407) Reland enable DisplayList by default (cla: yes, waiting for tree to go green)
[27408](https://github.com/flutter/engine/pull/27408) Roll Fuchsia Mac SDK from wUg-tGGCL... to uhahzGJ6H... (cla: yes, waiting for tree to go green)
[27409](https://github.com/flutter/engine/pull/27409) Lint android scenario app (cla: yes, waiting for tree to go green)
[27410](https://github.com/flutter/engine/pull/27410) Roll Skia from 36c1804e8f5c to 947a2eb3c043 (7 revisions) (cla: yes, waiting for tree to go green)
[27415](https://github.com/flutter/engine/pull/27415) [ci.yaml] Add xcode property to ci.yaml (cla: yes, waiting for tree to go green)
[27416](https://github.com/flutter/engine/pull/27416) Update the Fuchsia runner to use fpromise instead of fit::promise (cla: yes, waiting for tree to go green, platform-fuchsia)
[27417](https://github.com/flutter/engine/pull/27417) Add flutter test suites to test_suites.yaml. (affects: tests, cla: yes, platform-fuchsia)
[27420](https://github.com/flutter/engine/pull/27420) [web] enable prefer_final_locals lint (cla: yes, platform-web)
[27422](https://github.com/flutter/engine/pull/27422) [ci.yaml] Mark Linux Android Scenarios as flaky (cla: yes, waiting for tree to go green)
[27426](https://github.com/flutter/engine/pull/27426) Roll Skia from 947a2eb3c043 to 9081276b2907 (6 revisions) (cla: yes, waiting for tree to go green)
[27427](https://github.com/flutter/engine/pull/27427) Accounts for inverse pixel ratio transform in screen rects. (cla: yes, platform-fuchsia)
[27430](https://github.com/flutter/engine/pull/27430) Roll Skia from 9081276b2907 to 0547b914f691 (2 revisions) (cla: yes, waiting for tree to go green)
[27431](https://github.com/flutter/engine/pull/27431) Roll Fuchsia Linux SDK from hykYtaK7D... to s2vrjrfuS... (cla: yes, waiting for tree to go green)
[27432](https://github.com/flutter/engine/pull/27432) Roll Dart SDK from 746879714c96 to d53eb1066384 (2 revisions) (cla: yes, waiting for tree to go green)
[27433](https://github.com/flutter/engine/pull/27433) fuchsia: Log vsync stats in inspect (cla: yes, platform-fuchsia, needs tests)
[27434](https://github.com/flutter/engine/pull/27434) Use python to run firebase testlab, do not expect recipe to know location of APK (cla: yes, waiting for tree to go green)
[27435](https://github.com/flutter/engine/pull/27435) Adjust web_sdk rule deps (cla: yes, platform-web)
[27436](https://github.com/flutter/engine/pull/27436) Roll Skia from 0547b914f691 to 7d336c9557bd (3 revisions) (cla: yes, waiting for tree to go green)
[27438](https://github.com/flutter/engine/pull/27438) Roll Fuchsia Mac SDK from uhahzGJ6H... to TWPguQ-ow... (cla: yes, waiting for tree to go green)
[27439](https://github.com/flutter/engine/pull/27439) Roll Dart SDK from d53eb1066384 to fcbaa0a90b4b (1 revision) (cla: yes, waiting for tree to go green)
[27440](https://github.com/flutter/engine/pull/27440) Roll Skia from 7d336c9557bd to 7dc26fadc90b (2 revisions) (cla: yes, waiting for tree to go green)
[27441](https://github.com/flutter/engine/pull/27441) [ios] Fix memory leak in CFRef's move assignment operator. (cla: yes, waiting for tree to go green)
[27442](https://github.com/flutter/engine/pull/27442) Roll Skia from 7dc26fadc90b to dd561d021470 (1 revision) (cla: yes, waiting for tree to go green)
[27443](https://github.com/flutter/engine/pull/27443) Roll Skia from dd561d021470 to 0e99fbe5da5c (1 revision) (cla: yes, waiting for tree to go green)
[27445](https://github.com/flutter/engine/pull/27445) Remove unused generate_dart_ui target (cla: yes, waiting for tree to go green)
[27446](https://github.com/flutter/engine/pull/27446) Roll Dart SDK from fcbaa0a90b4b to 207232b5abe0 (1 revision) (cla: yes, waiting for tree to go green)
[27447](https://github.com/flutter/engine/pull/27447) Roll Skia from 0e99fbe5da5c to a2d22b2e085e (3 revisions) (cla: yes, waiting for tree to go green)
[27448](https://github.com/flutter/engine/pull/27448) Roll Skia from a2d22b2e085e to 3c8ae888b9d4 (3 revisions) (cla: yes, waiting for tree to go green)
[27449](https://github.com/flutter/engine/pull/27449) Roll Fuchsia Linux SDK from s2vrjrfuS... to dQkk1o8zS... (cla: yes, waiting for tree to go green)
[27450](https://github.com/flutter/engine/pull/27450) Roll Skia from 3c8ae888b9d4 to 78aa969b2f75 (1 revision) (cla: yes, waiting for tree to go green)
[27454](https://github.com/flutter/engine/pull/27454) [ci.yaml] Fix osx_sdk cache name (cla: yes, waiting for tree to go green)
[27455](https://github.com/flutter/engine/pull/27455) Replace array<fml::Thread, 3> with ThreadHost. (cla: yes, platform-fuchsia, needs tests)
[27459](https://github.com/flutter/engine/pull/27459) [fuchsia] boot lockup debugging improvements (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[27460](https://github.com/flutter/engine/pull/27460) Roll Skia from 78aa969b2f75 to 24f687942266 (5 revisions) (cla: yes, waiting for tree to go green)
[27461](https://github.com/flutter/engine/pull/27461) Fixes scrollable behavior in voiceover (platform-ios, cla: yes)
[27462](https://github.com/flutter/engine/pull/27462) Roll Fuchsia Mac SDK from TWPguQ-ow... to Cijd5dDSL... (cla: yes, waiting for tree to go green)
[27464](https://github.com/flutter/engine/pull/27464) [web] dartdoc for PipelineStatus (cla: yes, platform-web, needs tests)
[27465](https://github.com/flutter/engine/pull/27465) Add a unit test for dart entrypoint args on macOS (cla: yes, platform-macos)
[27466](https://github.com/flutter/engine/pull/27466) Roll Skia from 24f687942266 to 763be55a9ed7 (1 revision) (cla: yes, waiting for tree to go green)
[27467](https://github.com/flutter/engine/pull/27467) Roll Skia from 763be55a9ed7 to e2a9bdfba448 (1 revision) (cla: yes, waiting for tree to go green)
[27470](https://github.com/flutter/engine/pull/27470) Roll Skia from e2a9bdfba448 to 385e0d77bee0 (2 revisions) (cla: yes, waiting for tree to go green)
[27475](https://github.com/flutter/engine/pull/27475) Revert "Reland enable DisplayList by default" (cla: yes)
[27476](https://github.com/flutter/engine/pull/27476) Roll Dart SDK from 207232b5abe0 to 87a4768078b2 (5 revisions) (cla: yes, waiting for tree to go green)
[27477](https://github.com/flutter/engine/pull/27477) Roll Fuchsia Mac SDK from Cijd5dDSL... to FwgLM4h6t... (cla: yes, waiting for tree to go green)
[27479](https://github.com/flutter/engine/pull/27479) Roll Skia from 385e0d77bee0 to 657e375a16e6 (1 revision) (cla: yes, waiting for tree to go green)
[27482](https://github.com/flutter/engine/pull/27482) Fix logcat checking (cla: yes)
[27483](https://github.com/flutter/engine/pull/27483) Roll Skia from 657e375a16e6 to f2de1b8b4dcf (3 revisions) (cla: yes, waiting for tree to go green)
[27484](https://github.com/flutter/engine/pull/27484) Verbose output on CI from download_dart_sdk.py (cla: yes)
[27485](https://github.com/flutter/engine/pull/27485) Roll Skia from f2de1b8b4dcf to 94fda947ebeb (6 revisions) (cla: yes, waiting for tree to go green)
[27486](https://github.com/flutter/engine/pull/27486) [flutter_releases] Migrate stable *_builders.json to ci.yaml (cla: yes)
[27487](https://github.com/flutter/engine/pull/27487) [flutter_release] Update beta .ci.yaml (cla: yes)
[27488](https://github.com/flutter/engine/pull/27488) Roll Skia from 94fda947ebeb to 3339e570a14f (2 revisions) (cla: yes, waiting for tree to go green)
[27489](https://github.com/flutter/engine/pull/27489) Roll Dart SDK from 87a4768078b2 to 2abf053a8e9a (1 revision) (cla: yes, waiting for tree to go green)
[27490](https://github.com/flutter/engine/pull/27490) Roll Skia from 3339e570a14f to 8c3adb8b1adb (3 revisions) (cla: yes, waiting for tree to go green)
[27491](https://github.com/flutter/engine/pull/27491) Place Emoji fallback font at the front of the list (cla: yes, platform-web)
[27492](https://github.com/flutter/engine/pull/27492) Roll Fuchsia Linux SDK from dQkk1o8zS... to ufdC-mDPS... (cla: yes, waiting for tree to go green)
[27493](https://github.com/flutter/engine/pull/27493) Revert dart rolls (cla: yes, waiting for tree to go green)
[27495](https://github.com/flutter/engine/pull/27495) [web] separate tests into build + test steps; add run command (cla: yes, platform-web)
[27497](https://github.com/flutter/engine/pull/27497) Add unit tests for Dart entrypoint arguments on Windows (cla: yes, platform-windows)
[27498](https://github.com/flutter/engine/pull/27498) Roll Skia from 8c3adb8b1adb to fe5d07a8e471 (3 revisions) (cla: yes, waiting for tree to go green)
[27499](https://github.com/flutter/engine/pull/27499) Roll Dart SDK from 207232b5abe0 to c99d9ea1ac3a (8 revisions) (cla: yes, waiting for tree to go green)
[27500](https://github.com/flutter/engine/pull/27500) Roll Skia from fe5d07a8e471 to fb0440e5bcb6 (1 revision) (cla: yes, waiting for tree to go green)
[27501](https://github.com/flutter/engine/pull/27501) Roll Fuchsia Mac SDK from FwgLM4h6t... to JuA3-RaN-... (cla: yes, waiting for tree to go green)
[27502](https://github.com/flutter/engine/pull/27502) Roll Skia from fb0440e5bcb6 to c82ab0839f06 (2 revisions) (cla: yes, waiting for tree to go green)
[27503](https://github.com/flutter/engine/pull/27503) add test for scaled playback of DL and SkPicture (cla: yes, waiting for tree to go green)
[27504](https://github.com/flutter/engine/pull/27504) Roll Skia from c82ab0839f06 to 7c79a871c084 (1 revision) (cla: yes, waiting for tree to go green)
[27505](https://github.com/flutter/engine/pull/27505) Roll Dart SDK from c99d9ea1ac3a to 6be3bb459ef1 (1 revision) (cla: yes, waiting for tree to go green)
[27506](https://github.com/flutter/engine/pull/27506) MacOS: Fix external texture not working in OpenGL mode (cla: yes, waiting for tree to go green, needs tests, embedder)
[27507](https://github.com/flutter/engine/pull/27507) Roll Fuchsia Linux SDK from ufdC-mDPS... to Y9N1cBuxa... (cla: yes, waiting for tree to go green)
[27508](https://github.com/flutter/engine/pull/27508) Do not resolve external textures unless there is new frame available (cla: yes, waiting for tree to go green, embedder)
[27511](https://github.com/flutter/engine/pull/27511) Roll Skia from 7c79a871c084 to 11a20bbbf4d5 (1 revision) (cla: yes, waiting for tree to go green)
[27512](https://github.com/flutter/engine/pull/27512) Roll Skia from 11a20bbbf4d5 to 01e6273c46f0 (1 revision) (cla: yes, waiting for tree to go green)
[27513](https://github.com/flutter/engine/pull/27513) Roll Fuchsia Mac SDK from JuA3-RaN-... to 0PyjWN1eh... (cla: yes, waiting for tree to go green)
[27514](https://github.com/flutter/engine/pull/27514) Roll Dart SDK from 6be3bb459ef1 to b410651bd18e (2 revisions) (cla: yes, waiting for tree to go green)
[27516](https://github.com/flutter/engine/pull/27516) Roll Skia from 01e6273c46f0 to 3d49efa8e177 (1 revision) (cla: yes, waiting for tree to go green)
[27517](https://github.com/flutter/engine/pull/27517) Roll Fuchsia Linux SDK from Y9N1cBuxa... to jBy624LbH... (cla: yes, waiting for tree to go green)
[27520](https://github.com/flutter/engine/pull/27520) Roll Fuchsia Mac SDK from 0PyjWN1eh... to uhLYz8rWn... (cla: yes, waiting for tree to go green)
[27521](https://github.com/flutter/engine/pull/27521) Roll Skia from 3d49efa8e177 to 8837c919fb8b (1 revision) (cla: yes, waiting for tree to go green)
[27523](https://github.com/flutter/engine/pull/27523) Roll Skia from 8837c919fb8b to f02aa80ba91b (1 revision) (cla: yes, waiting for tree to go green)
[27524](https://github.com/flutter/engine/pull/27524) Roll Fuchsia Linux SDK from jBy624LbH... to 1yUmKH13E... (cla: yes, waiting for tree to go green)
[27525](https://github.com/flutter/engine/pull/27525) Roll Skia from f02aa80ba91b to 1f261da41ea4 (1 revision) (cla: yes, waiting for tree to go green)
[27527](https://github.com/flutter/engine/pull/27527) Roll Fuchsia Mac SDK from uhLYz8rWn... to vfv7CH0zH... (cla: yes, waiting for tree to go green)
[27532](https://github.com/flutter/engine/pull/27532) Disables pre-push checks on Windows, runs checks in sequence elsewhere (cla: yes, needs tests)
[27535](https://github.com/flutter/engine/pull/27535) Roll Fuchsia Linux SDK from 1yUmKH13E... to FGuPZEZLt... (cla: yes, waiting for tree to go green)
[27537](https://github.com/flutter/engine/pull/27537) Roll Skia from 1f261da41ea4 to 52d6bd49747f (1 revision) (cla: yes, waiting for tree to go green)
[27539](https://github.com/flutter/engine/pull/27539) Roll Fuchsia Mac SDK from vfv7CH0zH... to 897eI2xwc... (cla: yes, waiting for tree to go green)
[27540](https://github.com/flutter/engine/pull/27540) Roll Skia from 52d6bd49747f to 95cc53bafd5f (3 revisions) (cla: yes, waiting for tree to go green)
[27544](https://github.com/flutter/engine/pull/27544) Roll Skia from 95cc53bafd5f to 8f553a769b2b (2 revisions) (cla: yes, waiting for tree to go green)
[27545](https://github.com/flutter/engine/pull/27545) Fix wrong thread name in thread_checker (cla: yes, waiting for tree to go green)
[27546](https://github.com/flutter/engine/pull/27546) Warn, but don't fail if prebuilt SDK could not be fetched (cla: yes, waiting for tree to go green)
[27554](https://github.com/flutter/engine/pull/27554) Roll Skia from 8f553a769b2b to fe49b2c6f41b (2 revisions) (cla: yes, waiting for tree to go green)
[27561](https://github.com/flutter/engine/pull/27561) Roll Fuchsia Linux SDK from FGuPZEZLt... to 665qcW5C1... (cla: yes, waiting for tree to go green)
[27563](https://github.com/flutter/engine/pull/27563) [web] Fix inability to type in text fields in iOS (affects: text input, cla: yes, waiting for tree to go green, platform-web)
[27564](https://github.com/flutter/engine/pull/27564) Roll Skia from fe49b2c6f41b to 946a4cb8acb7 (9 revisions) (cla: yes, waiting for tree to go green)
[27566](https://github.com/flutter/engine/pull/27566) Added a test filter for objc tests (cla: yes, waiting for tree to go green)
[27567](https://github.com/flutter/engine/pull/27567) [web] use a different method for launching desktop safari (cla: yes, platform-web, needs tests)
[27569](https://github.com/flutter/engine/pull/27569) Extract the prebuilt Dart SDK to a temp directory and then move it after the extraction completes (cla: yes)
[27572](https://github.com/flutter/engine/pull/27572) Roll Fuchsia Mac SDK from 897eI2xwc... to rQOi2N8BM... (cla: yes, waiting for tree to go green)
[27573](https://github.com/flutter/engine/pull/27573) Roll Skia from 946a4cb8acb7 to 38a6e5aa1a49 (8 revisions) (cla: yes, waiting for tree to go green)
[27574](https://github.com/flutter/engine/pull/27574) Roll Skia from 38a6e5aa1a49 to 2373b9ed9617 (1 revision) (cla: yes, waiting for tree to go green)
[27575](https://github.com/flutter/engine/pull/27575) Roll Skia from 2373b9ed9617 to 3f6e8d8864bb (2 revisions) (cla: yes, waiting for tree to go green)
[27576](https://github.com/flutter/engine/pull/27576) Roll Skia from 3f6e8d8864bb to b5cd95b58fba (2 revisions) (cla: yes, waiting for tree to go green)
[27578](https://github.com/flutter/engine/pull/27578) Roll Skia from b5cd95b58fba to d37bb6ae7248 (1 revision) (cla: yes, waiting for tree to go green)
[27581](https://github.com/flutter/engine/pull/27581) Roll Fuchsia Linux SDK from 665qcW5C1... to q6H_ZE5Bs... (cla: yes, waiting for tree to go green)
[27582](https://github.com/flutter/engine/pull/27582) Roll Dart SDK from b410651bd18e to f82b36d0b4f0 (5 revisions) (cla: yes, waiting for tree to go green)
[27584](https://github.com/flutter/engine/pull/27584) Roll Dart SDK from f82b36d0b4f0 to d65b397fe868 (1 revision) (cla: yes, waiting for tree to go green)
[27586](https://github.com/flutter/engine/pull/27586) FormatException.result?.stderr may be null (cla: yes, waiting for tree to go green, needs tests)
[27589](https://github.com/flutter/engine/pull/27589) [ci.yaml] Fix timeouts + properties (cla: yes, waiting for tree to go green)
[27590](https://github.com/flutter/engine/pull/27590) Roll Skia from d37bb6ae7248 to e40495da3db1 (3 revisions) (cla: yes, waiting for tree to go green)
[27591](https://github.com/flutter/engine/pull/27591) Add a unit test for FlutterFrameBufferProvider (cla: yes, platform-macos)
[27593](https://github.com/flutter/engine/pull/27593) Roll Skia from e40495da3db1 to 88dd356bf1af (5 revisions) (cla: yes, waiting for tree to go green)
[27595](https://github.com/flutter/engine/pull/27595) Add fuchsia.net.name.Lookup (cla: yes, platform-fuchsia)
[27597](https://github.com/flutter/engine/pull/27597) [ci.yaml] JSON encode subshards key (cla: yes, waiting for tree to go green)
[27598](https://github.com/flutter/engine/pull/27598) analyze using the latest sdk from head (cla: yes, waiting for tree to go green, platform-web)
[27599](https://github.com/flutter/engine/pull/27599) [test] Empty commit (cla: yes)
[27600](https://github.com/flutter/engine/pull/27600) Fix shader mask for text and shader bounds origin (cla: yes, platform-web)
[27601](https://github.com/flutter/engine/pull/27601) Roll Skia from 88dd356bf1af to 3deb8458fbca (8 revisions) (cla: yes, waiting for tree to go green)
[27602](https://github.com/flutter/engine/pull/27602) Roll Dart SDK from d65b397fe868 to e1414001c93b (1 revision) (cla: yes, waiting for tree to go green)
[27603](https://github.com/flutter/engine/pull/27603) Reformat manifests (cla: yes, platform-fuchsia)
[27604](https://github.com/flutter/engine/pull/27604) Fix android zip bundles (platform-android, cla: yes, waiting for tree to go green)
[27605](https://github.com/flutter/engine/pull/27605) Roll Skia from 3deb8458fbca to 95df484cb6a0 (1 revision) (cla: yes, waiting for tree to go green)
[27606](https://github.com/flutter/engine/pull/27606) Delete unused CI scripts (cla: yes, waiting for tree to go green)
[27607](https://github.com/flutter/engine/pull/27607) Revert "Use a Pbuffer surface when the onscreen surface is not available for snapshotting on Android" (platform-android, cla: yes)
[27612](https://github.com/flutter/engine/pull/27612) [web] disable golden check for Noto-rendered text (cla: yes, platform-web)
[27614](https://github.com/flutter/engine/pull/27614) Roll Skia from 95df484cb6a0 to d090aa7feee3 (7 revisions) (cla: yes, waiting for tree to go green)
[27615](https://github.com/flutter/engine/pull/27615) Revert "Enable Dart compressed pointers for 64-bit mobile targets" (cla: yes)
[27616](https://github.com/flutter/engine/pull/27616) Roll Skia from d090aa7feee3 to 77046a7f0fcf (1 revision) (cla: yes, waiting for tree to go green)
[27617](https://github.com/flutter/engine/pull/27617) Roll Dart SDK from e1414001c93b to 686070850ee3 (1 revision) (cla: yes, waiting for tree to go green)
[27619](https://github.com/flutter/engine/pull/27619) Roll Skia from 77046a7f0fcf to 7fc705bdd7e9 (2 revisions) (cla: yes, waiting for tree to go green)
[27620](https://github.com/flutter/engine/pull/27620) Roll Dart SDK from e1414001c93b to 686070850ee3 (1 revision) (cla: yes, waiting for tree to go green)
[27621](https://github.com/flutter/engine/pull/27621) [flutter_release] Cherry-pick tip of tree ci.yaml changes to beta (cla: yes)
[27622](https://github.com/flutter/engine/pull/27622) Roll to buildtools 30.0.2 (cla: yes, waiting for tree to go green)
[27624](https://github.com/flutter/engine/pull/27624) Roll Skia from 7fc705bdd7e9 to b6a7319f211c (2 revisions) (cla: yes, waiting for tree to go green)
[27625](https://github.com/flutter/engine/pull/27625) Comment out terminate unit test until fix lands in Dart. (cla: yes, embedder)
[27626](https://github.com/flutter/engine/pull/27626) [flutter_release] Flutter Beta 2.4.0-4.1.pre Engine Cherrypicks (cla: yes)
[27627](https://github.com/flutter/engine/pull/27627) [flutter_release] Update dart_style to published version 2.0.2 (cla: yes)
[27628](https://github.com/flutter/engine/pull/27628) Roll Dart SDK from 686070850ee3 to b6150c16af27 (1 revision) (cla: yes, waiting for tree to go green)
[27629](https://github.com/flutter/engine/pull/27629) Reland use a pbuffer surface when in the background (platform-android, cla: yes)
[27631](https://github.com/flutter/engine/pull/27631) Roll Skia from b6a7319f211c to ac747ca18f46 (2 revisions) (cla: yes, waiting for tree to go green)
[27632](https://github.com/flutter/engine/pull/27632) Fix edge swipes (cla: yes, platform-fuchsia)
[27633](https://github.com/flutter/engine/pull/27633) Roll Skia from ac747ca18f46 to 7a0d3c3f1219 (2 revisions) (cla: yes, waiting for tree to go green)
[27634](https://github.com/flutter/engine/pull/27634) remove maxdiff for backdrop_filter_clip_moved (cla: yes, platform-web)
[27635](https://github.com/flutter/engine/pull/27635) Roll Skia from 7a0d3c3f1219 to 4d5708c46464 (1 revision) (cla: yes, waiting for tree to go green)
[27637](https://github.com/flutter/engine/pull/27637) Roll Skia from 4d5708c46464 to 5e332c8afc4d (1 revision) (cla: yes, waiting for tree to go green)
[27638](https://github.com/flutter/engine/pull/27638) Roll Skia from 5e332c8afc4d to e3f2a63db7a8 (1 revision) (cla: yes, waiting for tree to go green)
[27640](https://github.com/flutter/engine/pull/27640) Roll Skia from e3f2a63db7a8 to bc6d93397f9c (1 revision) (cla: yes, waiting for tree to go green)
[27641](https://github.com/flutter/engine/pull/27641) Roll Skia from bc6d93397f9c to 64e67c346c3f (1 revision) (cla: yes, waiting for tree to go green)
[27643](https://github.com/flutter/engine/pull/27643) Roll Skia from 64e67c346c3f to ff322968e901 (1 revision) (cla: yes, waiting for tree to go green)
[27644](https://github.com/flutter/engine/pull/27644) Roll Dart SDK from b6150c16af27 to ae3d41572581 (1 revision) (cla: yes, waiting for tree to go green)
[27645](https://github.com/flutter/engine/pull/27645) Use preDraw for the Android embedding (platform-android, cla: yes, waiting for tree to go green)
[27646](https://github.com/flutter/engine/pull/27646) Set AppStartUp UserTag from engine (platform-android, cla: yes, waiting for tree to go green)
[27647](https://github.com/flutter/engine/pull/27647) Roll Skia from ff322968e901 to 14037fff49ff (2 revisions) (cla: yes, waiting for tree to go green)
[27648](https://github.com/flutter/engine/pull/27648) Roll Skia from 14037fff49ff to ff7a4a576f64 (6 revisions) (cla: yes, waiting for tree to go green)
[27649](https://github.com/flutter/engine/pull/27649) Uncomment terminate unit test (Dart side fix has rolled into the engine) (cla: yes, embedder)
[27650](https://github.com/flutter/engine/pull/27650) Roll Skia from ff7a4a576f64 to 8e51bad14f7f (1 revision) (cla: yes, waiting for tree to go green)
[27651](https://github.com/flutter/engine/pull/27651) Roll Dart SDK from ae3d41572581 to d1c7784d4c7a (1 revision) (cla: yes, waiting for tree to go green)
[27652](https://github.com/flutter/engine/pull/27652) Add Ahem as a test font in CanvasKit mode (cla: yes, platform-web, needs tests)
[27653](https://github.com/flutter/engine/pull/27653) Move tests (cla: yes, platform-web)
[27654](https://github.com/flutter/engine/pull/27654) Roll Skia from 8e51bad14f7f to ad858e76e339 (3 revisions) (cla: yes, waiting for tree to go green)
[27655](https://github.com/flutter/engine/pull/27655) Fix NPE and remove global focus listener when tearing down the view (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27656](https://github.com/flutter/engine/pull/27656) Roll Skia from ad858e76e339 to d91d2341b9eb (1 revision) (cla: yes, waiting for tree to go green)
[27658](https://github.com/flutter/engine/pull/27658) Roll Dart SDK from d1c7784d4c7a to 9cc34270bd9b (1 revision) (cla: yes, waiting for tree to go green)
[27659](https://github.com/flutter/engine/pull/27659) Update test scripts for coverage (cla: yes)
[27660](https://github.com/flutter/engine/pull/27660) Roll Skia from d91d2341b9eb to 795b5f133d2e (2 revisions) (cla: yes, waiting for tree to go green)
[27661](https://github.com/flutter/engine/pull/27661) Roll Skia from 795b5f133d2e to 6940cff9c3e7 (1 revision) (cla: yes, waiting for tree to go green)
[27663](https://github.com/flutter/engine/pull/27663) Roll Dart SDK from 9cc34270bd9b to 019024dc988b (1 revision) (cla: yes, waiting for tree to go green)
[27664](https://github.com/flutter/engine/pull/27664) Re-enable fml_unittests (cla: yes, waiting for tree to go green)
[27665](https://github.com/flutter/engine/pull/27665) Roll Skia from 6940cff9c3e7 to 747c32192285 (1 revision) (cla: yes, waiting for tree to go green)
[27666](https://github.com/flutter/engine/pull/27666) Roll Dart SDK from 019024dc988b to 5e2a41b0088c (1 revision) (cla: yes, waiting for tree to go green)
[27667](https://github.com/flutter/engine/pull/27667) Roll Skia from 747c32192285 to 885482935157 (1 revision) (cla: yes, waiting for tree to go green)
[27668](https://github.com/flutter/engine/pull/27668) [ci.yaml] Extend windows host engine timeout (cla: yes, waiting for tree to go green)
[27669](https://github.com/flutter/engine/pull/27669) Roll Skia from 885482935157 to 64565aed5151 (3 revisions) (cla: yes, waiting for tree to go green)
[27670](https://github.com/flutter/engine/pull/27670) Analysis cleanup of web tests (cla: yes, platform-web)
[27671](https://github.com/flutter/engine/pull/27671) Fix NPE and remove global focus listener when tearing down the view (… (platform-android, cla: yes)
[27674](https://github.com/flutter/engine/pull/27674) Remove an assertion in AndroidImageGenerator::Register that was dereferencing a null (platform-android, cla: yes, needs tests)
[27675](https://github.com/flutter/engine/pull/27675) Roll Dart SDK from 5e2a41b0088c to e1e2ab3a7acb (1 revision) (cla: yes, waiting for tree to go green)
[27677](https://github.com/flutter/engine/pull/27677) Bump leakcanary to latest version (cla: yes, waiting for tree to go green)
[27680](https://github.com/flutter/engine/pull/27680) Log all Skia trace events if the --trace-skia flag is passed (cla: yes, waiting for tree to go green)
[27681](https://github.com/flutter/engine/pull/27681) Roll Dart SDK from e1e2ab3a7acb to 344338e1b540 (1 revision) (cla: yes, waiting for tree to go green)
[27682](https://github.com/flutter/engine/pull/27682) Roll Skia from 64565aed5151 to feb459a1fb51 (17 revisions) (cla: yes, waiting for tree to go green)
[27683](https://github.com/flutter/engine/pull/27683) fix a number of conditions for computing bounds from saveLayers (cla: yes, waiting for tree to go green)
[27684](https://github.com/flutter/engine/pull/27684) Specify the output paths of the scenario app lint task (cla: yes, waiting for tree to go green)
[27685](https://github.com/flutter/engine/pull/27685) Roll Dart SDK from 344338e1b540 to 7fbb06c714b1 (1 revision) (cla: yes, waiting for tree to go green)
[27686](https://github.com/flutter/engine/pull/27686) Roll Dart SDK from 7fbb06c714b1 to 5938b787c27d (1 revision) (cla: yes, waiting for tree to go green)
[27688](https://github.com/flutter/engine/pull/27688) Roll Skia from feb459a1fb51 to 9304aa532594 (1 revision) (cla: yes, waiting for tree to go green)
[27690](https://github.com/flutter/engine/pull/27690) Roll Skia from 9304aa532594 to a4bfa8d77f91 (2 revisions) (cla: yes, waiting for tree to go green)
[27691](https://github.com/flutter/engine/pull/27691) Add support for IME_FLAG_NO_PERSONALIZED_LEARNING on Android (platform-android, cla: yes, waiting for tree to go green)
[27692](https://github.com/flutter/engine/pull/27692) Roll Skia from a4bfa8d77f91 to 09d647449629 (1 revision) (cla: yes, waiting for tree to go green)
[27693](https://github.com/flutter/engine/pull/27693) Roll Skia from 09d647449629 to d5a970111653 (1 revision) (cla: yes, waiting for tree to go green)
[27695](https://github.com/flutter/engine/pull/27695) Fix potential crash of frame management while merging threads for pla… (platform-ios, platform-android, cla: yes, waiting for tree to go green, needs tests)
[27696](https://github.com/flutter/engine/pull/27696) Roll Skia from d5a970111653 to 8933de7bd03b (1 revision) (cla: yes, waiting for tree to go green)
[27697](https://github.com/flutter/engine/pull/27697) Roll Skia from 8933de7bd03b to c665e1ed6bf5 (1 revision) (cla: yes, waiting for tree to go green)
[27698](https://github.com/flutter/engine/pull/27698) Roll Dart SDK from 5938b787c27d to 5ea55dbb265e (1 revision) (cla: yes, waiting for tree to go green)
[27699](https://github.com/flutter/engine/pull/27699) Roll Skia from c665e1ed6bf5 to bb2ef92d056f (1 revision) (cla: yes, waiting for tree to go green)
[27700](https://github.com/flutter/engine/pull/27700) Roll Dart SDK from 5ea55dbb265e to 18fbde359f5b (1 revision) (cla: yes, waiting for tree to go green)
[27701](https://github.com/flutter/engine/pull/27701) Roll Skia from bb2ef92d056f to 6926ba4d3c84 (6 revisions) (cla: yes, waiting for tree to go green)
[27703](https://github.com/flutter/engine/pull/27703) Roll Skia from 6926ba4d3c84 to a3eaeb4fd86a (3 revisions) (cla: yes, waiting for tree to go green)
[27704](https://github.com/flutter/engine/pull/27704) Roll Skia from a3eaeb4fd86a to 400f52e691f2 (5 revisions) (cla: yes, waiting for tree to go green)
[27705](https://github.com/flutter/engine/pull/27705) [ci.yaml] Explicitly define open jdk dependency (cla: yes, waiting for tree to go green)
[27706](https://github.com/flutter/engine/pull/27706) Roll Dart SDK from 18fbde359f5b to 7c593a77ffed (1 revision) (cla: yes, waiting for tree to go green)
[27707](https://github.com/flutter/engine/pull/27707) [web] Fix analysis errors (cla: yes, platform-web)
[27708](https://github.com/flutter/engine/pull/27708) Create `std::chrono` timestamp provider and move `fml_unittests` to use this (cla: yes, waiting for tree to go green)
[27710](https://github.com/flutter/engine/pull/27710) Handle MaskFilter with 0 sigma (cla: yes, platform-web)
[27712](https://github.com/flutter/engine/pull/27712) Roll Skia from 400f52e691f2 to 917fef7ba76b (3 revisions) (cla: yes, waiting for tree to go green)
[27713](https://github.com/flutter/engine/pull/27713) Sets accessibility panel title when route changes (platform-android, cla: yes, waiting for tree to go green)
[27717](https://github.com/flutter/engine/pull/27717) [icu] Upgrade the ICU library to the same commit used by Chromium latest (cla: yes)
[27719](https://github.com/flutter/engine/pull/27719) Roll Dart SDK from 7c593a77ffed to ba67b106cf4a (1 revision) (cla: yes, waiting for tree to go green)
[27723](https://github.com/flutter/engine/pull/27723) Roll Dart SDK from ba67b106cf4a to 852a61f8667a (1 revision) (cla: yes, waiting for tree to go green)
[27724](https://github.com/flutter/engine/pull/27724) Roll Skia from 917fef7ba76b to 6cce9615a0e1 (16 revisions) (cla: yes, waiting for tree to go green)
[27725](https://github.com/flutter/engine/pull/27725) Roll Skia from 6cce9615a0e1 to e33845317bf2 (2 revisions) (cla: yes, waiting for tree to go green)
[27726](https://github.com/flutter/engine/pull/27726) Roll buildroot to d28c48674b65936cf32063da51ef1445af82ac75 (cla: yes, waiting for tree to go green)
[27727](https://github.com/flutter/engine/pull/27727) Roll Dart SDK from 852a61f8667a to 6cffbe6d2a8e (1 revision) (cla: yes, waiting for tree to go green)
[27728](https://github.com/flutter/engine/pull/27728) Roll Skia from e33845317bf2 to a37001e2caec (2 revisions) (cla: yes, waiting for tree to go green)
[27729](https://github.com/flutter/engine/pull/27729) [flutter_release] Fuchsia f5 release branch (cla: yes, platform-fuchsia)
[27730](https://github.com/flutter/engine/pull/27730) [web] Analysis cleanup (cla: yes, platform-web)
[27731](https://github.com/flutter/engine/pull/27731) [ci_yaml] Add autoroller builder (cla: yes, waiting for tree to go green)
[27732](https://github.com/flutter/engine/pull/27732) macOS: Do not use dispatch queue when canceling idle callback (cla: yes, platform-macos, needs tests)
[27733](https://github.com/flutter/engine/pull/27733) Roll Skia from a37001e2caec to a4953515af8e (2 revisions) (cla: yes, waiting for tree to go green)
[27734](https://github.com/flutter/engine/pull/27734) [web] Code cleanup (cla: yes, platform-web)
[27735](https://github.com/flutter/engine/pull/27735) Roll Skia from a4953515af8e to 097a9a475951 (1 revision) (cla: yes, waiting for tree to go green)
[27737](https://github.com/flutter/engine/pull/27737) TimePoint::Now uses DartTimestampProvider (cla: yes)
[27739](https://github.com/flutter/engine/pull/27739) Prepare for updated avoid_classes_with_only_static_members lint (cla: yes, waiting for tree to go green, platform-web, needs tests)
[27741](https://github.com/flutter/engine/pull/27741) [web] Code cleanup (cla: yes, platform-web)
[27742](https://github.com/flutter/engine/pull/27742) Add a run_tests flag that captures core dumps from engine unit tests and runs a GDB script (cla: yes, waiting for tree to go green)
[27743](https://github.com/flutter/engine/pull/27743) Roll Dart SDK from 6cffbe6d2a8e to 97359a15afd5 (1 revision) (cla: yes, waiting for tree to go green)
[27744](https://github.com/flutter/engine/pull/27744) Roll Skia from 097a9a475951 to 6ad47a0ad606 (1 revision) (cla: yes, waiting for tree to go green)
[27745](https://github.com/flutter/engine/pull/27745) Added assertion up to cv99 for FontFeature.characterVariant (cla: yes)
[27746](https://github.com/flutter/engine/pull/27746) Roll Skia from 6ad47a0ad606 to 66deeb27162c (6 revisions) (cla: yes, waiting for tree to go green)
[27747](https://github.com/flutter/engine/pull/27747) Roll Skia from 66deeb27162c to 310178c7b790 (2 revisions) (cla: yes, waiting for tree to go green)
[27748](https://github.com/flutter/engine/pull/27748) Roll Dart SDK from 97359a15afd5 to c9f1521fd3fe (1 revision) (cla: yes, waiting for tree to go green)
[27750](https://github.com/flutter/engine/pull/27750) Roll Skia from 310178c7b790 to 32e07ae6bc26 (1 revision) (cla: yes, waiting for tree to go green)
[27751](https://github.com/flutter/engine/pull/27751) Frame timings clone fix (cla: yes, waiting for tree to go green)
[27752](https://github.com/flutter/engine/pull/27752) Roll Skia from 32e07ae6bc26 to dc409946e9f0 (1 revision) (cla: yes, waiting for tree to go green)
[27753](https://github.com/flutter/engine/pull/27753) Roll Skia from dc409946e9f0 to 2527fd0b8d5e (1 revision) (cla: yes, waiting for tree to go green)
[27754](https://github.com/flutter/engine/pull/27754) Roll Skia from 2527fd0b8d5e to 77292ac4a12f (1 revision) (cla: yes, waiting for tree to go green)
[27756](https://github.com/flutter/engine/pull/27756) Roll Skia from 77292ac4a12f to 5def25af3f9a (1 revision) (cla: yes, waiting for tree to go green)
[27758](https://github.com/flutter/engine/pull/27758) Roll Skia from 5def25af3f9a to c7218f57add1 (1 revision) (cla: yes, waiting for tree to go green)
[27759](https://github.com/flutter/engine/pull/27759) Roll Dart SDK from c9f1521fd3fe to e4fa78b5025a (1 revision) (cla: yes, waiting for tree to go green)
[27761](https://github.com/flutter/engine/pull/27761) Roll Dart SDK from e4fa78b5025a to fec06792b6e3 (1 revision) (cla: yes, waiting for tree to go green)
[27762](https://github.com/flutter/engine/pull/27762) Roll Skia from c7218f57add1 to 222c1c16317c (1 revision) (cla: yes, waiting for tree to go green)
[27765](https://github.com/flutter/engine/pull/27765) Roll Skia from 222c1c16317c to 3a21d497bddb (4 revisions) (cla: yes, waiting for tree to go green)
[27766](https://github.com/flutter/engine/pull/27766) [web] Code cleanup (cla: yes, platform-web)
[27767](https://github.com/flutter/engine/pull/27767) Empty commit to apply latest LUCI config (cla: yes)
[27769](https://github.com/flutter/engine/pull/27769) Roll Skia from 3a21d497bddb to 17eaf6216046 (2 revisions) (cla: yes, waiting for tree to go green)
[27770](https://github.com/flutter/engine/pull/27770) Roll Dart SDK from fec06792b6e3 to 07a45954b53f (1 revision) (cla: yes, waiting for tree to go green)
[27771](https://github.com/flutter/engine/pull/27771) [web] Fixing clipping not being applied when height is zero (cla: yes, platform-web)
[27774](https://github.com/flutter/engine/pull/27774) [Keyboard] Send empty key events when no key data should (affects: text input, cla: yes, platform-web, platform-windows)
[27776](https://github.com/flutter/engine/pull/27776) [ci.yaml] Fix open_jdk dep naming (cla: yes, waiting for tree to go green)
[27777](https://github.com/flutter/engine/pull/27777) Unskip iOS launch URL tests (platform-ios, affects: tests, cla: yes, waiting for tree to go green, tech-debt)
[27779](https://github.com/flutter/engine/pull/27779) Roll Skia from 17eaf6216046 to 8cd8e27c2ceb (12 revisions) (cla: yes, waiting for tree to go green)
[27781](https://github.com/flutter/engine/pull/27781) Use a pool for dart actions to avoid OOMs (cla: yes, platform-web)
[27784](https://github.com/flutter/engine/pull/27784) Roll Skia from 8cd8e27c2ceb to ef721154a758 (1 revision) (cla: yes, waiting for tree to go green)
[27785](https://github.com/flutter/engine/pull/27785) Roll Skia from ef721154a758 to 0d9a07907931 (1 revision) (cla: yes, waiting for tree to go green)
[27787](https://github.com/flutter/engine/pull/27787) Roll Dart SDK from 07a45954b53f to c7a093ce1e6f (2 revisions) (cla: yes, waiting for tree to go green)
[27788](https://github.com/flutter/engine/pull/27788) Revert "Use preDraw for the Android embedding" (platform-android, cla: yes)
[27789](https://github.com/flutter/engine/pull/27789) Roll Skia from 0d9a07907931 to ff9ee6787256 (1 revision) (cla: yes, waiting for tree to go green)
[27790](https://github.com/flutter/engine/pull/27790) Roll Dart SDK from c7a093ce1e6f to 1672d9ab3d6c (1 revision) (cla: yes, waiting for tree to go green)
[27791](https://github.com/flutter/engine/pull/27791) Roll Skia from ff9ee6787256 to 131410a7d139 (9 revisions) (cla: yes, waiting for tree to go green)
[27792](https://github.com/flutter/engine/pull/27792) Roll Skia from 131410a7d139 to 21c2af2dca60 (1 revision) (cla: yes, waiting for tree to go green)
[27793](https://github.com/flutter/engine/pull/27793) Improve documentation of Path.extendWithPath (cla: yes, needs tests)
[27794](https://github.com/flutter/engine/pull/27794) Roll Skia from 21c2af2dca60 to 3d019ddabc78 (2 revisions) (cla: yes, waiting for tree to go green)
[27796](https://github.com/flutter/engine/pull/27796) [web] update TODO format to match flutter repo and fix names, more code cleanup (cla: yes, platform-web)
[27797](https://github.com/flutter/engine/pull/27797) Roll Dart SDK from 1672d9ab3d6c to 6e821afc0cb4 (2 revisions) (cla: yes, waiting for tree to go green)
[27802](https://github.com/flutter/engine/pull/27802) Revert "Unskip iOS launch URL tests" (platform-ios, cla: yes)
[27804](https://github.com/flutter/engine/pull/27804) Update infra configuration files. (cla: yes, platform-fuchsia)
[27806](https://github.com/flutter/engine/pull/27806) [ci.yaml] Fix jdk version (cla: yes)
[27807](https://github.com/flutter/engine/pull/27807) Roll Skia from 3d019ddabc78 to 44600f613652 (8 revisions) (cla: yes, waiting for tree to go green)
[27810](https://github.com/flutter/engine/pull/27810) Roll Skia from 44600f613652 to d31b15da6e33 (4 revisions) (cla: yes, waiting for tree to go green)
[27811](https://github.com/flutter/engine/pull/27811) Reland using preDraw for the Android embedding (platform-android, cla: yes, waiting for tree to go green)
[27812](https://github.com/flutter/engine/pull/27812) Roll Dart SDK from 6e821afc0cb4 to a325ab04ed38 (1 revision) (cla: yes, waiting for tree to go green)
[27813](https://github.com/flutter/engine/pull/27813) Roll Skia from d31b15da6e33 to 8adb6255053f (1 revision) (cla: yes, waiting for tree to go green)
[27814](https://github.com/flutter/engine/pull/27814) Roll Skia from 8adb6255053f to 14d87226b3ad (5 revisions) (cla: yes, waiting for tree to go green)
[27815](https://github.com/flutter/engine/pull/27815) [web] Code cleanup (cla: yes, platform-web)
[27816](https://github.com/flutter/engine/pull/27816) Roll Skia from 14d87226b3ad to ab7ff17156a3 (1 revision) (cla: yes, waiting for tree to go green)
[27817](https://github.com/flutter/engine/pull/27817) Do not generate keydown event for empty modifier flags (cla: yes, platform-macos)
[27819](https://github.com/flutter/engine/pull/27819) [fuchsia] Fix DynamicLibrary.open path on Fuchsia (cla: yes, platform-fuchsia, needs tests)
[27820](https://github.com/flutter/engine/pull/27820) Roll gyp to 4801a5331ae62da9769a327f11c4213d32fb0dad (cla: yes)
[27821](https://github.com/flutter/engine/pull/27821) Roll Skia from ab7ff17156a3 to 126788e087af (5 revisions) (cla: yes, waiting for tree to go green)
[27823](https://github.com/flutter/engine/pull/27823) [web] Update CanvasPool documentation (cla: yes, platform-web, needs tests)
[27825](https://github.com/flutter/engine/pull/27825) Roll Dart SDK from a325ab04ed38 to fa724490f430 (1 revision) (cla: yes, waiting for tree to go green)
[27827](https://github.com/flutter/engine/pull/27827) Roll Skia from 126788e087af to ae2171eba699 (3 revisions) (cla: yes, waiting for tree to go green)
[27828](https://github.com/flutter/engine/pull/27828) Fix race condition in FlutterSurfaceManager (cla: yes, waiting for tree to go green, platform-macos, needs tests)
[27830](https://github.com/flutter/engine/pull/27830) Roll Skia from ae2171eba699 to 31df6806c06b (3 revisions) (cla: yes, waiting for tree to go green)
[27832](https://github.com/flutter/engine/pull/27832) Migrate Python script invocations to Python 3 (cla: yes)
[27833](https://github.com/flutter/engine/pull/27833) Roll Dart SDK from fa724490f430 to 2e22cdf76836 (1 revision) (cla: yes, waiting for tree to go green)
[27834](https://github.com/flutter/engine/pull/27834) Roll Skia from 31df6806c06b to 62d42db2829d (1 revision) (cla: yes, waiting for tree to go green)
[27835](https://github.com/flutter/engine/pull/27835) Enable Python 3 for all gn exec_script calls (cla: yes)
[27836](https://github.com/flutter/engine/pull/27836) Add GestureSettings and configure touch slop from Android ViewConfiguration (platform-android, cla: yes, waiting for tree to go green, platform-web, platform-fuchsia)
[27838](https://github.com/flutter/engine/pull/27838) Migrate all Python hashbangs to Python 3 (cla: yes, platform-fuchsia, needs tests)
[27840](https://github.com/flutter/engine/pull/27840) Roll Dart SDK from 2e22cdf76836 to 2cddb14dc9a9 (2 revisions) (cla: yes, waiting for tree to go green)
[27841](https://github.com/flutter/engine/pull/27841) Roll Skia from 62d42db2829d to 028e45b2f013 (1 revision) (cla: yes, waiting for tree to go green)
[27842](https://github.com/flutter/engine/pull/27842) Roll Skia from 028e45b2f013 to 464703f5148a (1 revision) (cla: yes, waiting for tree to go green)
[27843](https://github.com/flutter/engine/pull/27843) Roll Skia from 464703f5148a to 2236b79a2ad3 (1 revision) (cla: yes, waiting for tree to go green)
[27844](https://github.com/flutter/engine/pull/27844) Roll Skia from 2236b79a2ad3 to 60f3e2a7d557 (1 revision) (cla: yes, waiting for tree to go green)
[27845](https://github.com/flutter/engine/pull/27845) Roll buildroot to 6cee685b6bed193471aa7eaffae1fdc56cef0060 (cla: yes)
[27846](https://github.com/flutter/engine/pull/27846) Roll Dart SDK from 2cddb14dc9a9 to a171b36d2fdd (1 revision) (cla: yes, waiting for tree to go green)
[27847](https://github.com/flutter/engine/pull/27847) Roll Skia from 60f3e2a7d557 to 3bbecc3e9a2b (1 revision) (cla: yes, waiting for tree to go green)
[27848](https://github.com/flutter/engine/pull/27848) Roll Skia from 3bbecc3e9a2b to 82f5815629bf (1 revision) (cla: yes, waiting for tree to go green)
[27850](https://github.com/flutter/engine/pull/27850) Allow iOS unit tests to run on Xcode 13 (platform-ios, cla: yes, waiting for tree to go green)
[27851](https://github.com/flutter/engine/pull/27851) Explicitly provide the string encoding (cla: yes, waiting for tree to go green)
[27852](https://github.com/flutter/engine/pull/27852) Add lockfiles in the scenario app (cla: yes)
[27853](https://github.com/flutter/engine/pull/27853) Specify string encoding in git revision (cla: yes, waiting for tree to go green)
[27855](https://github.com/flutter/engine/pull/27855) Roll Skia from 82f5815629bf to 3cb9b9c72d6c (24 revisions) (cla: yes, waiting for tree to go green)
[27856](https://github.com/flutter/engine/pull/27856) Roll Dart SDK from a171b36d2fdd to 1588eca1fcb3 (2 revisions) (cla: yes, waiting for tree to go green)
[27857](https://github.com/flutter/engine/pull/27857) Roll Skia from 3cb9b9c72d6c to e7541d396f54 (2 revisions) (cla: yes, waiting for tree to go green)
[27858](https://github.com/flutter/engine/pull/27858) Roll Skia from e7541d396f54 to b6d60183850f (1 revision) (cla: yes, waiting for tree to go green)
[27859](https://github.com/flutter/engine/pull/27859) Roll Dart SDK from 1588eca1fcb3 to 411cb0341857 (1 revision) (cla: yes, waiting for tree to go green)
[27860](https://github.com/flutter/engine/pull/27860) Roll Skia from b6d60183850f to 1c38121964e5 (1 revision) (cla: yes, waiting for tree to go green)
[27861](https://github.com/flutter/engine/pull/27861) Roll Skia from 1c38121964e5 to addccaf9cfb6 (1 revision) (cla: yes, waiting for tree to go green)
[27862](https://github.com/flutter/engine/pull/27862) Roll Skia from addccaf9cfb6 to ea3489aa1d4c (1 revision) (cla: yes, waiting for tree to go green)
[27864](https://github.com/flutter/engine/pull/27864) Roll Skia from ea3489aa1d4c to 46eb3ab80de7 (5 revisions) (cla: yes, waiting for tree to go green)
[27865](https://github.com/flutter/engine/pull/27865) Check a11y bridge alive before returning a11y container (platform-ios, cla: yes, waiting for tree to go green)
[27866](https://github.com/flutter/engine/pull/27866) Roll Skia from 46eb3ab80de7 to 86b2c952ae94 (1 revision) (cla: yes, waiting for tree to go green)
[27868](https://github.com/flutter/engine/pull/27868) Roll Dart SDK from 411cb0341857 to 96fdaff98f48 (2 revisions) (cla: yes, waiting for tree to go green)
[27869](https://github.com/flutter/engine/pull/27869) Allow collapsed compositing range (platform-android, cla: yes, waiting for tree to go green)
[27870](https://github.com/flutter/engine/pull/27870) Roll Skia from 86b2c952ae94 to 68f560683154 (3 revisions) (cla: yes, waiting for tree to go green)
[27871](https://github.com/flutter/engine/pull/27871) Roll Skia from 68f560683154 to 9cd9d0f3de06 (1 revision) (cla: yes, waiting for tree to go green)
[27873](https://github.com/flutter/engine/pull/27873) Roll Skia from 9cd9d0f3de06 to 1b18454ba700 (1 revision) (cla: yes, waiting for tree to go green)
[27875](https://github.com/flutter/engine/pull/27875) Roll Skia from 1b18454ba700 to 6ff2b7a4e556 (1 revision) (cla: yes, waiting for tree to go green)
[27876](https://github.com/flutter/engine/pull/27876) Roll Skia from 6ff2b7a4e556 to 38d9e0e812ca (1 revision) (cla: yes, waiting for tree to go green)
[27877](https://github.com/flutter/engine/pull/27877) Add configuration for windows android aot. (cla: yes)
[27879](https://github.com/flutter/engine/pull/27879) Fix nullability of GestureSettings on ViewConfig (cla: yes, waiting for tree to go green, platform-web)
[27881](https://github.com/flutter/engine/pull/27881) Roll Skia from 38d9e0e812ca to 2cbb3f55ea7b (1 revision) (cla: yes, waiting for tree to go green)
[27883](https://github.com/flutter/engine/pull/27883) Roll Skia from 2cbb3f55ea7b to de58ca28e59d (2 revisions) (cla: yes, waiting for tree to go green)
[27885](https://github.com/flutter/engine/pull/27885) Roll Skia from de58ca28e59d to f0ffd4189742 (1 revision) (cla: yes, waiting for tree to go green)
[27886](https://github.com/flutter/engine/pull/27886) Roll Skia from f0ffd4189742 to af844c79d535 (1 revision) (cla: yes, waiting for tree to go green)
[27888](https://github.com/flutter/engine/pull/27888) Roll Skia from af844c79d535 to cef047a4904e (1 revision) (cla: yes, waiting for tree to go green)
[27889](https://github.com/flutter/engine/pull/27889) Roll Skia from cef047a4904e to 40b82c6b5c2c (3 revisions) (cla: yes, waiting for tree to go green)
[27891](https://github.com/flutter/engine/pull/27891) Roll Skia from 40b82c6b5c2c to 9fdcc517b2be (4 revisions) (cla: yes, waiting for tree to go green)
[27894](https://github.com/flutter/engine/pull/27894) Roll Skia from 9fdcc517b2be to f3868628f987 (4 revisions) (cla: yes, waiting for tree to go green)
### waiting for tree to go green - 1309 pull request(s)
[20535](https://github.com/flutter/engine/pull/20535) fuchsia: Delete unused compilation_trace code (cla: yes, waiting for tree to go green, platform-fuchsia)
[25070](https://github.com/flutter/engine/pull/25070) [iOS] Fixes crash of TextInputView when Flutter deallocated (platform-ios, waiting for customer response, cla: yes, waiting for tree to go green)
[25373](https://github.com/flutter/engine/pull/25373) Add API to the engine to support attributed text (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web)
[25389](https://github.com/flutter/engine/pull/25389) [iOS] Fixes context memory leaks when using Metal (platform-ios, cla: yes, waiting for tree to go green)
[25395](https://github.com/flutter/engine/pull/25395) Deduplicate plugin registration logic and make error logs visible - take 2 (platform-android, cla: yes, waiting for tree to go green)
[25412](https://github.com/flutter/engine/pull/25412) Windows: Add support for engine switches for WinUWP target (cla: yes, waiting for tree to go green, platform-windows)
[25446](https://github.com/flutter/engine/pull/25446) [iOS] Make FlutterEngine new method available (platform-ios, cla: yes, waiting for tree to go green)
[25465](https://github.com/flutter/engine/pull/25465) Forward a11y methods from FlutterSwitchSemanticsObject (platform-ios, cla: yes, waiting for tree to go green)
[25474](https://github.com/flutter/engine/pull/25474) Roll Fuchsia Linux SDK from 0Db2pEb0U... to R3xv3K9Hz... (cla: yes, waiting for tree to go green)
[25476](https://github.com/flutter/engine/pull/25476) Roll Fuchsia Mac SDK from a9NOB6sdo... to eV1E54W8a... (cla: yes, waiting for tree to go green)
[25477](https://github.com/flutter/engine/pull/25477) Windows: Only terminate display for last instance (cla: yes, waiting for tree to go green, platform-windows)
[25479](https://github.com/flutter/engine/pull/25479) Roll Dart SDK from 3f36938a7cff to 1fd6151bb137 (2 revisions) (cla: yes, waiting for tree to go green)
[25480](https://github.com/flutter/engine/pull/25480) Add Dart SPIR-V transpiler (cla: yes, waiting for tree to go green)
[25487](https://github.com/flutter/engine/pull/25487) Roll Skia from 5c6258287461 to b5344509a270 (9 revisions) (cla: yes, waiting for tree to go green)
[25488](https://github.com/flutter/engine/pull/25488) Roll Skia from b5344509a270 to b99622c05aa0 (2 revisions) (cla: yes, waiting for tree to go green)
[25489](https://github.com/flutter/engine/pull/25489) Roll Dart SDK from 1fd6151bb137 to 23cdf0997052 (2 revisions) (cla: yes, waiting for tree to go green)
[25490](https://github.com/flutter/engine/pull/25490) Roll Fuchsia Mac SDK from eV1E54W8a... to TSNvj5bMY... (cla: yes, waiting for tree to go green)
[25491](https://github.com/flutter/engine/pull/25491) Roll Fuchsia Linux SDK from R3xv3K9Hz... to 9ujC5zDr6... (cla: yes, waiting for tree to go green)
[25493](https://github.com/flutter/engine/pull/25493) Roll Skia from b99622c05aa0 to 3295ea8d703c (1 revision) (cla: yes, waiting for tree to go green)
[25494](https://github.com/flutter/engine/pull/25494) Roll Skia from 3295ea8d703c to 27d827820c0a (4 revisions) (cla: yes, waiting for tree to go green)
[25496](https://github.com/flutter/engine/pull/25496) Reland Dart plugin registrant (cla: yes, waiting for tree to go green)
[25497](https://github.com/flutter/engine/pull/25497) Fix bug when build_fuchsia_artifacts.py is called without --targets. (cla: yes, waiting for tree to go green, platform-fuchsia)
[25499](https://github.com/flutter/engine/pull/25499) Roll Dart SDK from 23cdf0997052 to f79253a6b189 (2 revisions) (cla: yes, waiting for tree to go green)
[25501](https://github.com/flutter/engine/pull/25501) Roll Skia from 27d827820c0a to 022636b15aff (6 revisions) (cla: yes, waiting for tree to go green)
[25504](https://github.com/flutter/engine/pull/25504) Roll Fuchsia Linux SDK from 9ujC5zDr6... to -EQHGXqib... (cla: yes, waiting for tree to go green)
[25507](https://github.com/flutter/engine/pull/25507) Roll Skia from 022636b15aff to 79aaa9b6c1c5 (5 revisions) (cla: yes, waiting for tree to go green)
[25508](https://github.com/flutter/engine/pull/25508) Roll Fuchsia Mac SDK from TSNvj5bMY... to qkWDPuWbY... (cla: yes, waiting for tree to go green)
[25509](https://github.com/flutter/engine/pull/25509) Roll Skia from 79aaa9b6c1c5 to 148f04d50e98 (1 revision) (cla: yes, waiting for tree to go green)
[25510](https://github.com/flutter/engine/pull/25510) [libTxt] resolve null leading distribution in dart:ui. (cla: yes, waiting for tree to go green, platform-web)
[25511](https://github.com/flutter/engine/pull/25511) Roll Dart SDK from f79253a6b189 to 7379283a735f (1 revision) (cla: yes, waiting for tree to go green)
[25512](https://github.com/flutter/engine/pull/25512) Roll Skia from 148f04d50e98 to a12796b42c0e (13 revisions) (cla: yes, waiting for tree to go green)
[25514](https://github.com/flutter/engine/pull/25514) Roll Skia from a12796b42c0e to 3cffe81f0d16 (4 revisions) (cla: yes, waiting for tree to go green)
[25517](https://github.com/flutter/engine/pull/25517) Roll Dart SDK from 7379283a735f to 1f827532b5ca (2 revisions) (cla: yes, waiting for tree to go green)
[25519](https://github.com/flutter/engine/pull/25519) Roll Skia from 3cffe81f0d16 to d3a1df8da790 (7 revisions) (cla: yes, waiting for tree to go green)
[25521](https://github.com/flutter/engine/pull/25521) Roll Skia from d3a1df8da790 to cd2f96dd681d (2 revisions) (cla: yes, waiting for tree to go green)
[25523](https://github.com/flutter/engine/pull/25523) FlutterView: Use default backing layer (cla: yes, waiting for tree to go green, platform-macos)
[25524](https://github.com/flutter/engine/pull/25524) Fix accent popup position (cla: yes, waiting for tree to go green, platform-macos)
[25525](https://github.com/flutter/engine/pull/25525) Roll Dart SDK from 1f827532b5ca to 5f4726d9574f (1 revision) (cla: yes, waiting for tree to go green)
[25526](https://github.com/flutter/engine/pull/25526) Fix analysis errors in text.dart (cla: yes, waiting for tree to go green)
[25527](https://github.com/flutter/engine/pull/25527) Roll Fuchsia Linux SDK from -EQHGXqib... to FieTRhouC... (cla: yes, waiting for tree to go green)
[25528](https://github.com/flutter/engine/pull/25528) Roll Fuchsia Mac SDK from qkWDPuWbY... to QCLH6ZmWl... (cla: yes, waiting for tree to go green)
[25529](https://github.com/flutter/engine/pull/25529) Roll Dart SDK from 5f4726d9574f to 7a51dacd2a59 (1 revision) (cla: yes, waiting for tree to go green)
[25530](https://github.com/flutter/engine/pull/25530) Roll Dart SDK from 7a51dacd2a59 to 3352be987525 (1 revision) (cla: yes, waiting for tree to go green)
[25531](https://github.com/flutter/engine/pull/25531) Roll Skia from cd2f96dd681d to fe91974471fd (1 revision) (cla: yes, waiting for tree to go green)
[25532](https://github.com/flutter/engine/pull/25532) Roll Skia from fe91974471fd to ee7a854b614e (1 revision) (cla: yes, waiting for tree to go green)
[25533](https://github.com/flutter/engine/pull/25533) Roll Fuchsia Linux SDK from FieTRhouC... to b08-YST9Y... (cla: yes, waiting for tree to go green)
[25534](https://github.com/flutter/engine/pull/25534) Roll Fuchsia Mac SDK from QCLH6ZmWl... to jc1NEESPY... (cla: yes, waiting for tree to go green)
[25535](https://github.com/flutter/engine/pull/25535) [Linux] revise dark theme detection (cla: yes, waiting for tree to go green, platform-linux)
[25536](https://github.com/flutter/engine/pull/25536) Roll Dart SDK from 3352be987525 to b5cd2baf642f (1 revision) (cla: yes, waiting for tree to go green)
[25537](https://github.com/flutter/engine/pull/25537) Roll Fuchsia Linux SDK from b08-YST9Y... to 3AhDN6ITO... (cla: yes, waiting for tree to go green)
[25538](https://github.com/flutter/engine/pull/25538) Roll Fuchsia Mac SDK from jc1NEESPY... to 0dM14Kk3A... (cla: yes, waiting for tree to go green)
[25539](https://github.com/flutter/engine/pull/25539) Roll Skia from ee7a854b614e to a56e553d5869 (1 revision) (cla: yes, waiting for tree to go green)
[25540](https://github.com/flutter/engine/pull/25540) WINUWP: Conditionalize plugin related wrapper (cla: yes, waiting for tree to go green, platform-windows)
[25544](https://github.com/flutter/engine/pull/25544) Reduce the warning severity for FlutterEngineGroup (platform-android, cla: yes, waiting for tree to go green)
[25548](https://github.com/flutter/engine/pull/25548) [macos] Release the copied pixel buffer after texture creation (cla: yes, waiting for tree to go green, platform-macos, embedder, cp: 2.2)
[25550](https://github.com/flutter/engine/pull/25550) Roll Skia from a56e553d5869 to d276cdfdeebd (17 revisions) (cla: yes, waiting for tree to go green)
[25553](https://github.com/flutter/engine/pull/25553) Roll Dart SDK from b5cd2baf642f to 72caeb970608 (6 revisions) (cla: yes, waiting for tree to go green)
[25556](https://github.com/flutter/engine/pull/25556) [web] Render ellipsis for overflowing text in DOM mode (cla: yes, waiting for tree to go green, platform-web)
[25557](https://github.com/flutter/engine/pull/25557) Roll Fuchsia Mac SDK from 0dM14Kk3A... to RgZnCZ5ng... (cla: yes, waiting for tree to go green)
[25558](https://github.com/flutter/engine/pull/25558) Roll Fuchsia Linux SDK from 3AhDN6ITO... to 4numS0K6T... (cla: yes, waiting for tree to go green)
[25561](https://github.com/flutter/engine/pull/25561) [web] Fix firefox crash during font loading (cla: yes, waiting for tree to go green, platform-web)
[25563](https://github.com/flutter/engine/pull/25563) Roll Skia from d276cdfdeebd to debcbbf6a8ee (22 revisions) (cla: yes, waiting for tree to go green)
[25565](https://github.com/flutter/engine/pull/25565) Roll Skia from debcbbf6a8ee to 785a3262d116 (3 revisions) (cla: yes, waiting for tree to go green)
[25566](https://github.com/flutter/engine/pull/25566) Support SKP captures in flutter_tester (cla: yes, waiting for tree to go green)
[25567](https://github.com/flutter/engine/pull/25567) Roll Dart SDK from 72caeb970608 to e8cb08ba389a (6 revisions) (cla: yes, waiting for tree to go green)
[25575](https://github.com/flutter/engine/pull/25575) change the Android FlutterEngine class doc around multiple engines (platform-android, cla: yes, waiting for tree to go green)
[25578](https://github.com/flutter/engine/pull/25578) Add more doc for how the plugin registration process works and how to customize it (platform-android, cla: yes, waiting for tree to go green)
[25589](https://github.com/flutter/engine/pull/25589) Roll Skia from 785a3262d116 to cdee12018087 (13 revisions) (cla: yes, waiting for tree to go green)
[25591](https://github.com/flutter/engine/pull/25591) Roll Dart SDK from e8cb08ba389a to 05538f0a8a5b (3 revisions) (cla: yes, waiting for tree to go green)
[25592](https://github.com/flutter/engine/pull/25592) Roll Skia from cdee12018087 to 3c1ed9cbe23d (3 revisions) (cla: yes, waiting for tree to go green)
[25593](https://github.com/flutter/engine/pull/25593) Roll Clang Mac from RW7LSJ9ld... to UStSqd7xn... (cla: yes, waiting for tree to go green)
[25594](https://github.com/flutter/engine/pull/25594) Roll Clang Linux from pRlhGPqYQ... to GiGTah6EB... (cla: yes, waiting for tree to go green)
[25599](https://github.com/flutter/engine/pull/25599) Roll Skia from 3c1ed9cbe23d to 5c5f09bc28b8 (12 revisions) (cla: yes, waiting for tree to go green)
[25600](https://github.com/flutter/engine/pull/25600) Support text editing voiceover feedback in macOS (cla: yes, waiting for tree to go green, platform-macos)
[25601](https://github.com/flutter/engine/pull/25601) [web] Remove dart language versions from engine files (cla: yes, waiting for tree to go green, platform-web)
[25604](https://github.com/flutter/engine/pull/25604) Roll Dart SDK from 05538f0a8a5b to 0b565abb0c24 (1 revision) (cla: yes, waiting for tree to go green)
[25607](https://github.com/flutter/engine/pull/25607) Roll Skia from 5c5f09bc28b8 to be834bfa2c3a (8 revisions) (cla: yes, waiting for tree to go green)
[25608](https://github.com/flutter/engine/pull/25608) Roll Skia from be834bfa2c3a to cbb60bd0b08e (1 revision) (cla: yes, waiting for tree to go green)
[25609](https://github.com/flutter/engine/pull/25609) Roll Skia from cbb60bd0b08e to 333de882b62c (2 revisions) (cla: yes, waiting for tree to go green)
[25610](https://github.com/flutter/engine/pull/25610) Roll Dart SDK from 0b565abb0c24 to eff12d77a2ad (3 revisions) (cla: yes, waiting for tree to go green)
[25613](https://github.com/flutter/engine/pull/25613) Roll Skia from 333de882b62c to 665920e9b9fb (7 revisions) (cla: yes, waiting for tree to go green)
[25618](https://github.com/flutter/engine/pull/25618) Roll Skia from 665920e9b9fb to 096226809997 (8 revisions) (cla: yes, waiting for tree to go green)
[25621](https://github.com/flutter/engine/pull/25621) Roll Skia from 096226809997 to de89bf0cd7b2 (1 revision) (cla: yes, waiting for tree to go green)
[25622](https://github.com/flutter/engine/pull/25622) Roll Skia from de89bf0cd7b2 to 1efd7fc9937c (1 revision) (cla: yes, waiting for tree to go green)
[25624](https://github.com/flutter/engine/pull/25624) Roll Skia from 1efd7fc9937c to c42f772718ad (2 revisions) (cla: yes, waiting for tree to go green)
[25625](https://github.com/flutter/engine/pull/25625) Roll Skia from c42f772718ad to e2b457ad5fab (6 revisions) (cla: yes, waiting for tree to go green)
[25627](https://github.com/flutter/engine/pull/25627) Roll Skia from e2b457ad5fab to 624a529fbd01 (11 revisions) (cla: yes, waiting for tree to go green)
[25628](https://github.com/flutter/engine/pull/25628) [Android KeyEvents] Split AndroidKeyProcessor into separate classes (platform-android, cla: yes, waiting for tree to go green)
[25630](https://github.com/flutter/engine/pull/25630) Roll Skia from 624a529fbd01 to 6e927095e1d9 (2 revisions) (cla: yes, waiting for tree to go green)
[25631](https://github.com/flutter/engine/pull/25631) Roll Skia from 6e927095e1d9 to 68072a46765b (1 revision) (cla: yes, waiting for tree to go green)
[25634](https://github.com/flutter/engine/pull/25634) Roll Skia from 68072a46765b to d0ca961bd22c (1 revision) (cla: yes, waiting for tree to go green)
[25636](https://github.com/flutter/engine/pull/25636) Roll Skia from d0ca961bd22c to 66aed2136b87 (1 revision) (cla: yes, waiting for tree to go green)
[25637](https://github.com/flutter/engine/pull/25637) Roll Skia from 66aed2136b87 to 163ba10ddefa (1 revision) (cla: yes, waiting for tree to go green)
[25638](https://github.com/flutter/engine/pull/25638) Roll Skia from 163ba10ddefa to 9d4741370cf1 (1 revision) (cla: yes, waiting for tree to go green)
[25640](https://github.com/flutter/engine/pull/25640) Roll Skia from 9d4741370cf1 to be82005209c0 (1 revision) (cla: yes, waiting for tree to go green)
[25644](https://github.com/flutter/engine/pull/25644) Wire up Metal shader precompilation from offline training runs. (cla: yes, waiting for tree to go green)
[25646](https://github.com/flutter/engine/pull/25646) Remove if from `lerp.dart` docs (cla: yes, waiting for tree to go green)
[25648](https://github.com/flutter/engine/pull/25648) Roll Skia from be82005209c0 to 59f1a9cb7a34 (5 revisions) (cla: yes, waiting for tree to go green)
[25652](https://github.com/flutter/engine/pull/25652) Roll Skia from 59f1a9cb7a34 to e49703faf265 (9 revisions) (cla: yes, waiting for tree to go green)
[25653](https://github.com/flutter/engine/pull/25653) Start microtasks only in non-test envs (platform-ios, cla: yes, waiting for tree to go green, platform-fuchsia)
[25656](https://github.com/flutter/engine/pull/25656) Roll Skia from e49703faf265 to 8ced56f05f2c (5 revisions) (cla: yes, waiting for tree to go green)
[25657](https://github.com/flutter/engine/pull/25657) Library and Class ctor from the next dart roll requires fileUri (cla: yes, waiting for tree to go green)
[25660](https://github.com/flutter/engine/pull/25660) Roll Skia from 8ced56f05f2c to 9d11cbdef854 (1 revision) (cla: yes, waiting for tree to go green)
[25661](https://github.com/flutter/engine/pull/25661) Provide a stub platform view embedder for tester to avoid emitting errors (cla: yes, waiting for tree to go green)
[25665](https://github.com/flutter/engine/pull/25665) Roll Dart SDK from eff12d77a2ad to d05e7fc462ba (10 revisions) (cla: yes, waiting for tree to go green)
[25666](https://github.com/flutter/engine/pull/25666) TalkBack shouldn't announce platform views that aren't in the a11y tree (platform-android, cla: yes, waiting for tree to go green)
[25667](https://github.com/flutter/engine/pull/25667) Roll Skia from 9d11cbdef854 to d8c2750cf607 (1 revision) (cla: yes, waiting for tree to go green)
[25668](https://github.com/flutter/engine/pull/25668) Roll Skia from d8c2750cf607 to d9bf97c5e249 (2 revisions) (cla: yes, waiting for tree to go green)
[25674](https://github.com/flutter/engine/pull/25674) Roll Skia from d9bf97c5e249 to fb5865e6509c (1 revision) (cla: yes, waiting for tree to go green)
[25676](https://github.com/flutter/engine/pull/25676) Roll Skia from fb5865e6509c to 647563879004 (8 revisions) (cla: yes, waiting for tree to go green)
[25677](https://github.com/flutter/engine/pull/25677) Roll Skia from 647563879004 to 94df572a1374 (5 revisions) (cla: yes, waiting for tree to go green)
[25678](https://github.com/flutter/engine/pull/25678) Roll Skia from 94df572a1374 to e05860862631 (2 revisions) (cla: yes, waiting for tree to go green)
[25682](https://github.com/flutter/engine/pull/25682) Roll Skia from e05860862631 to d0ef90769b47 (2 revisions) (cla: yes, waiting for tree to go green)
[25684](https://github.com/flutter/engine/pull/25684) Roll Skia from d0ef90769b47 to 04c82165b1c7 (3 revisions) (cla: yes, waiting for tree to go green)
[25685](https://github.com/flutter/engine/pull/25685) Roll Skia from 04c82165b1c7 to 5ba330cd1324 (1 revision) (cla: yes, waiting for tree to go green)
[25686](https://github.com/flutter/engine/pull/25686) Roll Skia from 5ba330cd1324 to c34dc525fc09 (2 revisions) (cla: yes, waiting for tree to go green)
[25689](https://github.com/flutter/engine/pull/25689) Roll Skia from c34dc525fc09 to e7dfbfea1f39 (1 revision) (cla: yes, waiting for tree to go green)
[25691](https://github.com/flutter/engine/pull/25691) Roll Skia from e7dfbfea1f39 to 9a56eb70638a (4 revisions) (cla: yes, waiting for tree to go green)
[25692](https://github.com/flutter/engine/pull/25692) Reland "TaskSources register tasks with MessageLoopTaskQueues dispatcher" (cla: yes, waiting for tree to go green, embedder)
[25693](https://github.com/flutter/engine/pull/25693) Roll Skia from 9a56eb70638a to 8676ebe35045 (2 revisions) (cla: yes, waiting for tree to go green)
[25694](https://github.com/flutter/engine/pull/25694) Roll Skia from 8676ebe35045 to 5d627f3eba1c (3 revisions) (cla: yes, waiting for tree to go green)
[25697](https://github.com/flutter/engine/pull/25697) Roll Skia from 5d627f3eba1c to 716aeb900849 (13 revisions) (cla: yes, waiting for tree to go green)
[25698](https://github.com/flutter/engine/pull/25698) fix AccessibilityBridgeMacDelegate to grab nswindow from appdelegate (cla: yes, waiting for tree to go green, platform-macos)
[25699](https://github.com/flutter/engine/pull/25699) Roll Skia from 716aeb900849 to 7111881617a1 (2 revisions) (cla: yes, waiting for tree to go green)
[25711](https://github.com/flutter/engine/pull/25711) Roll Skia from 7111881617a1 to 071182ed1da5 (22 revisions) (cla: yes, waiting for tree to go green)
[25712](https://github.com/flutter/engine/pull/25712) Roll Skia from 071182ed1da5 to 82007f568d90 (4 revisions) (cla: yes, waiting for tree to go green)
[25714](https://github.com/flutter/engine/pull/25714) Roll Clang Linux from GiGTah6EB... to zRvL_ACCG... (cla: yes, waiting for tree to go green)
[25715](https://github.com/flutter/engine/pull/25715) Roll Clang Mac from UStSqd7xn... to bf4GDBSQE... (cla: yes, waiting for tree to go green)
[25717](https://github.com/flutter/engine/pull/25717) Roll Skia from 82007f568d90 to 395274e664cf (7 revisions) (cla: yes, waiting for tree to go green)
[25718](https://github.com/flutter/engine/pull/25718) Roll Dart SDK from d05e7fc462ba to 7f16d6f67d91 (14 revisions) (cla: yes, waiting for tree to go green)
[25719](https://github.com/flutter/engine/pull/25719) Roll Skia from 395274e664cf to 7b60deedbd98 (1 revision) (cla: yes, waiting for tree to go green)
[25720](https://github.com/flutter/engine/pull/25720) Roll Skia from 7b60deedbd98 to 94d3dd82f350 (3 revisions) (cla: yes, waiting for tree to go green)
[25721](https://github.com/flutter/engine/pull/25721) Roll Dart SDK from 7f16d6f67d91 to 805527e063af (1 revision) (cla: yes, waiting for tree to go green)
[25722](https://github.com/flutter/engine/pull/25722) Roll Skia from 94d3dd82f350 to 7b8f14991dae (1 revision) (cla: yes, waiting for tree to go green)
[25723](https://github.com/flutter/engine/pull/25723) Roll Dart SDK from 805527e063af to 4ead30825322 (1 revision) (cla: yes, waiting for tree to go green)
[25725](https://github.com/flutter/engine/pull/25725) Roll Skia from 7b8f14991dae to 7978abafee41 (1 revision) (cla: yes, waiting for tree to go green)
[25730](https://github.com/flutter/engine/pull/25730) Roll Skia from 7978abafee41 to 600bc360ff01 (5 revisions) (cla: yes, waiting for tree to go green)
[25731](https://github.com/flutter/engine/pull/25731) Roll Dart SDK from 4ead30825322 to b207c9873e6c (1 revision) (cla: yes, waiting for tree to go green)
[25733](https://github.com/flutter/engine/pull/25733) Roll Skia from 600bc360ff01 to 92934d75284d (3 revisions) (cla: yes, waiting for tree to go green)
[25734](https://github.com/flutter/engine/pull/25734) [canvaskit] Implement TextHeightBehavior (cla: yes, waiting for tree to go green, platform-web)
[25735](https://github.com/flutter/engine/pull/25735) Roll Skia from 92934d75284d to 9a0da785a5ba (4 revisions) (cla: yes, waiting for tree to go green)
[25737](https://github.com/flutter/engine/pull/25737) Use GN instead of Ninja to generate compile commands and save ~1sec off of no-op builds. (cla: yes, waiting for tree to go green)
[25738](https://github.com/flutter/engine/pull/25738) Fixes ios accessibility send focus request to an unfocusable node (platform-ios, cla: yes, waiting for tree to go green)
[25739](https://github.com/flutter/engine/pull/25739) Allow dumping trace information during GN calls. (cla: yes, waiting for tree to go green)
[25740](https://github.com/flutter/engine/pull/25740) Roll Skia from 9a0da785a5ba to 48f106501cd2 (3 revisions) (cla: yes, waiting for tree to go green)
[25741](https://github.com/flutter/engine/pull/25741) [CanvasKit] Support all TextHeightStyles (cla: yes, waiting for tree to go green, platform-web)
[25744](https://github.com/flutter/engine/pull/25744) Roll Skia from 48f106501cd2 to 1dcf46359c5a (3 revisions) (cla: yes, waiting for tree to go green)
[25746](https://github.com/flutter/engine/pull/25746) Roll Dart SDK from b207c9873e6c to cbffcce7200e (2 revisions) (cla: yes, waiting for tree to go green)
[25747](https://github.com/flutter/engine/pull/25747) [web] Render PlatformViews with SLOT tags. (cla: yes, waiting for tree to go green, platform-web)
[25748](https://github.com/flutter/engine/pull/25748) Roll Skia from 1dcf46359c5a to 08c660890718 (1 revision) (cla: yes, waiting for tree to go green)
[25750](https://github.com/flutter/engine/pull/25750) [fuchsia] Remove now unsed wrapper for zx_clock_get (cla: yes, waiting for tree to go green, platform-fuchsia)
[25751](https://github.com/flutter/engine/pull/25751) Roll Skia from 08c660890718 to d7872aca1d6c (1 revision) (cla: yes, waiting for tree to go green)
[25752](https://github.com/flutter/engine/pull/25752) Roll Dart SDK from cbffcce7200e to af7f6ca66d16 (1 revision) (cla: yes, waiting for tree to go green)
[25753](https://github.com/flutter/engine/pull/25753) Roll Dart SDK from af7f6ca66d16 to 9948dbd6786f (1 revision) (cla: yes, waiting for tree to go green)
[25754](https://github.com/flutter/engine/pull/25754) Roll Skia from d7872aca1d6c to 5d8a09ebff9c (1 revision) (cla: yes, waiting for tree to go green)
[25755](https://github.com/flutter/engine/pull/25755) Roll Dart SDK from 9948dbd6786f to 3ef1518441e1 (1 revision) (cla: yes, waiting for tree to go green)
[25756](https://github.com/flutter/engine/pull/25756) Roll Dart SDK from 3ef1518441e1 to 1d1bde67c094 (1 revision) (cla: yes, waiting for tree to go green)
[25757](https://github.com/flutter/engine/pull/25757) Do not use android_context after it is std::moved in the PlatformViewAndroid constructor (platform-android, cla: yes, waiting for tree to go green)
[25758](https://github.com/flutter/engine/pull/25758) Ensure stdout and stderr from failed test runs are reported from `run_tests.py`. (cla: yes, waiting for tree to go green)
[25759](https://github.com/flutter/engine/pull/25759) Roll Skia from 5d8a09ebff9c to 08ea02560710 (1 revision) (cla: yes, waiting for tree to go green)
[25760](https://github.com/flutter/engine/pull/25760) Use "blur_sigma" instead of "blur_radius" in Shadow. (cla: yes, waiting for tree to go green)
[25761](https://github.com/flutter/engine/pull/25761) Roll Skia from 08ea02560710 to 4df5672a5b7f (1 revision) (cla: yes, waiting for tree to go green)
[25763](https://github.com/flutter/engine/pull/25763) Roll Dart SDK from 1d1bde67c094 to cb00fcef63bd (1 revision) (cla: yes, waiting for tree to go green)
[25764](https://github.com/flutter/engine/pull/25764) Roll Dart SDK from cb00fcef63bd to 0546ef689975 (1 revision) (cla: yes, waiting for tree to go green)
[25765](https://github.com/flutter/engine/pull/25765) Roll Skia from 4df5672a5b7f to 467103022f9b (2 revisions) (cla: yes, waiting for tree to go green)
[25766](https://github.com/flutter/engine/pull/25766) Roll Skia from 467103022f9b to adcf2ef54ec6 (2 revisions) (cla: yes, waiting for tree to go green)
[25767](https://github.com/flutter/engine/pull/25767) Roll Skia from adcf2ef54ec6 to c36aae31a446 (1 revision) (cla: yes, waiting for tree to go green)
[25768](https://github.com/flutter/engine/pull/25768) Roll Dart SDK from 0546ef689975 to 4b6978f8afef (1 revision) (cla: yes, waiting for tree to go green)
[25770](https://github.com/flutter/engine/pull/25770) Fix crash when FlutterFragmentActivity is recreated with an existing FlutterFragment (platform-android, cla: yes, waiting for tree to go green)
[25771](https://github.com/flutter/engine/pull/25771) Get FTL test running again (cla: yes, waiting for tree to go green)
[25773](https://github.com/flutter/engine/pull/25773) Roll Skia from c36aae31a446 to 8e3bca639bce (15 revisions) (cla: yes, waiting for tree to go green)
[25774](https://github.com/flutter/engine/pull/25774) Roll Skia from 8e3bca639bce to 2cc6538c601a (1 revision) (cla: yes, waiting for tree to go green)
[25775](https://github.com/flutter/engine/pull/25775) Roll Dart SDK from 4b6978f8afef to d688c837d18f (2 revisions) (cla: yes, waiting for tree to go green)
[25776](https://github.com/flutter/engine/pull/25776) Roll Skia from 2cc6538c601a to f6051bdba093 (1 revision) (cla: yes, waiting for tree to go green)
[25777](https://github.com/flutter/engine/pull/25777) add `TextLeadingDistribution` to webui `TextStyle` (cla: yes, waiting for tree to go green, platform-web)
[25778](https://github.com/flutter/engine/pull/25778) Roll Skia from f6051bdba093 to e6318b557a29 (2 revisions) (cla: yes, waiting for tree to go green)
[25779](https://github.com/flutter/engine/pull/25779) Roll Dart SDK from d688c837d18f to ecdb943b5ed5 (1 revision) (cla: yes, waiting for tree to go green)
[25780](https://github.com/flutter/engine/pull/25780) Roll Dart SDK from ecdb943b5ed5 to 1e3e5efcd47e (1 revision) (cla: yes, waiting for tree to go green)
[25781](https://github.com/flutter/engine/pull/25781) Roll Skia from e6318b557a29 to 827dab407ec0 (1 revision) (cla: yes, waiting for tree to go green)
[25785](https://github.com/flutter/engine/pull/25785) [Engine] Support for Android Fullscreen Modes (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-fuchsia)
[25786](https://github.com/flutter/engine/pull/25786) Manual Skia roll to be1c99658979972e87cad02e9e5b979c190f2c99 (cla: yes, waiting for tree to go green)
[25794](https://github.com/flutter/engine/pull/25794) Roll Skia from be1c99658979 to b7223e1269f2 (12 revisions) (cla: yes, waiting for tree to go green)
[25796](https://github.com/flutter/engine/pull/25796) Roll Skia from b7223e1269f2 to 3386533c20fe (5 revisions) (cla: yes, waiting for tree to go green)
[25798](https://github.com/flutter/engine/pull/25798) Roll Skia from 3386533c20fe to ae33954b4932 (1 revision) (cla: yes, waiting for tree to go green)
[25801](https://github.com/flutter/engine/pull/25801) Roll Skia from ae33954b4932 to 66bce0c26f97 (2 revisions) (cla: yes, waiting for tree to go green)
[25803](https://github.com/flutter/engine/pull/25803) Roll Skia from 66bce0c26f97 to 421c360abe76 (2 revisions) (cla: yes, waiting for tree to go green)
[25807](https://github.com/flutter/engine/pull/25807) Roll Skia from 421c360abe76 to 91216673f726 (1 revision) (cla: yes, waiting for tree to go green)
[25811](https://github.com/flutter/engine/pull/25811) Roll Skia from 91216673f726 to d1c9e52144bc (1 revision) (cla: yes, waiting for tree to go green)
[25813](https://github.com/flutter/engine/pull/25813) Roll Skia from d1c9e52144bc to ffeef16664ea (4 revisions) (cla: yes, waiting for tree to go green)
[25818](https://github.com/flutter/engine/pull/25818) Roll Skia from ffeef16664ea to 27c4202f4bd6 (1 revision) (cla: yes, waiting for tree to go green)
[25819](https://github.com/flutter/engine/pull/25819) Enable JIT memory protection on macOS (cla: yes, waiting for tree to go green)
[25822](https://github.com/flutter/engine/pull/25822) Roll Dart SDK from 1e3e5efcd47e to 8bab67dad50b (8 revisions) (cla: yes, waiting for tree to go green)
[25823](https://github.com/flutter/engine/pull/25823) Roll Skia from 27c4202f4bd6 to 65d7ab2c074a (1 revision) (cla: yes, waiting for tree to go green)
[25825](https://github.com/flutter/engine/pull/25825) Roll Skia from 65d7ab2c074a to 958a9395e6ca (2 revisions) (cla: yes, waiting for tree to go green)
[25826](https://github.com/flutter/engine/pull/25826) Fix and re-enable flaky test `MessageLoopTaskQueue::ConcurrentQueueAndTaskCreatingCounts`. (cla: yes, waiting for tree to go green)
[25827](https://github.com/flutter/engine/pull/25827) Avoid calling Dart_HintFreed more than once every five seconds (cla: yes, waiting for tree to go green)
[25829](https://github.com/flutter/engine/pull/25829) Roll Dart SDK from 8bab67dad50b to 21aa7f8cbde8 (1 revision) (cla: yes, waiting for tree to go green)
[25832](https://github.com/flutter/engine/pull/25832) Roll Dart SDK from 21aa7f8cbde8 to 90993fcb8554 (1 revision) (cla: yes, waiting for tree to go green)
[25833](https://github.com/flutter/engine/pull/25833) Roll Skia from 958a9395e6ca to fa06f102f13b (4 revisions) (cla: yes, waiting for tree to go green)
[25834](https://github.com/flutter/engine/pull/25834) Roll Dart SDK from 90993fcb8554 to b5ff349bffc8 (1 revision) (cla: yes, waiting for tree to go green)
[25835](https://github.com/flutter/engine/pull/25835) Roll Skia from fa06f102f13b to 83dae92318b3 (1 revision) (cla: yes, waiting for tree to go green)
[25836](https://github.com/flutter/engine/pull/25836) Roll Skia from 83dae92318b3 to 2b8fd2e8e010 (4 revisions) (cla: yes, waiting for tree to go green)
[25837](https://github.com/flutter/engine/pull/25837) Roll Dart SDK from b5ff349bffc8 to a45eaf6402c3 (1 revision) (cla: yes, waiting for tree to go green)
[25838](https://github.com/flutter/engine/pull/25838) Roll Skia from 2b8fd2e8e010 to fb7d378a1ac1 (5 revisions) (cla: yes, waiting for tree to go green)
[25844](https://github.com/flutter/engine/pull/25844) Roll Skia from fb7d378a1ac1 to 8c281fbd03fe (15 revisions) (cla: yes, waiting for tree to go green)
[25845](https://github.com/flutter/engine/pull/25845) Roll Skia from 8c281fbd03fe to a9d3cfbda22c (3 revisions) (cla: yes, waiting for tree to go green)
[25846](https://github.com/flutter/engine/pull/25846) Roll Skia from a9d3cfbda22c to 3934647d225a (1 revision) (cla: yes, waiting for tree to go green)
[25848](https://github.com/flutter/engine/pull/25848) Roll Skia from 3934647d225a to e74638b83f1b (1 revision) (cla: yes, waiting for tree to go green)
[25849](https://github.com/flutter/engine/pull/25849) Roll Skia from e74638b83f1b to 013a9b7920e2 (1 revision) (cla: yes, waiting for tree to go green)
[25852](https://github.com/flutter/engine/pull/25852) Roll Skia from 013a9b7920e2 to 00a199282e4b (2 revisions) (cla: yes, waiting for tree to go green)
[25854](https://github.com/flutter/engine/pull/25854) Roll Skia from 00a199282e4b to e4c4322da6bb (1 revision) (cla: yes, waiting for tree to go green)
[25855](https://github.com/flutter/engine/pull/25855) Roll Skia from e4c4322da6bb to 14efdd3d50db (5 revisions) (cla: yes, waiting for tree to go green)
[25857](https://github.com/flutter/engine/pull/25857) Roll Skia from 14efdd3d50db to 3010f3d79193 (4 revisions) (cla: yes, waiting for tree to go green)
[25859](https://github.com/flutter/engine/pull/25859) Roll Skia from 3010f3d79193 to 5276ba274b38 (1 revision) (cla: yes, waiting for tree to go green)
[25860](https://github.com/flutter/engine/pull/25860) Moved PlatformMessage's to unique_ptrs (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-fuchsia, embedder)
[25861](https://github.com/flutter/engine/pull/25861) Roll Dart SDK from 1e3e5efcd47e to 6397e8b91103 (18 revisions) (cla: yes, waiting for tree to go green)
[25862](https://github.com/flutter/engine/pull/25862) Roll Skia from 5276ba274b38 to 31fddc376993 (14 revisions) (cla: yes, waiting for tree to go green)
[25865](https://github.com/flutter/engine/pull/25865) Roll Skia from 31fddc376993 to 097263bb5089 (1 revision) (cla: yes, waiting for tree to go green)
[25869](https://github.com/flutter/engine/pull/25869) Roll Dart SDK from 6397e8b91103 to ee8eb0a65efa (1 revision) (cla: yes, waiting for tree to go green)
[25870](https://github.com/flutter/engine/pull/25870) Roll Skia from 097263bb5089 to 5dfb3f40684b (1 revision) (cla: yes, waiting for tree to go green)
[25871](https://github.com/flutter/engine/pull/25871) Enable avoid_escaping_inner_quotes lint (cla: yes, waiting for tree to go green)
[25872](https://github.com/flutter/engine/pull/25872) Roll Dart SDK from ee8eb0a65efa to 8c109a734bdc (1 revision) (cla: yes, waiting for tree to go green)
[25873](https://github.com/flutter/engine/pull/25873) Roll Dart SDK from 8c109a734bdc to b98a1eec5eb5 (1 revision) (cla: yes, waiting for tree to go green)
[25874](https://github.com/flutter/engine/pull/25874) Roll Dart SDK from b98a1eec5eb5 to 6ecae204598d (1 revision) (cla: yes, waiting for tree to go green)
[25876](https://github.com/flutter/engine/pull/25876) Roll Skia from 5dfb3f40684b to 5c95bcb48b9b (1 revision) (cla: yes, waiting for tree to go green)
[25877](https://github.com/flutter/engine/pull/25877) Roll Dart SDK from 6ecae204598d to 3cc6cdab8eaf (2 revisions) (cla: yes, waiting for tree to go green)
[25880](https://github.com/flutter/engine/pull/25880) Roll Skia from 5c95bcb48b9b to c779d432f336 (1 revision) (cla: yes, waiting for tree to go green)
[25881](https://github.com/flutter/engine/pull/25881) Roll Skia from c779d432f336 to ff8b52df55ff (2 revisions) (cla: yes, waiting for tree to go green)
[25884](https://github.com/flutter/engine/pull/25884) Implement smooth resizing for Linux (cla: yes, waiting for tree to go green, platform-linux)
[25885](https://github.com/flutter/engine/pull/25885) Roll Dart SDK from 3cc6cdab8eaf to b8f4018535fa (2 revisions) (cla: yes, waiting for tree to go green)
[25886](https://github.com/flutter/engine/pull/25886) Roll Skia from ff8b52df55ff to ec79349bad50 (1 revision) (cla: yes, waiting for tree to go green)
[25888](https://github.com/flutter/engine/pull/25888) Roll Skia from ec79349bad50 to 671177905d22 (4 revisions) (cla: yes, waiting for tree to go green)
[25891](https://github.com/flutter/engine/pull/25891) Roll Skia from 671177905d22 to 75b43ce6ccd3 (1 revision) (cla: yes, waiting for tree to go green)
[25892](https://github.com/flutter/engine/pull/25892) Streamline frame timings recording (cla: yes, waiting for tree to go green)
[25894](https://github.com/flutter/engine/pull/25894) Roll Fuchsia Mac SDK from RgZnCZ5ng... to uQgs5ZmFq... (cla: yes, waiting for tree to go green)
[25897](https://github.com/flutter/engine/pull/25897) Roll Skia from 75b43ce6ccd3 to bf688645acf9 (6 revisions) (cla: yes, waiting for tree to go green)
[25899](https://github.com/flutter/engine/pull/25899) Ensure that AutoIsolateShutdown drops its reference to the DartIsolate on the intended task runner (cla: yes, waiting for tree to go green)
[25900](https://github.com/flutter/engine/pull/25900) Fix composition when multiple platform views and layers are combined (platform-android, cla: yes, waiting for tree to go green)
[25904](https://github.com/flutter/engine/pull/25904) Roll Skia from bf688645acf9 to 537293bf155f (1 revision) (cla: yes, waiting for tree to go green)
[25905](https://github.com/flutter/engine/pull/25905) Roll Skia from 537293bf155f to adadb95a9f1e (1 revision) (cla: yes, waiting for tree to go green)
[25907](https://github.com/flutter/engine/pull/25907) pull googletest from github instead of fuchsia.googlesource (cla: yes, waiting for tree to go green)
[25918](https://github.com/flutter/engine/pull/25918) Exclude third_party/dart/third_party/devtools from the license script (cla: yes, waiting for tree to go green)
[25924](https://github.com/flutter/engine/pull/25924) Delete unused method from engine_layer.h (cla: yes, waiting for tree to go green)
[25940](https://github.com/flutter/engine/pull/25940) Remove unused parameter in flutter application info loader (platform-android, cla: yes, waiting for tree to go green)
[25943](https://github.com/flutter/engine/pull/25943) Update documentation for embedding SplashScreen (platform-android, cla: yes, waiting for tree to go green)
[25957](https://github.com/flutter/engine/pull/25957) [web] Resolve OS as iOs for iDevice Safari requesting desktop version of app. (cla: yes, waiting for tree to go green, platform-web)
[25982](https://github.com/flutter/engine/pull/25982) Web ImageFilter.matrix support (cla: yes, waiting for tree to go green, platform-web)
[25985](https://github.com/flutter/engine/pull/25985) Add an allowlist flag for Skia trace event categories (cla: yes, waiting for tree to go green)
[25988](https://github.com/flutter/engine/pull/25988) Platform channels, eliminate objc copies (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-macos, platform-fuchsia, embedder)
[25991](https://github.com/flutter/engine/pull/25991) Make SceneBuilder.push* not return nullable objects (cla: yes, waiting for tree to go green, platform-web)
[25999](https://github.com/flutter/engine/pull/25999) Roll Dart SDK from b8f4018535fa to 86c749398b3a (16 revisions) (cla: yes, waiting for tree to go green)
[26001](https://github.com/flutter/engine/pull/26001) Roll Fuchsia Mac SDK from uQgs5ZmFq... to aCsEHpnS0... (cla: yes, waiting for tree to go green)
[26006](https://github.com/flutter/engine/pull/26006) Roll Dart SDK from 86c749398b3a to b4210cc43086 (2 revisions) (cla: yes, waiting for tree to go green)
[26009](https://github.com/flutter/engine/pull/26009) Roll Skia from adadb95a9f1e to 1dc2d0fe0fa0 (98 revisions) (cla: yes, waiting for tree to go green)
[26012](https://github.com/flutter/engine/pull/26012) Roll Skia from 1dc2d0fe0fa0 to 115645ee9b1b (2 revisions) (cla: yes, waiting for tree to go green)
[26018](https://github.com/flutter/engine/pull/26018) Roll Skia from 115645ee9b1b to c411429239e9 (7 revisions) (cla: yes, waiting for tree to go green)
[26019](https://github.com/flutter/engine/pull/26019) Use pub get --offline for flutter_frontend_server and const_finder (cla: yes, waiting for tree to go green)
[26020](https://github.com/flutter/engine/pull/26020) Roll Dart SDK from b4210cc43086 to 04e55dad908d (2 revisions) (cla: yes, waiting for tree to go green)
[26022](https://github.com/flutter/engine/pull/26022) Roll Fuchsia Mac SDK from aCsEHpnS0... to OyXxehV6e... (cla: yes, waiting for tree to go green)
[26023](https://github.com/flutter/engine/pull/26023) Roll Fuchsia Linux SDK from 4numS0K6T... to -FIIsjZj2... (cla: yes, waiting for tree to go green)
[26024](https://github.com/flutter/engine/pull/26024) Roll Skia from c411429239e9 to 72de83df3a03 (1 revision) (cla: yes, waiting for tree to go green)
[26025](https://github.com/flutter/engine/pull/26025) Roll Skia from 72de83df3a03 to dabb2891c4a1 (4 revisions) (cla: yes, waiting for tree to go green)
[26026](https://github.com/flutter/engine/pull/26026) Return a maximum nanoseconds value in FlutterDesktopEngineProcessMessages (cla: yes, waiting for tree to go green, platform-windows)
[26027](https://github.com/flutter/engine/pull/26027) Roll Dart SDK from 04e55dad908d to 094c9024373c (1 revision) (cla: yes, waiting for tree to go green)
[26030](https://github.com/flutter/engine/pull/26030) Roll Dart SDK from 094c9024373c to 2ea89ef8f6de (1 revision) (cla: yes, waiting for tree to go green)
[26034](https://github.com/flutter/engine/pull/26034) Roll Fuchsia Linux SDK from -FIIsjZj2... to KZCe5FqMb... (cla: yes, waiting for tree to go green)
[26035](https://github.com/flutter/engine/pull/26035) Roll Fuchsia Mac SDK from OyXxehV6e... to DSk0IzBHv... (cla: yes, waiting for tree to go green)
[26036](https://github.com/flutter/engine/pull/26036) Roll Skia from dabb2891c4a1 to 686dd910dd6c (1 revision) (cla: yes, waiting for tree to go green)
[26041](https://github.com/flutter/engine/pull/26041) Roll Skia from 686dd910dd6c to ab1ec37ff32c (2 revisions) (cla: yes, waiting for tree to go green)
[26042](https://github.com/flutter/engine/pull/26042) Roll Fuchsia Mac SDK from DSk0IzBHv... to 3lWeNvs3G... (cla: yes, waiting for tree to go green)
[26043](https://github.com/flutter/engine/pull/26043) Roll Fuchsia Linux SDK from KZCe5FqMb... to ZYimHxg7C... (cla: yes, waiting for tree to go green)
[26045](https://github.com/flutter/engine/pull/26045) Roll Fuchsia Mac SDK from 3lWeNvs3G... to 4VJj6gJdU... (cla: yes, waiting for tree to go green)
[26046](https://github.com/flutter/engine/pull/26046) Roll Fuchsia Linux SDK from ZYimHxg7C... to 4fB2dR4mP... (cla: yes, waiting for tree to go green)
[26047](https://github.com/flutter/engine/pull/26047) Roll Skia from ab1ec37ff32c to 799658f5c22d (12 revisions) (cla: yes, waiting for tree to go green)
[26050](https://github.com/flutter/engine/pull/26050) Add support for zx_channel_write_etc and zx_channel_read_etc. (cla: yes, waiting for tree to go green, platform-fuchsia)
[26058](https://github.com/flutter/engine/pull/26058) Roll Skia from 799658f5c22d to 99ebb17aeda8 (9 revisions) (cla: yes, waiting for tree to go green)
[26060](https://github.com/flutter/engine/pull/26060) Roll Skia from 99ebb17aeda8 to dc753cfc65ec (3 revisions) (cla: yes, waiting for tree to go green)
[26061](https://github.com/flutter/engine/pull/26061) Roll Skia from dc753cfc65ec to cb41df0bfad4 (1 revision) (cla: yes, waiting for tree to go green)
[26064](https://github.com/flutter/engine/pull/26064) Roll Skia from cb41df0bfad4 to abdffd5d0055 (3 revisions) (cla: yes, waiting for tree to go green)
[26065](https://github.com/flutter/engine/pull/26065) Roll Fuchsia Linux SDK from 4fB2dR4mP... to BTHMLi6Sh... (cla: yes, waiting for tree to go green)
[26066](https://github.com/flutter/engine/pull/26066) Roll Skia from abdffd5d0055 to bb006430ae82 (1 revision) (cla: yes, waiting for tree to go green)
[26068](https://github.com/flutter/engine/pull/26068) Roll Fuchsia Mac SDK from 4VJj6gJdU... to TJX7h698s... (cla: yes, waiting for tree to go green)
[26069](https://github.com/flutter/engine/pull/26069) Roll Skia from bb006430ae82 to 96bc12d19b9e (3 revisions) (cla: yes, waiting for tree to go green)
[26071](https://github.com/flutter/engine/pull/26071) Roll Skia from 96bc12d19b9e to 7c328b4b42c5 (5 revisions) (cla: yes, waiting for tree to go green)
[26074](https://github.com/flutter/engine/pull/26074) SceneBuilder.addPicture returns the layer (cla: yes, waiting for tree to go green, platform-web)
[26075](https://github.com/flutter/engine/pull/26075) Manual SDK roll for DevTools SDK integration (cla: yes, waiting for tree to go green)
[26077](https://github.com/flutter/engine/pull/26077) Get licenses check deps from gclient rather than pub (cla: yes, waiting for tree to go green)
[26079](https://github.com/flutter/engine/pull/26079) Roll Skia from 7c328b4b42c5 to 0c9962a7c8a5 (15 revisions) (cla: yes, waiting for tree to go green)
[26081](https://github.com/flutter/engine/pull/26081) Make 3xH bot script happy (cla: yes, waiting for tree to go green)
[26082](https://github.com/flutter/engine/pull/26082) Roll Fuchsia Linux SDK from BTHMLi6Sh... to 1PbnXEErn... (cla: yes, waiting for tree to go green)
[26083](https://github.com/flutter/engine/pull/26083) Fix splash screen with theme references crash on Android API 21 (platform-android, cla: yes, waiting for tree to go green)
[26084](https://github.com/flutter/engine/pull/26084) Roll Skia from 0c9962a7c8a5 to 8fac6c13fa59 (3 revisions) (cla: yes, waiting for tree to go green)
[26086](https://github.com/flutter/engine/pull/26086) Roll Dart SDK from b99466d472e3 to d59cb89f73fe (1340 revisions) (cla: yes, waiting for tree to go green)
[26087](https://github.com/flutter/engine/pull/26087) Roll Fuchsia Mac SDK from TJX7h698s... to GNyjTge9c... (cla: yes, waiting for tree to go green)
[26088](https://github.com/flutter/engine/pull/26088) Roll Skia from 8fac6c13fa59 to c1b6b6c615a7 (1 revision) (cla: yes, waiting for tree to go green)
[26089](https://github.com/flutter/engine/pull/26089) Roll Skia from c1b6b6c615a7 to d9a7c5953df3 (2 revisions) (cla: yes, waiting for tree to go green)
[26090](https://github.com/flutter/engine/pull/26090) Roll Dart SDK from d59cb89f73fe to 934cc986926d (1 revision) (cla: yes, waiting for tree to go green)
[26091](https://github.com/flutter/engine/pull/26091) Roll Fuchsia Linux SDK from 1PbnXEErn... to MoY7UVVro... (cla: yes, waiting for tree to go green)
[26093](https://github.com/flutter/engine/pull/26093) Roll Skia from d9a7c5953df3 to 827bb729a84d (2 revisions) (cla: yes, waiting for tree to go green)
[26096](https://github.com/flutter/engine/pull/26096) Roll Skia from d9a7c5953df3 to 827bb729a84d (2 revisions) (cla: yes, waiting for tree to go green)
[26097](https://github.com/flutter/engine/pull/26097) Roll Skia from 827bb729a84d to 433d25c947e4 (3 revisions) (cla: yes, waiting for tree to go green)
[26100](https://github.com/flutter/engine/pull/26100) Roll Skia from 433d25c947e4 to 0270bf5d10be (5 revisions) (cla: yes, waiting for tree to go green)
[26101](https://github.com/flutter/engine/pull/26101) Roll Dart SDK from 934cc986926d to 171876a4e6cf (2 revisions) (cla: yes, waiting for tree to go green)
[26102](https://github.com/flutter/engine/pull/26102) Roll Skia from 0270bf5d10be to 4e9d5e2bdf04 (5 revisions) (cla: yes, waiting for tree to go green)
[26104](https://github.com/flutter/engine/pull/26104) [fuchsia] rename SessionConnection to DefaultSessionConnection (cla: yes, waiting for tree to go green, platform-fuchsia)
[26107](https://github.com/flutter/engine/pull/26107) Roll Fuchsia Mac SDK from GNyjTge9c... to q1qWG9XiN... (cla: yes, waiting for tree to go green)
[26108](https://github.com/flutter/engine/pull/26108) Roll Skia from 4e9d5e2bdf04 to 84f70136abfb (4 revisions) (cla: yes, waiting for tree to go green)
[26111](https://github.com/flutter/engine/pull/26111) Roll Skia from 84f70136abfb to 66441d4ea0fa (2 revisions) (cla: yes, waiting for tree to go green)
[26113](https://github.com/flutter/engine/pull/26113) Roll Skia from 66441d4ea0fa to 537b7508343d (1 revision) (cla: yes, waiting for tree to go green)
[26116](https://github.com/flutter/engine/pull/26116) Roll Fuchsia Linux SDK from MoY7UVVro... to WYD7atCH7... (cla: yes, waiting for tree to go green)
[26117](https://github.com/flutter/engine/pull/26117) Revert "Sped up the objc standard message codec (#25998)" (platform-ios, cla: yes, waiting for tree to go green, platform-macos)
[26119](https://github.com/flutter/engine/pull/26119) Roll Skia from 537b7508343d to 6b719c25cade (3 revisions) (cla: yes, waiting for tree to go green)
[26123](https://github.com/flutter/engine/pull/26123) Roll Fuchsia Mac SDK from q1qWG9XiN... to mdsssGtoC... (cla: yes, waiting for tree to go green)
[26127](https://github.com/flutter/engine/pull/26127) Roll Skia from 6b719c25cade to ca9f6a855071 (3 revisions) (cla: yes, waiting for tree to go green)
[26131](https://github.com/flutter/engine/pull/26131) Roll Fuchsia Linux SDK from WYD7atCH7... to uffIHSwYt... (cla: yes, waiting for tree to go green)
[26133](https://github.com/flutter/engine/pull/26133) Revert "SceneBuilder.addPicture returns the layer" (cla: yes, waiting for tree to go green, platform-web)
[26135](https://github.com/flutter/engine/pull/26135) Roll Dart SDK from c119194b23d9 to ba8506bdcef7 (2 revisions) (cla: yes, waiting for tree to go green)
[26136](https://github.com/flutter/engine/pull/26136) Roll Skia from ca9f6a855071 to 3193a04b09d8 (21 revisions) (cla: yes, waiting for tree to go green)
[26137](https://github.com/flutter/engine/pull/26137) Roll Fuchsia Mac SDK from mdsssGtoC... to y3xw-lhxW... (cla: yes, waiting for tree to go green)
[26138](https://github.com/flutter/engine/pull/26138) output fuchsia json package manifest (cla: yes, waiting for tree to go green)
[26141](https://github.com/flutter/engine/pull/26141) Roll Skia from 3193a04b09d8 to cad48c6868bf (2 revisions) (cla: yes, waiting for tree to go green)
[26142](https://github.com/flutter/engine/pull/26142) Revert "Fix composition when multiple platform views and layers are c… (platform-android, cla: yes, waiting for tree to go green)
[26143](https://github.com/flutter/engine/pull/26143) Roll Dart SDK from ba8506bdcef7 to e0f30709e25f (1 revision) (cla: yes, waiting for tree to go green)
[26144](https://github.com/flutter/engine/pull/26144) Roll Skia from cad48c6868bf to 99e6f0fcfb44 (1 revision) (cla: yes, waiting for tree to go green)
[26145](https://github.com/flutter/engine/pull/26145) Roll Skia from 99e6f0fcfb44 to 6b49c5908545 (1 revision) (cla: yes, waiting for tree to go green)
[26146](https://github.com/flutter/engine/pull/26146) Roll Dart SDK from e0f30709e25f to 943fcea0b446 (1 revision) (cla: yes, waiting for tree to go green)
[26147](https://github.com/flutter/engine/pull/26147) Roll Fuchsia Linux SDK from uffIHSwYt... to CudXaX-jL... (cla: yes, waiting for tree to go green)
[26148](https://github.com/flutter/engine/pull/26148) Roll Dart SDK from 943fcea0b446 to d616108772bd (1 revision) (cla: yes, waiting for tree to go green)
[26149](https://github.com/flutter/engine/pull/26149) Roll Fuchsia Mac SDK from y3xw-lhxW... to a6aB7cNgl... (cla: yes, waiting for tree to go green)
[26150](https://github.com/flutter/engine/pull/26150) Roll Skia from 6b49c5908545 to 29b44fc226e9 (1 revision) (cla: yes, waiting for tree to go green)
[26151](https://github.com/flutter/engine/pull/26151) Roll Skia from 29b44fc226e9 to 6f520cd120c0 (6 revisions) (cla: yes, waiting for tree to go green)
[26153](https://github.com/flutter/engine/pull/26153) Roll Skia from 6f520cd120c0 to aecf8d517143 (5 revisions) (cla: yes, waiting for tree to go green)
[26155](https://github.com/flutter/engine/pull/26155) Roll Dart SDK from d616108772bd to a527411e5100 (0 revision) (cla: yes, waiting for tree to go green)
[26156](https://github.com/flutter/engine/pull/26156) Roll Dart SDK from d616108772bd to a527411e5100 (0 revision) (cla: yes, waiting for tree to go green)
[26158](https://github.com/flutter/engine/pull/26158) Fix composition when multiple platform views and layers are combined (platform-android, cla: yes, waiting for tree to go green)
[26164](https://github.com/flutter/engine/pull/26164) Let the framework toggle between single- and multi-entry histories (cla: yes, waiting for tree to go green, platform-web)
[26167](https://github.com/flutter/engine/pull/26167) Roll Fuchsia Linux SDK from CudXaX-jL... to RT1RbBM69... (cla: yes, waiting for tree to go green)
[26168](https://github.com/flutter/engine/pull/26168) Roll Skia from aecf8d517143 to df2dbad1a87d (9 revisions) (cla: yes, waiting for tree to go green)
[26169](https://github.com/flutter/engine/pull/26169) Roll Fuchsia Mac SDK from a6aB7cNgl... to 9-tG_VdU_... (cla: yes, waiting for tree to go green)
[26171](https://github.com/flutter/engine/pull/26171) Roll Skia from df2dbad1a87d to bc8e0d8ba0d4 (1 revision) (cla: yes, waiting for tree to go green)
[26173](https://github.com/flutter/engine/pull/26173) Roll Fuchsia Linux SDK from RT1RbBM69... to q_v1AFsEq... (cla: yes, waiting for tree to go green)
[26174](https://github.com/flutter/engine/pull/26174) Roll Fuchsia Mac SDK from 9-tG_VdU_... to PVI875Hyp... (cla: yes, waiting for tree to go green)
[26175](https://github.com/flutter/engine/pull/26175) Roll Skia from bc8e0d8ba0d4 to bc7c754ce395 (1 revision) (cla: yes, waiting for tree to go green)
[26176](https://github.com/flutter/engine/pull/26176) Roll Fuchsia Linux SDK from q_v1AFsEq... to lU-S8er5G... (cla: yes, waiting for tree to go green)
[26177](https://github.com/flutter/engine/pull/26177) Roll Fuchsia Mac SDK from PVI875Hyp... to TB587FHc5... (cla: yes, waiting for tree to go green)
[26178](https://github.com/flutter/engine/pull/26178) Roll Skia from bc7c754ce395 to f91ce0201328 (1 revision) (cla: yes, waiting for tree to go green)
[26179](https://github.com/flutter/engine/pull/26179) Provide build information to the inspect tree. (cla: yes, waiting for tree to go green, platform-fuchsia)
[26180](https://github.com/flutter/engine/pull/26180) Roll Fuchsia Linux SDK from lU-S8er5G... to q9Qi_9RMf... (cla: yes, waiting for tree to go green)
[26184](https://github.com/flutter/engine/pull/26184) Roll Fuchsia Mac SDK from TB587FHc5... to v4P6zkHIE... (cla: yes, waiting for tree to go green)
[26185](https://github.com/flutter/engine/pull/26185) Deeplink URI fragment on Android and iOS (platform-ios, platform-android, cla: yes, waiting for tree to go green)
[26186](https://github.com/flutter/engine/pull/26186) Roll Skia from f91ce0201328 to d22a70be4f00 (1 revision) (cla: yes, waiting for tree to go green)
[26187](https://github.com/flutter/engine/pull/26187) Roll Fuchsia Linux SDK from q9Qi_9RMf... to l6XmTSLnt... (cla: yes, waiting for tree to go green)
[26188](https://github.com/flutter/engine/pull/26188) Roll Skia from d22a70be4f00 to 9c2769ec1198 (1 revision) (cla: yes, waiting for tree to go green)
[26189](https://github.com/flutter/engine/pull/26189) Roll Fuchsia Mac SDK from v4P6zkHIE... to KmSY84b_E... (cla: yes, waiting for tree to go green)
[26191](https://github.com/flutter/engine/pull/26191) Roll Skia from 9c2769ec1198 to 2da029b28f97 (2 revisions) (cla: yes, waiting for tree to go green)
[26192](https://github.com/flutter/engine/pull/26192) Roll Dart SDK from a527411e5100 to 67be110b5ba8 (1351 revisions) (cla: yes, waiting for tree to go green)
[26193](https://github.com/flutter/engine/pull/26193) Replace flutter_runner::Thread with fml::Thread. (cla: yes, waiting for tree to go green, platform-fuchsia)
[26195](https://github.com/flutter/engine/pull/26195) Roll Skia from 2da029b28f97 to c1f641104531 (8 revisions) (cla: yes, waiting for tree to go green)
[26197](https://github.com/flutter/engine/pull/26197) Roll Skia from c1f641104531 to 469531234936 (4 revisions) (cla: yes, waiting for tree to go green)
[26200](https://github.com/flutter/engine/pull/26200) [icu] Upgrade ICU to 69.1, the same commit used by Chromimum latest (cla: yes, waiting for tree to go green)
[26201](https://github.com/flutter/engine/pull/26201) Roll Fuchsia Linux SDK from l6XmTSLnt... to AUWVgDkx6... (cla: yes, waiting for tree to go green)
[26202](https://github.com/flutter/engine/pull/26202) Roll Skia from 469531234936 to 5b38536d76ae (7 revisions) (cla: yes, waiting for tree to go green)
[26205](https://github.com/flutter/engine/pull/26205) Add frame number to trace events so dev tools can associate the right frame (cla: yes, waiting for tree to go green)
[26206](https://github.com/flutter/engine/pull/26206) Roll Skia from 5b38536d76ae to 2fed9f62d29a (7 revisions) (cla: yes, waiting for tree to go green)
[26207](https://github.com/flutter/engine/pull/26207) Roll Fuchsia Mac SDK from KmSY84b_E... to 7WNQRHsHN... (cla: yes, waiting for tree to go green)
[26210](https://github.com/flutter/engine/pull/26210) Capture the layer tree pipeline as a weak pointer in the OnAnimatorDraw task (cla: yes, waiting for tree to go green)
[26212](https://github.com/flutter/engine/pull/26212) Roll Dart SDK from 67be110b5ba8 to 510f26486328 (3 revisions) (cla: yes, waiting for tree to go green)
[26213](https://github.com/flutter/engine/pull/26213) Roll Skia from 2fed9f62d29a to e8cd0a54041e (2 revisions) (cla: yes, waiting for tree to go green)
[26216](https://github.com/flutter/engine/pull/26216) Roll Skia from e8cd0a54041e to 3d854bade6de (4 revisions) (cla: yes, waiting for tree to go green)
[26217](https://github.com/flutter/engine/pull/26217) Roll Fuchsia Linux SDK from AUWVgDkx6... to boele8geO... (cla: yes, waiting for tree to go green)
[26218](https://github.com/flutter/engine/pull/26218) Roll Dart SDK from 510f26486328 to 13e329e614f2 (1 revision) (cla: yes, waiting for tree to go green)
[26219](https://github.com/flutter/engine/pull/26219) EngineLayer::dispose (cla: yes, waiting for tree to go green)
[26220](https://github.com/flutter/engine/pull/26220) Roll Fuchsia Mac SDK from 7WNQRHsHN... to F5TX4MaEg... (cla: yes, waiting for tree to go green)
[26221](https://github.com/flutter/engine/pull/26221) Roll Skia from 3d854bade6de to 66125eac158d (1 revision) (cla: yes, waiting for tree to go green)
[26222](https://github.com/flutter/engine/pull/26222) Roll Dart SDK from 13e329e614f2 to 2eea032403e2 (1 revision) (cla: yes, waiting for tree to go green)
[26223](https://github.com/flutter/engine/pull/26223) Roll Skia from 66125eac158d to 5696bcd0f7f8 (1 revision) (cla: yes, waiting for tree to go green)
[26224](https://github.com/flutter/engine/pull/26224) Roll Skia from 5696bcd0f7f8 to bdfd77616177 (5 revisions) (cla: yes, waiting for tree to go green)
[26225](https://github.com/flutter/engine/pull/26225) Roll Skia from bdfd77616177 to fb8d20befa8f (1 revision) (cla: yes, waiting for tree to go green)
[26226](https://github.com/flutter/engine/pull/26226) Provide better messaging when user attempts to use non-secure http connection. (cla: yes, waiting for tree to go green)
[26233](https://github.com/flutter/engine/pull/26233) plumb frame number through to framework (cla: yes, waiting for tree to go green, platform-web)
[26237](https://github.com/flutter/engine/pull/26237) Fix frame request tracing (cla: yes, waiting for tree to go green)
[26238](https://github.com/flutter/engine/pull/26238) fix mobile a11y placeholder (cla: yes, waiting for tree to go green, platform-web)
[26242](https://github.com/flutter/engine/pull/26242) Roll Fuchsia Mac SDK from F5TX4MaEg... to mx5LVKqk8... (cla: yes, waiting for tree to go green)
[26243](https://github.com/flutter/engine/pull/26243) Roll Fuchsia Linux SDK from boele8geO... to 5qwj-Mw7_... (cla: yes, waiting for tree to go green)
[26245](https://github.com/flutter/engine/pull/26245) Roll Skia from fb8d20befa8f to d9ea2989d6e9 (20 revisions) (cla: yes, waiting for tree to go green)
[26246](https://github.com/flutter/engine/pull/26246) Roll Skia from d9ea2989d6e9 to d7d7a8215e6c (1 revision) (cla: yes, waiting for tree to go green)
[26248](https://github.com/flutter/engine/pull/26248) Roll Skia from d7d7a8215e6c to a65c295c1c9b (1 revision) (cla: yes, waiting for tree to go green)
[26252](https://github.com/flutter/engine/pull/26252) Roll Skia from a65c295c1c9b to 814c6db4c04d (1 revision) (cla: yes, waiting for tree to go green)
[26257](https://github.com/flutter/engine/pull/26257) updated the documentation for message loops a bit (cla: yes, waiting for tree to go green)
[26258](https://github.com/flutter/engine/pull/26258) Roll Dart SDK from 67be110b5ba8 to 3a8c551ec08e (9 revisions) (cla: yes, waiting for tree to go green)
[26259](https://github.com/flutter/engine/pull/26259) Roll Fuchsia Linux SDK from 5qwj-Mw7_... to ih1GwcLki... (cla: yes, waiting for tree to go green)
[26263](https://github.com/flutter/engine/pull/26263) Roll Skia from 814c6db4c04d to 10e7e77909c5 (5 revisions) (cla: yes, waiting for tree to go green)
[26265](https://github.com/flutter/engine/pull/26265) Roll Fuchsia Mac SDK from mx5LVKqk8... to 56WoN2WG2... (cla: yes, waiting for tree to go green)
[26268](https://github.com/flutter/engine/pull/26268) Roll Skia from 10e7e77909c5 to 8988cb464391 (3 revisions) (cla: yes, waiting for tree to go green)
[26269](https://github.com/flutter/engine/pull/26269) Roll Dart SDK from 3a8c551ec08e to 87b37682b24f (1 revision) (cla: yes, waiting for tree to go green)
[26271](https://github.com/flutter/engine/pull/26271) Migrate to ci.yaml (cla: yes, waiting for tree to go green)
[26272](https://github.com/flutter/engine/pull/26272) Fix hybrid composition case and enable test (platform-android, cla: yes, waiting for tree to go green)
[26274](https://github.com/flutter/engine/pull/26274) Roll Skia from 8988cb464391 to 9c7e04cd6f37 (4 revisions) (cla: yes, waiting for tree to go green)
[26276](https://github.com/flutter/engine/pull/26276) Roll Clang Mac from bf4GDBSQE... to xwRoi0Lbe... (cla: yes, waiting for tree to go green)
[26277](https://github.com/flutter/engine/pull/26277) CanvasKit: recall the last frame in the animated image after resurrection (cla: yes, waiting for tree to go green, platform-web)
[26278](https://github.com/flutter/engine/pull/26278) Roll Skia from 9c7e04cd6f37 to d24422a9fe4a (1 revision) (cla: yes, waiting for tree to go green)
[26279](https://github.com/flutter/engine/pull/26279) Drop package:image dependency from testing harness (cla: yes, waiting for tree to go green)
[26281](https://github.com/flutter/engine/pull/26281) Roll Dart SDK from 87b37682b24f to 43fe359811ea (1 revision) (cla: yes, waiting for tree to go green)
[26283](https://github.com/flutter/engine/pull/26283) Roll Skia from d24422a9fe4a to 1f193df9b393 (2 revisions) (cla: yes, waiting for tree to go green)
[26285](https://github.com/flutter/engine/pull/26285) Roll Fuchsia Linux SDK from ih1GwcLki... to JuoV30Dy2... (cla: yes, waiting for tree to go green)
[26286](https://github.com/flutter/engine/pull/26286) Roll Dart SDK from 43fe359811ea to ff8dd0a9bbe1 (1 revision) (cla: yes, waiting for tree to go green)
[26287](https://github.com/flutter/engine/pull/26287) Roll Skia from 1f193df9b393 to edb7aa70fcf3 (1 revision) (cla: yes, waiting for tree to go green)
[26290](https://github.com/flutter/engine/pull/26290) Roll Fuchsia Mac SDK from 56WoN2WG2... to 3AWY87vDb... (cla: yes, waiting for tree to go green)
[26291](https://github.com/flutter/engine/pull/26291) Roll Skia from edb7aa70fcf3 to 1c4a0b89b0f6 (2 revisions) (cla: yes, waiting for tree to go green)
[26292](https://github.com/flutter/engine/pull/26292) Roll Clang Mac from xwRoi0Lbe... to bf4GDBSQE... (cla: yes, waiting for tree to go green)
[26299](https://github.com/flutter/engine/pull/26299) Roll Skia from 1c4a0b89b0f6 to 2758a3189ade (3 revisions) (cla: yes, waiting for tree to go green)
[26300](https://github.com/flutter/engine/pull/26300) Roll Dart SDK from ff8dd0a9bbe1 to 3c595684faca (2 revisions) (cla: yes, waiting for tree to go green)
[26303](https://github.com/flutter/engine/pull/26303) Roll Skia from 2758a3189ade to 60e52284d55d (7 revisions) (cla: yes, waiting for tree to go green)
[26304](https://github.com/flutter/engine/pull/26304) roll CanvasKit 0.27.0 (cla: yes, waiting for tree to go green, platform-web)
[26307](https://github.com/flutter/engine/pull/26307) Roll Dart SDK from 3c595684faca to 144f3bb9b017 (1 revision) (cla: yes, waiting for tree to go green)
[26308](https://github.com/flutter/engine/pull/26308) Roll Skia from 60e52284d55d to 36c5796f0bd0 (9 revisions) (cla: yes, waiting for tree to go green)
[26310](https://github.com/flutter/engine/pull/26310) Roll Dart SDK from 144f3bb9b017 to 551af75f42c0 (1 revision) (cla: yes, waiting for tree to go green)
[26311](https://github.com/flutter/engine/pull/26311) Roll Fuchsia Linux SDK from JuoV30Dy2... to nN6J_ZcaY... (cla: yes, waiting for tree to go green)
[26312](https://github.com/flutter/engine/pull/26312) Roll Fuchsia Mac SDK from 3AWY87vDb... to E47v59mWP... (cla: yes, waiting for tree to go green)
[26314](https://github.com/flutter/engine/pull/26314) Roll Skia from 36c5796f0bd0 to a39b80bfd34c (1 revision) (cla: yes, waiting for tree to go green)
[26316](https://github.com/flutter/engine/pull/26316) Roll Skia from a39b80bfd34c to 7c67ebcd3bd4 (1 revision) (cla: yes, waiting for tree to go green)
[26317](https://github.com/flutter/engine/pull/26317) Roll Dart SDK from 551af75f42c0 to a70c4b0fafc2 (1 revision) (cla: yes, waiting for tree to go green)
[26318](https://github.com/flutter/engine/pull/26318) Roll Skia from 7c67ebcd3bd4 to 9604eab2bdca (1 revision) (cla: yes, waiting for tree to go green)
[26320](https://github.com/flutter/engine/pull/26320) Roll Skia from 9604eab2bdca to 465819d7c20d (4 revisions) (cla: yes, waiting for tree to go green)
[26321](https://github.com/flutter/engine/pull/26321) Make tools/gn compatible with Python 3 (cla: yes, waiting for tree to go green)
[26322](https://github.com/flutter/engine/pull/26322) Roll Fuchsia Linux SDK from nN6J_ZcaY... to aeRo3f-er... (cla: yes, waiting for tree to go green)
[26323](https://github.com/flutter/engine/pull/26323) Roll Fuchsia Mac SDK from E47v59mWP... to -ISyWoKV3... (cla: yes, waiting for tree to go green)
[26326](https://github.com/flutter/engine/pull/26326) Roll Dart SDK from a70c4b0fafc2 to 1efa8657fe8e (2 revisions) (cla: yes, waiting for tree to go green)
[26327](https://github.com/flutter/engine/pull/26327) Roll Skia from 465819d7c20d to 0ea0e75a3d29 (6 revisions) (cla: yes, waiting for tree to go green)
[26328](https://github.com/flutter/engine/pull/26328) prevent ios accessibility bridge from sending notification when modal (platform-ios, cla: yes, waiting for tree to go green)
[26331](https://github.com/flutter/engine/pull/26331) android platform channels: moved to direct buffers for c <-> java interop (platform-android, cla: yes, waiting for tree to go green)
[26334](https://github.com/flutter/engine/pull/26334) Roll Dart SDK from 1efa8657fe8e to 1c14e29fbfba (1 revision) (cla: yes, waiting for tree to go green)
[26335](https://github.com/flutter/engine/pull/26335) Sets a11y traversal order in android accessibility bridge (platform-android, cla: yes, waiting for tree to go green)
[26337](https://github.com/flutter/engine/pull/26337) Roll Skia from 0ea0e75a3d29 to 8447f13c6d4b (4 revisions) (cla: yes, waiting for tree to go green)
[26340](https://github.com/flutter/engine/pull/26340) Roll Dart SDK from 1c14e29fbfba to 5ae74b9c13b0 (1 revision) (cla: yes, waiting for tree to go green)
[26344](https://github.com/flutter/engine/pull/26344) Roll Fuchsia Mac SDK from -ISyWoKV3... to dd7nw2tfc... (cla: yes, waiting for tree to go green)
[26345](https://github.com/flutter/engine/pull/26345) Roll Fuchsia Linux SDK from aeRo3f-er... to GNvpzwlsb... (cla: yes, waiting for tree to go green)
[26346](https://github.com/flutter/engine/pull/26346) Roll Dart SDK from 5ae74b9c13b0 to 53da3ba84895 (1 revision) (cla: yes, waiting for tree to go green)
[26348](https://github.com/flutter/engine/pull/26348) Roll Fuchsia Mac SDK from dd7nw2tfc... to 80lum62wn... (cla: yes, waiting for tree to go green)
[26349](https://github.com/flutter/engine/pull/26349) Roll Dart SDK from 53da3ba84895 to 79f1604820d2 (1 revision) (cla: yes, waiting for tree to go green)
[26350](https://github.com/flutter/engine/pull/26350) Roll Fuchsia Linux SDK from GNvpzwlsb... to qLBO-PTv_... (cla: yes, waiting for tree to go green)
[26351](https://github.com/flutter/engine/pull/26351) Roll Dart SDK from 79f1604820d2 to 99aa976af869 (1 revision) (cla: yes, waiting for tree to go green)
[26352](https://github.com/flutter/engine/pull/26352) Roll Dart SDK from 99aa976af869 to cf0a921e4380 (1 revision) (cla: yes, waiting for tree to go green)
[26353](https://github.com/flutter/engine/pull/26353) Roll Skia from ec9d0e865d77 to f88eb656c123 (1 revision) (cla: yes, waiting for tree to go green)
[26354](https://github.com/flutter/engine/pull/26354) Roll Fuchsia Mac SDK from 80lum62wn... to RnPV5ymFi... (cla: yes, waiting for tree to go green)
[26355](https://github.com/flutter/engine/pull/26355) Roll Fuchsia Linux SDK from qLBO-PTv_... to l5hYeTpdW... (cla: yes, waiting for tree to go green)
[26356](https://github.com/flutter/engine/pull/26356) Roll Dart SDK from cf0a921e4380 to c696ecf5a8a0 (1 revision) (cla: yes, waiting for tree to go green)
[26357](https://github.com/flutter/engine/pull/26357) Roll Fuchsia Mac SDK from RnPV5ymFi... to nRqbdi_ZK... (cla: yes, waiting for tree to go green)
[26358](https://github.com/flutter/engine/pull/26358) Fix: Strip option doesn't work for linux .so files (platform-android, cla: yes, waiting for tree to go green)
[26361](https://github.com/flutter/engine/pull/26361) Roll Skia from f88eb656c123 to 29670b085358 (3 revisions) (cla: yes, waiting for tree to go green)
[26362](https://github.com/flutter/engine/pull/26362) Roll Fuchsia Linux SDK from l5hYeTpdW... to oT8kKQch3... (cla: yes, waiting for tree to go green)
[26363](https://github.com/flutter/engine/pull/26363) Roll Skia from 29670b085358 to 09eb337d304a (1 revision) (cla: yes, waiting for tree to go green)
[26364](https://github.com/flutter/engine/pull/26364) Roll Fuchsia Mac SDK from nRqbdi_ZK... to -F-5r68i6... (cla: yes, waiting for tree to go green)
[26365](https://github.com/flutter/engine/pull/26365) Roll Skia from 09eb337d304a to 0e4477e7139a (1 revision) (cla: yes, waiting for tree to go green)
[26367](https://github.com/flutter/engine/pull/26367) Roll Skia from 0e4477e7139a to db418ec6cd6f (6 revisions) (cla: yes, waiting for tree to go green)
[26370](https://github.com/flutter/engine/pull/26370) Roll Dart SDK from c696ecf5a8a0 to bb9d96ffbafa (1 revision) (cla: yes, waiting for tree to go green)
[26373](https://github.com/flutter/engine/pull/26373) Roll Dart SDK from c696ecf5a8a0 to 7250fd6379b2 (0 revision) (cla: yes, waiting for tree to go green)
[26374](https://github.com/flutter/engine/pull/26374) Roll Dart SDK from bb9d96ffbafa to 7250fd6379b2 (0 revision) (cla: yes, waiting for tree to go green)
[26379](https://github.com/flutter/engine/pull/26379) Roll Dart SDK from 7250fd6379b2 to 3731dc83886c (1379 revisions) (cla: yes, waiting for tree to go green)
[26380](https://github.com/flutter/engine/pull/26380) Add script to serve fuchsia packages (cla: yes, waiting for tree to go green)
[26381](https://github.com/flutter/engine/pull/26381) Roll Fuchsia Linux SDK from oT8kKQch3... to pfJX5Fu8B... (cla: yes, waiting for tree to go green)
[26385](https://github.com/flutter/engine/pull/26385) Roll Fuchsia Mac SDK from -F-5r68i6... to tWU3PEj6V... (cla: yes, waiting for tree to go green)
[26386](https://github.com/flutter/engine/pull/26386) Add Float32List support to StandardMessageCodec (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-macos)
[26387](https://github.com/flutter/engine/pull/26387) Roll Dart SDK from 3731dc83886c to 0b7d0953ce47 (1 revision) (cla: yes, waiting for tree to go green)
[26391](https://github.com/flutter/engine/pull/26391) Add back inexpensive framework tests (cla: yes, waiting for tree to go green)
[26392](https://github.com/flutter/engine/pull/26392) Roll Skia from db418ec6cd6f to 30fd35da015e (20 revisions) (cla: yes, waiting for tree to go green)
[26393](https://github.com/flutter/engine/pull/26393) Roll Dart SDK from 0b7d0953ce47 to 42d74caa7d26 (1 revision) (cla: yes, waiting for tree to go green)
[26394](https://github.com/flutter/engine/pull/26394) Roll Fuchsia Linux SDK from pfJX5Fu8B... to x9gmyu-IU... (cla: yes, waiting for tree to go green)
[26395](https://github.com/flutter/engine/pull/26395) Adding webdev in DEPS (cla: yes, waiting for tree to go green)
[26397](https://github.com/flutter/engine/pull/26397) Roll Fuchsia Mac SDK from tWU3PEj6V... to OB7ucXyBd... (cla: yes, waiting for tree to go green)
[26398](https://github.com/flutter/engine/pull/26398) Roll Skia from 30fd35da015e to 6576de67a439 (1 revision) (cla: yes, waiting for tree to go green)
[26399](https://github.com/flutter/engine/pull/26399) Roll Skia from 6576de67a439 to 966fb69e5db5 (3 revisions) (cla: yes, waiting for tree to go green)
[26401](https://github.com/flutter/engine/pull/26401) Roll Dart SDK from 42d74caa7d26 to 5b70042e9fe2 (1 revision) (cla: yes, waiting for tree to go green)
[26402](https://github.com/flutter/engine/pull/26402) Roll Skia from 966fb69e5db5 to 8cdf28fe2d89 (7 revisions) (cla: yes, waiting for tree to go green)
[26404](https://github.com/flutter/engine/pull/26404) Roll Skia from 8cdf28fe2d89 to 569c01bfa28f (3 revisions) (cla: yes, waiting for tree to go green)
[26406](https://github.com/flutter/engine/pull/26406) [web] Ensure handleNavigationMessage can receive null arguments. (cla: yes, waiting for tree to go green, platform-web)
[26407](https://github.com/flutter/engine/pull/26407) Roll Skia from 569c01bfa28f to ee7e22acd20f (3 revisions) (cla: yes, waiting for tree to go green)
[26409](https://github.com/flutter/engine/pull/26409) Disable hidden symbols on unoptimized builds in order to improve test backtraces (cla: yes, waiting for tree to go green)
[26410](https://github.com/flutter/engine/pull/26410) Roll Dart SDK from 5b70042e9fe2 to e2f96cd405a3 (1 revision) (cla: yes, waiting for tree to go green)
[26411](https://github.com/flutter/engine/pull/26411) Roll Skia from ee7e22acd20f to 4987c4af499d (3 revisions) (cla: yes, waiting for tree to go green)
[26412](https://github.com/flutter/engine/pull/26412) Fix iOS key events in platform views (platform-ios, cla: yes, waiting for tree to go green)
[26413](https://github.com/flutter/engine/pull/26413) Roll Skia from 4987c4af499d to ad5b44720f97 (1 revision) (cla: yes, waiting for tree to go green)
[26415](https://github.com/flutter/engine/pull/26415) Roll Skia from ad5b44720f97 to e5240a24987b (1 revision) (cla: yes, waiting for tree to go green)
[26417](https://github.com/flutter/engine/pull/26417) Roll Dart SDK from e2f96cd405a3 to 23230583a210 (1 revision) (cla: yes, waiting for tree to go green)
[26419](https://github.com/flutter/engine/pull/26419) Roll Skia from e5240a24987b to 9b2baac1d650 (1 revision) (cla: yes, waiting for tree to go green)
[26420](https://github.com/flutter/engine/pull/26420) Roll Fuchsia Linux SDK from x9gmyu-IU... to kWrYHMQWQ... (cla: yes, waiting for tree to go green)
[26423](https://github.com/flutter/engine/pull/26423) Roll Fuchsia Mac SDK from OB7ucXyBd... to Rbr2O4K3O... (cla: yes, waiting for tree to go green)
[26424](https://github.com/flutter/engine/pull/26424) Roll Dart SDK from 23230583a210 to e6f56536dd12 (1 revision) (cla: yes, waiting for tree to go green)
[26425](https://github.com/flutter/engine/pull/26425) Roll Skia from 9b2baac1d650 to 1a7fb9b3962e (1 revision) (cla: yes, waiting for tree to go green)
[26426](https://github.com/flutter/engine/pull/26426) Canonicalize runner debug symbol path for fuchsia. (cla: yes, waiting for tree to go green, platform-fuchsia)
[26429](https://github.com/flutter/engine/pull/26429) Fix deferred components startup threading and improve .so search algorithm. (affects: engine, platform-android, cla: yes, waiting for tree to go green)
[26430](https://github.com/flutter/engine/pull/26430) Roll Skia from 1a7fb9b3962e to 0fb5e6290f1e (1 revision) (cla: yes, waiting for tree to go green)
[26432](https://github.com/flutter/engine/pull/26432) Roll Skia from 0fb5e6290f1e to e1c2beb3beef (2 revisions) (cla: yes, waiting for tree to go green)
[26434](https://github.com/flutter/engine/pull/26434) Roll Skia from e1c2beb3beef to 3af709f71a60 (5 revisions) (cla: yes, waiting for tree to go green)
[26435](https://github.com/flutter/engine/pull/26435) SingleFrameCodec GetAllocationSize and ImageDescriptor.dispose (cla: yes, waiting for tree to go green)
[26436](https://github.com/flutter/engine/pull/26436) Roll Fuchsia Mac SDK from Rbr2O4K3O... to anl_Ge_vz... (cla: yes, waiting for tree to go green)
[26437](https://github.com/flutter/engine/pull/26437) Roll Fuchsia Linux SDK from kWrYHMQWQ... to kn_6DzM7h... (cla: yes, waiting for tree to go green)
[26440](https://github.com/flutter/engine/pull/26440) Make resume dart microtasks static to avoid capturing vsync waiter (cla: yes, waiting for tree to go green)
[26446](https://github.com/flutter/engine/pull/26446) Fix Fragment not transparent in Texture render mode (platform-android, cla: yes, waiting for tree to go green)
[26447](https://github.com/flutter/engine/pull/26447) Roll Fuchsia Mac SDK from anl_Ge_vz... to _AaCM1K4Z... (cla: yes, waiting for tree to go green)
[26449](https://github.com/flutter/engine/pull/26449) Roll Fuchsia Linux SDK from kn_6DzM7h... to mgoUMLlft... (cla: yes, waiting for tree to go green)
[26453](https://github.com/flutter/engine/pull/26453) Add todo to handle_test. (cla: yes, waiting for tree to go green, platform-fuchsia)
[26454](https://github.com/flutter/engine/pull/26454) Add trace-skia-allowlist to the Android intent flags (platform-android, cla: yes, waiting for tree to go green)
[26455](https://github.com/flutter/engine/pull/26455) Roll Skia from 3af709f71a60 to ace17c2f4689 (32 revisions) (cla: yes, waiting for tree to go green)
[26457](https://github.com/flutter/engine/pull/26457) Roll Clang Linux from zRvL_ACCG... to aUPvom0rf... (cla: yes, waiting for tree to go green)
[26458](https://github.com/flutter/engine/pull/26458) Roll Clang Mac from bf4GDBSQE... to rm-r5Uy50... (cla: yes, waiting for tree to go green)
[26459](https://github.com/flutter/engine/pull/26459) Roll Dart SDK from e6f56536dd12 to efccf1e46351 (8 revisions) (cla: yes, waiting for tree to go green)
[26460](https://github.com/flutter/engine/pull/26460) Better logging `pthread_setspecific` (cla: yes, waiting for tree to go green)
[26461](https://github.com/flutter/engine/pull/26461) Roll Skia from ace17c2f4689 to 35981296a8f4 (3 revisions) (cla: yes, waiting for tree to go green)
[26463](https://github.com/flutter/engine/pull/26463) Add debug symbols (symbol-index) to serve.sh for Fuchsia. (cla: yes, waiting for tree to go green, platform-fuchsia)
[26464](https://github.com/flutter/engine/pull/26464) Roll Skia from 35981296a8f4 to bdda1a3ccdde (3 revisions) (cla: yes, waiting for tree to go green)
[26468](https://github.com/flutter/engine/pull/26468) Roll Skia from bdda1a3ccdde to b4403a95292b (1 revision) (cla: yes, waiting for tree to go green)
[26469](https://github.com/flutter/engine/pull/26469) Roll Dart SDK from efccf1e46351 to 002db0ae4563 (1 revision) (cla: yes, waiting for tree to go green)
[26471](https://github.com/flutter/engine/pull/26471) Roll Fuchsia Mac SDK from _AaCM1K4Z... to i9cDU3Lze... (cla: yes, waiting for tree to go green)
[26473](https://github.com/flutter/engine/pull/26473) Roll Skia from b4403a95292b to 2a63f8242274 (1 revision) (cla: yes, waiting for tree to go green)
[26475](https://github.com/flutter/engine/pull/26475) Roll Skia from 2a63f8242274 to b1eb7dd759b9 (2 revisions) (cla: yes, waiting for tree to go green)
[26476](https://github.com/flutter/engine/pull/26476) Roll Skia from b1eb7dd759b9 to 890498e3d730 (1 revision) (cla: yes, waiting for tree to go green)
[26477](https://github.com/flutter/engine/pull/26477) Roll Dart SDK from 002db0ae4563 to 89ffc22de5cb (1 revision) (cla: yes, waiting for tree to go green)
[26478](https://github.com/flutter/engine/pull/26478) Roll Fuchsia Linux SDK from mgoUMLlft... to JMl78sNB8... (cla: yes, waiting for tree to go green)
[26479](https://github.com/flutter/engine/pull/26479) Roll Dart SDK from 89ffc22de5cb to 77491c775d8f (1 revision) (cla: yes, waiting for tree to go green)
[26480](https://github.com/flutter/engine/pull/26480) Roll Fuchsia Mac SDK from i9cDU3Lze... to oPWKIUaFo... (cla: yes, waiting for tree to go green)
[26481](https://github.com/flutter/engine/pull/26481) Roll Dart SDK from 77491c775d8f to 7fef568a9b33 (1 revision) (cla: yes, waiting for tree to go green)
[26482](https://github.com/flutter/engine/pull/26482) Add the images for TileMode.decal (cla: yes, waiting for tree to go green)
[26483](https://github.com/flutter/engine/pull/26483) Roll Fuchsia Linux SDK from JMl78sNB8... to Y13BYMF29... (cla: yes, waiting for tree to go green)
[26484](https://github.com/flutter/engine/pull/26484) Roll Dart SDK from 7fef568a9b33 to 069554af24d6 (1 revision) (cla: yes, waiting for tree to go green)
[26485](https://github.com/flutter/engine/pull/26485) Roll Fuchsia Mac SDK from oPWKIUaFo... to 5c4YB-7_r... (cla: yes, waiting for tree to go green)
[26486](https://github.com/flutter/engine/pull/26486) [iOSTextInputPlugin] bypass UIKit floating cursor coordinates clamping (platform-ios, cla: yes, waiting for tree to go green)
[26487](https://github.com/flutter/engine/pull/26487) Roll Fuchsia Linux SDK from Y13BYMF29... to xLBoLtUi8... (cla: yes, waiting for tree to go green)
[26488](https://github.com/flutter/engine/pull/26488) Roll Fuchsia Mac SDK from 5c4YB-7_r... to xxNJ4Crvh... (cla: yes, waiting for tree to go green)
[26489](https://github.com/flutter/engine/pull/26489) Roll Fuchsia Linux SDK from xLBoLtUi8... to sWU99T5u7... (cla: yes, waiting for tree to go green)
[26490](https://github.com/flutter/engine/pull/26490) Roll Skia from 890498e3d730 to 481b3240fb7e (1 revision) (cla: yes, waiting for tree to go green)
[26491](https://github.com/flutter/engine/pull/26491) Roll Fuchsia Mac SDK from xxNJ4Crvh... to MdVGflQxJ... (cla: yes, waiting for tree to go green)
[26492](https://github.com/flutter/engine/pull/26492) fix a LateInitializationError (cla: yes, waiting for tree to go green, platform-web)
[26493](https://github.com/flutter/engine/pull/26493) Roll Fuchsia Linux SDK from sWU99T5u7... to 76zSlrdqM... (cla: yes, waiting for tree to go green)
[26494](https://github.com/flutter/engine/pull/26494) Roll Fuchsia Mac SDK from MdVGflQxJ... to FmS6HazcE... (cla: yes, waiting for tree to go green)
[26495](https://github.com/flutter/engine/pull/26495) Roll Fuchsia Linux SDK from 76zSlrdqM... to 2ke-RgVsK... (cla: yes, waiting for tree to go green)
[26496](https://github.com/flutter/engine/pull/26496) Roll Skia from 481b3240fb7e to 7e114d7b3c23 (1 revision) (cla: yes, waiting for tree to go green)
[26497](https://github.com/flutter/engine/pull/26497) Roll Skia from 7e114d7b3c23 to 8942247ae46e (2 revisions) (cla: yes, waiting for tree to go green)
[26498](https://github.com/flutter/engine/pull/26498) Roll Fuchsia Mac SDK from FmS6HazcE... to k9XWcZPZO... (cla: yes, waiting for tree to go green)
[26499](https://github.com/flutter/engine/pull/26499) Roll Dart SDK from 069554af24d6 to 643d01d6a8e3 (1 revision) (cla: yes, waiting for tree to go green)
[26501](https://github.com/flutter/engine/pull/26501) Roll Skia from 8942247ae46e to 77724af76ce2 (1 revision) (cla: yes, waiting for tree to go green)
[26502](https://github.com/flutter/engine/pull/26502) Roll Fuchsia Linux SDK from 2ke-RgVsK... to hopGYPnVP... (cla: yes, waiting for tree to go green)
[26503](https://github.com/flutter/engine/pull/26503) Roll Fuchsia Mac SDK from k9XWcZPZO... to DJjuIbfI5... (cla: yes, waiting for tree to go green)
[26504](https://github.com/flutter/engine/pull/26504) Roll Skia from 77724af76ce2 to a9109c50fb1f (1 revision) (cla: yes, waiting for tree to go green)
[26505](https://github.com/flutter/engine/pull/26505) Roll Skia from a9109c50fb1f to c7abc8bfa02f (1 revision) (cla: yes, waiting for tree to go green)
[26506](https://github.com/flutter/engine/pull/26506) Cache Handle.koid(). (cla: yes, waiting for tree to go green, platform-fuchsia)
[26507](https://github.com/flutter/engine/pull/26507) Roll Skia from c7abc8bfa02f to fe9b4316d8de (3 revisions) (cla: yes, waiting for tree to go green)
[26508](https://github.com/flutter/engine/pull/26508) Roll Fuchsia Linux SDK from hopGYPnVP... to xi7pltS1F... (cla: yes, waiting for tree to go green)
[26509](https://github.com/flutter/engine/pull/26509) Roll Fuchsia Mac SDK from DJjuIbfI5... to mDjEP9hR9... (cla: yes, waiting for tree to go green)
[26510](https://github.com/flutter/engine/pull/26510) Fix pub_get_offline.py undefined variables (cla: yes, waiting for tree to go green)
[26511](https://github.com/flutter/engine/pull/26511) Roll Skia from fe9b4316d8de to 9af0bca3de2b (1 revision) (cla: yes, waiting for tree to go green)
[26512](https://github.com/flutter/engine/pull/26512) Roll Skia from 9af0bca3de2b to b069582d16d3 (7 revisions) (cla: yes, waiting for tree to go green)
[26513](https://github.com/flutter/engine/pull/26513) Cloned frame timings have same frame number (cla: yes, waiting for tree to go green)
[26514](https://github.com/flutter/engine/pull/26514) Roll Skia from b069582d16d3 to f9d1c159b3cc (4 revisions) (cla: yes, waiting for tree to go green)
[26515](https://github.com/flutter/engine/pull/26515) Reland: "android platform channels: moved to direct buffers for c <-> java interop" (platform-android, cla: yes, waiting for tree to go green)
[26517](https://github.com/flutter/engine/pull/26517) Roll Skia from f9d1c159b3cc to 4943421095e1 (2 revisions) (cla: yes, waiting for tree to go green)
[26519](https://github.com/flutter/engine/pull/26519) Docuements the new flag in BrowserHistory.setRouteName (cla: yes, waiting for tree to go green, platform-web)
[26520](https://github.com/flutter/engine/pull/26520) Roll Skia from 4943421095e1 to d774558eb189 (6 revisions) (cla: yes, waiting for tree to go green)
[26521](https://github.com/flutter/engine/pull/26521) Roll Skia from d774558eb189 to c9b70c65436e (5 revisions) (cla: yes, waiting for tree to go green)
[26522](https://github.com/flutter/engine/pull/26522) Roll Skia from c9b70c65436e to f4f9c3b6cc62 (3 revisions) (cla: yes, waiting for tree to go green)
[26523](https://github.com/flutter/engine/pull/26523) Roll Dart SDK from 643d01d6a8e3 to 302c6dd3c29c (4 revisions) (cla: yes, waiting for tree to go green)
[26527](https://github.com/flutter/engine/pull/26527) Added more descriptive error to StandardMessageCodec for types that override toString (platform-android, cla: yes, waiting for tree to go green)
[26528](https://github.com/flutter/engine/pull/26528) Reland "Add API to the engine to support attributed text (#25373)" (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web)
[26530](https://github.com/flutter/engine/pull/26530) Roll Fuchsia Linux SDK from xi7pltS1F... to MVkOwZQtv... (cla: yes, waiting for tree to go green)
[26533](https://github.com/flutter/engine/pull/26533) Roll Dart SDK from 302c6dd3c29c to 4ce8bbf4738d (1 revision) (cla: yes, waiting for tree to go green)
[26534](https://github.com/flutter/engine/pull/26534) Roll Skia from f4f9c3b6cc62 to d51fbe1a78b5 (2 revisions) (cla: yes, waiting for tree to go green)
[26536](https://github.com/flutter/engine/pull/26536) Migrate flutter_runner to Scenic.CreateSessionT. (cla: yes, waiting for tree to go green, platform-fuchsia)
[26537](https://github.com/flutter/engine/pull/26537) Fix incorrectly inserting Float32List in the wrong location in encodable_value (cla: yes, waiting for tree to go green)
[26538](https://github.com/flutter/engine/pull/26538) Fix create_arm_gen_snapshot target (cla: yes, waiting for tree to go green)
[26541](https://github.com/flutter/engine/pull/26541) Roll Skia from d51fbe1a78b5 to 2e76c84b8b8a (9 revisions) (cla: yes, waiting for tree to go green)
[26544](https://github.com/flutter/engine/pull/26544) Roll Fuchsia Mac SDK from mDjEP9hR9... to pCoQB3Wr-... (cla: yes, waiting for tree to go green)
[26545](https://github.com/flutter/engine/pull/26545) Roll Dart SDK from 4ce8bbf4738d to 47e55d2e746a (3 revisions) (cla: yes, waiting for tree to go green)
[26546](https://github.com/flutter/engine/pull/26546) Roll Skia from 2e76c84b8b8a to b8416d27be1e (12 revisions) (cla: yes, waiting for tree to go green)
[26547](https://github.com/flutter/engine/pull/26547) [iOSTextInput] fix potential dangling pointer access (platform-ios, cla: yes, waiting for tree to go green)
[26550](https://github.com/flutter/engine/pull/26550) Roll Skia from b8416d27be1e to 03e783020013 (3 revisions) (cla: yes, waiting for tree to go green)
[26553](https://github.com/flutter/engine/pull/26553) Roll Dart SDK from 47e55d2e746a to cd41b767a29d (1 revision) (cla: yes, waiting for tree to go green)
[26555](https://github.com/flutter/engine/pull/26555) Roll Skia from 03e783020013 to 6e82db35a695 (1 revision) (cla: yes, waiting for tree to go green)
[26556](https://github.com/flutter/engine/pull/26556) Roll Skia from 6e82db35a695 to cb66e25d23d8 (1 revision) (cla: yes, waiting for tree to go green)
[26557](https://github.com/flutter/engine/pull/26557) Roll Fuchsia Linux SDK from MVkOwZQtv... to DvgL0sNJV... (cla: yes, waiting for tree to go green)
[26559](https://github.com/flutter/engine/pull/26559) Roll Skia from cb66e25d23d8 to 6f4bacb9df54 (2 revisions) (cla: yes, waiting for tree to go green)
[26560](https://github.com/flutter/engine/pull/26560) Roll Dart SDK from cd41b767a29d to 6186a3ef5ffa (2 revisions) (cla: yes, waiting for tree to go green)
[26561](https://github.com/flutter/engine/pull/26561) Roll Fuchsia Mac SDK from pCoQB3Wr-... to vGpSL2e_a... (cla: yes, waiting for tree to go green)
[26563](https://github.com/flutter/engine/pull/26563) Roll Skia from 6f4bacb9df54 to 7b6a92818d23 (1 revision) (cla: yes, waiting for tree to go green)
[26564](https://github.com/flutter/engine/pull/26564) Update dep overrides in flutter_frontend_server (cla: yes, waiting for tree to go green)
[26565](https://github.com/flutter/engine/pull/26565) Roll Skia from 7b6a92818d23 to 357e67e7af3b (5 revisions) (cla: yes, waiting for tree to go green)
[26567](https://github.com/flutter/engine/pull/26567) Roll Skia from 357e67e7af3b to 053eb1ba91d5 (3 revisions) (cla: yes, waiting for tree to go green)
[26569](https://github.com/flutter/engine/pull/26569) Roll Fuchsia Linux SDK from DvgL0sNJV... to 3Xj5uw866... (cla: yes, waiting for tree to go green)
[26570](https://github.com/flutter/engine/pull/26570) Roll Dart SDK from 6186a3ef5ffa to 202c42e3395c (3 revisions) (cla: yes, waiting for tree to go green)
[26571](https://github.com/flutter/engine/pull/26571) Roll Skia from 053eb1ba91d5 to 7856eb88eda0 (5 revisions) (cla: yes, waiting for tree to go green)
[26572](https://github.com/flutter/engine/pull/26572) Roll Skia from 7856eb88eda0 to 7aa7939a60b9 (4 revisions) (cla: yes, waiting for tree to go green)
[26573](https://github.com/flutter/engine/pull/26573) Web: add support for TextInputType.none (cla: yes, waiting for tree to go green, platform-web)
[26576](https://github.com/flutter/engine/pull/26576) fixes crash when sets mouseTrackingMode before view is loaded (cla: yes, waiting for tree to go green, platform-macos)
[26577](https://github.com/flutter/engine/pull/26577) Roll Dart SDK from 202c42e3395c to 2e9c4305a6aa (1 revision) (cla: yes, waiting for tree to go green)
[26578](https://github.com/flutter/engine/pull/26578) Roll Dart SDK from 202c42e3395c to 2e9c4305a6aa (1 revision) (cla: yes, waiting for tree to go green)
[26579](https://github.com/flutter/engine/pull/26579) Roll Skia from 7aa7939a60b9 to 568ef84d3f8a (2 revisions) (cla: yes, waiting for tree to go green)
[26580](https://github.com/flutter/engine/pull/26580) Remove "unnecessary" imports. (cla: yes, waiting for tree to go green, platform-web)
[26581](https://github.com/flutter/engine/pull/26581) Roll Fuchsia Mac SDK from vGpSL2e_a... to ldByLqm7f... (cla: yes, waiting for tree to go green)
[26582](https://github.com/flutter/engine/pull/26582) Roll Skia from 568ef84d3f8a to 2692b0dd119f (1 revision) (cla: yes, waiting for tree to go green)
[26584](https://github.com/flutter/engine/pull/26584) Roll Skia from 2692b0dd119f to 08d0d86b8180 (2 revisions) (cla: yes, waiting for tree to go green)
[26585](https://github.com/flutter/engine/pull/26585) Android: add support for TextInputType.none (platform-android, cla: yes, waiting for tree to go green)
[26586](https://github.com/flutter/engine/pull/26586) Roll Dart SDK from 2e9c4305a6aa to 39814844606e (2 revisions) (cla: yes, waiting for tree to go green)
[26587](https://github.com/flutter/engine/pull/26587) Roll Fuchsia Linux SDK from 3Xj5uw866... to 7jqSNhU_b... (cla: yes, waiting for tree to go green)
[26588](https://github.com/flutter/engine/pull/26588) Roll Fuchsia Mac SDK from ldByLqm7f... to otF0aYh8E... (cla: yes, waiting for tree to go green)
[26589](https://github.com/flutter/engine/pull/26589) Roll Skia from 08d0d86b8180 to bb04e3d47ef8 (13 revisions) (cla: yes, waiting for tree to go green)
[26590](https://github.com/flutter/engine/pull/26590) Add a filterKey argument to Skia shader trace events (cla: yes, waiting for tree to go green)
[26591](https://github.com/flutter/engine/pull/26591) Docs, debugDisposed for ImmutableBuffer (cla: yes, waiting for tree to go green)
[26592](https://github.com/flutter/engine/pull/26592) Roll Skia from bb04e3d47ef8 to 8cb7c3be75a7 (5 revisions) (cla: yes, waiting for tree to go green)
[26593](https://github.com/flutter/engine/pull/26593) Wait for the native callbacks from the spawned isolate (cla: yes, waiting for tree to go green)
[26595](https://github.com/flutter/engine/pull/26595) Roll Dart SDK from 39814844606e to 657d6dbde485 (2 revisions) (cla: yes, waiting for tree to go green)
[26596](https://github.com/flutter/engine/pull/26596) Fixes handleNavigationMessage in order (cla: yes, waiting for tree to go green, platform-web)
[26597](https://github.com/flutter/engine/pull/26597) Roll Skia from 8cb7c3be75a7 to bcfdc1d43872 (5 revisions) (cla: yes, waiting for tree to go green)
[26598](https://github.com/flutter/engine/pull/26598) Roll buildroot to 60e83491e8ce171687431e6e7a4b0cd20b4d8d40 (cla: yes, waiting for tree to go green)
[26599](https://github.com/flutter/engine/pull/26599) Provide the isolate cleanup callback to Dart_CreateIsolateInGroup (cla: yes, waiting for tree to go green)
[26600](https://github.com/flutter/engine/pull/26600) Roll Fuchsia Mac SDK from otF0aYh8E... to ICWUopirb... (cla: yes, waiting for tree to go green)
[26601](https://github.com/flutter/engine/pull/26601) Roll Fuchsia Linux SDK from 7jqSNhU_b... to 6CBxGudrv... (cla: yes, waiting for tree to go green)
[26602](https://github.com/flutter/engine/pull/26602) Allow Flutter focus to interop with Android view hierarchies (platform-android, cla: yes, waiting for tree to go green)
[26603](https://github.com/flutter/engine/pull/26603) Roll Skia from bcfdc1d43872 to aad4b80fa625 (1 revision) (cla: yes, waiting for tree to go green)
[26605](https://github.com/flutter/engine/pull/26605) Roll Skia from aad4b80fa625 to 14eee314b1f4 (1 revision) (cla: yes, waiting for tree to go green)
[26606](https://github.com/flutter/engine/pull/26606) Roll Fuchsia Mac SDK from ICWUopirb... to ddbxEQera... (cla: yes, waiting for tree to go green)
[26607](https://github.com/flutter/engine/pull/26607) Roll Fuchsia Linux SDK from 6CBxGudrv... to XClZ-9fkt... (cla: yes, waiting for tree to go green)
[26609](https://github.com/flutter/engine/pull/26609) Roll Skia from 14eee314b1f4 to fc8cf91cee9f (2 revisions) (cla: yes, waiting for tree to go green)
[26610](https://github.com/flutter/engine/pull/26610) Roll Dart SDK from 657d6dbde485 to fc99280265c9 (1 revision) (cla: yes, waiting for tree to go green)
[26611](https://github.com/flutter/engine/pull/26611) Roll Skia from fc8cf91cee9f to 681e409625b9 (1 revision) (cla: yes, waiting for tree to go green)
[26614](https://github.com/flutter/engine/pull/26614) Fix Android imports stamp file write mode (cla: yes, waiting for tree to go green)
[26615](https://github.com/flutter/engine/pull/26615) Roll Fuchsia Mac SDK from ddbxEQera... to e0WQ49xxD... (cla: yes, waiting for tree to go green)
[26616](https://github.com/flutter/engine/pull/26616) Roll Skia from 681e409625b9 to dc03537758f3 (5 revisions) (cla: yes, waiting for tree to go green)
[26617](https://github.com/flutter/engine/pull/26617) Enable Skia shader trace events by default (cla: yes, waiting for tree to go green)
[26618](https://github.com/flutter/engine/pull/26618) Roll Fuchsia Linux SDK from XClZ-9fkt... to qqVmyK6TU... (cla: yes, waiting for tree to go green)
[26619](https://github.com/flutter/engine/pull/26619) Roll Dart SDK from fc99280265c9 to 5204465f71be (1 revision) (cla: yes, waiting for tree to go green)
[26620](https://github.com/flutter/engine/pull/26620) Roll Skia from dc03537758f3 to 9aa5c2c86089 (2 revisions) (cla: yes, waiting for tree to go green)
[26621](https://github.com/flutter/engine/pull/26621) Roll Skia from 9aa5c2c86089 to 8aef107f6d58 (2 revisions) (cla: yes, waiting for tree to go green)
[26624](https://github.com/flutter/engine/pull/26624) Roll Skia from 8aef107f6d58 to 2c9a6ec3a0d0 (1 revision) (cla: yes, waiting for tree to go green)
[26625](https://github.com/flutter/engine/pull/26625) Roll Fuchsia Linux SDK from qqVmyK6TU... to TqViQQzJo... (cla: yes, waiting for tree to go green)
[26626](https://github.com/flutter/engine/pull/26626) [web] Allow some more nulls in platform_dispatcher. (cla: yes, waiting for tree to go green, platform-web)
[26627](https://github.com/flutter/engine/pull/26627) Python 3 support for macOS/iOS builds (cla: yes, waiting for tree to go green)
[26628](https://github.com/flutter/engine/pull/26628) [Android TextInput] clean up nested batch edits in closeConnection() (platform-android, cla: yes, waiting for tree to go green)
[26631](https://github.com/flutter/engine/pull/26631) Roll Skia from 2c9a6ec3a0d0 to 5b5a4c6bf5d1 (5 revisions) (cla: yes, waiting for tree to go green)
[26632](https://github.com/flutter/engine/pull/26632) Roll Fuchsia Mac SDK from e0WQ49xxD... to p4LZtOVnJ... (cla: yes, waiting for tree to go green)
[26635](https://github.com/flutter/engine/pull/26635) Roll Skia from 5b5a4c6bf5d1 to f07b4ce437ad (2 revisions) (cla: yes, waiting for tree to go green)
[26636](https://github.com/flutter/engine/pull/26636) Roll Skia from f07b4ce437ad to 89d460f27bd4 (3 revisions) (cla: yes, waiting for tree to go green)
[26639](https://github.com/flutter/engine/pull/26639) Roll Skia from 89d460f27bd4 to 70c21e34ca4f (5 revisions) (cla: yes, waiting for tree to go green)
[26640](https://github.com/flutter/engine/pull/26640) Roll Dart SDK from 5204465f71be to 019918a203bc (1 revision) (cla: yes, waiting for tree to go green)
[26641](https://github.com/flutter/engine/pull/26641) Roll Fuchsia Mac SDK from e0WQ49xxD... to qDntzygjT... (cla: yes, waiting for tree to go green)
[26642](https://github.com/flutter/engine/pull/26642) Remove compilation trace saving. (cla: yes, waiting for tree to go green)
[26643](https://github.com/flutter/engine/pull/26643) Roll Skia from 70c21e34ca4f to 917f9193d244 (2 revisions) (cla: yes, waiting for tree to go green)
[26645](https://github.com/flutter/engine/pull/26645) Roll Skia from 917f9193d244 to 26666bda75b9 (1 revision) (cla: yes, waiting for tree to go green)
[26646](https://github.com/flutter/engine/pull/26646) Roll Skia from 26666bda75b9 to 031d76b67447 (1 revision) (cla: yes, waiting for tree to go green)
[26647](https://github.com/flutter/engine/pull/26647) [web] Fall-back to a DOM node if Shadow DOM is unavailable. (cla: yes, waiting for tree to go green, platform-web)
[26648](https://github.com/flutter/engine/pull/26648) Roll Dart SDK from 019918a203bc to 37338b2f4bbb (1 revision) (cla: yes, waiting for tree to go green)
[26650](https://github.com/flutter/engine/pull/26650) Roll Skia from 031d76b67447 to 163cc9124259 (1 revision) (cla: yes, waiting for tree to go green)
[26651](https://github.com/flutter/engine/pull/26651) Roll Skia from 163cc9124259 to 6b2121d0ec57 (4 revisions) (cla: yes, waiting for tree to go green)
[26652](https://github.com/flutter/engine/pull/26652) Roll Dart SDK from 37338b2f4bbb to 4dc4671c3a87 (1 revision) (cla: yes, waiting for tree to go green)
[26653](https://github.com/flutter/engine/pull/26653) Roll Fuchsia Mac SDK from qDntzygjT... to Q22GCF6Le... (cla: yes, waiting for tree to go green)
[26655](https://github.com/flutter/engine/pull/26655) Roll Dart SDK from 4dc4671c3a87 to a2ef55cfb8ac (1 revision) (cla: yes, waiting for tree to go green)
[26656](https://github.com/flutter/engine/pull/26656) Roll Skia from 6b2121d0ec57 to 43c713d5cd1a (5 revisions) (cla: yes, waiting for tree to go green)
[26661](https://github.com/flutter/engine/pull/26661) Roll Dart SDK from a2ef55cfb8ac to b7c2babecc88 (1 revision) (cla: yes, waiting for tree to go green)
[26666](https://github.com/flutter/engine/pull/26666) Updates the objectc docs script to use env variables. (cla: yes, waiting for tree to go green)
[26668](https://github.com/flutter/engine/pull/26668) migrate the rest of dev/ to null safety (cla: yes, waiting for tree to go green, platform-web)
[26670](https://github.com/flutter/engine/pull/26670) Roll Skia from 43c713d5cd1a to 7391511f7be3 (24 revisions) (cla: yes, waiting for tree to go green)
[26671](https://github.com/flutter/engine/pull/26671) Support scrolling in iOS accessibility (platform-ios, cla: yes, waiting for tree to go green)
[26672](https://github.com/flutter/engine/pull/26672) Roll Fuchsia Mac SDK from Q22GCF6Le... to 2Py2O7FIT... (cla: yes, waiting for tree to go green)
[26673](https://github.com/flutter/engine/pull/26673) Roll Skia from 7391511f7be3 to 198ac15a907a (1 revision) (cla: yes, waiting for tree to go green)
[26675](https://github.com/flutter/engine/pull/26675) Roll Dart SDK from b7c2babecc88 to 4882a5e99192 (1 revision) (cla: yes, waiting for tree to go green)
[26677](https://github.com/flutter/engine/pull/26677) Roll Skia from 198ac15a907a to 2a3fb1baa186 (3 revisions) (cla: yes, waiting for tree to go green)
[26679](https://github.com/flutter/engine/pull/26679) Roll Dart SDK from 4882a5e99192 to 93ff88f22f01 (2 revisions) (cla: yes, waiting for tree to go green)
[26680](https://github.com/flutter/engine/pull/26680) Roll Skia from 2a3fb1baa186 to 1f6ca3a950e5 (1 revision) (cla: yes, waiting for tree to go green)
[26681](https://github.com/flutter/engine/pull/26681) Roll Dart SDK from 93ff88f22f01 to fc2e183f4ea9 (1 revision) (cla: yes, waiting for tree to go green)
[26683](https://github.com/flutter/engine/pull/26683) Roll Fuchsia Mac SDK from 2Py2O7FIT... to jNlbyBr6p... (cla: yes, waiting for tree to go green)
[26687](https://github.com/flutter/engine/pull/26687) Roll Skia from 1f6ca3a950e5 to a1feabd38305 (6 revisions) (cla: yes, waiting for tree to go green)
[26689](https://github.com/flutter/engine/pull/26689) Roll Skia from a1feabd38305 to d2e096069691 (1 revision) (cla: yes, waiting for tree to go green)
[26690](https://github.com/flutter/engine/pull/26690) Roll Dart SDK from fc2e183f4ea9 to 51af508b1661 (1 revision) (cla: yes, waiting for tree to go green)
[26691](https://github.com/flutter/engine/pull/26691) Roll Skia from d2e096069691 to 9d1cc0510039 (4 revisions) (cla: yes, waiting for tree to go green)
[26692](https://github.com/flutter/engine/pull/26692) Roll Skia from 9d1cc0510039 to ecc8e3bc043e (2 revisions) (cla: yes, waiting for tree to go green)
[26695](https://github.com/flutter/engine/pull/26695) Roll Skia from ecc8e3bc043e to 1f5ee0d00c7f (1 revision) (cla: yes, waiting for tree to go green)
[26697](https://github.com/flutter/engine/pull/26697) Roll Dart SDK from 51af508b1661 to b541bcb9fd3d (1 revision) (cla: yes, waiting for tree to go green)
[26698](https://github.com/flutter/engine/pull/26698) Roll Skia from 1f5ee0d00c7f to 08ac524b4331 (3 revisions) (cla: yes, waiting for tree to go green)
[26700](https://github.com/flutter/engine/pull/26700) Roll Dart SDK from b541bcb9fd3d to d622b98e77d7 (1 revision) (cla: yes, waiting for tree to go green)
[26701](https://github.com/flutter/engine/pull/26701) Roll Fuchsia Mac SDK from jNlbyBr6p... to OP_AFyX5C... (cla: yes, waiting for tree to go green)
[26702](https://github.com/flutter/engine/pull/26702) Roll Skia from 08ac524b4331 to 2a07fd68ebdd (1 revision) (cla: yes, waiting for tree to go green)
[26703](https://github.com/flutter/engine/pull/26703) Roll Dart SDK from d622b98e77d7 to c8a66f8e7ca1 (1 revision) (cla: yes, waiting for tree to go green)
[26704](https://github.com/flutter/engine/pull/26704) Roll Skia from 2a07fd68ebdd to dd84dd09f304 (2 revisions) (cla: yes, waiting for tree to go green)
[26706](https://github.com/flutter/engine/pull/26706) Roll Skia from dd84dd09f304 to bc215ba3bbfe (2 revisions) (cla: yes, waiting for tree to go green)
[26707](https://github.com/flutter/engine/pull/26707) Roll Dart SDK from c8a66f8e7ca1 to 935470ea59c4 (1 revision) (cla: yes, waiting for tree to go green)
[26708](https://github.com/flutter/engine/pull/26708) Roll Skia from bc215ba3bbfe to 1907f9051e17 (1 revision) (cla: yes, waiting for tree to go green)
[26711](https://github.com/flutter/engine/pull/26711) [iOS TextInputPlugin] fix autofill assert (platform-ios, cla: yes, waiting for tree to go green)
[26713](https://github.com/flutter/engine/pull/26713) Roll Skia from 1907f9051e17 to 9b0841d822c3 (1 revision) (cla: yes, waiting for tree to go green)
[26715](https://github.com/flutter/engine/pull/26715) Configuration files to describe engine builds. (cla: yes, waiting for tree to go green)
[26716](https://github.com/flutter/engine/pull/26716) Roll Fuchsia Mac SDK from OP_AFyX5C... to iHnYdNmCi... (cla: yes, waiting for tree to go green)
[26717](https://github.com/flutter/engine/pull/26717) Revert "Replace flutter_runner::Thread with fml::Thread." (cla: yes, waiting for tree to go green, platform-fuchsia)
[26718](https://github.com/flutter/engine/pull/26718) Roll Skia from 9b0841d822c3 to bc4bc5f1e284 (1 revision) (cla: yes, waiting for tree to go green)
[26719](https://github.com/flutter/engine/pull/26719) [web] last batch of test null safety (cla: yes, waiting for tree to go green, platform-web)
[26720](https://github.com/flutter/engine/pull/26720) [web] migrate web_sdk to null safety (cla: yes, waiting for tree to go green, platform-web)
[26721](https://github.com/flutter/engine/pull/26721) Roll Dart SDK from d622b98e77d7 to eb912be5af54 (3 revisions) (cla: yes, waiting for tree to go green)
[26722](https://github.com/flutter/engine/pull/26722) Make ci/lint.dart more idiomatic and move to tools/clang_tidy (cla: yes, waiting for tree to go green)
[26724](https://github.com/flutter/engine/pull/26724) Roll Dart SDK from eb912be5af54 to 88b9786db62b (1 revision) (cla: yes, waiting for tree to go green)
[26725](https://github.com/flutter/engine/pull/26725) Roll Fuchsia Mac SDK from iHnYdNmCi... to oY-eFO3pI... (cla: yes, waiting for tree to go green)
[26729](https://github.com/flutter/engine/pull/26729) Roll Dart SDK from 88b9786db62b to 0a32380de829 (1 revision) (cla: yes, waiting for tree to go green)
[26730](https://github.com/flutter/engine/pull/26730) Roll Skia from bc4bc5f1e284 to cd33e4accde2 (1 revision) (cla: yes, waiting for tree to go green)
[26731](https://github.com/flutter/engine/pull/26731) Roll Fuchsia Mac SDK from oY-eFO3pI... to RkHrXJvD7... (cla: yes, waiting for tree to go green)
[26732](https://github.com/flutter/engine/pull/26732) Roll Skia from cd33e4accde2 to d6c51edd5243 (1 revision) (cla: yes, waiting for tree to go green)
[26733](https://github.com/flutter/engine/pull/26733) Roll Dart SDK from 0a32380de829 to ccdd47ff5673 (1 revision) (cla: yes, waiting for tree to go green)
[26734](https://github.com/flutter/engine/pull/26734) Roll Fuchsia Mac SDK from RkHrXJvD7... to oZ_FM_PHa... (cla: yes, waiting for tree to go green)
[26735](https://github.com/flutter/engine/pull/26735) Roll Dart SDK from ccdd47ff5673 to a38f02400658 (1 revision) (cla: yes, waiting for tree to go green)
[26736](https://github.com/flutter/engine/pull/26736) Roll Dart SDK from a38f02400658 to 78fcc3e7aa05 (1 revision) (cla: yes, waiting for tree to go green)
[26737](https://github.com/flutter/engine/pull/26737) Roll Fuchsia Mac SDK from oZ_FM_PHa... to 6hi4xXhT4... (cla: yes, waiting for tree to go green)
[26738](https://github.com/flutter/engine/pull/26738) Roll Dart SDK from 78fcc3e7aa05 to ca1e2e543d44 (1 revision) (cla: yes, waiting for tree to go green)
[26739](https://github.com/flutter/engine/pull/26739) Roll Dart SDK from ca1e2e543d44 to e48368c7cacb (1 revision) (cla: yes, waiting for tree to go green)
[26740](https://github.com/flutter/engine/pull/26740) Make Layer::AssignOldLayer non virtual (cla: yes, waiting for tree to go green)
[26741](https://github.com/flutter/engine/pull/26741) ImageFilterLayer should not contribute to readback region (cla: yes, waiting for tree to go green)
[26742](https://github.com/flutter/engine/pull/26742) Roll Fuchsia Mac SDK from 6hi4xXhT4... to _VHCabwHc... (cla: yes, waiting for tree to go green)
[26743](https://github.com/flutter/engine/pull/26743) Roll Dart SDK from e48368c7cacb to 5fdf43fdde62 (1 revision) (cla: yes, waiting for tree to go green)
[26745](https://github.com/flutter/engine/pull/26745) Add family of dependencies that work on SPIRV. (cla: yes, waiting for tree to go green)
[26747](https://github.com/flutter/engine/pull/26747) Roll Skia from d6c51edd5243 to 2705cbf9bd1d (1 revision) (cla: yes, waiting for tree to go green)
[26748](https://github.com/flutter/engine/pull/26748) Roll Skia from 2705cbf9bd1d to ef1f4991a688 (1 revision) (cla: yes, waiting for tree to go green)
[26749](https://github.com/flutter/engine/pull/26749) Roll Skia from ef1f4991a688 to 50c3c2475882 (1 revision) (cla: yes, waiting for tree to go green)
[26750](https://github.com/flutter/engine/pull/26750) Roll Skia from 50c3c2475882 to c238572723b0 (1 revision) (cla: yes, waiting for tree to go green)
[26751](https://github.com/flutter/engine/pull/26751) Roll Dart SDK from 5fdf43fdde62 to 03d33dd92243 (1 revision) (cla: yes, waiting for tree to go green)
[26753](https://github.com/flutter/engine/pull/26753) Roll Fuchsia Mac SDK from _VHCabwHc... to HLSrWqE34... (cla: yes, waiting for tree to go green)
[26754](https://github.com/flutter/engine/pull/26754) Roll Skia from c238572723b0 to b5b7c982958d (1 revision) (cla: yes, waiting for tree to go green)
[26755](https://github.com/flutter/engine/pull/26755) Fix Typo in create_sdk_cipd_package.sh (cla: yes, waiting for tree to go green)
[26756](https://github.com/flutter/engine/pull/26756) Delete window_hooks_integration_test.dart (cla: yes, waiting for tree to go green, tech-debt)
[26758](https://github.com/flutter/engine/pull/26758) Roll Dart SDK from 03d33dd92243 to e0ea160bb165 (1 revision) (cla: yes, waiting for tree to go green)
[26763](https://github.com/flutter/engine/pull/26763) Roll Dart SDK from e0ea160bb165 to 7f1d45fab187 (1 revision) (cla: yes, waiting for tree to go green)
[26765](https://github.com/flutter/engine/pull/26765) Migrate spirv to nnbd (cla: yes, waiting for tree to go green)
[26768](https://github.com/flutter/engine/pull/26768) Roll Skia from b5b7c982958d to 237bf5284da1 (24 revisions) (cla: yes, waiting for tree to go green)
[26769](https://github.com/flutter/engine/pull/26769) Fix JSON map type declaration for SystemChrome.setApplicationSwitcherDescription arguments (cla: yes, waiting for tree to go green, platform-web)
[26770](https://github.com/flutter/engine/pull/26770) Roll Fuchsia Mac SDK from HLSrWqE34... to 0JD2eM0c_... (cla: yes, waiting for tree to go green)
[26771](https://github.com/flutter/engine/pull/26771) Roll Dart SDK from 7f1d45fab187 to 83edd189b2a3 (1 revision) (cla: yes, waiting for tree to go green)
[26772](https://github.com/flutter/engine/pull/26772) Log an error in DoMakeRasterSnapshot if Skia can not create a GPU render target (cla: yes, waiting for tree to go green)
[26774](https://github.com/flutter/engine/pull/26774) Roll Skia from 237bf5284da1 to 6ae690f8b2f5 (1 revision) (cla: yes, waiting for tree to go green)
[26775](https://github.com/flutter/engine/pull/26775) Roll Skia from 6ae690f8b2f5 to af8047dbb849 (1 revision) (cla: yes, waiting for tree to go green)
[26777](https://github.com/flutter/engine/pull/26777) Roll Dart SDK from 83edd189b2a3 to 142674549a5d (1 revision) (cla: yes, waiting for tree to go green)
[26778](https://github.com/flutter/engine/pull/26778) Roll Dart SDK from 142674549a5d to 2084c5eeef79 (1 revision) (cla: yes, waiting for tree to go green)
[26779](https://github.com/flutter/engine/pull/26779) Roll Skia from af8047dbb849 to fab6ede2ec1d (1 revision) (cla: yes, waiting for tree to go green)
[26780](https://github.com/flutter/engine/pull/26780) Roll Fuchsia Mac SDK from 0JD2eM0c_... to ih-TlZVj9... (cla: yes, waiting for tree to go green)
[26785](https://github.com/flutter/engine/pull/26785) Surface frame number identifier through window (cla: yes, waiting for tree to go green, platform-web)
[26789](https://github.com/flutter/engine/pull/26789) Fix a leak of the resource EGL context on Android (platform-android, cla: yes, waiting for tree to go green)
[26790](https://github.com/flutter/engine/pull/26790) Roll Skia from fab6ede2ec1d to 33da72d168d7 (24 revisions) (cla: yes, waiting for tree to go green)
[26792](https://github.com/flutter/engine/pull/26792) Roll Dart SDK from 2084c5eeef79 to 914b1c6d1c88 (4 revisions) (cla: yes, waiting for tree to go green)
[26793](https://github.com/flutter/engine/pull/26793) Roll Skia from 33da72d168d7 to 491282486e34 (1 revision) (cla: yes, waiting for tree to go green)
[26795](https://github.com/flutter/engine/pull/26795) Roll Skia from 491282486e34 to b2cb817d23d0 (4 revisions) (cla: yes, waiting for tree to go green)
[26799](https://github.com/flutter/engine/pull/26799) Roll Dart SDK from 914b1c6d1c88 to 369366069b83 (1 revision) (cla: yes, waiting for tree to go green)
[26801](https://github.com/flutter/engine/pull/26801) Roll Skia from b2cb817d23d0 to e8502cc73c5d (5 revisions) (cla: yes, waiting for tree to go green)
[26805](https://github.com/flutter/engine/pull/26805) Roll Skia from e8502cc73c5d to 8e814b3be082 (6 revisions) (cla: yes, waiting for tree to go green)
[26807](https://github.com/flutter/engine/pull/26807) Roll Dart SDK from 369366069b83 to 0796dd6c7bcf (1 revision) (cla: yes, waiting for tree to go green)
[26809](https://github.com/flutter/engine/pull/26809) Roll Skia from 8e814b3be082 to ca8191b0adef (6 revisions) (cla: yes, waiting for tree to go green)
[26810](https://github.com/flutter/engine/pull/26810) Roll Fuchsia Mac SDK from ih-TlZVj9... to qEI_C9coX... (cla: yes, waiting for tree to go green)
[26813](https://github.com/flutter/engine/pull/26813) Issues/80711 reland (platform-ios, cla: yes, waiting for tree to go green)
[26819](https://github.com/flutter/engine/pull/26819) Roll Skia from ca8191b0adef to 3f0e25ca47ff (15 revisions) (cla: yes, waiting for tree to go green)
[26823](https://github.com/flutter/engine/pull/26823) Remove built-in shadows from the @Config annotation (platform-android, cla: yes, waiting for tree to go green)
[26825](https://github.com/flutter/engine/pull/26825) Migrate //testing to nullsafety (cla: yes, waiting for tree to go green, tech-debt)
[26827](https://github.com/flutter/engine/pull/26827) Roll Skia from 3f0e25ca47ff to 7bf6bc0d0604 (5 revisions) (cla: yes, waiting for tree to go green)
[26828](https://github.com/flutter/engine/pull/26828) Remove outdated annotations from fixtures (cla: yes, waiting for tree to go green, tech-debt, embedder)
[26829](https://github.com/flutter/engine/pull/26829) Roll Skia from 7bf6bc0d0604 to 5a479e187db4 (1 revision) (cla: yes, waiting for tree to go green)
[26831](https://github.com/flutter/engine/pull/26831) Remove analyze script (cla: yes, waiting for tree to go green)
[26832](https://github.com/flutter/engine/pull/26832) Roll Dart SDK from 0796dd6c7bcf to bb03d195583c (1 revision) (cla: yes, waiting for tree to go green)
[26833](https://github.com/flutter/engine/pull/26833) Roll Fuchsia Mac SDK from qEI_C9coX... to K1Tu371Kz... (cla: yes, waiting for tree to go green)
[26834](https://github.com/flutter/engine/pull/26834) Roll Dart SDK from bb03d195583c to 46a04dccfcdc (1 revision) (cla: yes, waiting for tree to go green)
[26836](https://github.com/flutter/engine/pull/26836) Roll Dart SDK from 46a04dccfcdc to 1fd0db5918c3 (1 revision) (cla: yes, waiting for tree to go green)
[26838](https://github.com/flutter/engine/pull/26838) Roll Skia from 5a479e187db4 to fe83ab67063c (2 revisions) (cla: yes, waiting for tree to go green)
[26839](https://github.com/flutter/engine/pull/26839) Roll Skia from fe83ab67063c to 2421b9901b29 (1 revision) (cla: yes, waiting for tree to go green)
[26841](https://github.com/flutter/engine/pull/26841) Roll Skia from 2421b9901b29 to 685e09b31a97 (1 revision) (cla: yes, waiting for tree to go green)
[26842](https://github.com/flutter/engine/pull/26842) Roll Fuchsia Mac SDK from K1Tu371Kz... to YvOB9uq1d... (cla: yes, waiting for tree to go green)
[26843](https://github.com/flutter/engine/pull/26843) Roll Dart SDK from 1fd0db5918c3 to b30cd791a933 (1 revision) (cla: yes, waiting for tree to go green)
[26844](https://github.com/flutter/engine/pull/26844) Roll Skia from 685e09b31a97 to efe9df37e08d (1 revision) (cla: yes, waiting for tree to go green)
[26845](https://github.com/flutter/engine/pull/26845) Roll Dart SDK from b30cd791a933 to debd5e54b544 (1 revision) (cla: yes, waiting for tree to go green)
[26846](https://github.com/flutter/engine/pull/26846) Roll Skia from efe9df37e08d to 9a4824b47c03 (1 revision) (cla: yes, waiting for tree to go green)
[26849](https://github.com/flutter/engine/pull/26849) Roll Fuchsia Mac SDK from YvOB9uq1d... to _YU5l2N-C... (cla: yes, waiting for tree to go green)
[26850](https://github.com/flutter/engine/pull/26850) Roll Fuchsia Mac SDK from _YU5l2N-C... to krpEDaT56... (cla: yes, waiting for tree to go green)
[26851](https://github.com/flutter/engine/pull/26851) Roll Skia from 9a4824b47c03 to 64751750f474 (1 revision) (cla: yes, waiting for tree to go green)
[26853](https://github.com/flutter/engine/pull/26853) Roll Dart SDK from debd5e54b544 to 77bc0eb4b39a (1 revision) (cla: yes, waiting for tree to go green)
[26871](https://github.com/flutter/engine/pull/26871) Roll Skia from 64751750f474 to 9f73b04b437d (10 revisions) (cla: yes, waiting for tree to go green)
[26872](https://github.com/flutter/engine/pull/26872) Roll Dart SDK from 77bc0eb4b39a to b260adefae51 (4 revisions) (cla: yes, waiting for tree to go green)
[26873](https://github.com/flutter/engine/pull/26873) Roll Fuchsia Mac SDK from krpEDaT56... to 8F5w2I_W6... (cla: yes, waiting for tree to go green)
[26876](https://github.com/flutter/engine/pull/26876) Roll Skia from 9f73b04b437d to 79e706ad238f (3 revisions) (cla: yes, waiting for tree to go green)
[26878](https://github.com/flutter/engine/pull/26878) Roll Dart SDK from b260adefae51 to 90aa0bd86307 (1 revision) (cla: yes, waiting for tree to go green)
[26881](https://github.com/flutter/engine/pull/26881) Roll Fuchsia Mac SDK from 8F5w2I_W6... to b88AaXCwv... (cla: yes, waiting for tree to go green)
[26883](https://github.com/flutter/engine/pull/26883) Const finder NNBD (cla: yes, waiting for tree to go green)
[26884](https://github.com/flutter/engine/pull/26884) Roll Skia from 79e706ad238f to 343588ddf0e2 (11 revisions) (cla: yes, waiting for tree to go green)
[26885](https://github.com/flutter/engine/pull/26885) Roll Dart SDK from 90aa0bd86307 to 7dcf180a625a (2 revisions) (cla: yes, waiting for tree to go green)
[26891](https://github.com/flutter/engine/pull/26891) Roll Skia from 343588ddf0e2 to e2c4e7e62dad (1 revision) (cla: yes, waiting for tree to go green)
[26892](https://github.com/flutter/engine/pull/26892) fix javadoc (platform-android, affects: docs, cla: yes, waiting for tree to go green, tech-debt)
[26893](https://github.com/flutter/engine/pull/26893) Roll Skia from e2c4e7e62dad to 80c83a1225d9 (1 revision) (cla: yes, waiting for tree to go green)
[26909](https://github.com/flutter/engine/pull/26909) Reserve space for the line metrics styles created by ParagraphSkia::GetLineMetrics (cla: yes, waiting for tree to go green)
[26915](https://github.com/flutter/engine/pull/26915) Roll Dart SDK from 7dcf180a625a to 2ca3cb6a1247 (4 revisions) (cla: yes, waiting for tree to go green)
[26916](https://github.com/flutter/engine/pull/26916) Symbolize crash backtraces using the Abseil debugging library (cla: yes, waiting for tree to go green)
[26918](https://github.com/flutter/engine/pull/26918) Roll Skia from 80c83a1225d9 to d1d0a9f1f334 (19 revisions) (cla: yes, waiting for tree to go green)
[26919](https://github.com/flutter/engine/pull/26919) Roll Fuchsia Mac SDK from b88AaXCwv... to eN9tZUQWG... (cla: yes, waiting for tree to go green)
[26920](https://github.com/flutter/engine/pull/26920) Roll Skia from d1d0a9f1f334 to b1e8f85fb802 (1 revision) (cla: yes, waiting for tree to go green)
[26921](https://github.com/flutter/engine/pull/26921) Use unstripped executables when running tests on Linux (cla: yes, waiting for tree to go green)
[26922](https://github.com/flutter/engine/pull/26922) Update ci.yaml documentation link (cla: yes, waiting for tree to go green)
[26923](https://github.com/flutter/engine/pull/26923) Roll Skia from b1e8f85fb802 to 9a2d3d1e19e7 (1 revision) (cla: yes, waiting for tree to go green)
[26925](https://github.com/flutter/engine/pull/26925) Roll Dart SDK from 2ca3cb6a1247 to 092a61ba6f58 (1 revision) (cla: yes, waiting for tree to go green)
[26926](https://github.com/flutter/engine/pull/26926) Roll Skia from 9a2d3d1e19e7 to aa938cea3385 (1 revision) (cla: yes, waiting for tree to go green)
[26928](https://github.com/flutter/engine/pull/26928) Implement a DisplayList mechanism similar to the Skia SkLiteDL mechanism (affects: engine, cla: yes, waiting for tree to go green)
[26929](https://github.com/flutter/engine/pull/26929) Roll Skia from aa938cea3385 to 83420eb81773 (1 revision) (cla: yes, waiting for tree to go green)
[26930](https://github.com/flutter/engine/pull/26930) Roll Skia from 83420eb81773 to 8c3036c14570 (1 revision) (cla: yes, waiting for tree to go green)
[26932](https://github.com/flutter/engine/pull/26932) Roll Dart SDK from 092a61ba6f58 to 33c9448f6dbe (1 revision) (cla: yes, waiting for tree to go green)
[26933](https://github.com/flutter/engine/pull/26933) Roll Skia from 8c3036c14570 to 2bf88911b930 (4 revisions) (cla: yes, waiting for tree to go green)
[26934](https://github.com/flutter/engine/pull/26934) Roll Fuchsia Mac SDK from eN9tZUQWG... to ntgCqOS4m... (cla: yes, waiting for tree to go green)
[26935](https://github.com/flutter/engine/pull/26935) Roll Dart SDK from 33c9448f6dbe to 4b5364175b06 (1 revision) (cla: yes, waiting for tree to go green)
[26936](https://github.com/flutter/engine/pull/26936) Roll Skia from 2bf88911b930 to ecee7cc6fe88 (1 revision) (cla: yes, waiting for tree to go green)
[26937](https://github.com/flutter/engine/pull/26937) Roll Skia from ecee7cc6fe88 to c5a65cb22d36 (1 revision) (cla: yes, waiting for tree to go green)
[26940](https://github.com/flutter/engine/pull/26940) Roll Skia from c5a65cb22d36 to 3722d3195be5 (1 revision) (cla: yes, waiting for tree to go green)
[26943](https://github.com/flutter/engine/pull/26943) Roll Skia from 3722d3195be5 to bd7ed7434a65 (4 revisions) (cla: yes, waiting for tree to go green)
[26945](https://github.com/flutter/engine/pull/26945) Roll buildroot to 275038b8be7196927b0f71770701f3c2c3744860 (cla: yes, waiting for tree to go green)
[26946](https://github.com/flutter/engine/pull/26946) Builder configuration for windows_host_engine. (cla: yes, waiting for tree to go green)
[26947](https://github.com/flutter/engine/pull/26947) Roll Skia from bd7ed7434a65 to 559185ad34e1 (1 revision) (cla: yes, waiting for tree to go green)
[26948](https://github.com/flutter/engine/pull/26948) Roll Dart SDK from 4b5364175b06 to 557c841b50bd (1 revision) (cla: yes, waiting for tree to go green)
[26950](https://github.com/flutter/engine/pull/26950) Roll Skia from 559185ad34e1 to 9c81a4b7047d (3 revisions) (cla: yes, waiting for tree to go green)
[26955](https://github.com/flutter/engine/pull/26955) Roll Dart SDK from 557c841b50bd to 3a23cb476b32 (1 revision) (cla: yes, waiting for tree to go green)
[26956](https://github.com/flutter/engine/pull/26956) Removes unnecessary error message: "Invalid read in StandardCodecByteStreamReader" for cpp BasicMessageChannel (cla: yes, waiting for tree to go green)
[26957](https://github.com/flutter/engine/pull/26957) Roll Skia from 9c81a4b7047d to 0b04b6b16f1f (1 revision) (cla: yes, waiting for tree to go green)
[26959](https://github.com/flutter/engine/pull/26959) Roll Fuchsia Mac SDK from ntgCqOS4m... to BPvUey1RN... (cla: yes, waiting for tree to go green)
[26960](https://github.com/flutter/engine/pull/26960) Roll Skia from 0b04b6b16f1f to cb316203573f (1 revision) (cla: yes, waiting for tree to go green)
[26961](https://github.com/flutter/engine/pull/26961) Roll Skia from cb316203573f to 3a35f0b263cb (1 revision) (cla: yes, waiting for tree to go green)
[26962](https://github.com/flutter/engine/pull/26962) Roll Dart SDK from 3a23cb476b32 to 82e9a9e0dc8a (1 revision) (cla: yes, waiting for tree to go green)
[26963](https://github.com/flutter/engine/pull/26963) Roll Skia from 3a35f0b263cb to e58831cd9578 (1 revision) (cla: yes, waiting for tree to go green)
[26964](https://github.com/flutter/engine/pull/26964) Roll Dart SDK from 82e9a9e0dc8a to 624322b41ddb (1 revision) (cla: yes, waiting for tree to go green)
[26965](https://github.com/flutter/engine/pull/26965) Roll Skia from e58831cd9578 to 68d6983acd82 (1 revision) (cla: yes, waiting for tree to go green)
[26966](https://github.com/flutter/engine/pull/26966) Roll Skia from 68d6983acd82 to bef379ba620a (2 revisions) (cla: yes, waiting for tree to go green)
[26967](https://github.com/flutter/engine/pull/26967) Roll Skia from bef379ba620a to d253088fc211 (6 revisions) (cla: yes, waiting for tree to go green)
[26968](https://github.com/flutter/engine/pull/26968) Roll Fuchsia Mac SDK from BPvUey1RN... to T_EmrITXO... (cla: yes, waiting for tree to go green)
[26972](https://github.com/flutter/engine/pull/26972) Roll Skia from d253088fc211 to 7bf799956d8b (5 revisions) (cla: yes, waiting for tree to go green)
[26975](https://github.com/flutter/engine/pull/26975) Roll Dart SDK from 624322b41ddb to 4f1a93c0cd09 (2 revisions) (cla: yes, waiting for tree to go green)
[26978](https://github.com/flutter/engine/pull/26978) Roll Skia from 7bf799956d8b to 688d3180ab9d (8 revisions) (cla: yes, waiting for tree to go green)
[26979](https://github.com/flutter/engine/pull/26979) [iOS TextInput] Disables system keyboard for TextInputType.none (platform-ios, cla: yes, waiting for tree to go green)
[26980](https://github.com/flutter/engine/pull/26980) Roll Dart SDK from 4f1a93c0cd09 to d2025958e351 (1 revision) (cla: yes, waiting for tree to go green)
[26983](https://github.com/flutter/engine/pull/26983) Roll Skia from 688d3180ab9d to 9f745d90d0e8 (1 revision) (cla: yes, waiting for tree to go green)
[26985](https://github.com/flutter/engine/pull/26985) Roll Skia from 9f745d90d0e8 to 1d9fe0090a7e (2 revisions) (cla: yes, waiting for tree to go green)
[26987](https://github.com/flutter/engine/pull/26987) Roll Fuchsia Mac SDK from T_EmrITXO... to fSBeRabKp... (cla: yes, waiting for tree to go green)
[26989](https://github.com/flutter/engine/pull/26989) Roll Skia from 1d9fe0090a7e to 96a7f06201e6 (1 revision) (cla: yes, waiting for tree to go green)
[26990](https://github.com/flutter/engine/pull/26990) Roll Fuchsia Mac SDK from fSBeRabKp... to z6trYeCMx... (cla: yes, waiting for tree to go green)
[26997](https://github.com/flutter/engine/pull/26997) Remove presubmit flake reporting instructions from issue template. (cla: yes, waiting for tree to go green)
[26998](https://github.com/flutter/engine/pull/26998) Roll Skia from 96a7f06201e6 to 0f1ac21185fe (1 revision) (cla: yes, waiting for tree to go green)
[26999](https://github.com/flutter/engine/pull/26999) --sound-null-safety instead of enable-experiment where possible (cla: yes, waiting for tree to go green, platform-web, platform-fuchsia)
[27000](https://github.com/flutter/engine/pull/27000) Roll Skia from 0f1ac21185fe to b1590f15a32b (1 revision) (cla: yes, waiting for tree to go green)
[27001](https://github.com/flutter/engine/pull/27001) Roll Skia from b1590f15a32b to eef5b0e933e3 (2 revisions) (cla: yes, waiting for tree to go green)
[27002](https://github.com/flutter/engine/pull/27002) Roll Fuchsia Mac SDK from z6trYeCMx... to R1ENSI-od... (cla: yes, waiting for tree to go green)
[27003](https://github.com/flutter/engine/pull/27003) Roll Dart SDK from d2025958e351 to eca780278d49 (1 revision) (cla: yes, waiting for tree to go green)
[27005](https://github.com/flutter/engine/pull/27005) [refactor] Migrate to View.focus.*. (cla: yes, waiting for tree to go green, platform-fuchsia)
[27006](https://github.com/flutter/engine/pull/27006) Roll Fuchsia Linux SDK from TqViQQzJo... to 4udsaggtH... (cla: yes, waiting for tree to go green)
[27007](https://github.com/flutter/engine/pull/27007) Fix Fuchsia build on Mac (cla: yes, waiting for tree to go green)
[27011](https://github.com/flutter/engine/pull/27011) Roll Skia from eef5b0e933e3 to e5766b808045 (12 revisions) (cla: yes, waiting for tree to go green)
[27012](https://github.com/flutter/engine/pull/27012) Allow fuchsia_archive to accept a cml file and cmx file (cla: yes, waiting for tree to go green, platform-fuchsia)
[27014](https://github.com/flutter/engine/pull/27014) Revert "[Engine] Support for Android Fullscreen Modes" (platform-ios, platform-android, cla: yes, waiting for tree to go green)
[27015](https://github.com/flutter/engine/pull/27015) Roll Dart SDK from eca780278d49 to bbd701b4ba76 (1 revision) (cla: yes, waiting for tree to go green)
[27018](https://github.com/flutter/engine/pull/27018) Re-land Android fullscreen support (platform-ios, platform-android, cla: yes, waiting for tree to go green)
[27020](https://github.com/flutter/engine/pull/27020) Roll Skia from e5766b808045 to 661abd0f8d64 (7 revisions) (cla: yes, waiting for tree to go green)
[27023](https://github.com/flutter/engine/pull/27023) Roll Skia from 661abd0f8d64 to 1bddd42b9897 (3 revisions) (cla: yes, waiting for tree to go green)
[27025](https://github.com/flutter/engine/pull/27025) Roll Skia from 1bddd42b9897 to baae2dd7fb9d (1 revision) (cla: yes, waiting for tree to go green)
[27026](https://github.com/flutter/engine/pull/27026) Roll Fuchsia Mac SDK from R1ENSI-od... to vWnaCinzz... (cla: yes, waiting for tree to go green)
[27027](https://github.com/flutter/engine/pull/27027) Roll Skia from baae2dd7fb9d to a7d429464276 (2 revisions) (cla: yes, waiting for tree to go green)
[27028](https://github.com/flutter/engine/pull/27028) Roll Fuchsia Linux SDK from 4udsaggtH... to qq5J5tHIA... (cla: yes, waiting for tree to go green)
[27029](https://github.com/flutter/engine/pull/27029) Roll Skia from a7d429464276 to 78af79e98d66 (1 revision) (cla: yes, waiting for tree to go green)
[27030](https://github.com/flutter/engine/pull/27030) Roll Dart SDK from fff3a3747a18 to e6e47f919791 (1 revision) (cla: yes, waiting for tree to go green)
[27031](https://github.com/flutter/engine/pull/27031) Roll Skia from 78af79e98d66 to 1df8756419ee (1 revision) (cla: yes, waiting for tree to go green)
[27032](https://github.com/flutter/engine/pull/27032) Roll Dart SDK from e6e47f919791 to 59f9594aed9a (1 revision) (cla: yes, waiting for tree to go green)
[27035](https://github.com/flutter/engine/pull/27035) Roll Skia from 1df8756419ee to 4716a7681e4a (7 revisions) (cla: yes, waiting for tree to go green)
[27036](https://github.com/flutter/engine/pull/27036) Prepare for cfv2 unittests. (cla: yes, waiting for tree to go green, platform-fuchsia)
[27038](https://github.com/flutter/engine/pull/27038) Create flag to enable/disable FlutterView render surface conversion (platform-android, cla: yes, waiting for tree to go green)
[27039](https://github.com/flutter/engine/pull/27039) Roll Skia from 4716a7681e4a to 62ce2488f744 (1 revision) (cla: yes, waiting for tree to go green)
[27040](https://github.com/flutter/engine/pull/27040) Roll Dart SDK from 59f9594aed9a to 5103185fdff6 (1 revision) (cla: yes, waiting for tree to go green)
[27047](https://github.com/flutter/engine/pull/27047) Roll Fuchsia Mac SDK from vWnaCinzz... to 2FIILk5GN... (cla: yes, waiting for tree to go green)
[27048](https://github.com/flutter/engine/pull/27048) Temporarily opt out of reduced shaders variants till roll issues are resolved. (cla: yes, waiting for tree to go green, needs tests, embedder)
[27049](https://github.com/flutter/engine/pull/27049) Roll Fuchsia Linux SDK from qq5J5tHIA... to eMHAbJpmO... (cla: yes, waiting for tree to go green)
[27050](https://github.com/flutter/engine/pull/27050) Roll Skia from 62ce2488f744 to c6804edbaefc (4 revisions) (cla: yes, waiting for tree to go green)
[27052](https://github.com/flutter/engine/pull/27052) Give FlutterView a view ID (platform-android, cla: yes, waiting for tree to go green)
[27054](https://github.com/flutter/engine/pull/27054) Roll Dart SDK from 5103185fdff6 to 9d7c40ba84c4 (1 revision) (cla: yes, waiting for tree to go green)
[27055](https://github.com/flutter/engine/pull/27055) Roll Skia from c6804edbaefc to 55b401ed9e6c (1 revision) (cla: yes, waiting for tree to go green)
[27058](https://github.com/flutter/engine/pull/27058) Roll Dart SDK from 9d7c40ba84c4 to d01a840fa25b (1 revision) (cla: yes, waiting for tree to go green)
[27060](https://github.com/flutter/engine/pull/27060) Roll Dart SDK from d01a840fa25b to 75ae501952db (1 revision) (cla: yes, waiting for tree to go green)
[27061](https://github.com/flutter/engine/pull/27061) Roll Skia from 55b401ed9e6c to 76e45134b8a7 (1 revision) (cla: yes, waiting for tree to go green)
[27062](https://github.com/flutter/engine/pull/27062) Fix crash when splash screen is not specified for FlutterFragmentActivity (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27063](https://github.com/flutter/engine/pull/27063) Roll Fuchsia Mac SDK from 2FIILk5GN... to 8L02NQinV... (cla: yes, waiting for tree to go green)
[27064](https://github.com/flutter/engine/pull/27064) Do not expect WM_CHAR if control or windows key is pressed (cla: yes, waiting for tree to go green, platform-windows)
[27065](https://github.com/flutter/engine/pull/27065) Roll Fuchsia Linux SDK from eMHAbJpmO... to pjxq0wD6b... (cla: yes, waiting for tree to go green)
[27066](https://github.com/flutter/engine/pull/27066) Roll Dart SDK from 75ae501952db to 8234f00e521a (1 revision) (cla: yes, waiting for tree to go green)
[27067](https://github.com/flutter/engine/pull/27067) Roll Skia from 76e45134b8a7 to b393c4bccd5f (1 revision) (cla: yes, waiting for tree to go green)
[27068](https://github.com/flutter/engine/pull/27068) Roll Skia from b393c4bccd5f to c9897a55650a (1 revision) (cla: yes, waiting for tree to go green)
[27069](https://github.com/flutter/engine/pull/27069) Partial reland of sound null safety for VM tests (cla: yes, waiting for tree to go green)
[27070](https://github.com/flutter/engine/pull/27070) [web][felt] Fix stdout inheritance for sub-processes (cla: yes, waiting for tree to go green, platform-web, needs tests)
[27071](https://github.com/flutter/engine/pull/27071) [web] Librarify text editing files (cla: yes, waiting for tree to go green, platform-web)
[27073](https://github.com/flutter/engine/pull/27073) Roll Skia from c9897a55650a to e1f72377e574 (3 revisions) (cla: yes, waiting for tree to go green)
[27074](https://github.com/flutter/engine/pull/27074) FrameTimings captures raster finish time in wall-clock time (cla: yes, waiting for tree to go green)
[27077](https://github.com/flutter/engine/pull/27077) Roll Fuchsia from 275038b8be7196927b0f71770701f3c2c3744860 to 86a2f5264f8dc496dccdd4060e4bad4c33eef552 (cla: yes, waiting for tree to go green)
[27078](https://github.com/flutter/engine/pull/27078) Roll Skia from e1f72377e574 to 0734c6223cb8 (3 revisions) (cla: yes, waiting for tree to go green)
[27079](https://github.com/flutter/engine/pull/27079) Roll Dart SDK from 8234f00e521a to 54c79f559d23 (2 revisions) (cla: yes, waiting for tree to go green)
[27083](https://github.com/flutter/engine/pull/27083) Fixes inset padding in android accessibility bridge (platform-android, cla: yes, waiting for tree to go green)
[27086](https://github.com/flutter/engine/pull/27086) Roll Fuchsia Mac SDK from 8L02NQinV... to TwKuP0eAM... (cla: yes, waiting for tree to go green)
[27088](https://github.com/flutter/engine/pull/27088) Update include path in FlutterDarwinContextMetal.mm (cla: yes, waiting for tree to go green, needs tests)
[27091](https://github.com/flutter/engine/pull/27091) Roll Fuchsia Linux SDK from pjxq0wD6b... to OzIwVa3oF... (cla: yes, waiting for tree to go green)
[27092](https://github.com/flutter/engine/pull/27092) Roll Dart SDK from 54c79f559d23 to 3dc08e6ea29d (1 revision) (cla: yes, waiting for tree to go green)
[27112](https://github.com/flutter/engine/pull/27112) Roll Fuchsia Mac SDK from TwKuP0eAM... to jJi9pAzTk... (cla: yes, waiting for tree to go green)
[27113](https://github.com/flutter/engine/pull/27113) Roll Fuchsia Linux SDK from OzIwVa3oF... to tWUmW9zse... (cla: yes, waiting for tree to go green)
[27115](https://github.com/flutter/engine/pull/27115) Roll Skia from 0734c6223cb8 to 024668cf7f46 (25 revisions) (cla: yes, waiting for tree to go green)
[27119](https://github.com/flutter/engine/pull/27119) Roll Dart SDK from 3dc08e6ea29d to 428382bd1c75 (5 revisions) (cla: yes, waiting for tree to go green)
[27121](https://github.com/flutter/engine/pull/27121) Roll Skia from 024668cf7f46 to d584ddd1519c (7 revisions) (cla: yes, waiting for tree to go green)
[27123](https://github.com/flutter/engine/pull/27123) Avoid capturing raw pointers to the SkPicture/DisplayList used by the RasterizeToImage draw callback (cla: yes, waiting for tree to go green, needs tests)
[27124](https://github.com/flutter/engine/pull/27124) [flow] Switch to directional shadows (cla: yes, waiting for tree to go green)
[27125](https://github.com/flutter/engine/pull/27125) Move the Android API JAR ahead of the third-party dependencies in the Javadoc classpath (cla: yes, waiting for tree to go green)
[27126](https://github.com/flutter/engine/pull/27126) Rename SkiaGPUObject::get() to skia_object() (cla: yes, waiting for tree to go green)
[27127](https://github.com/flutter/engine/pull/27127) Roll Skia from d584ddd1519c to 3c227305ac28 (3 revisions) (cla: yes, waiting for tree to go green)
[27129](https://github.com/flutter/engine/pull/27129) Roll Skia from 3c227305ac28 to 3dd52c758b6c (2 revisions) (cla: yes, waiting for tree to go green)
[27130](https://github.com/flutter/engine/pull/27130) enable DisplayList by default (cla: yes, waiting for tree to go green)
[27132](https://github.com/flutter/engine/pull/27132) Roll Dart SDK from 428382bd1c75 to c514a807e19d (1 revision) (cla: yes, waiting for tree to go green)
[27133](https://github.com/flutter/engine/pull/27133) Roll Skia from 3dd52c758b6c to b14bdcfee9b7 (1 revision) (cla: yes, waiting for tree to go green)
[27134](https://github.com/flutter/engine/pull/27134) Roll Fuchsia Mac SDK from jJi9pAzTk... to jzKy-rCeR... (cla: yes, waiting for tree to go green)
[27135](https://github.com/flutter/engine/pull/27135) Roll Skia from b14bdcfee9b7 to 9c060b55e116 (3 revisions) (cla: yes, waiting for tree to go green)
[27136](https://github.com/flutter/engine/pull/27136) Roll Fuchsia Linux SDK from tWUmW9zse... to 4MLcvcjCH... (cla: yes, waiting for tree to go green)
[27137](https://github.com/flutter/engine/pull/27137) Roll Dart SDK from c514a807e19d to 3c78c06ceb91 (1 revision) (cla: yes, waiting for tree to go green)
[27139](https://github.com/flutter/engine/pull/27139) Roll Dart SDK from 3c78c06ceb91 to f860b70c98d0 (1 revision) (cla: yes, waiting for tree to go green)
[27140](https://github.com/flutter/engine/pull/27140) Roll Skia from 9c060b55e116 to 1c467774e56e (2 revisions) (cla: yes, waiting for tree to go green)
[27142](https://github.com/flutter/engine/pull/27142) Make rasterFinishWallTime required (cla: yes, waiting for tree to go green, platform-web, needs tests)
[27143](https://github.com/flutter/engine/pull/27143) Roll Skia from 1c467774e56e to e9ab391765c7 (1 revision) (cla: yes, waiting for tree to go green)
[27145](https://github.com/flutter/engine/pull/27145) Roll Fuchsia Mac SDK from jzKy-rCeR... to oiyYFMOd3... (cla: yes, waiting for tree to go green)
[27146](https://github.com/flutter/engine/pull/27146) Roll Fuchsia Linux SDK from 4MLcvcjCH... to QbIpQIqxK... (cla: yes, waiting for tree to go green)
[27148](https://github.com/flutter/engine/pull/27148) Roll Skia from e9ab391765c7 to 04d79fc59488 (1 revision) (cla: yes, waiting for tree to go green)
[27152](https://github.com/flutter/engine/pull/27152) Follow up cleanup of some unit tests for right click handling. (cla: yes, waiting for tree to go green)
[27154](https://github.com/flutter/engine/pull/27154) [web] Reassign content to temporary slot so Safari can delete it. (cla: yes, waiting for tree to go green, platform-web)
[27155](https://github.com/flutter/engine/pull/27155) add support for SkPathEffect to DisplayList (cla: yes, waiting for tree to go green)
[27157](https://github.com/flutter/engine/pull/27157) Roll Fuchsia Mac SDK from oiyYFMOd3... to chKeQc7Mz... (cla: yes, waiting for tree to go green)
[27159](https://github.com/flutter/engine/pull/27159) Roll Fuchsia Linux SDK from QbIpQIqxK... to tSP7U5udy... (cla: yes, waiting for tree to go green)
[27161](https://github.com/flutter/engine/pull/27161) Roll Dart SDK from f860b70c98d0 to 559da0f2d2a4 (5 revisions) (cla: yes, waiting for tree to go green)
[27162](https://github.com/flutter/engine/pull/27162) Roll Fuchsia Mac SDK from chKeQc7Mz... to 1cvQeFtFt... (cla: yes, waiting for tree to go green)
[27163](https://github.com/flutter/engine/pull/27163) Roll Fuchsia Linux SDK from tSP7U5udy... to GbnevjaIL... (cla: yes, waiting for tree to go green)
[27164](https://github.com/flutter/engine/pull/27164) Roll Skia from 04d79fc59488 to e5d312975fea (1 revision) (cla: yes, waiting for tree to go green)
[27165](https://github.com/flutter/engine/pull/27165) Roll Fuchsia Mac SDK from 1cvQeFtFt... to bWBLMrWY9... (cla: yes, waiting for tree to go green)
[27166](https://github.com/flutter/engine/pull/27166) Roll Fuchsia Linux SDK from GbnevjaIL... to _qjVyc39z... (cla: yes, waiting for tree to go green)
[27167](https://github.com/flutter/engine/pull/27167) Roll Fuchsia Mac SDK from bWBLMrWY9... to Bdm6sG4U3... (cla: yes, waiting for tree to go green)
[27168](https://github.com/flutter/engine/pull/27168) Roll Fuchsia Linux SDK from _qjVyc39z... to H_WclqYkW... (cla: yes, waiting for tree to go green)
[27169](https://github.com/flutter/engine/pull/27169) Roll Skia from e5d312975fea to 47540bb36158 (1 revision) (cla: yes, waiting for tree to go green)
[27170](https://github.com/flutter/engine/pull/27170) Roll Skia from 47540bb36158 to 8cbd2b476cdb (3 revisions) (cla: yes, waiting for tree to go green)
[27171](https://github.com/flutter/engine/pull/27171) Roll Dart SDK from 559da0f2d2a4 to f99e4033de1a (1 revision) (cla: yes, waiting for tree to go green)
[27172](https://github.com/flutter/engine/pull/27172) Roll Fuchsia Mac SDK from Bdm6sG4U3... to etX11y7Bd... (cla: yes, waiting for tree to go green)
[27173](https://github.com/flutter/engine/pull/27173) Roll Dart SDK from f99e4033de1a to 9b7b9f735866 (1 revision) (cla: yes, waiting for tree to go green)
[27174](https://github.com/flutter/engine/pull/27174) Roll Fuchsia Linux SDK from H_WclqYkW... to C2OiQOT3x... (cla: yes, waiting for tree to go green)
[27175](https://github.com/flutter/engine/pull/27175) (Reland) enable DisplayList mechanism over SkPicture by default (cla: yes, waiting for tree to go green)
[27176](https://github.com/flutter/engine/pull/27176) Roll Dart SDK from 9b7b9f735866 to bae7f5908cfb (1 revision) (cla: yes, waiting for tree to go green)
[27177](https://github.com/flutter/engine/pull/27177) Roll Dart SDK from bae7f5908cfb to 2758c89236ac (1 revision) (cla: yes, waiting for tree to go green)
[27178](https://github.com/flutter/engine/pull/27178) Roll Fuchsia Mac SDK from etX11y7Bd... to FYI3wC-M1... (cla: yes, waiting for tree to go green)
[27179](https://github.com/flutter/engine/pull/27179) Roll Dart SDK from 2758c89236ac to 4c71ad843de0 (1 revision) (cla: yes, waiting for tree to go green)
[27180](https://github.com/flutter/engine/pull/27180) Roll Skia from 8cbd2b476cdb to e355e73eedad (1 revision) (cla: yes, waiting for tree to go green)
[27181](https://github.com/flutter/engine/pull/27181) Roll Fuchsia Linux SDK from C2OiQOT3x... to a1MOPse95... (cla: yes, waiting for tree to go green)
[27182](https://github.com/flutter/engine/pull/27182) Roll Skia from e355e73eedad to fcd068ad7215 (3 revisions) (cla: yes, waiting for tree to go green)
[27183](https://github.com/flutter/engine/pull/27183) Roll Dart SDK from 4c71ad843de0 to 8ad824d8b114 (1 revision) (cla: yes, waiting for tree to go green)
[27186](https://github.com/flutter/engine/pull/27186) Roll Dart SDK from 8ad824d8b114 to 4422591ed19b (1 revision) (cla: yes, waiting for tree to go green)
[27188](https://github.com/flutter/engine/pull/27188) Roll Skia from fcd068ad7215 to ad77b4db8dc6 (2 revisions) (cla: yes, waiting for tree to go green)
[27189](https://github.com/flutter/engine/pull/27189) MacOS: Release backbuffer surface when idle (cla: yes, waiting for tree to go green, platform-macos, needs tests)
[27190](https://github.com/flutter/engine/pull/27190) Roll Skia from ad77b4db8dc6 to 3037d9f322ff (1 revision) (cla: yes, waiting for tree to go green)
[27191](https://github.com/flutter/engine/pull/27191) MacOS (metal): Block raster thread instead of platform thread (cla: yes, waiting for tree to go green, platform-macos, needs tests)
[27193](https://github.com/flutter/engine/pull/27193) Roll Dart SDK from 4422591ed19b to 586ecc5a0697 (1 revision) (cla: yes, waiting for tree to go green)
[27195](https://github.com/flutter/engine/pull/27195) Roll Fuchsia Linux SDK from a1MOPse95... to CEpfImAgA... (cla: yes, waiting for tree to go green)
[27196](https://github.com/flutter/engine/pull/27196) Roll Skia from 3037d9f322ff to 40242241c3bf (3 revisions) (cla: yes, waiting for tree to go green)
[27198](https://github.com/flutter/engine/pull/27198) Roll Fuchsia Mac SDK from FYI3wC-M1... to YKiGmmdKT... (cla: yes, waiting for tree to go green)
[27201](https://github.com/flutter/engine/pull/27201) Roll Skia from 40242241c3bf to 40586cf1f885 (2 revisions) (cla: yes, waiting for tree to go green)
[27202](https://github.com/flutter/engine/pull/27202) Roll Dart SDK from 586ecc5a0697 to 6f9810c8f7da (1 revision) (cla: yes, waiting for tree to go green)
[27203](https://github.com/flutter/engine/pull/27203) Roll Fuchsia Linux SDK from CEpfImAgA... to MVQ4QtbNK... (cla: yes, waiting for tree to go green)
[27207](https://github.com/flutter/engine/pull/27207) Roll Fuchsia Mac SDK from YKiGmmdKT... to 57vjq86y7... (cla: yes, waiting for tree to go green)
[27208](https://github.com/flutter/engine/pull/27208) Roll Skia from 40586cf1f885 to 66657d17c64b (11 revisions) (cla: yes, waiting for tree to go green)
[27213](https://github.com/flutter/engine/pull/27213) Roll Skia from 66657d17c64b to 55d339c34879 (2 revisions) (cla: yes, waiting for tree to go green)
[27214](https://github.com/flutter/engine/pull/27214) Hides the scroll bar from UIScrollView (platform-ios, cla: yes, waiting for tree to go green)
[27215](https://github.com/flutter/engine/pull/27215) Avoid passive clipboard read on Android (platform-android, cla: yes, waiting for tree to go green)
[27216](https://github.com/flutter/engine/pull/27216) Roll Skia from 55d339c34879 to 2dc2859c70b0 (2 revisions) (cla: yes, waiting for tree to go green)
[27217](https://github.com/flutter/engine/pull/27217) Roll Dart SDK from 6f9810c8f7da to 8697e05f98df (2 revisions) (cla: yes, waiting for tree to go green)
[27220](https://github.com/flutter/engine/pull/27220) Roll Skia from 2dc2859c70b0 to f60052072ca9 (2 revisions) (cla: yes, waiting for tree to go green)
[27224](https://github.com/flutter/engine/pull/27224) Roll Skia from f60052072ca9 to 90f4e9f5f700 (3 revisions) (cla: yes, waiting for tree to go green)
[27225](https://github.com/flutter/engine/pull/27225) Fix spelling Ingore->Ignore (cla: yes, waiting for tree to go green)
[27228](https://github.com/flutter/engine/pull/27228) Roll Skia from 90f4e9f5f700 to d390c642acfb (2 revisions) (cla: yes, waiting for tree to go green)
[27229](https://github.com/flutter/engine/pull/27229) Roll Dart SDK from 8697e05f98df to 2ec59f6c0e47 (1 revision) (cla: yes, waiting for tree to go green)
[27231](https://github.com/flutter/engine/pull/27231) Roll Skia from d390c642acfb to bc26cfc9a54a (1 revision) (cla: yes, waiting for tree to go green)
[27232](https://github.com/flutter/engine/pull/27232) [web] Librarify html renderer files (cla: yes, waiting for tree to go green, platform-web)
[27233](https://github.com/flutter/engine/pull/27233) Roll Fuchsia Linux SDK from MVQ4QtbNK... to AI_KDVmMU... (cla: yes, waiting for tree to go green)
[27234](https://github.com/flutter/engine/pull/27234) Roll Fuchsia Mac SDK from 57vjq86y7... to fgd_fxgRy... (cla: yes, waiting for tree to go green)
[27235](https://github.com/flutter/engine/pull/27235) Roll Clang Mac from AA9aCrWNr... to GUxdhOlaK... (cla: yes, waiting for tree to go green)
[27236](https://github.com/flutter/engine/pull/27236) Roll Clang Linux from d9nnr4pVX... to eDzL2utDI... (cla: yes, waiting for tree to go green)
[27237](https://github.com/flutter/engine/pull/27237) Roll Dart SDK from 2ec59f6c0e47 to e4125ef075e6 (1 revision) (cla: yes, waiting for tree to go green)
[27239](https://github.com/flutter/engine/pull/27239) Roll Skia from bc26cfc9a54a to 744c6a1b1992 (1 revision) (cla: yes, waiting for tree to go green)
[27240](https://github.com/flutter/engine/pull/27240) pub get offline for scenario_app (cla: yes, waiting for tree to go green)
[27242](https://github.com/flutter/engine/pull/27242) Roll Skia from 744c6a1b1992 to d471e7c36dd4 (4 revisions) (cla: yes, waiting for tree to go green)
[27243](https://github.com/flutter/engine/pull/27243) Roll Skia from d471e7c36dd4 to ae7f7edd499b (1 revision) (cla: yes, waiting for tree to go green)
[27244](https://github.com/flutter/engine/pull/27244) Roll Skia from ae7f7edd499b to a2d6890c5b9b (1 revision) (cla: yes, waiting for tree to go green)
[27246](https://github.com/flutter/engine/pull/27246) Roll Skia from a2d6890c5b9b to e822837a1322 (4 revisions) (cla: yes, waiting for tree to go green)
[27247](https://github.com/flutter/engine/pull/27247) Roll Dart SDK from e4125ef075e6 to 3f177d9ad50c (1 revision) (cla: yes, waiting for tree to go green)
[27248](https://github.com/flutter/engine/pull/27248) Roll Skia from e822837a1322 to ba70138477f5 (3 revisions) (cla: yes, waiting for tree to go green)
[27249](https://github.com/flutter/engine/pull/27249) Roll Fuchsia Mac SDK from fgd_fxgRy... to HXQigwdUe... (cla: yes, waiting for tree to go green)
[27250](https://github.com/flutter/engine/pull/27250) Roll Skia from ba70138477f5 to 26ea975e6c9d (5 revisions) (cla: yes, waiting for tree to go green)
[27251](https://github.com/flutter/engine/pull/27251) Roll Fuchsia Linux SDK from AI_KDVmMU... to KsHfXaCpD... (cla: yes, waiting for tree to go green)
[27255](https://github.com/flutter/engine/pull/27255) Roll Skia from 26ea975e6c9d to a89781215a81 (9 revisions) (cla: yes, waiting for tree to go green)
[27257](https://github.com/flutter/engine/pull/27257) delete references to FilterQuality prior to its removal (cla: yes, waiting for tree to go green)
[27258](https://github.com/flutter/engine/pull/27258) Roll Dart SDK from 3f177d9ad50c to eb6ae1c165fc (1 revision) (cla: yes, waiting for tree to go green)
[27259](https://github.com/flutter/engine/pull/27259) Roll Skia from a89781215a81 to 54fd2c59bff2 (2 revisions) (cla: yes, waiting for tree to go green)
[27260](https://github.com/flutter/engine/pull/27260) Roll webp to 1.2.0 and buildroot (cla: yes, waiting for tree to go green)
[27262](https://github.com/flutter/engine/pull/27262) Set Flutter View ID to the view ID instead of of the splash screen (platform-android, cla: yes, waiting for tree to go green)
[27263](https://github.com/flutter/engine/pull/27263) Roll Skia from 54fd2c59bff2 to 3c636f0987c6 (4 revisions) (cla: yes, waiting for tree to go green)
[27265](https://github.com/flutter/engine/pull/27265) Roll Skia from 3c636f0987c6 to b1fd64e82efd (2 revisions) (cla: yes, waiting for tree to go green)
[27269](https://github.com/flutter/engine/pull/27269) Roll Skia from b1fd64e82efd to c2f5b311ceac (3 revisions) (cla: yes, waiting for tree to go green)
[27270](https://github.com/flutter/engine/pull/27270) Roll Dart SDK from eb6ae1c165fc to ae01d698532b (2 revisions) (cla: yes, waiting for tree to go green)
[27271](https://github.com/flutter/engine/pull/27271) Roll Skia from c2f5b311ceac to 39122d445939 (1 revision) (cla: yes, waiting for tree to go green)
[27273](https://github.com/flutter/engine/pull/27273) Roll Fuchsia Mac SDK from HXQigwdUe... to pt_XKNLXb... (cla: yes, waiting for tree to go green)
[27275](https://github.com/flutter/engine/pull/27275) Roll Skia from 39122d445939 to f5bd4e4b9f6b (2 revisions) (cla: yes, waiting for tree to go green)
[27276](https://github.com/flutter/engine/pull/27276) Roll Fuchsia Linux SDK from KsHfXaCpD... to OPhOQ6shB... (cla: yes, waiting for tree to go green)
[27279](https://github.com/flutter/engine/pull/27279) Roll Dart SDK from ae01d698532b to a8c4933bf92e (2 revisions) (cla: yes, waiting for tree to go green)
[27280](https://github.com/flutter/engine/pull/27280) Roll Skia from f5bd4e4b9f6b to beb2fbf0e66a (1 revision) (cla: yes, waiting for tree to go green)
[27281](https://github.com/flutter/engine/pull/27281) Roll Skia from beb2fbf0e66a to 8573dab150a7 (4 revisions) (cla: yes, waiting for tree to go green)
[27282](https://github.com/flutter/engine/pull/27282) Roll Skia from 8573dab150a7 to 552a81a6c78b (4 revisions) (cla: yes, waiting for tree to go green)
[27285](https://github.com/flutter/engine/pull/27285) Roll Skia from 552a81a6c78b to 768843b52f9d (1 revision) (cla: yes, waiting for tree to go green)
[27286](https://github.com/flutter/engine/pull/27286) Roll Fuchsia Mac SDK from pt_XKNLXb... to MkrnXce9t... (cla: yes, waiting for tree to go green)
[27287](https://github.com/flutter/engine/pull/27287) Roll Skia from 768843b52f9d to b161a77d0321 (3 revisions) (cla: yes, waiting for tree to go green)
[27288](https://github.com/flutter/engine/pull/27288) [ci.yaml] Add platform_args, properties, recipe, and timeout information (cla: yes, waiting for tree to go green)
[27289](https://github.com/flutter/engine/pull/27289) encode DPR for shadows into DisplayList (cla: yes, waiting for tree to go green)
[27290](https://github.com/flutter/engine/pull/27290) Roll Fuchsia Linux SDK from OPhOQ6shB... to 7q7h2ljWo... (cla: yes, waiting for tree to go green)
[27291](https://github.com/flutter/engine/pull/27291) Roll Dart SDK from a8c4933bf92e to 83a559e0a9bd (2 revisions) (cla: yes, waiting for tree to go green)
[27293](https://github.com/flutter/engine/pull/27293) Roll Skia from b161a77d0321 to 4b6e2f0d8818 (4 revisions) (cla: yes, waiting for tree to go green)
[27295](https://github.com/flutter/engine/pull/27295) Fix the firebase scenario app run and assert that it does good things (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27298](https://github.com/flutter/engine/pull/27298) Roll Dart SDK from 83a559e0a9bd to ab8bac9fd542 (1 revision) (cla: yes, waiting for tree to go green)
[27300](https://github.com/flutter/engine/pull/27300) Roll Dart SDK from ab8bac9fd542 to 812bf07cf737 (1 revision) (cla: yes, waiting for tree to go green)
[27301](https://github.com/flutter/engine/pull/27301) Fix duplicated keys with CONTROL key toggled (cla: yes, waiting for tree to go green, platform-windows)
[27304](https://github.com/flutter/engine/pull/27304) Roll Fuchsia Linux SDK from 7q7h2ljWo... to C6i1FgtOK... (cla: yes, waiting for tree to go green)
[27305](https://github.com/flutter/engine/pull/27305) Roll Fuchsia Mac SDK from MkrnXce9t... to MKuIBsUt-... (cla: yes, waiting for tree to go green)
[27306](https://github.com/flutter/engine/pull/27306) Roll Dart SDK from 812bf07cf737 to 40695d910591 (1 revision) (cla: yes, waiting for tree to go green)
[27308](https://github.com/flutter/engine/pull/27308) Roll Dart SDK from 40695d910591 to fb3ebe02a0bb (1 revision) (cla: yes, waiting for tree to go green)
[27309](https://github.com/flutter/engine/pull/27309) Roll Fuchsia Mac SDK from MKuIBsUt-... to XZIR07Fmq... (cla: yes, waiting for tree to go green)
[27310](https://github.com/flutter/engine/pull/27310) Roll Fuchsia Linux SDK from C6i1FgtOK... to FV0wVt4TU... (cla: yes, waiting for tree to go green)
[27314](https://github.com/flutter/engine/pull/27314) Roll Fuchsia Mac SDK from XZIR07Fmq... to gySDhb-Ea... (cla: yes, waiting for tree to go green)
[27315](https://github.com/flutter/engine/pull/27315) Roll Fuchsia Linux SDK from FV0wVt4TU... to rc7UXpK1K... (cla: yes, waiting for tree to go green)
[27320](https://github.com/flutter/engine/pull/27320) Fixes some bugs when multiple Flutter VC shared one engine (platform-ios, cla: yes, waiting for tree to go green)
[27322](https://github.com/flutter/engine/pull/27322) Roll Fuchsia Mac SDK from gySDhb-Ea... to DM-zc7Snb... (cla: yes, waiting for tree to go green)
[27323](https://github.com/flutter/engine/pull/27323) Roll Fuchsia Linux SDK from rc7UXpK1K... to PzuC0jXIy... (cla: yes, waiting for tree to go green)
[27330](https://github.com/flutter/engine/pull/27330) [fuchsia] Cleanup unused method in dart:zircon handle (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[27332](https://github.com/flutter/engine/pull/27332) Make FlutterFragment usable without requiring it to be attached to an Android Activity. (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27333](https://github.com/flutter/engine/pull/27333) remove references to deprecated SkPaint::getBlendMode() (cla: yes, waiting for tree to go green)
[27336](https://github.com/flutter/engine/pull/27336) Roll Fuchsia Mac SDK from DM-zc7Snb... to XuEHwe6le... (waiting for tree to go green)
[27338](https://github.com/flutter/engine/pull/27338) Roll Fuchsia Linux SDK from PzuC0jXIy... to vWn_wwccR... (cla: yes, waiting for tree to go green)
[27346](https://github.com/flutter/engine/pull/27346) restore the directives_ordering lint (cla: yes, waiting for tree to go green, needs tests)
[27347](https://github.com/flutter/engine/pull/27347) Do not use the centralized graphics context options for Fuchsia Vulkan contexts (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[27348](https://github.com/flutter/engine/pull/27348) Roll Fuchsia Mac SDK from XuEHwe6le... to wUg-tGGCL... (cla: yes, waiting for tree to go green)
[27349](https://github.com/flutter/engine/pull/27349) Roll Fuchsia Linux SDK from vWn_wwccR... to hykYtaK7D... (cla: yes, waiting for tree to go green)
[27352](https://github.com/flutter/engine/pull/27352) Roll Skia from 4b6e2f0d8818 to 224e3e257d06 (42 revisions) (cla: yes, waiting for tree to go green)
[27353](https://github.com/flutter/engine/pull/27353) [fuchsia] Use FFI to get System clockMonotonic (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[27354](https://github.com/flutter/engine/pull/27354) Ensure gclient sync is successful on an M1 Mac host. (cla: yes, waiting for tree to go green, platform-macos)
[27355](https://github.com/flutter/engine/pull/27355) Roll Dart SDK from fb3ebe02a0bb to 2b81a20ef985 (8 revisions) (cla: yes, waiting for tree to go green)
[27366](https://github.com/flutter/engine/pull/27366) Roll Dart SDK from 2b81a20ef985 to 3c094fbf2093 (1 revision) (cla: yes, waiting for tree to go green)
[27367](https://github.com/flutter/engine/pull/27367) Fix dart analysis (cla: yes, waiting for tree to go green, needs tests)
[27370](https://github.com/flutter/engine/pull/27370) refactor and simplify CI dart analysis (cla: yes, waiting for tree to go green)
[27371](https://github.com/flutter/engine/pull/27371) Set ANDROID_HOME in run_gradle.py (cla: yes, waiting for tree to go green)
[27374](https://github.com/flutter/engine/pull/27374) Roll Dart SDK from 3c094fbf2093 to ab009483f343 (2 revisions) (cla: yes, waiting for tree to go green)
[27397](https://github.com/flutter/engine/pull/27397) Make FlutterFragment usable without requiring it to be attached to an Android Activity. (Attempt 2) (platform-android, cla: yes, waiting for tree to go green)
[27399](https://github.com/flutter/engine/pull/27399) Roll Skia from 224e3e257d06 to 773a0b8c7e74 (44 revisions) (cla: yes, waiting for tree to go green)
[27402](https://github.com/flutter/engine/pull/27402) Roll Skia from 773a0b8c7e74 to 36c1804e8f5c (1 revision) (cla: yes, waiting for tree to go green)
[27403](https://github.com/flutter/engine/pull/27403) Roll Dart SDK from ab009483f343 to 746879714c96 (5 revisions) (cla: yes, waiting for tree to go green)
[27405](https://github.com/flutter/engine/pull/27405) [ci.yaml] Add linux benchmarks, add enabled branches (cla: yes, waiting for tree to go green)
[27406](https://github.com/flutter/engine/pull/27406) [web] enable always_specify_types lint (cla: yes, waiting for tree to go green)
[27407](https://github.com/flutter/engine/pull/27407) Reland enable DisplayList by default (cla: yes, waiting for tree to go green)
[27408](https://github.com/flutter/engine/pull/27408) Roll Fuchsia Mac SDK from wUg-tGGCL... to uhahzGJ6H... (cla: yes, waiting for tree to go green)
[27409](https://github.com/flutter/engine/pull/27409) Lint android scenario app (cla: yes, waiting for tree to go green)
[27410](https://github.com/flutter/engine/pull/27410) Roll Skia from 36c1804e8f5c to 947a2eb3c043 (7 revisions) (cla: yes, waiting for tree to go green)
[27415](https://github.com/flutter/engine/pull/27415) [ci.yaml] Add xcode property to ci.yaml (cla: yes, waiting for tree to go green)
[27416](https://github.com/flutter/engine/pull/27416) Update the Fuchsia runner to use fpromise instead of fit::promise (cla: yes, waiting for tree to go green, platform-fuchsia)
[27422](https://github.com/flutter/engine/pull/27422) [ci.yaml] Mark Linux Android Scenarios as flaky (cla: yes, waiting for tree to go green)
[27426](https://github.com/flutter/engine/pull/27426) Roll Skia from 947a2eb3c043 to 9081276b2907 (6 revisions) (cla: yes, waiting for tree to go green)
[27430](https://github.com/flutter/engine/pull/27430) Roll Skia from 9081276b2907 to 0547b914f691 (2 revisions) (cla: yes, waiting for tree to go green)
[27431](https://github.com/flutter/engine/pull/27431) Roll Fuchsia Linux SDK from hykYtaK7D... to s2vrjrfuS... (cla: yes, waiting for tree to go green)
[27432](https://github.com/flutter/engine/pull/27432) Roll Dart SDK from 746879714c96 to d53eb1066384 (2 revisions) (cla: yes, waiting for tree to go green)
[27434](https://github.com/flutter/engine/pull/27434) Use python to run firebase testlab, do not expect recipe to know location of APK (cla: yes, waiting for tree to go green)
[27436](https://github.com/flutter/engine/pull/27436) Roll Skia from 0547b914f691 to 7d336c9557bd (3 revisions) (cla: yes, waiting for tree to go green)
[27438](https://github.com/flutter/engine/pull/27438) Roll Fuchsia Mac SDK from uhahzGJ6H... to TWPguQ-ow... (cla: yes, waiting for tree to go green)
[27439](https://github.com/flutter/engine/pull/27439) Roll Dart SDK from d53eb1066384 to fcbaa0a90b4b (1 revision) (cla: yes, waiting for tree to go green)
[27440](https://github.com/flutter/engine/pull/27440) Roll Skia from 7d336c9557bd to 7dc26fadc90b (2 revisions) (cla: yes, waiting for tree to go green)
[27441](https://github.com/flutter/engine/pull/27441) [ios] Fix memory leak in CFRef's move assignment operator. (cla: yes, waiting for tree to go green)
[27442](https://github.com/flutter/engine/pull/27442) Roll Skia from 7dc26fadc90b to dd561d021470 (1 revision) (cla: yes, waiting for tree to go green)
[27443](https://github.com/flutter/engine/pull/27443) Roll Skia from dd561d021470 to 0e99fbe5da5c (1 revision) (cla: yes, waiting for tree to go green)
[27445](https://github.com/flutter/engine/pull/27445) Remove unused generate_dart_ui target (cla: yes, waiting for tree to go green)
[27446](https://github.com/flutter/engine/pull/27446) Roll Dart SDK from fcbaa0a90b4b to 207232b5abe0 (1 revision) (cla: yes, waiting for tree to go green)
[27447](https://github.com/flutter/engine/pull/27447) Roll Skia from 0e99fbe5da5c to a2d22b2e085e (3 revisions) (cla: yes, waiting for tree to go green)
[27448](https://github.com/flutter/engine/pull/27448) Roll Skia from a2d22b2e085e to 3c8ae888b9d4 (3 revisions) (cla: yes, waiting for tree to go green)
[27449](https://github.com/flutter/engine/pull/27449) Roll Fuchsia Linux SDK from s2vrjrfuS... to dQkk1o8zS... (cla: yes, waiting for tree to go green)
[27450](https://github.com/flutter/engine/pull/27450) Roll Skia from 3c8ae888b9d4 to 78aa969b2f75 (1 revision) (cla: yes, waiting for tree to go green)
[27454](https://github.com/flutter/engine/pull/27454) [ci.yaml] Fix osx_sdk cache name (cla: yes, waiting for tree to go green)
[27459](https://github.com/flutter/engine/pull/27459) [fuchsia] boot lockup debugging improvements (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[27460](https://github.com/flutter/engine/pull/27460) Roll Skia from 78aa969b2f75 to 24f687942266 (5 revisions) (cla: yes, waiting for tree to go green)
[27462](https://github.com/flutter/engine/pull/27462) Roll Fuchsia Mac SDK from TWPguQ-ow... to Cijd5dDSL... (cla: yes, waiting for tree to go green)
[27466](https://github.com/flutter/engine/pull/27466) Roll Skia from 24f687942266 to 763be55a9ed7 (1 revision) (cla: yes, waiting for tree to go green)
[27467](https://github.com/flutter/engine/pull/27467) Roll Skia from 763be55a9ed7 to e2a9bdfba448 (1 revision) (cla: yes, waiting for tree to go green)
[27470](https://github.com/flutter/engine/pull/27470) Roll Skia from e2a9bdfba448 to 385e0d77bee0 (2 revisions) (cla: yes, waiting for tree to go green)
[27476](https://github.com/flutter/engine/pull/27476) Roll Dart SDK from 207232b5abe0 to 87a4768078b2 (5 revisions) (cla: yes, waiting for tree to go green)
[27477](https://github.com/flutter/engine/pull/27477) Roll Fuchsia Mac SDK from Cijd5dDSL... to FwgLM4h6t... (cla: yes, waiting for tree to go green)
[27479](https://github.com/flutter/engine/pull/27479) Roll Skia from 385e0d77bee0 to 657e375a16e6 (1 revision) (cla: yes, waiting for tree to go green)
[27483](https://github.com/flutter/engine/pull/27483) Roll Skia from 657e375a16e6 to f2de1b8b4dcf (3 revisions) (cla: yes, waiting for tree to go green)
[27485](https://github.com/flutter/engine/pull/27485) Roll Skia from f2de1b8b4dcf to 94fda947ebeb (6 revisions) (cla: yes, waiting for tree to go green)
[27488](https://github.com/flutter/engine/pull/27488) Roll Skia from 94fda947ebeb to 3339e570a14f (2 revisions) (cla: yes, waiting for tree to go green)
[27489](https://github.com/flutter/engine/pull/27489) Roll Dart SDK from 87a4768078b2 to 2abf053a8e9a (1 revision) (cla: yes, waiting for tree to go green)
[27490](https://github.com/flutter/engine/pull/27490) Roll Skia from 3339e570a14f to 8c3adb8b1adb (3 revisions) (cla: yes, waiting for tree to go green)
[27492](https://github.com/flutter/engine/pull/27492) Roll Fuchsia Linux SDK from dQkk1o8zS... to ufdC-mDPS... (cla: yes, waiting for tree to go green)
[27493](https://github.com/flutter/engine/pull/27493) Revert dart rolls (cla: yes, waiting for tree to go green)
[27498](https://github.com/flutter/engine/pull/27498) Roll Skia from 8c3adb8b1adb to fe5d07a8e471 (3 revisions) (cla: yes, waiting for tree to go green)
[27499](https://github.com/flutter/engine/pull/27499) Roll Dart SDK from 207232b5abe0 to c99d9ea1ac3a (8 revisions) (cla: yes, waiting for tree to go green)
[27500](https://github.com/flutter/engine/pull/27500) Roll Skia from fe5d07a8e471 to fb0440e5bcb6 (1 revision) (cla: yes, waiting for tree to go green)
[27501](https://github.com/flutter/engine/pull/27501) Roll Fuchsia Mac SDK from FwgLM4h6t... to JuA3-RaN-... (cla: yes, waiting for tree to go green)
[27502](https://github.com/flutter/engine/pull/27502) Roll Skia from fb0440e5bcb6 to c82ab0839f06 (2 revisions) (cla: yes, waiting for tree to go green)
[27503](https://github.com/flutter/engine/pull/27503) add test for scaled playback of DL and SkPicture (cla: yes, waiting for tree to go green)
[27504](https://github.com/flutter/engine/pull/27504) Roll Skia from c82ab0839f06 to 7c79a871c084 (1 revision) (cla: yes, waiting for tree to go green)
[27505](https://github.com/flutter/engine/pull/27505) Roll Dart SDK from c99d9ea1ac3a to 6be3bb459ef1 (1 revision) (cla: yes, waiting for tree to go green)
[27506](https://github.com/flutter/engine/pull/27506) MacOS: Fix external texture not working in OpenGL mode (cla: yes, waiting for tree to go green, needs tests, embedder)
[27507](https://github.com/flutter/engine/pull/27507) Roll Fuchsia Linux SDK from ufdC-mDPS... to Y9N1cBuxa... (cla: yes, waiting for tree to go green)
[27508](https://github.com/flutter/engine/pull/27508) Do not resolve external textures unless there is new frame available (cla: yes, waiting for tree to go green, embedder)
[27511](https://github.com/flutter/engine/pull/27511) Roll Skia from 7c79a871c084 to 11a20bbbf4d5 (1 revision) (cla: yes, waiting for tree to go green)
[27512](https://github.com/flutter/engine/pull/27512) Roll Skia from 11a20bbbf4d5 to 01e6273c46f0 (1 revision) (cla: yes, waiting for tree to go green)
[27513](https://github.com/flutter/engine/pull/27513) Roll Fuchsia Mac SDK from JuA3-RaN-... to 0PyjWN1eh... (cla: yes, waiting for tree to go green)
[27514](https://github.com/flutter/engine/pull/27514) Roll Dart SDK from 6be3bb459ef1 to b410651bd18e (2 revisions) (cla: yes, waiting for tree to go green)
[27516](https://github.com/flutter/engine/pull/27516) Roll Skia from 01e6273c46f0 to 3d49efa8e177 (1 revision) (cla: yes, waiting for tree to go green)
[27517](https://github.com/flutter/engine/pull/27517) Roll Fuchsia Linux SDK from Y9N1cBuxa... to jBy624LbH... (cla: yes, waiting for tree to go green)
[27520](https://github.com/flutter/engine/pull/27520) Roll Fuchsia Mac SDK from 0PyjWN1eh... to uhLYz8rWn... (cla: yes, waiting for tree to go green)
[27521](https://github.com/flutter/engine/pull/27521) Roll Skia from 3d49efa8e177 to 8837c919fb8b (1 revision) (cla: yes, waiting for tree to go green)
[27523](https://github.com/flutter/engine/pull/27523) Roll Skia from 8837c919fb8b to f02aa80ba91b (1 revision) (cla: yes, waiting for tree to go green)
[27524](https://github.com/flutter/engine/pull/27524) Roll Fuchsia Linux SDK from jBy624LbH... to 1yUmKH13E... (cla: yes, waiting for tree to go green)
[27525](https://github.com/flutter/engine/pull/27525) Roll Skia from f02aa80ba91b to 1f261da41ea4 (1 revision) (cla: yes, waiting for tree to go green)
[27527](https://github.com/flutter/engine/pull/27527) Roll Fuchsia Mac SDK from uhLYz8rWn... to vfv7CH0zH... (cla: yes, waiting for tree to go green)
[27535](https://github.com/flutter/engine/pull/27535) Roll Fuchsia Linux SDK from 1yUmKH13E... to FGuPZEZLt... (cla: yes, waiting for tree to go green)
[27537](https://github.com/flutter/engine/pull/27537) Roll Skia from 1f261da41ea4 to 52d6bd49747f (1 revision) (cla: yes, waiting for tree to go green)
[27539](https://github.com/flutter/engine/pull/27539) Roll Fuchsia Mac SDK from vfv7CH0zH... to 897eI2xwc... (cla: yes, waiting for tree to go green)
[27540](https://github.com/flutter/engine/pull/27540) Roll Skia from 52d6bd49747f to 95cc53bafd5f (3 revisions) (cla: yes, waiting for tree to go green)
[27544](https://github.com/flutter/engine/pull/27544) Roll Skia from 95cc53bafd5f to 8f553a769b2b (2 revisions) (cla: yes, waiting for tree to go green)
[27545](https://github.com/flutter/engine/pull/27545) Fix wrong thread name in thread_checker (cla: yes, waiting for tree to go green)
[27546](https://github.com/flutter/engine/pull/27546) Warn, but don't fail if prebuilt SDK could not be fetched (cla: yes, waiting for tree to go green)
[27554](https://github.com/flutter/engine/pull/27554) Roll Skia from 8f553a769b2b to fe49b2c6f41b (2 revisions) (cla: yes, waiting for tree to go green)
[27561](https://github.com/flutter/engine/pull/27561) Roll Fuchsia Linux SDK from FGuPZEZLt... to 665qcW5C1... (cla: yes, waiting for tree to go green)
[27563](https://github.com/flutter/engine/pull/27563) [web] Fix inability to type in text fields in iOS (affects: text input, cla: yes, waiting for tree to go green, platform-web)
[27564](https://github.com/flutter/engine/pull/27564) Roll Skia from fe49b2c6f41b to 946a4cb8acb7 (9 revisions) (cla: yes, waiting for tree to go green)
[27566](https://github.com/flutter/engine/pull/27566) Added a test filter for objc tests (cla: yes, waiting for tree to go green)
[27572](https://github.com/flutter/engine/pull/27572) Roll Fuchsia Mac SDK from 897eI2xwc... to rQOi2N8BM... (cla: yes, waiting for tree to go green)
[27573](https://github.com/flutter/engine/pull/27573) Roll Skia from 946a4cb8acb7 to 38a6e5aa1a49 (8 revisions) (cla: yes, waiting for tree to go green)
[27574](https://github.com/flutter/engine/pull/27574) Roll Skia from 38a6e5aa1a49 to 2373b9ed9617 (1 revision) (cla: yes, waiting for tree to go green)
[27575](https://github.com/flutter/engine/pull/27575) Roll Skia from 2373b9ed9617 to 3f6e8d8864bb (2 revisions) (cla: yes, waiting for tree to go green)
[27576](https://github.com/flutter/engine/pull/27576) Roll Skia from 3f6e8d8864bb to b5cd95b58fba (2 revisions) (cla: yes, waiting for tree to go green)
[27578](https://github.com/flutter/engine/pull/27578) Roll Skia from b5cd95b58fba to d37bb6ae7248 (1 revision) (cla: yes, waiting for tree to go green)
[27581](https://github.com/flutter/engine/pull/27581) Roll Fuchsia Linux SDK from 665qcW5C1... to q6H_ZE5Bs... (cla: yes, waiting for tree to go green)
[27582](https://github.com/flutter/engine/pull/27582) Roll Dart SDK from b410651bd18e to f82b36d0b4f0 (5 revisions) (cla: yes, waiting for tree to go green)
[27584](https://github.com/flutter/engine/pull/27584) Roll Dart SDK from f82b36d0b4f0 to d65b397fe868 (1 revision) (cla: yes, waiting for tree to go green)
[27586](https://github.com/flutter/engine/pull/27586) FormatException.result?.stderr may be null (cla: yes, waiting for tree to go green, needs tests)
[27589](https://github.com/flutter/engine/pull/27589) [ci.yaml] Fix timeouts + properties (cla: yes, waiting for tree to go green)
[27590](https://github.com/flutter/engine/pull/27590) Roll Skia from d37bb6ae7248 to e40495da3db1 (3 revisions) (cla: yes, waiting for tree to go green)
[27593](https://github.com/flutter/engine/pull/27593) Roll Skia from e40495da3db1 to 88dd356bf1af (5 revisions) (cla: yes, waiting for tree to go green)
[27597](https://github.com/flutter/engine/pull/27597) [ci.yaml] JSON encode subshards key (cla: yes, waiting for tree to go green)
[27598](https://github.com/flutter/engine/pull/27598) analyze using the latest sdk from head (cla: yes, waiting for tree to go green, platform-web)
[27601](https://github.com/flutter/engine/pull/27601) Roll Skia from 88dd356bf1af to 3deb8458fbca (8 revisions) (cla: yes, waiting for tree to go green)
[27602](https://github.com/flutter/engine/pull/27602) Roll Dart SDK from d65b397fe868 to e1414001c93b (1 revision) (cla: yes, waiting for tree to go green)
[27604](https://github.com/flutter/engine/pull/27604) Fix android zip bundles (platform-android, cla: yes, waiting for tree to go green)
[27605](https://github.com/flutter/engine/pull/27605) Roll Skia from 3deb8458fbca to 95df484cb6a0 (1 revision) (cla: yes, waiting for tree to go green)
[27606](https://github.com/flutter/engine/pull/27606) Delete unused CI scripts (cla: yes, waiting for tree to go green)
[27614](https://github.com/flutter/engine/pull/27614) Roll Skia from 95df484cb6a0 to d090aa7feee3 (7 revisions) (cla: yes, waiting for tree to go green)
[27616](https://github.com/flutter/engine/pull/27616) Roll Skia from d090aa7feee3 to 77046a7f0fcf (1 revision) (cla: yes, waiting for tree to go green)
[27617](https://github.com/flutter/engine/pull/27617) Roll Dart SDK from e1414001c93b to 686070850ee3 (1 revision) (cla: yes, waiting for tree to go green)
[27619](https://github.com/flutter/engine/pull/27619) Roll Skia from 77046a7f0fcf to 7fc705bdd7e9 (2 revisions) (cla: yes, waiting for tree to go green)
[27620](https://github.com/flutter/engine/pull/27620) Roll Dart SDK from e1414001c93b to 686070850ee3 (1 revision) (cla: yes, waiting for tree to go green)
[27622](https://github.com/flutter/engine/pull/27622) Roll to buildtools 30.0.2 (cla: yes, waiting for tree to go green)
[27624](https://github.com/flutter/engine/pull/27624) Roll Skia from 7fc705bdd7e9 to b6a7319f211c (2 revisions) (cla: yes, waiting for tree to go green)
[27628](https://github.com/flutter/engine/pull/27628) Roll Dart SDK from 686070850ee3 to b6150c16af27 (1 revision) (cla: yes, waiting for tree to go green)
[27631](https://github.com/flutter/engine/pull/27631) Roll Skia from b6a7319f211c to ac747ca18f46 (2 revisions) (cla: yes, waiting for tree to go green)
[27633](https://github.com/flutter/engine/pull/27633) Roll Skia from ac747ca18f46 to 7a0d3c3f1219 (2 revisions) (cla: yes, waiting for tree to go green)
[27635](https://github.com/flutter/engine/pull/27635) Roll Skia from 7a0d3c3f1219 to 4d5708c46464 (1 revision) (cla: yes, waiting for tree to go green)
[27637](https://github.com/flutter/engine/pull/27637) Roll Skia from 4d5708c46464 to 5e332c8afc4d (1 revision) (cla: yes, waiting for tree to go green)
[27638](https://github.com/flutter/engine/pull/27638) Roll Skia from 5e332c8afc4d to e3f2a63db7a8 (1 revision) (cla: yes, waiting for tree to go green)
[27640](https://github.com/flutter/engine/pull/27640) Roll Skia from e3f2a63db7a8 to bc6d93397f9c (1 revision) (cla: yes, waiting for tree to go green)
[27641](https://github.com/flutter/engine/pull/27641) Roll Skia from bc6d93397f9c to 64e67c346c3f (1 revision) (cla: yes, waiting for tree to go green)
[27643](https://github.com/flutter/engine/pull/27643) Roll Skia from 64e67c346c3f to ff322968e901 (1 revision) (cla: yes, waiting for tree to go green)
[27644](https://github.com/flutter/engine/pull/27644) Roll Dart SDK from b6150c16af27 to ae3d41572581 (1 revision) (cla: yes, waiting for tree to go green)
[27645](https://github.com/flutter/engine/pull/27645) Use preDraw for the Android embedding (platform-android, cla: yes, waiting for tree to go green)
[27646](https://github.com/flutter/engine/pull/27646) Set AppStartUp UserTag from engine (platform-android, cla: yes, waiting for tree to go green)
[27647](https://github.com/flutter/engine/pull/27647) Roll Skia from ff322968e901 to 14037fff49ff (2 revisions) (cla: yes, waiting for tree to go green)
[27648](https://github.com/flutter/engine/pull/27648) Roll Skia from 14037fff49ff to ff7a4a576f64 (6 revisions) (cla: yes, waiting for tree to go green)
[27650](https://github.com/flutter/engine/pull/27650) Roll Skia from ff7a4a576f64 to 8e51bad14f7f (1 revision) (cla: yes, waiting for tree to go green)
[27651](https://github.com/flutter/engine/pull/27651) Roll Dart SDK from ae3d41572581 to d1c7784d4c7a (1 revision) (cla: yes, waiting for tree to go green)
[27654](https://github.com/flutter/engine/pull/27654) Roll Skia from 8e51bad14f7f to ad858e76e339 (3 revisions) (cla: yes, waiting for tree to go green)
[27655](https://github.com/flutter/engine/pull/27655) Fix NPE and remove global focus listener when tearing down the view (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27656](https://github.com/flutter/engine/pull/27656) Roll Skia from ad858e76e339 to d91d2341b9eb (1 revision) (cla: yes, waiting for tree to go green)
[27658](https://github.com/flutter/engine/pull/27658) Roll Dart SDK from d1c7784d4c7a to 9cc34270bd9b (1 revision) (cla: yes, waiting for tree to go green)
[27660](https://github.com/flutter/engine/pull/27660) Roll Skia from d91d2341b9eb to 795b5f133d2e (2 revisions) (cla: yes, waiting for tree to go green)
[27661](https://github.com/flutter/engine/pull/27661) Roll Skia from 795b5f133d2e to 6940cff9c3e7 (1 revision) (cla: yes, waiting for tree to go green)
[27663](https://github.com/flutter/engine/pull/27663) Roll Dart SDK from 9cc34270bd9b to 019024dc988b (1 revision) (cla: yes, waiting for tree to go green)
[27664](https://github.com/flutter/engine/pull/27664) Re-enable fml_unittests (cla: yes, waiting for tree to go green)
[27665](https://github.com/flutter/engine/pull/27665) Roll Skia from 6940cff9c3e7 to 747c32192285 (1 revision) (cla: yes, waiting for tree to go green)
[27666](https://github.com/flutter/engine/pull/27666) Roll Dart SDK from 019024dc988b to 5e2a41b0088c (1 revision) (cla: yes, waiting for tree to go green)
[27667](https://github.com/flutter/engine/pull/27667) Roll Skia from 747c32192285 to 885482935157 (1 revision) (cla: yes, waiting for tree to go green)
[27668](https://github.com/flutter/engine/pull/27668) [ci.yaml] Extend windows host engine timeout (cla: yes, waiting for tree to go green)
[27669](https://github.com/flutter/engine/pull/27669) Roll Skia from 885482935157 to 64565aed5151 (3 revisions) (cla: yes, waiting for tree to go green)
[27675](https://github.com/flutter/engine/pull/27675) Roll Dart SDK from 5e2a41b0088c to e1e2ab3a7acb (1 revision) (cla: yes, waiting for tree to go green)
[27677](https://github.com/flutter/engine/pull/27677) Bump leakcanary to latest version (cla: yes, waiting for tree to go green)
[27680](https://github.com/flutter/engine/pull/27680) Log all Skia trace events if the --trace-skia flag is passed (cla: yes, waiting for tree to go green)
[27681](https://github.com/flutter/engine/pull/27681) Roll Dart SDK from e1e2ab3a7acb to 344338e1b540 (1 revision) (cla: yes, waiting for tree to go green)
[27682](https://github.com/flutter/engine/pull/27682) Roll Skia from 64565aed5151 to feb459a1fb51 (17 revisions) (cla: yes, waiting for tree to go green)
[27683](https://github.com/flutter/engine/pull/27683) fix a number of conditions for computing bounds from saveLayers (cla: yes, waiting for tree to go green)
[27684](https://github.com/flutter/engine/pull/27684) Specify the output paths of the scenario app lint task (cla: yes, waiting for tree to go green)
[27685](https://github.com/flutter/engine/pull/27685) Roll Dart SDK from 344338e1b540 to 7fbb06c714b1 (1 revision) (cla: yes, waiting for tree to go green)
[27686](https://github.com/flutter/engine/pull/27686) Roll Dart SDK from 7fbb06c714b1 to 5938b787c27d (1 revision) (cla: yes, waiting for tree to go green)
[27688](https://github.com/flutter/engine/pull/27688) Roll Skia from feb459a1fb51 to 9304aa532594 (1 revision) (cla: yes, waiting for tree to go green)
[27690](https://github.com/flutter/engine/pull/27690) Roll Skia from 9304aa532594 to a4bfa8d77f91 (2 revisions) (cla: yes, waiting for tree to go green)
[27691](https://github.com/flutter/engine/pull/27691) Add support for IME_FLAG_NO_PERSONALIZED_LEARNING on Android (platform-android, cla: yes, waiting for tree to go green)
[27692](https://github.com/flutter/engine/pull/27692) Roll Skia from a4bfa8d77f91 to 09d647449629 (1 revision) (cla: yes, waiting for tree to go green)
[27693](https://github.com/flutter/engine/pull/27693) Roll Skia from 09d647449629 to d5a970111653 (1 revision) (cla: yes, waiting for tree to go green)
[27695](https://github.com/flutter/engine/pull/27695) Fix potential crash of frame management while merging threads for pla… (platform-ios, platform-android, cla: yes, waiting for tree to go green, needs tests)
[27696](https://github.com/flutter/engine/pull/27696) Roll Skia from d5a970111653 to 8933de7bd03b (1 revision) (cla: yes, waiting for tree to go green)
[27697](https://github.com/flutter/engine/pull/27697) Roll Skia from 8933de7bd03b to c665e1ed6bf5 (1 revision) (cla: yes, waiting for tree to go green)
[27698](https://github.com/flutter/engine/pull/27698) Roll Dart SDK from 5938b787c27d to 5ea55dbb265e (1 revision) (cla: yes, waiting for tree to go green)
[27699](https://github.com/flutter/engine/pull/27699) Roll Skia from c665e1ed6bf5 to bb2ef92d056f (1 revision) (cla: yes, waiting for tree to go green)
[27700](https://github.com/flutter/engine/pull/27700) Roll Dart SDK from 5ea55dbb265e to 18fbde359f5b (1 revision) (cla: yes, waiting for tree to go green)
[27701](https://github.com/flutter/engine/pull/27701) Roll Skia from bb2ef92d056f to 6926ba4d3c84 (6 revisions) (cla: yes, waiting for tree to go green)
[27703](https://github.com/flutter/engine/pull/27703) Roll Skia from 6926ba4d3c84 to a3eaeb4fd86a (3 revisions) (cla: yes, waiting for tree to go green)
[27704](https://github.com/flutter/engine/pull/27704) Roll Skia from a3eaeb4fd86a to 400f52e691f2 (5 revisions) (cla: yes, waiting for tree to go green)
[27705](https://github.com/flutter/engine/pull/27705) [ci.yaml] Explicitly define open jdk dependency (cla: yes, waiting for tree to go green)
[27706](https://github.com/flutter/engine/pull/27706) Roll Dart SDK from 18fbde359f5b to 7c593a77ffed (1 revision) (cla: yes, waiting for tree to go green)
[27708](https://github.com/flutter/engine/pull/27708) Create `std::chrono` timestamp provider and move `fml_unittests` to use this (cla: yes, waiting for tree to go green)
[27712](https://github.com/flutter/engine/pull/27712) Roll Skia from 400f52e691f2 to 917fef7ba76b (3 revisions) (cla: yes, waiting for tree to go green)
[27713](https://github.com/flutter/engine/pull/27713) Sets accessibility panel title when route changes (platform-android, cla: yes, waiting for tree to go green)
[27719](https://github.com/flutter/engine/pull/27719) Roll Dart SDK from 7c593a77ffed to ba67b106cf4a (1 revision) (cla: yes, waiting for tree to go green)
[27723](https://github.com/flutter/engine/pull/27723) Roll Dart SDK from ba67b106cf4a to 852a61f8667a (1 revision) (cla: yes, waiting for tree to go green)
[27724](https://github.com/flutter/engine/pull/27724) Roll Skia from 917fef7ba76b to 6cce9615a0e1 (16 revisions) (cla: yes, waiting for tree to go green)
[27725](https://github.com/flutter/engine/pull/27725) Roll Skia from 6cce9615a0e1 to e33845317bf2 (2 revisions) (cla: yes, waiting for tree to go green)
[27726](https://github.com/flutter/engine/pull/27726) Roll buildroot to d28c48674b65936cf32063da51ef1445af82ac75 (cla: yes, waiting for tree to go green)
[27727](https://github.com/flutter/engine/pull/27727) Roll Dart SDK from 852a61f8667a to 6cffbe6d2a8e (1 revision) (cla: yes, waiting for tree to go green)
[27728](https://github.com/flutter/engine/pull/27728) Roll Skia from e33845317bf2 to a37001e2caec (2 revisions) (cla: yes, waiting for tree to go green)
[27731](https://github.com/flutter/engine/pull/27731) [ci_yaml] Add autoroller builder (cla: yes, waiting for tree to go green)
[27733](https://github.com/flutter/engine/pull/27733) Roll Skia from a37001e2caec to a4953515af8e (2 revisions) (cla: yes, waiting for tree to go green)
[27735](https://github.com/flutter/engine/pull/27735) Roll Skia from a4953515af8e to 097a9a475951 (1 revision) (cla: yes, waiting for tree to go green)
[27739](https://github.com/flutter/engine/pull/27739) Prepare for updated avoid_classes_with_only_static_members lint (cla: yes, waiting for tree to go green, platform-web, needs tests)
[27742](https://github.com/flutter/engine/pull/27742) Add a run_tests flag that captures core dumps from engine unit tests and runs a GDB script (cla: yes, waiting for tree to go green)
[27743](https://github.com/flutter/engine/pull/27743) Roll Dart SDK from 6cffbe6d2a8e to 97359a15afd5 (1 revision) (cla: yes, waiting for tree to go green)
[27744](https://github.com/flutter/engine/pull/27744) Roll Skia from 097a9a475951 to 6ad47a0ad606 (1 revision) (cla: yes, waiting for tree to go green)
[27746](https://github.com/flutter/engine/pull/27746) Roll Skia from 6ad47a0ad606 to 66deeb27162c (6 revisions) (cla: yes, waiting for tree to go green)
[27747](https://github.com/flutter/engine/pull/27747) Roll Skia from 66deeb27162c to 310178c7b790 (2 revisions) (cla: yes, waiting for tree to go green)
[27748](https://github.com/flutter/engine/pull/27748) Roll Dart SDK from 97359a15afd5 to c9f1521fd3fe (1 revision) (cla: yes, waiting for tree to go green)
[27750](https://github.com/flutter/engine/pull/27750) Roll Skia from 310178c7b790 to 32e07ae6bc26 (1 revision) (cla: yes, waiting for tree to go green)
[27751](https://github.com/flutter/engine/pull/27751) Frame timings clone fix (cla: yes, waiting for tree to go green)
[27752](https://github.com/flutter/engine/pull/27752) Roll Skia from 32e07ae6bc26 to dc409946e9f0 (1 revision) (cla: yes, waiting for tree to go green)
[27753](https://github.com/flutter/engine/pull/27753) Roll Skia from dc409946e9f0 to 2527fd0b8d5e (1 revision) (cla: yes, waiting for tree to go green)
[27754](https://github.com/flutter/engine/pull/27754) Roll Skia from 2527fd0b8d5e to 77292ac4a12f (1 revision) (cla: yes, waiting for tree to go green)
[27756](https://github.com/flutter/engine/pull/27756) Roll Skia from 77292ac4a12f to 5def25af3f9a (1 revision) (cla: yes, waiting for tree to go green)
[27758](https://github.com/flutter/engine/pull/27758) Roll Skia from 5def25af3f9a to c7218f57add1 (1 revision) (cla: yes, waiting for tree to go green)
[27759](https://github.com/flutter/engine/pull/27759) Roll Dart SDK from c9f1521fd3fe to e4fa78b5025a (1 revision) (cla: yes, waiting for tree to go green)
[27761](https://github.com/flutter/engine/pull/27761) Roll Dart SDK from e4fa78b5025a to fec06792b6e3 (1 revision) (cla: yes, waiting for tree to go green)
[27762](https://github.com/flutter/engine/pull/27762) Roll Skia from c7218f57add1 to 222c1c16317c (1 revision) (cla: yes, waiting for tree to go green)
[27765](https://github.com/flutter/engine/pull/27765) Roll Skia from 222c1c16317c to 3a21d497bddb (4 revisions) (cla: yes, waiting for tree to go green)
[27769](https://github.com/flutter/engine/pull/27769) Roll Skia from 3a21d497bddb to 17eaf6216046 (2 revisions) (cla: yes, waiting for tree to go green)
[27770](https://github.com/flutter/engine/pull/27770) Roll Dart SDK from fec06792b6e3 to 07a45954b53f (1 revision) (cla: yes, waiting for tree to go green)
[27776](https://github.com/flutter/engine/pull/27776) [ci.yaml] Fix open_jdk dep naming (cla: yes, waiting for tree to go green)
[27777](https://github.com/flutter/engine/pull/27777) Unskip iOS launch URL tests (platform-ios, affects: tests, cla: yes, waiting for tree to go green, tech-debt)
[27779](https://github.com/flutter/engine/pull/27779) Roll Skia from 17eaf6216046 to 8cd8e27c2ceb (12 revisions) (cla: yes, waiting for tree to go green)
[27784](https://github.com/flutter/engine/pull/27784) Roll Skia from 8cd8e27c2ceb to ef721154a758 (1 revision) (cla: yes, waiting for tree to go green)
[27785](https://github.com/flutter/engine/pull/27785) Roll Skia from ef721154a758 to 0d9a07907931 (1 revision) (cla: yes, waiting for tree to go green)
[27787](https://github.com/flutter/engine/pull/27787) Roll Dart SDK from 07a45954b53f to c7a093ce1e6f (2 revisions) (cla: yes, waiting for tree to go green)
[27789](https://github.com/flutter/engine/pull/27789) Roll Skia from 0d9a07907931 to ff9ee6787256 (1 revision) (cla: yes, waiting for tree to go green)
[27790](https://github.com/flutter/engine/pull/27790) Roll Dart SDK from c7a093ce1e6f to 1672d9ab3d6c (1 revision) (cla: yes, waiting for tree to go green)
[27791](https://github.com/flutter/engine/pull/27791) Roll Skia from ff9ee6787256 to 131410a7d139 (9 revisions) (cla: yes, waiting for tree to go green)
[27792](https://github.com/flutter/engine/pull/27792) Roll Skia from 131410a7d139 to 21c2af2dca60 (1 revision) (cla: yes, waiting for tree to go green)
[27794](https://github.com/flutter/engine/pull/27794) Roll Skia from 21c2af2dca60 to 3d019ddabc78 (2 revisions) (cla: yes, waiting for tree to go green)
[27797](https://github.com/flutter/engine/pull/27797) Roll Dart SDK from 1672d9ab3d6c to 6e821afc0cb4 (2 revisions) (cla: yes, waiting for tree to go green)
[27807](https://github.com/flutter/engine/pull/27807) Roll Skia from 3d019ddabc78 to 44600f613652 (8 revisions) (cla: yes, waiting for tree to go green)
[27810](https://github.com/flutter/engine/pull/27810) Roll Skia from 44600f613652 to d31b15da6e33 (4 revisions) (cla: yes, waiting for tree to go green)
[27811](https://github.com/flutter/engine/pull/27811) Reland using preDraw for the Android embedding (platform-android, cla: yes, waiting for tree to go green)
[27812](https://github.com/flutter/engine/pull/27812) Roll Dart SDK from 6e821afc0cb4 to a325ab04ed38 (1 revision) (cla: yes, waiting for tree to go green)
[27813](https://github.com/flutter/engine/pull/27813) Roll Skia from d31b15da6e33 to 8adb6255053f (1 revision) (cla: yes, waiting for tree to go green)
[27814](https://github.com/flutter/engine/pull/27814) Roll Skia from 8adb6255053f to 14d87226b3ad (5 revisions) (cla: yes, waiting for tree to go green)
[27816](https://github.com/flutter/engine/pull/27816) Roll Skia from 14d87226b3ad to ab7ff17156a3 (1 revision) (cla: yes, waiting for tree to go green)
[27821](https://github.com/flutter/engine/pull/27821) Roll Skia from ab7ff17156a3 to 126788e087af (5 revisions) (cla: yes, waiting for tree to go green)
[27825](https://github.com/flutter/engine/pull/27825) Roll Dart SDK from a325ab04ed38 to fa724490f430 (1 revision) (cla: yes, waiting for tree to go green)
[27827](https://github.com/flutter/engine/pull/27827) Roll Skia from 126788e087af to ae2171eba699 (3 revisions) (cla: yes, waiting for tree to go green)
[27828](https://github.com/flutter/engine/pull/27828) Fix race condition in FlutterSurfaceManager (cla: yes, waiting for tree to go green, platform-macos, needs tests)
[27830](https://github.com/flutter/engine/pull/27830) Roll Skia from ae2171eba699 to 31df6806c06b (3 revisions) (cla: yes, waiting for tree to go green)
[27833](https://github.com/flutter/engine/pull/27833) Roll Dart SDK from fa724490f430 to 2e22cdf76836 (1 revision) (cla: yes, waiting for tree to go green)
[27834](https://github.com/flutter/engine/pull/27834) Roll Skia from 31df6806c06b to 62d42db2829d (1 revision) (cla: yes, waiting for tree to go green)
[27836](https://github.com/flutter/engine/pull/27836) Add GestureSettings and configure touch slop from Android ViewConfiguration (platform-android, cla: yes, waiting for tree to go green, platform-web, platform-fuchsia)
[27840](https://github.com/flutter/engine/pull/27840) Roll Dart SDK from 2e22cdf76836 to 2cddb14dc9a9 (2 revisions) (cla: yes, waiting for tree to go green)
[27841](https://github.com/flutter/engine/pull/27841) Roll Skia from 62d42db2829d to 028e45b2f013 (1 revision) (cla: yes, waiting for tree to go green)
[27842](https://github.com/flutter/engine/pull/27842) Roll Skia from 028e45b2f013 to 464703f5148a (1 revision) (cla: yes, waiting for tree to go green)
[27843](https://github.com/flutter/engine/pull/27843) Roll Skia from 464703f5148a to 2236b79a2ad3 (1 revision) (cla: yes, waiting for tree to go green)
[27844](https://github.com/flutter/engine/pull/27844) Roll Skia from 2236b79a2ad3 to 60f3e2a7d557 (1 revision) (cla: yes, waiting for tree to go green)
[27846](https://github.com/flutter/engine/pull/27846) Roll Dart SDK from 2cddb14dc9a9 to a171b36d2fdd (1 revision) (cla: yes, waiting for tree to go green)
[27847](https://github.com/flutter/engine/pull/27847) Roll Skia from 60f3e2a7d557 to 3bbecc3e9a2b (1 revision) (cla: yes, waiting for tree to go green)
[27848](https://github.com/flutter/engine/pull/27848) Roll Skia from 3bbecc3e9a2b to 82f5815629bf (1 revision) (cla: yes, waiting for tree to go green)
[27850](https://github.com/flutter/engine/pull/27850) Allow iOS unit tests to run on Xcode 13 (platform-ios, cla: yes, waiting for tree to go green)
[27851](https://github.com/flutter/engine/pull/27851) Explicitly provide the string encoding (cla: yes, waiting for tree to go green)
[27853](https://github.com/flutter/engine/pull/27853) Specify string encoding in git revision (cla: yes, waiting for tree to go green)
[27855](https://github.com/flutter/engine/pull/27855) Roll Skia from 82f5815629bf to 3cb9b9c72d6c (24 revisions) (cla: yes, waiting for tree to go green)
[27856](https://github.com/flutter/engine/pull/27856) Roll Dart SDK from a171b36d2fdd to 1588eca1fcb3 (2 revisions) (cla: yes, waiting for tree to go green)
[27857](https://github.com/flutter/engine/pull/27857) Roll Skia from 3cb9b9c72d6c to e7541d396f54 (2 revisions) (cla: yes, waiting for tree to go green)
[27858](https://github.com/flutter/engine/pull/27858) Roll Skia from e7541d396f54 to b6d60183850f (1 revision) (cla: yes, waiting for tree to go green)
[27859](https://github.com/flutter/engine/pull/27859) Roll Dart SDK from 1588eca1fcb3 to 411cb0341857 (1 revision) (cla: yes, waiting for tree to go green)
[27860](https://github.com/flutter/engine/pull/27860) Roll Skia from b6d60183850f to 1c38121964e5 (1 revision) (cla: yes, waiting for tree to go green)
[27861](https://github.com/flutter/engine/pull/27861) Roll Skia from 1c38121964e5 to addccaf9cfb6 (1 revision) (cla: yes, waiting for tree to go green)
[27862](https://github.com/flutter/engine/pull/27862) Roll Skia from addccaf9cfb6 to ea3489aa1d4c (1 revision) (cla: yes, waiting for tree to go green)
[27864](https://github.com/flutter/engine/pull/27864) Roll Skia from ea3489aa1d4c to 46eb3ab80de7 (5 revisions) (cla: yes, waiting for tree to go green)
[27865](https://github.com/flutter/engine/pull/27865) Check a11y bridge alive before returning a11y container (platform-ios, cla: yes, waiting for tree to go green)
[27866](https://github.com/flutter/engine/pull/27866) Roll Skia from 46eb3ab80de7 to 86b2c952ae94 (1 revision) (cla: yes, waiting for tree to go green)
[27868](https://github.com/flutter/engine/pull/27868) Roll Dart SDK from 411cb0341857 to 96fdaff98f48 (2 revisions) (cla: yes, waiting for tree to go green)
[27869](https://github.com/flutter/engine/pull/27869) Allow collapsed compositing range (platform-android, cla: yes, waiting for tree to go green)
[27870](https://github.com/flutter/engine/pull/27870) Roll Skia from 86b2c952ae94 to 68f560683154 (3 revisions) (cla: yes, waiting for tree to go green)
[27871](https://github.com/flutter/engine/pull/27871) Roll Skia from 68f560683154 to 9cd9d0f3de06 (1 revision) (cla: yes, waiting for tree to go green)
[27873](https://github.com/flutter/engine/pull/27873) Roll Skia from 9cd9d0f3de06 to 1b18454ba700 (1 revision) (cla: yes, waiting for tree to go green)
[27875](https://github.com/flutter/engine/pull/27875) Roll Skia from 1b18454ba700 to 6ff2b7a4e556 (1 revision) (cla: yes, waiting for tree to go green)
[27876](https://github.com/flutter/engine/pull/27876) Roll Skia from 6ff2b7a4e556 to 38d9e0e812ca (1 revision) (cla: yes, waiting for tree to go green)
[27879](https://github.com/flutter/engine/pull/27879) Fix nullability of GestureSettings on ViewConfig (cla: yes, waiting for tree to go green, platform-web)
[27881](https://github.com/flutter/engine/pull/27881) Roll Skia from 38d9e0e812ca to 2cbb3f55ea7b (1 revision) (cla: yes, waiting for tree to go green)
[27883](https://github.com/flutter/engine/pull/27883) Roll Skia from 2cbb3f55ea7b to de58ca28e59d (2 revisions) (cla: yes, waiting for tree to go green)
[27885](https://github.com/flutter/engine/pull/27885) Roll Skia from de58ca28e59d to f0ffd4189742 (1 revision) (cla: yes, waiting for tree to go green)
[27886](https://github.com/flutter/engine/pull/27886) Roll Skia from f0ffd4189742 to af844c79d535 (1 revision) (cla: yes, waiting for tree to go green)
[27888](https://github.com/flutter/engine/pull/27888) Roll Skia from af844c79d535 to cef047a4904e (1 revision) (cla: yes, waiting for tree to go green)
[27889](https://github.com/flutter/engine/pull/27889) Roll Skia from cef047a4904e to 40b82c6b5c2c (3 revisions) (cla: yes, waiting for tree to go green)
[27891](https://github.com/flutter/engine/pull/27891) Roll Skia from 40b82c6b5c2c to 9fdcc517b2be (4 revisions) (cla: yes, waiting for tree to go green)
[27894](https://github.com/flutter/engine/pull/27894) Roll Skia from 9fdcc517b2be to f3868628f987 (4 revisions) (cla: yes, waiting for tree to go green)
### platform-web - 164 pull request(s)
[25373](https://github.com/flutter/engine/pull/25373) Add API to the engine to support attributed text (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web)
[25510](https://github.com/flutter/engine/pull/25510) [libTxt] resolve null leading distribution in dart:ui. (cla: yes, waiting for tree to go green, platform-web)
[25513](https://github.com/flutter/engine/pull/25513) [web] Use greatest span font size on the parent paragraph (cla: yes, platform-web)
[25520](https://github.com/flutter/engine/pull/25520) [web] Optimize oval path clipping (cla: yes, platform-web)
[25545](https://github.com/flutter/engine/pull/25545) [web] Fix linear gradient transformation matrix (cla: yes, platform-web)
[25549](https://github.com/flutter/engine/pull/25549) [web] Fix gradient matrix transform when shaderBounds is translated (cla: yes, platform-web)
[25556](https://github.com/flutter/engine/pull/25556) [web] Render ellipsis for overflowing text in DOM mode (cla: yes, waiting for tree to go green, platform-web)
[25561](https://github.com/flutter/engine/pull/25561) [web] Fix firefox crash during font loading (cla: yes, waiting for tree to go green, platform-web)
[25569](https://github.com/flutter/engine/pull/25569) [web] Start splitting the engine into smaller libs (cla: yes, platform-web)
[25601](https://github.com/flutter/engine/pull/25601) [web] Remove dart language versions from engine files (cla: yes, waiting for tree to go green, platform-web)
[25602](https://github.com/flutter/engine/pull/25602) [web] Catch image load failures in --release builds (cla: yes, platform-web)
[25605](https://github.com/flutter/engine/pull/25605) Fix html version of drawImageNine (cla: yes, platform-web)
[25614](https://github.com/flutter/engine/pull/25614) Fix drawVertices when using indices for web_html (cla: yes, platform-web)
[25616](https://github.com/flutter/engine/pull/25616) migrate tests to nullsafe (cla: yes, platform-web)
[25619](https://github.com/flutter/engine/pull/25619) [flutter_releases] Flutter Stable 2.0.5 Engine Cherrypicks (platform-android, cla: yes, platform-web, platform-windows, platform-fuchsia)
[25620](https://github.com/flutter/engine/pull/25620) migrate tests to nullsafe (cla: yes, platform-web)
[25659](https://github.com/flutter/engine/pull/25659) Include paragraph height in the top-level text style. (cla: yes, platform-web)
[25700](https://github.com/flutter/engine/pull/25700) Wire up paragraph font weight and font style in canvas golden test (cla: yes, platform-web)
[25729](https://github.com/flutter/engine/pull/25729) Add web ImageShader support for drawVertices. (cla: yes, platform-web)
[25732](https://github.com/flutter/engine/pull/25732) Roll CanvasKit to 0.26.0 (cla: yes, platform-web)
[25734](https://github.com/flutter/engine/pull/25734) [canvaskit] Implement TextHeightBehavior (cla: yes, waiting for tree to go green, platform-web)
[25736](https://github.com/flutter/engine/pull/25736) Remove "unnecessary" imports. (cla: yes, platform-web)
[25741](https://github.com/flutter/engine/pull/25741) [CanvasKit] Support all TextHeightStyles (cla: yes, waiting for tree to go green, platform-web)
[25743](https://github.com/flutter/engine/pull/25743) Fix incorrect platformchannel response when clipboard getData is not supported (cla: yes, platform-web)
[25747](https://github.com/flutter/engine/pull/25747) [web] Render PlatformViews with SLOT tags. (cla: yes, waiting for tree to go green, platform-web)
[25769](https://github.com/flutter/engine/pull/25769) Implement ColorFilter.matrix for html renderer (cla: yes, platform-web)
[25777](https://github.com/flutter/engine/pull/25777) add `TextLeadingDistribution` to webui `TextStyle` (cla: yes, waiting for tree to go green, platform-web)
[25797](https://github.com/flutter/engine/pull/25797) Fix a11y tab traversal (cla: yes, platform-web)
[25812](https://github.com/flutter/engine/pull/25812) web: improve engine dev cycle on Windows (cla: yes, platform-web)
[25830](https://github.com/flutter/engine/pull/25830) Fix a11y placeholder on desktop; auto-enable engine semantics (cla: yes, platform-web)
[25842](https://github.com/flutter/engine/pull/25842) Move path part files to libraries (cla: yes, platform-web)
[25843](https://github.com/flutter/engine/pull/25843) [flutter_releases] Flutter Stable 2.0.6 Engine Cherrypicks (platform-ios, platform-android, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, embedder)
[25863](https://github.com/flutter/engine/pull/25863) Move more parts to libraries. (cla: yes, platform-web)
[25866](https://github.com/flutter/engine/pull/25866) [web] Fix some regex issues in the sdk_rewriter (cla: yes, platform-web)
[25883](https://github.com/flutter/engine/pull/25883) Update key mapping to the latest logical key values (affects: text input, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, embedder)
[25895](https://github.com/flutter/engine/pull/25895) [web] Fix incorrect physical size due to visualviewport api on iOS (cla: yes, platform-web)
[25898](https://github.com/flutter/engine/pull/25898) Revert "Fix a11y placeholder on desktop; auto-enable engine semantics… (cla: yes, platform-web)
[25957](https://github.com/flutter/engine/pull/25957) [web] Resolve OS as iOs for iDevice Safari requesting desktop version of app. (cla: yes, waiting for tree to go green, platform-web)
[25982](https://github.com/flutter/engine/pull/25982) Web ImageFilter.matrix support (cla: yes, waiting for tree to go green, platform-web)
[25991](https://github.com/flutter/engine/pull/25991) Make SceneBuilder.push* not return nullable objects (cla: yes, waiting for tree to go green, platform-web)
[25994](https://github.com/flutter/engine/pull/25994) [canvaskit] Set a maximum number of overlay canvases. (cla: yes, platform-web)
[26051](https://github.com/flutter/engine/pull/26051) Remove debug print (cla: yes, platform-web)
[26054](https://github.com/flutter/engine/pull/26054) Move parts to libraries (cla: yes, platform-web)
[26059](https://github.com/flutter/engine/pull/26059) Use cached CanvasKit instance if available (cla: yes, platform-web)
[26072](https://github.com/flutter/engine/pull/26072) Move more parts to libs. Move bitmap/dom canvas to /html (cla: yes, platform-web)
[26073](https://github.com/flutter/engine/pull/26073) Revert "[web] Catch image load failures in --release builds" (cla: yes, platform-web)
[26074](https://github.com/flutter/engine/pull/26074) SceneBuilder.addPicture returns the layer (cla: yes, waiting for tree to go green, platform-web)
[26133](https://github.com/flutter/engine/pull/26133) Revert "SceneBuilder.addPicture returns the layer" (cla: yes, waiting for tree to go green, platform-web)
[26134](https://github.com/flutter/engine/pull/26134) Reland "Fix a11y placeholder on desktop; auto-enable engine semantics" (cla: yes, platform-web)
[26139](https://github.com/flutter/engine/pull/26139) Move CanvasKit files from parts to libraries (cla: yes, platform-web)
[26164](https://github.com/flutter/engine/pull/26164) Let the framework toggle between single- and multi-entry histories (cla: yes, waiting for tree to go green, platform-web)
[26227](https://github.com/flutter/engine/pull/26227) Fix CanvasKit SVG clipPath leak (cla: yes, platform-web, cp: 2.2)
[26233](https://github.com/flutter/engine/pull/26233) plumb frame number through to framework (cla: yes, waiting for tree to go green, platform-web)
[26238](https://github.com/flutter/engine/pull/26238) fix mobile a11y placeholder (cla: yes, waiting for tree to go green, platform-web)
[26253](https://github.com/flutter/engine/pull/26253) suppress output from intentionally failing tests (cla: yes, platform-web)
[26277](https://github.com/flutter/engine/pull/26277) CanvasKit: recall the last frame in the animated image after resurrection (cla: yes, waiting for tree to go green, platform-web)
[26304](https://github.com/flutter/engine/pull/26304) roll CanvasKit 0.27.0 (cla: yes, waiting for tree to go green, platform-web)
[26384](https://github.com/flutter/engine/pull/26384) Implement ImageShader for html Canvas (cla: yes, platform-web)
[26405](https://github.com/flutter/engine/pull/26405) [flutter_releases] Flutter Stable 2.2.1 Engine Cherrypicks (cla: yes, platform-web)
[26406](https://github.com/flutter/engine/pull/26406) [web] Ensure handleNavigationMessage can receive null arguments. (cla: yes, waiting for tree to go green, platform-web)
[26422](https://github.com/flutter/engine/pull/26422) fuchsia: Delete all the legacy code! (cla: yes, Work in progress (WIP), platform-web, platform-fuchsia, tech-debt)
[26438](https://github.com/flutter/engine/pull/26438) Reclaim paragraph memory more aggressively (cla: yes, platform-web)
[26456](https://github.com/flutter/engine/pull/26456) support history entry replace in multi entries browser history (cla: yes, platform-web)
[26492](https://github.com/flutter/engine/pull/26492) fix a LateInitializationError (cla: yes, waiting for tree to go green, platform-web)
[26518](https://github.com/flutter/engine/pull/26518) Fix gradient stop out of range error (cla: yes, platform-web)
[26519](https://github.com/flutter/engine/pull/26519) Docuements the new flag in BrowserHistory.setRouteName (cla: yes, waiting for tree to go green, platform-web)
[26524](https://github.com/flutter/engine/pull/26524) Revert "Add API to the engine to support attributed text (#25373)" (platform-ios, platform-android, cla: yes, platform-web)
[26525](https://github.com/flutter/engine/pull/26525) Revert "Implement ImageShader for html Canvas (#26384)" (cla: yes, platform-web)
[26528](https://github.com/flutter/engine/pull/26528) Reland "Add API to the engine to support attributed text (#25373)" (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web)
[26566](https://github.com/flutter/engine/pull/26566) Reland reverted #26384 (cla: yes, platform-web)
[26573](https://github.com/flutter/engine/pull/26573) Web: add support for TextInputType.none (cla: yes, waiting for tree to go green, platform-web)
[26580](https://github.com/flutter/engine/pull/26580) Remove "unnecessary" imports. (cla: yes, waiting for tree to go green, platform-web)
[26596](https://github.com/flutter/engine/pull/26596) Fixes handleNavigationMessage in order (cla: yes, waiting for tree to go green, platform-web)
[26622](https://github.com/flutter/engine/pull/26622) [web canvaskit] fix SkiaObjectBox instrumentation (cla: yes, platform-web)
[26626](https://github.com/flutter/engine/pull/26626) [web] Allow some more nulls in platform_dispatcher. (cla: yes, waiting for tree to go green, platform-web)
[26637](https://github.com/flutter/engine/pull/26637) Revert "fuchsia: Delete all the legacy code!" (cla: yes, platform-web, platform-fuchsia)
[26638](https://github.com/flutter/engine/pull/26638) Revert "fuchsia: Delete all the legacy code! (#26422)" (#26637) (cla: yes, platform-web, platform-fuchsia)
[26644](https://github.com/flutter/engine/pull/26644) [web] migrate some felt code to null safety (cla: yes, platform-web)
[26647](https://github.com/flutter/engine/pull/26647) [web] Fall-back to a DOM node if Shadow DOM is unavailable. (cla: yes, waiting for tree to go green, platform-web)
[26649](https://github.com/flutter/engine/pull/26649) [web] migrate more felt code to null safety (cla: yes, platform-web)
[26659](https://github.com/flutter/engine/pull/26659) small clean-up of the license script (cla: yes, platform-web)
[26662](https://github.com/flutter/engine/pull/26662) Add test for CanvasKit text memory crash (cla: yes, platform-web)
[26668](https://github.com/flutter/engine/pull/26668) migrate the rest of dev/ to null safety (cla: yes, waiting for tree to go green, platform-web)
[26669](https://github.com/flutter/engine/pull/26669) [flutter_releases] Flutter Stable 2.2.2 Engine Cherrypicks (cla: yes, platform-web)
[26674](https://github.com/flutter/engine/pull/26674) [web] more null safety in tests (cla: yes, platform-web)
[26688](https://github.com/flutter/engine/pull/26688) [web] use isTrue/isFalse in all tests (cla: yes, platform-web)
[26696](https://github.com/flutter/engine/pull/26696) [web] test runner fixes: build, sourcemaps, Dart 1-isms (cla: yes, platform-web)
[26709](https://github.com/flutter/engine/pull/26709) [web] text_editing_test.dart nnbd; bump test dep (cla: yes, platform-web)
[26712](https://github.com/flutter/engine/pull/26712) [web] more null-safe tests (cla: yes, platform-web)
[26719](https://github.com/flutter/engine/pull/26719) [web] last batch of test null safety (cla: yes, waiting for tree to go green, platform-web)
[26720](https://github.com/flutter/engine/pull/26720) [web] migrate web_sdk to null safety (cla: yes, waiting for tree to go green, platform-web)
[26769](https://github.com/flutter/engine/pull/26769) Fix JSON map type declaration for SystemChrome.setApplicationSwitcherDescription arguments (cla: yes, waiting for tree to go green, platform-web)
[26776](https://github.com/flutter/engine/pull/26776) [canvaskit] Only check missing glyphs against fallback fonts once per frame (cla: yes, platform-web)
[26783](https://github.com/flutter/engine/pull/26783) Replace flutter_runner::Thread with fml::Thread (cla: yes, platform-web, platform-fuchsia, needs tests)
[26785](https://github.com/flutter/engine/pull/26785) Surface frame number identifier through window (cla: yes, waiting for tree to go green, platform-web)
[26811](https://github.com/flutter/engine/pull/26811) [web] Render RTL text correctly (cla: yes, platform-web)
[26820](https://github.com/flutter/engine/pull/26820) [canvaskit] Fix bug where empty scene doesn't overwrite contentful scene (cla: yes, platform-web)
[26887](https://github.com/flutter/engine/pull/26887) [canvaskit] Make the surface size exactly the window size so filters work correctly at the edges (cla: yes, platform-web)
[26888](https://github.com/flutter/engine/pull/26888) [web] Librarify paragraph/text files (cla: yes, platform-web, needs tests)
[26908](https://github.com/flutter/engine/pull/26908) [web] Honor background color when rendering text to dom (cla: yes, platform-web)
[26917](https://github.com/flutter/engine/pull/26917) [web] Librarify keyboard files (cla: yes, platform-web)
[26931](https://github.com/flutter/engine/pull/26931) Add an option to use a prebuilt Dart SDK (cla: yes, platform-web, needs tests)
[26941](https://github.com/flutter/engine/pull/26941) [flutter_releases] Flutter Beta 2.3.0-24.1.pre Engine Cherrypicks (platform-android, cla: yes, platform-web, platform-fuchsia)
[26944](https://github.com/flutter/engine/pull/26944) Roll CanvasKit to 0.28.0 (cla: yes, platform-web)
[26981](https://github.com/flutter/engine/pull/26981) [canvaskit] make picture disposal work on older browsers (cla: yes, platform-web)
[26991](https://github.com/flutter/engine/pull/26991) [web] make analysis options delta of root options (cla: yes, platform-web)
[26992](https://github.com/flutter/engine/pull/26992) [web] fix actions flags in SemanticsTester (cla: yes, platform-web, needs tests)
[26999](https://github.com/flutter/engine/pull/26999) --sound-null-safety instead of enable-experiment where possible (cla: yes, waiting for tree to go green, platform-web, platform-fuchsia)
[27009](https://github.com/flutter/engine/pull/27009) [web] felt --watch fixes (cla: yes, platform-web, needs tests)
[27013](https://github.com/flutter/engine/pull/27013) Roll CanvasKit to 0.28.1 (cla: yes, platform-web)
[27059](https://github.com/flutter/engine/pull/27059) Revert "--sound-null-safety instead of enable-experiment where possible" (cla: yes, platform-web)
[27070](https://github.com/flutter/engine/pull/27070) [web][felt] Fix stdout inheritance for sub-processes (cla: yes, waiting for tree to go green, platform-web, needs tests)
[27071](https://github.com/flutter/engine/pull/27071) [web] Librarify text editing files (cla: yes, waiting for tree to go green, platform-web)
[27072](https://github.com/flutter/engine/pull/27072) Remove unnecessary experiment flag (cla: yes, platform-web, platform-fuchsia)
[27075](https://github.com/flutter/engine/pull/27075) Reland "fuchsia: Delete all the legacy code! (#26422)" (cla: yes, platform-web, platform-fuchsia)
[27084](https://github.com/flutter/engine/pull/27084) [web] replace browser-related conditional logic with BrowserEnvironment (cla: yes, platform-web, needs tests)
[27089](https://github.com/flutter/engine/pull/27089) [web] fix macOS info collection; print only on bot; propagate errors (cla: yes, platform-web, needs tests)
[27109](https://github.com/flutter/engine/pull/27109) Skip failing web golden tests (cla: yes, platform-web)
[27114](https://github.com/flutter/engine/pull/27114) [web] skip overlay test on Safari (cla: yes, platform-web)
[27142](https://github.com/flutter/engine/pull/27142) Make rasterFinishWallTime required (cla: yes, waiting for tree to go green, platform-web, needs tests)
[27144](https://github.com/flutter/engine/pull/27144) [canvaskit] Update goldens test for Thai (cla: yes, platform-web)
[27151](https://github.com/flutter/engine/pull/27151) [web] Librarify semantics files (cla: yes, platform-web)
[27154](https://github.com/flutter/engine/pull/27154) [web] Reassign content to temporary slot so Safari can delete it. (cla: yes, waiting for tree to go green, platform-web)
[27209](https://github.com/flutter/engine/pull/27209) [web] Clean up librarified files (cla: yes, platform-web)
[27232](https://github.com/flutter/engine/pull/27232) [web] Librarify html renderer files (cla: yes, waiting for tree to go green, platform-web)
[27264](https://github.com/flutter/engine/pull/27264) Fix prebuilt Dart SDK use on Windows (cla: yes, platform-web)
[27294](https://github.com/flutter/engine/pull/27294) Dispose of embedded views in CanvasKit after resize (cla: yes, platform-web)
[27296](https://github.com/flutter/engine/pull/27296) [web] Librarify all remaining files (cla: yes, platform-web, needs tests)
[27299](https://github.com/flutter/engine/pull/27299) [web] delete e2etests and all related tooling (cla: yes, platform-web)
[27329](https://github.com/flutter/engine/pull/27329) [web] remove no longer used setFilterQuality (cla: yes, platform-web)
[27340](https://github.com/flutter/engine/pull/27340) [web] make Pipeline.run throw (cla: yes, platform-web, needs tests)
[27341](https://github.com/flutter/engine/pull/27341) [web] Final cleanup after librarification is complete (cla: yes, platform-web, needs tests)
[27342](https://github.com/flutter/engine/pull/27342) Add the ability to change the CanvasKit url at runtime. (cla: yes, platform-web, needs tests)
[27361](https://github.com/flutter/engine/pull/27361) [web] Fix webkit ColorFilter.mode for webkit (cla: yes, platform-web)
[27375](https://github.com/flutter/engine/pull/27375) [web] fix a few analysis lints (cla: yes, platform-web)
[27420](https://github.com/flutter/engine/pull/27420) [web] enable prefer_final_locals lint (cla: yes, platform-web)
[27435](https://github.com/flutter/engine/pull/27435) Adjust web_sdk rule deps (cla: yes, platform-web)
[27464](https://github.com/flutter/engine/pull/27464) [web] dartdoc for PipelineStatus (cla: yes, platform-web, needs tests)
[27491](https://github.com/flutter/engine/pull/27491) Place Emoji fallback font at the front of the list (cla: yes, platform-web)
[27495](https://github.com/flutter/engine/pull/27495) [web] separate tests into build + test steps; add run command (cla: yes, platform-web)
[27563](https://github.com/flutter/engine/pull/27563) [web] Fix inability to type in text fields in iOS (affects: text input, cla: yes, waiting for tree to go green, platform-web)
[27567](https://github.com/flutter/engine/pull/27567) [web] use a different method for launching desktop safari (cla: yes, platform-web, needs tests)
[27598](https://github.com/flutter/engine/pull/27598) analyze using the latest sdk from head (cla: yes, waiting for tree to go green, platform-web)
[27600](https://github.com/flutter/engine/pull/27600) Fix shader mask for text and shader bounds origin (cla: yes, platform-web)
[27612](https://github.com/flutter/engine/pull/27612) [web] disable golden check for Noto-rendered text (cla: yes, platform-web)
[27634](https://github.com/flutter/engine/pull/27634) remove maxdiff for backdrop_filter_clip_moved (cla: yes, platform-web)
[27652](https://github.com/flutter/engine/pull/27652) Add Ahem as a test font in CanvasKit mode (cla: yes, platform-web, needs tests)
[27653](https://github.com/flutter/engine/pull/27653) Move tests (cla: yes, platform-web)
[27670](https://github.com/flutter/engine/pull/27670) Analysis cleanup of web tests (cla: yes, platform-web)
[27707](https://github.com/flutter/engine/pull/27707) [web] Fix analysis errors (cla: yes, platform-web)
[27710](https://github.com/flutter/engine/pull/27710) Handle MaskFilter with 0 sigma (cla: yes, platform-web)
[27730](https://github.com/flutter/engine/pull/27730) [web] Analysis cleanup (cla: yes, platform-web)
[27734](https://github.com/flutter/engine/pull/27734) [web] Code cleanup (cla: yes, platform-web)
[27739](https://github.com/flutter/engine/pull/27739) Prepare for updated avoid_classes_with_only_static_members lint (cla: yes, waiting for tree to go green, platform-web, needs tests)
[27741](https://github.com/flutter/engine/pull/27741) [web] Code cleanup (cla: yes, platform-web)
[27766](https://github.com/flutter/engine/pull/27766) [web] Code cleanup (cla: yes, platform-web)
[27771](https://github.com/flutter/engine/pull/27771) [web] Fixing clipping not being applied when height is zero (cla: yes, platform-web)
[27774](https://github.com/flutter/engine/pull/27774) [Keyboard] Send empty key events when no key data should (affects: text input, cla: yes, platform-web, platform-windows)
[27781](https://github.com/flutter/engine/pull/27781) Use a pool for dart actions to avoid OOMs (cla: yes, platform-web)
[27796](https://github.com/flutter/engine/pull/27796) [web] update TODO format to match flutter repo and fix names, more code cleanup (cla: yes, platform-web)
[27815](https://github.com/flutter/engine/pull/27815) [web] Code cleanup (cla: yes, platform-web)
[27823](https://github.com/flutter/engine/pull/27823) [web] Update CanvasPool documentation (cla: yes, platform-web, needs tests)
[27836](https://github.com/flutter/engine/pull/27836) Add GestureSettings and configure touch slop from Android ViewConfiguration (platform-android, cla: yes, waiting for tree to go green, platform-web, platform-fuchsia)
[27879](https://github.com/flutter/engine/pull/27879) Fix nullability of GestureSettings on ViewConfig (cla: yes, waiting for tree to go green, platform-web)
### platform-fuchsia - 89 pull request(s)
[20535](https://github.com/flutter/engine/pull/20535) fuchsia: Delete unused compilation_trace code (cla: yes, waiting for tree to go green, platform-fuchsia)
[25290](https://github.com/flutter/engine/pull/25290) [fuchsia] create component context in main (cla: yes, platform-fuchsia)
[25343](https://github.com/flutter/engine/pull/25343) fuchsia: Handle multiple views in platformViews path (cla: yes, platform-fuchsia)
[25381](https://github.com/flutter/engine/pull/25381) fuchsia: Reliably pass View insets (cla: yes, platform-fuchsia)
[25385](https://github.com/flutter/engine/pull/25385) [fuchsia] Use scenic allocator service (cla: yes, platform-fuchsia)
[25495](https://github.com/flutter/engine/pull/25495) [fuchsia] stop using SmoothPointerDataDispatcher (cla: yes, platform-fuchsia)
[25497](https://github.com/flutter/engine/pull/25497) Fix bug when build_fuchsia_artifacts.py is called without --targets. (cla: yes, waiting for tree to go green, platform-fuchsia)
[25551](https://github.com/flutter/engine/pull/25551) Fix VsyncWaiter (cla: yes, platform-fuchsia)
[25619](https://github.com/flutter/engine/pull/25619) [flutter_releases] Flutter Stable 2.0.5 Engine Cherrypicks (platform-android, cla: yes, platform-web, platform-windows, platform-fuchsia)
[25653](https://github.com/flutter/engine/pull/25653) Start microtasks only in non-test envs (platform-ios, cla: yes, waiting for tree to go green, platform-fuchsia)
[25655](https://github.com/flutter/engine/pull/25655) Revert "[fuchsia] Use scenic allocator service" (cla: yes, platform-fuchsia)
[25663](https://github.com/flutter/engine/pull/25663) Revert "[fuchsia] Use scenic allocator service (#25385)" (#25655) (cla: yes, platform-fuchsia)
[25690](https://github.com/flutter/engine/pull/25690) Revert TaskRunner changes to fix Fuchsia Test failures (platform-ios, cla: yes, platform-fuchsia, embedder)
[25745](https://github.com/flutter/engine/pull/25745) [fuchsia] Adds a singleton to access inspect root node. (cla: yes, platform-fuchsia)
[25750](https://github.com/flutter/engine/pull/25750) [fuchsia] Remove now unsed wrapper for zx_clock_get (cla: yes, waiting for tree to go green, platform-fuchsia)
[25785](https://github.com/flutter/engine/pull/25785) [Engine] Support for Android Fullscreen Modes (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-fuchsia)
[25789](https://github.com/flutter/engine/pull/25789) Pause dart microtasks while UI thread is processing frame workloads (platform-ios, cla: yes, platform-fuchsia)
[25843](https://github.com/flutter/engine/pull/25843) [flutter_releases] Flutter Stable 2.0.6 Engine Cherrypicks (platform-ios, platform-android, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, embedder)
[25853](https://github.com/flutter/engine/pull/25853) fuchsia: Fix bad syntax in viewStateConnected msg (cla: yes, platform-fuchsia)
[25860](https://github.com/flutter/engine/pull/25860) Moved PlatformMessage's to unique_ptrs (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-fuchsia, embedder)
[25867](https://github.com/flutter/engine/pull/25867) Switch PlatformMessages to hold data in Mappings (platform-ios, platform-android, cla: yes, platform-macos, platform-fuchsia, embedder)
[25868](https://github.com/flutter/engine/pull/25868) A11y inspect (cla: yes, platform-fuchsia)
[25984](https://github.com/flutter/engine/pull/25984) fuchsia: Fix multi-views fallout (cla: yes, platform-fuchsia)
[25988](https://github.com/flutter/engine/pull/25988) Platform channels, eliminate objc copies (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-macos, platform-fuchsia, embedder)
[26050](https://github.com/flutter/engine/pull/26050) Add support for zx_channel_write_etc and zx_channel_read_etc. (cla: yes, waiting for tree to go green, platform-fuchsia)
[26085](https://github.com/flutter/engine/pull/26085) fuchsia: Fix first_layer handling (cla: yes, platform-fuchsia)
[26104](https://github.com/flutter/engine/pull/26104) [fuchsia] rename SessionConnection to DefaultSessionConnection (cla: yes, waiting for tree to go green, platform-fuchsia)
[26114](https://github.com/flutter/engine/pull/26114) [fuchsia] migrate shader warmup to be triggered by dart code (cla: yes, platform-fuchsia)
[26163](https://github.com/flutter/engine/pull/26163) reland output json manifest file in fuchsia_archive (cla: yes, platform-fuchsia)
[26166](https://github.com/flutter/engine/pull/26166) fuchsia: Improve checking/logging for composition (cla: yes, platform-fuchsia)
[26170](https://github.com/flutter/engine/pull/26170) fuchsia: Only send different ViewProperties (cla: yes, platform-fuchsia)
[26179](https://github.com/flutter/engine/pull/26179) Provide build information to the inspect tree. (cla: yes, waiting for tree to go green, platform-fuchsia)
[26193](https://github.com/flutter/engine/pull/26193) Replace flutter_runner::Thread with fml::Thread. (cla: yes, waiting for tree to go green, platform-fuchsia)
[26208](https://github.com/flutter/engine/pull/26208) fuchsia: Fix occlusion_hint handling (cla: yes, platform-fuchsia)
[26295](https://github.com/flutter/engine/pull/26295) [vm_service] Add vm service port to inspect. (cla: yes, platform-fuchsia)
[26368](https://github.com/flutter/engine/pull/26368) fuchsia: Fix View create vs render race (cla: yes, platform-fuchsia)
[26403](https://github.com/flutter/engine/pull/26403) Remove build timestamp from build_info.h. (cla: yes, platform-fuchsia)
[26408](https://github.com/flutter/engine/pull/26408) Add Handle.replace(int rights). (cla: yes, platform-fuchsia)
[26422](https://github.com/flutter/engine/pull/26422) fuchsia: Delete all the legacy code! (cla: yes, Work in progress (WIP), platform-web, platform-fuchsia, tech-debt)
[26426](https://github.com/flutter/engine/pull/26426) Canonicalize runner debug symbol path for fuchsia. (cla: yes, waiting for tree to go green, platform-fuchsia)
[26453](https://github.com/flutter/engine/pull/26453) Add todo to handle_test. (cla: yes, waiting for tree to go green, platform-fuchsia)
[26463](https://github.com/flutter/engine/pull/26463) Add debug symbols (symbol-index) to serve.sh for Fuchsia. (cla: yes, waiting for tree to go green, platform-fuchsia)
[26506](https://github.com/flutter/engine/pull/26506) Cache Handle.koid(). (cla: yes, waiting for tree to go green, platform-fuchsia)
[26536](https://github.com/flutter/engine/pull/26536) Migrate flutter_runner to Scenic.CreateSessionT. (cla: yes, waiting for tree to go green, platform-fuchsia)
[26568](https://github.com/flutter/engine/pull/26568) Disable Skia reduceOpsTaskSplitting (cla: yes, platform-fuchsia)
[26637](https://github.com/flutter/engine/pull/26637) Revert "fuchsia: Delete all the legacy code!" (cla: yes, platform-web, platform-fuchsia)
[26638](https://github.com/flutter/engine/pull/26638) Revert "fuchsia: Delete all the legacy code! (#26422)" (#26637) (cla: yes, platform-web, platform-fuchsia)
[26717](https://github.com/flutter/engine/pull/26717) Revert "Replace flutter_runner::Thread with fml::Thread." (cla: yes, waiting for tree to go green, platform-fuchsia)
[26723](https://github.com/flutter/engine/pull/26723) Revert "Replace flutter_runner::Thread with fml::Thread. (#26193)" (#… (cla: yes, platform-fuchsia)
[26783](https://github.com/flutter/engine/pull/26783) Replace flutter_runner::Thread with fml::Thread (cla: yes, platform-web, platform-fuchsia, needs tests)
[26791](https://github.com/flutter/engine/pull/26791) Emit ViewRefFocused events in flutter_runner (cla: yes, platform-fuchsia)
[26815](https://github.com/flutter/engine/pull/26815) [build] Speed up incremental & no-op builds. (cla: yes, platform-fuchsia)
[26877](https://github.com/flutter/engine/pull/26877) Remove usages of --no-causal-async-stacks (cla: yes, platform-fuchsia)
[26941](https://github.com/flutter/engine/pull/26941) [flutter_releases] Flutter Beta 2.3.0-24.1.pre Engine Cherrypicks (platform-android, cla: yes, platform-web, platform-fuchsia)
[26994](https://github.com/flutter/engine/pull/26994) Always complete platform message requests. (cla: yes, platform-fuchsia)
[26999](https://github.com/flutter/engine/pull/26999) --sound-null-safety instead of enable-experiment where possible (cla: yes, waiting for tree to go green, platform-web, platform-fuchsia)
[27005](https://github.com/flutter/engine/pull/27005) [refactor] Migrate to View.focus.*. (cla: yes, waiting for tree to go green, platform-fuchsia)
[27012](https://github.com/flutter/engine/pull/27012) Allow fuchsia_archive to accept a cml file and cmx file (cla: yes, waiting for tree to go green, platform-fuchsia)
[27016](https://github.com/flutter/engine/pull/27016) Configure contexts to reduce shader variations. (cla: yes, platform-fuchsia)
[27036](https://github.com/flutter/engine/pull/27036) Prepare for cfv2 unittests. (cla: yes, waiting for tree to go green, platform-fuchsia)
[27053](https://github.com/flutter/engine/pull/27053) Fix use-after-free. (cla: yes, platform-fuchsia, needs tests)
[27057](https://github.com/flutter/engine/pull/27057) Delete legacy focus platform message request handlers. (cla: yes, platform-fuchsia)
[27072](https://github.com/flutter/engine/pull/27072) Remove unnecessary experiment flag (cla: yes, platform-web, platform-fuchsia)
[27075](https://github.com/flutter/engine/pull/27075) Reland "fuchsia: Delete all the legacy code! (#26422)" (cla: yes, platform-web, platform-fuchsia)
[27141](https://github.com/flutter/engine/pull/27141) Use a Pbuffer surface when the onscreen surface is not available for snapshotting on Android (platform-ios, platform-android, cla: yes, platform-fuchsia)
[27149](https://github.com/flutter/engine/pull/27149) fuchsia: Handle clips on platform views (cla: yes, platform-fuchsia, needs tests)
[27226](https://github.com/flutter/engine/pull/27226) [fuchsia] make dart_runner work with cfv2 (cla: yes, platform-fuchsia, needs tests)
[27241](https://github.com/flutter/engine/pull/27241) Migrate non-scenic-based fuchsia tests to cfv2. (affects: tests, cla: yes, platform-fuchsia, tech-debt)
[27327](https://github.com/flutter/engine/pull/27327) fuchsia: Update SessionConnection & tests w/ FakeScenic (affects: tests, cla: yes, platform-fuchsia, tech-debt)
[27330](https://github.com/flutter/engine/pull/27330) [fuchsia] Cleanup unused method in dart:zircon handle (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[27347](https://github.com/flutter/engine/pull/27347) Do not use the centralized graphics context options for Fuchsia Vulkan contexts (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[27350](https://github.com/flutter/engine/pull/27350) Make dart wrappable classes use only one native field (cla: yes, platform-fuchsia, needs tests)
[27353](https://github.com/flutter/engine/pull/27353) [fuchsia] Use FFI to get System clockMonotonic (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[27368](https://github.com/flutter/engine/pull/27368) Switch test_suites to yaml. (affects: tests, cla: yes, platform-fuchsia)
[27377](https://github.com/flutter/engine/pull/27377) [fuchsia] fix race in DefaultSessionConnection (cla: yes, platform-fuchsia, needs tests)
[27416](https://github.com/flutter/engine/pull/27416) Update the Fuchsia runner to use fpromise instead of fit::promise (cla: yes, waiting for tree to go green, platform-fuchsia)
[27417](https://github.com/flutter/engine/pull/27417) Add flutter test suites to test_suites.yaml. (affects: tests, cla: yes, platform-fuchsia)
[27427](https://github.com/flutter/engine/pull/27427) Accounts for inverse pixel ratio transform in screen rects. (cla: yes, platform-fuchsia)
[27433](https://github.com/flutter/engine/pull/27433) fuchsia: Log vsync stats in inspect (cla: yes, platform-fuchsia, needs tests)
[27455](https://github.com/flutter/engine/pull/27455) Replace array<fml::Thread, 3> with ThreadHost. (cla: yes, platform-fuchsia, needs tests)
[27459](https://github.com/flutter/engine/pull/27459) [fuchsia] boot lockup debugging improvements (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[27595](https://github.com/flutter/engine/pull/27595) Add fuchsia.net.name.Lookup (cla: yes, platform-fuchsia)
[27603](https://github.com/flutter/engine/pull/27603) Reformat manifests (cla: yes, platform-fuchsia)
[27632](https://github.com/flutter/engine/pull/27632) Fix edge swipes (cla: yes, platform-fuchsia)
[27729](https://github.com/flutter/engine/pull/27729) [flutter_release] Fuchsia f5 release branch (cla: yes, platform-fuchsia)
[27804](https://github.com/flutter/engine/pull/27804) Update infra configuration files. (cla: yes, platform-fuchsia)
[27819](https://github.com/flutter/engine/pull/27819) [fuchsia] Fix DynamicLibrary.open path on Fuchsia (cla: yes, platform-fuchsia, needs tests)
[27836](https://github.com/flutter/engine/pull/27836) Add GestureSettings and configure touch slop from Android ViewConfiguration (platform-android, cla: yes, waiting for tree to go green, platform-web, platform-fuchsia)
[27838](https://github.com/flutter/engine/pull/27838) Migrate all Python hashbangs to Python 3 (cla: yes, platform-fuchsia, needs tests)
### platform-android - 85 pull request(s)
[25373](https://github.com/flutter/engine/pull/25373) Add API to the engine to support attributed text (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web)
[25395](https://github.com/flutter/engine/pull/25395) Deduplicate plugin registration logic and make error logs visible - take 2 (platform-android, cla: yes, waiting for tree to go green)
[25453](https://github.com/flutter/engine/pull/25453) Add automatic onBackPressed behavior to FlutterFragment (platform-android, cla: yes)
[25544](https://github.com/flutter/engine/pull/25544) Reduce the warning severity for FlutterEngineGroup (platform-android, cla: yes, waiting for tree to go green)
[25575](https://github.com/flutter/engine/pull/25575) change the Android FlutterEngine class doc around multiple engines (platform-android, cla: yes, waiting for tree to go green)
[25578](https://github.com/flutter/engine/pull/25578) Add more doc for how the plugin registration process works and how to customize it (platform-android, cla: yes, waiting for tree to go green)
[25619](https://github.com/flutter/engine/pull/25619) [flutter_releases] Flutter Stable 2.0.5 Engine Cherrypicks (platform-android, cla: yes, platform-web, platform-windows, platform-fuchsia)
[25628](https://github.com/flutter/engine/pull/25628) [Android KeyEvents] Split AndroidKeyProcessor into separate classes (platform-android, cla: yes, waiting for tree to go green)
[25632](https://github.com/flutter/engine/pull/25632) Start of refactor of Android for pbuffer (platform-android, cla: yes)
[25666](https://github.com/flutter/engine/pull/25666) TalkBack shouldn't announce platform views that aren't in the a11y tree (platform-android, cla: yes, waiting for tree to go green)
[25670](https://github.com/flutter/engine/pull/25670) Add Android accessibility global offset of FlutterView (platform-android, cla: yes)
[25709](https://github.com/flutter/engine/pull/25709) Fix accessibility of embedded views in Android 9 and below (platform-android, cla: yes)
[25757](https://github.com/flutter/engine/pull/25757) Do not use android_context after it is std::moved in the PlatformViewAndroid constructor (platform-android, cla: yes, waiting for tree to go green)
[25770](https://github.com/flutter/engine/pull/25770) Fix crash when FlutterFragmentActivity is recreated with an existing FlutterFragment (platform-android, cla: yes, waiting for tree to go green)
[25785](https://github.com/flutter/engine/pull/25785) [Engine] Support for Android Fullscreen Modes (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-fuchsia)
[25843](https://github.com/flutter/engine/pull/25843) [flutter_releases] Flutter Stable 2.0.6 Engine Cherrypicks (platform-ios, platform-android, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, embedder)
[25851](https://github.com/flutter/engine/pull/25851) Fix crash when both FlutterFragmentActivity and FlutterFragment are destroyed and recreated (platform-android, cla: yes)
[25860](https://github.com/flutter/engine/pull/25860) Moved PlatformMessage's to unique_ptrs (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-fuchsia, embedder)
[25867](https://github.com/flutter/engine/pull/25867) Switch PlatformMessages to hold data in Mappings (platform-ios, platform-android, cla: yes, platform-macos, platform-fuchsia, embedder)
[25900](https://github.com/flutter/engine/pull/25900) Fix composition when multiple platform views and layers are combined (platform-android, cla: yes, waiting for tree to go green)
[25940](https://github.com/flutter/engine/pull/25940) Remove unused parameter in flutter application info loader (platform-android, cla: yes, waiting for tree to go green)
[25943](https://github.com/flutter/engine/pull/25943) Update documentation for embedding SplashScreen (platform-android, cla: yes, waiting for tree to go green)
[25952](https://github.com/flutter/engine/pull/25952) Added exception if you try to reply with a non-direct ByteBuffer. (platform-android, cla: yes)
[25988](https://github.com/flutter/engine/pull/25988) Platform channels, eliminate objc copies (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-macos, platform-fuchsia, embedder)
[26083](https://github.com/flutter/engine/pull/26083) Fix splash screen with theme references crash on Android API 21 (platform-android, cla: yes, waiting for tree to go green)
[26142](https://github.com/flutter/engine/pull/26142) Revert "Fix composition when multiple platform views and layers are c… (platform-android, cla: yes, waiting for tree to go green)
[26158](https://github.com/flutter/engine/pull/26158) Fix composition when multiple platform views and layers are combined (platform-android, cla: yes, waiting for tree to go green)
[26185](https://github.com/flutter/engine/pull/26185) Deeplink URI fragment on Android and iOS (platform-ios, platform-android, cla: yes, waiting for tree to go green)
[26272](https://github.com/flutter/engine/pull/26272) Fix hybrid composition case and enable test (platform-android, cla: yes, waiting for tree to go green)
[26331](https://github.com/flutter/engine/pull/26331) android platform channels: moved to direct buffers for c <-> java interop (platform-android, cla: yes, waiting for tree to go green)
[26333](https://github.com/flutter/engine/pull/26333) Handle only asset-only components case (platform-android, cla: yes)
[26335](https://github.com/flutter/engine/pull/26335) Sets a11y traversal order in android accessibility bridge (platform-android, cla: yes, waiting for tree to go green)
[26358](https://github.com/flutter/engine/pull/26358) Fix: Strip option doesn't work for linux .so files (platform-android, cla: yes, waiting for tree to go green)
[26386](https://github.com/flutter/engine/pull/26386) Add Float32List support to StandardMessageCodec (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-macos)
[26429](https://github.com/flutter/engine/pull/26429) Fix deferred components startup threading and improve .so search algorithm. (affects: engine, platform-android, cla: yes, waiting for tree to go green)
[26446](https://github.com/flutter/engine/pull/26446) Fix Fragment not transparent in Texture render mode (platform-android, cla: yes, waiting for tree to go green)
[26454](https://github.com/flutter/engine/pull/26454) Add trace-skia-allowlist to the Android intent flags (platform-android, cla: yes, waiting for tree to go green)
[26470](https://github.com/flutter/engine/pull/26470) Revert "android platform channels: moved to direct buffers for c <-> java interop" (platform-android, cla: yes)
[26515](https://github.com/flutter/engine/pull/26515) Reland: "android platform channels: moved to direct buffers for c <-> java interop" (platform-android, cla: yes, waiting for tree to go green)
[26524](https://github.com/flutter/engine/pull/26524) Revert "Add API to the engine to support attributed text (#25373)" (platform-ios, platform-android, cla: yes, platform-web)
[26526](https://github.com/flutter/engine/pull/26526) Add an encoder for CharSequence in StandardMessageCodec (platform-android, cla: yes)
[26527](https://github.com/flutter/engine/pull/26527) Added more descriptive error to StandardMessageCodec for types that override toString (platform-android, cla: yes, waiting for tree to go green)
[26528](https://github.com/flutter/engine/pull/26528) Reland "Add API to the engine to support attributed text (#25373)" (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web)
[26585](https://github.com/flutter/engine/pull/26585) Android: add support for TextInputType.none (platform-android, cla: yes, waiting for tree to go green)
[26602](https://github.com/flutter/engine/pull/26602) Allow Flutter focus to interop with Android view hierarchies (platform-android, cla: yes, waiting for tree to go green)
[26628](https://github.com/flutter/engine/pull/26628) [Android TextInput] clean up nested batch edits in closeConnection() (platform-android, cla: yes, waiting for tree to go green)
[26746](https://github.com/flutter/engine/pull/26746) Add native Android image decoders supported by API 28+ (platform-android, cla: yes)
[26789](https://github.com/flutter/engine/pull/26789) Fix a leak of the resource EGL context on Android (platform-android, cla: yes, waiting for tree to go green)
[26823](https://github.com/flutter/engine/pull/26823) Remove built-in shadows from the @Config annotation (platform-android, cla: yes, waiting for tree to go green)
[26890](https://github.com/flutter/engine/pull/26890) [flutter_releases] Flutter Beta 2.3.0-24.1.pre Engine Cherrypicks (platform-android, cla: yes)
[26892](https://github.com/flutter/engine/pull/26892) fix javadoc (platform-android, affects: docs, cla: yes, waiting for tree to go green, tech-debt)
[26941](https://github.com/flutter/engine/pull/26941) [flutter_releases] Flutter Beta 2.3.0-24.1.pre Engine Cherrypicks (platform-android, cla: yes, platform-web, platform-fuchsia)
[26993](https://github.com/flutter/engine/pull/26993) Minor correction of hyperlinks in FlutterFragment.java (platform-android, cla: yes)
[27014](https://github.com/flutter/engine/pull/27014) Revert "[Engine] Support for Android Fullscreen Modes" (platform-ios, platform-android, cla: yes, waiting for tree to go green)
[27018](https://github.com/flutter/engine/pull/27018) Re-land Android fullscreen support (platform-ios, platform-android, cla: yes, waiting for tree to go green)
[27038](https://github.com/flutter/engine/pull/27038) Create flag to enable/disable FlutterView render surface conversion (platform-android, cla: yes, waiting for tree to go green)
[27052](https://github.com/flutter/engine/pull/27052) Give FlutterView a view ID (platform-android, cla: yes, waiting for tree to go green)
[27062](https://github.com/flutter/engine/pull/27062) Fix crash when splash screen is not specified for FlutterFragmentActivity (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27080](https://github.com/flutter/engine/pull/27080) JavaDoc error fix (platform-android, cla: yes, needs tests)
[27081](https://github.com/flutter/engine/pull/27081) [flutter_releases] Flutter Stable 2.2.3 Engine Cherrypicks (platform-android, cla: yes)
[27083](https://github.com/flutter/engine/pull/27083) Fixes inset padding in android accessibility bridge (platform-android, cla: yes, waiting for tree to go green)
[27087](https://github.com/flutter/engine/pull/27087) [flutter_releases] Flutter Stable 2.2.3 Engine Cherrypicks Pt 2 (platform-android, cla: yes, needs tests)
[27141](https://github.com/flutter/engine/pull/27141) Use a Pbuffer surface when the onscreen surface is not available for snapshotting on Android (platform-ios, platform-android, cla: yes, platform-fuchsia)
[27215](https://github.com/flutter/engine/pull/27215) Avoid passive clipboard read on Android (platform-android, cla: yes, waiting for tree to go green)
[27262](https://github.com/flutter/engine/pull/27262) Set Flutter View ID to the view ID instead of of the splash screen (platform-android, cla: yes, waiting for tree to go green)
[27295](https://github.com/flutter/engine/pull/27295) Fix the firebase scenario app run and assert that it does good things (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27332](https://github.com/flutter/engine/pull/27332) Make FlutterFragment usable without requiring it to be attached to an Android Activity. (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27345](https://github.com/flutter/engine/pull/27345) Build the robolectric tests by default for debug armv7 (platform-android, cla: yes)
[27382](https://github.com/flutter/engine/pull/27382) Revert "Make FlutterFragment usable without requiring it to be attached to an Android Activity." (platform-android, cla: yes)
[27397](https://github.com/flutter/engine/pull/27397) Make FlutterFragment usable without requiring it to be attached to an Android Activity. (Attempt 2) (platform-android, cla: yes, waiting for tree to go green)
[27604](https://github.com/flutter/engine/pull/27604) Fix android zip bundles (platform-android, cla: yes, waiting for tree to go green)
[27607](https://github.com/flutter/engine/pull/27607) Revert "Use a Pbuffer surface when the onscreen surface is not available for snapshotting on Android" (platform-android, cla: yes)
[27629](https://github.com/flutter/engine/pull/27629) Reland use a pbuffer surface when in the background (platform-android, cla: yes)
[27645](https://github.com/flutter/engine/pull/27645) Use preDraw for the Android embedding (platform-android, cla: yes, waiting for tree to go green)
[27646](https://github.com/flutter/engine/pull/27646) Set AppStartUp UserTag from engine (platform-android, cla: yes, waiting for tree to go green)
[27655](https://github.com/flutter/engine/pull/27655) Fix NPE and remove global focus listener when tearing down the view (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27671](https://github.com/flutter/engine/pull/27671) Fix NPE and remove global focus listener when tearing down the view (… (platform-android, cla: yes)
[27674](https://github.com/flutter/engine/pull/27674) Remove an assertion in AndroidImageGenerator::Register that was dereferencing a null (platform-android, cla: yes, needs tests)
[27691](https://github.com/flutter/engine/pull/27691) Add support for IME_FLAG_NO_PERSONALIZED_LEARNING on Android (platform-android, cla: yes, waiting for tree to go green)
[27695](https://github.com/flutter/engine/pull/27695) Fix potential crash of frame management while merging threads for pla… (platform-ios, platform-android, cla: yes, waiting for tree to go green, needs tests)
[27713](https://github.com/flutter/engine/pull/27713) Sets accessibility panel title when route changes (platform-android, cla: yes, waiting for tree to go green)
[27788](https://github.com/flutter/engine/pull/27788) Revert "Use preDraw for the Android embedding" (platform-android, cla: yes)
[27811](https://github.com/flutter/engine/pull/27811) Reland using preDraw for the Android embedding (platform-android, cla: yes, waiting for tree to go green)
[27836](https://github.com/flutter/engine/pull/27836) Add GestureSettings and configure touch slop from Android ViewConfiguration (platform-android, cla: yes, waiting for tree to go green, platform-web, platform-fuchsia)
[27869](https://github.com/flutter/engine/pull/27869) Allow collapsed compositing range (platform-android, cla: yes, waiting for tree to go green)
### needs tests - 61 pull request(s)
[26783](https://github.com/flutter/engine/pull/26783) Replace flutter_runner::Thread with fml::Thread (cla: yes, platform-web, platform-fuchsia, needs tests)
[26888](https://github.com/flutter/engine/pull/26888) [web] Librarify paragraph/text files (cla: yes, platform-web, needs tests)
[26931](https://github.com/flutter/engine/pull/26931) Add an option to use a prebuilt Dart SDK (cla: yes, platform-web, needs tests)
[26992](https://github.com/flutter/engine/pull/26992) [web] fix actions flags in SemanticsTester (cla: yes, platform-web, needs tests)
[27009](https://github.com/flutter/engine/pull/27009) [web] felt --watch fixes (cla: yes, platform-web, needs tests)
[27048](https://github.com/flutter/engine/pull/27048) Temporarily opt out of reduced shaders variants till roll issues are resolved. (cla: yes, waiting for tree to go green, needs tests, embedder)
[27053](https://github.com/flutter/engine/pull/27053) Fix use-after-free. (cla: yes, platform-fuchsia, needs tests)
[27062](https://github.com/flutter/engine/pull/27062) Fix crash when splash screen is not specified for FlutterFragmentActivity (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27070](https://github.com/flutter/engine/pull/27070) [web][felt] Fix stdout inheritance for sub-processes (cla: yes, waiting for tree to go green, platform-web, needs tests)
[27080](https://github.com/flutter/engine/pull/27080) JavaDoc error fix (platform-android, cla: yes, needs tests)
[27084](https://github.com/flutter/engine/pull/27084) [web] replace browser-related conditional logic with BrowserEnvironment (cla: yes, platform-web, needs tests)
[27087](https://github.com/flutter/engine/pull/27087) [flutter_releases] Flutter Stable 2.2.3 Engine Cherrypicks Pt 2 (platform-android, cla: yes, needs tests)
[27088](https://github.com/flutter/engine/pull/27088) Update include path in FlutterDarwinContextMetal.mm (cla: yes, waiting for tree to go green, needs tests)
[27089](https://github.com/flutter/engine/pull/27089) [web] fix macOS info collection; print only on bot; propagate errors (cla: yes, platform-web, needs tests)
[27123](https://github.com/flutter/engine/pull/27123) Avoid capturing raw pointers to the SkPicture/DisplayList used by the RasterizeToImage draw callback (cla: yes, waiting for tree to go green, needs tests)
[27142](https://github.com/flutter/engine/pull/27142) Make rasterFinishWallTime required (cla: yes, waiting for tree to go green, platform-web, needs tests)
[27149](https://github.com/flutter/engine/pull/27149) fuchsia: Handle clips on platform views (cla: yes, platform-fuchsia, needs tests)
[27189](https://github.com/flutter/engine/pull/27189) MacOS: Release backbuffer surface when idle (cla: yes, waiting for tree to go green, platform-macos, needs tests)
[27191](https://github.com/flutter/engine/pull/27191) MacOS (metal): Block raster thread instead of platform thread (cla: yes, waiting for tree to go green, platform-macos, needs tests)
[27222](https://github.com/flutter/engine/pull/27222) Emit more info while running pre-push githooks (cla: yes, needs tests)
[27226](https://github.com/flutter/engine/pull/27226) [fuchsia] make dart_runner work with cfv2 (cla: yes, platform-fuchsia, needs tests)
[27227](https://github.com/flutter/engine/pull/27227) Remove unnecessary variable assignment (cla: yes, platform-windows, needs tests)
[27238](https://github.com/flutter/engine/pull/27238) Remove sky_services, flutter_services (cla: yes, needs tests)
[27295](https://github.com/flutter/engine/pull/27295) Fix the firebase scenario app run and assert that it does good things (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27296](https://github.com/flutter/engine/pull/27296) [web] Librarify all remaining files (cla: yes, platform-web, needs tests)
[27311](https://github.com/flutter/engine/pull/27311) Windows: Implement GetPreferredLanguages for UWP and support l18n (cla: yes, platform-windows, needs tests)
[27321](https://github.com/flutter/engine/pull/27321) Fix import order to unblock Dart roll (cla: yes, needs tests)
[27330](https://github.com/flutter/engine/pull/27330) [fuchsia] Cleanup unused method in dart:zircon handle (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[27332](https://github.com/flutter/engine/pull/27332) Make FlutterFragment usable without requiring it to be attached to an Android Activity. (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27339](https://github.com/flutter/engine/pull/27339) update the analysis options for tools/licenses (cla: yes, needs tests)
[27340](https://github.com/flutter/engine/pull/27340) [web] make Pipeline.run throw (cla: yes, platform-web, needs tests)
[27341](https://github.com/flutter/engine/pull/27341) [web] Final cleanup after librarification is complete (cla: yes, platform-web, needs tests)
[27342](https://github.com/flutter/engine/pull/27342) Add the ability to change the CanvasKit url at runtime. (cla: yes, platform-web, needs tests)
[27346](https://github.com/flutter/engine/pull/27346) restore the directives_ordering lint (cla: yes, waiting for tree to go green, needs tests)
[27347](https://github.com/flutter/engine/pull/27347) Do not use the centralized graphics context options for Fuchsia Vulkan contexts (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[27350](https://github.com/flutter/engine/pull/27350) Make dart wrappable classes use only one native field (cla: yes, platform-fuchsia, needs tests)
[27353](https://github.com/flutter/engine/pull/27353) [fuchsia] Use FFI to get System clockMonotonic (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[27364](https://github.com/flutter/engine/pull/27364) Revert "NNBD migration for scenario_app" (cla: yes, needs tests)
[27365](https://github.com/flutter/engine/pull/27365) Scenario nnbd (cla: yes, needs tests)
[27367](https://github.com/flutter/engine/pull/27367) Fix dart analysis (cla: yes, waiting for tree to go green, needs tests)
[27377](https://github.com/flutter/engine/pull/27377) [fuchsia] fix race in DefaultSessionConnection (cla: yes, platform-fuchsia, needs tests)
[27401](https://github.com/flutter/engine/pull/27401) remove the use of package:isolate (cla: yes, needs tests)
[27433](https://github.com/flutter/engine/pull/27433) fuchsia: Log vsync stats in inspect (cla: yes, platform-fuchsia, needs tests)
[27455](https://github.com/flutter/engine/pull/27455) Replace array<fml::Thread, 3> with ThreadHost. (cla: yes, platform-fuchsia, needs tests)
[27459](https://github.com/flutter/engine/pull/27459) [fuchsia] boot lockup debugging improvements (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[27464](https://github.com/flutter/engine/pull/27464) [web] dartdoc for PipelineStatus (cla: yes, platform-web, needs tests)
[27506](https://github.com/flutter/engine/pull/27506) MacOS: Fix external texture not working in OpenGL mode (cla: yes, waiting for tree to go green, needs tests, embedder)
[27532](https://github.com/flutter/engine/pull/27532) Disables pre-push checks on Windows, runs checks in sequence elsewhere (cla: yes, needs tests)
[27567](https://github.com/flutter/engine/pull/27567) [web] use a different method for launching desktop safari (cla: yes, platform-web, needs tests)
[27586](https://github.com/flutter/engine/pull/27586) FormatException.result?.stderr may be null (cla: yes, waiting for tree to go green, needs tests)
[27652](https://github.com/flutter/engine/pull/27652) Add Ahem as a test font in CanvasKit mode (cla: yes, platform-web, needs tests)
[27655](https://github.com/flutter/engine/pull/27655) Fix NPE and remove global focus listener when tearing down the view (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27674](https://github.com/flutter/engine/pull/27674) Remove an assertion in AndroidImageGenerator::Register that was dereferencing a null (platform-android, cla: yes, needs tests)
[27695](https://github.com/flutter/engine/pull/27695) Fix potential crash of frame management while merging threads for pla… (platform-ios, platform-android, cla: yes, waiting for tree to go green, needs tests)
[27732](https://github.com/flutter/engine/pull/27732) macOS: Do not use dispatch queue when canceling idle callback (cla: yes, platform-macos, needs tests)
[27739](https://github.com/flutter/engine/pull/27739) Prepare for updated avoid_classes_with_only_static_members lint (cla: yes, waiting for tree to go green, platform-web, needs tests)
[27793](https://github.com/flutter/engine/pull/27793) Improve documentation of Path.extendWithPath (cla: yes, needs tests)
[27819](https://github.com/flutter/engine/pull/27819) [fuchsia] Fix DynamicLibrary.open path on Fuchsia (cla: yes, platform-fuchsia, needs tests)
[27823](https://github.com/flutter/engine/pull/27823) [web] Update CanvasPool documentation (cla: yes, platform-web, needs tests)
[27828](https://github.com/flutter/engine/pull/27828) Fix race condition in FlutterSurfaceManager (cla: yes, waiting for tree to go green, platform-macos, needs tests)
[27838](https://github.com/flutter/engine/pull/27838) Migrate all Python hashbangs to Python 3 (cla: yes, platform-fuchsia, needs tests)
### platform-ios - 45 pull request(s)
[25070](https://github.com/flutter/engine/pull/25070) [iOS] Fixes crash of TextInputView when Flutter deallocated (platform-ios, waiting for customer response, cla: yes, waiting for tree to go green)
[25373](https://github.com/flutter/engine/pull/25373) Add API to the engine to support attributed text (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web)
[25389](https://github.com/flutter/engine/pull/25389) [iOS] Fixes context memory leaks when using Metal (platform-ios, cla: yes, waiting for tree to go green)
[25446](https://github.com/flutter/engine/pull/25446) [iOS] Make FlutterEngine new method available (platform-ios, cla: yes, waiting for tree to go green)
[25465](https://github.com/flutter/engine/pull/25465) Forward a11y methods from FlutterSwitchSemanticsObject (platform-ios, cla: yes, waiting for tree to go green)
[25653](https://github.com/flutter/engine/pull/25653) Start microtasks only in non-test envs (platform-ios, cla: yes, waiting for tree to go green, platform-fuchsia)
[25690](https://github.com/flutter/engine/pull/25690) Revert TaskRunner changes to fix Fuchsia Test failures (platform-ios, cla: yes, platform-fuchsia, embedder)
[25738](https://github.com/flutter/engine/pull/25738) Fixes ios accessibility send focus request to an unfocusable node (platform-ios, cla: yes, waiting for tree to go green)
[25785](https://github.com/flutter/engine/pull/25785) [Engine] Support for Android Fullscreen Modes (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-fuchsia)
[25789](https://github.com/flutter/engine/pull/25789) Pause dart microtasks while UI thread is processing frame workloads (platform-ios, cla: yes, platform-fuchsia)
[25843](https://github.com/flutter/engine/pull/25843) [flutter_releases] Flutter Stable 2.0.6 Engine Cherrypicks (platform-ios, platform-android, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, embedder)
[25860](https://github.com/flutter/engine/pull/25860) Moved PlatformMessage's to unique_ptrs (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-fuchsia, embedder)
[25867](https://github.com/flutter/engine/pull/25867) Switch PlatformMessages to hold data in Mappings (platform-ios, platform-android, cla: yes, platform-macos, platform-fuchsia, embedder)
[25961](https://github.com/flutter/engine/pull/25961) Hardware Keyboard: iOS (platform-ios, cla: yes, platform-macos, embedder)
[25988](https://github.com/flutter/engine/pull/25988) Platform channels, eliminate objc copies (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-macos, platform-fuchsia, embedder)
[25998](https://github.com/flutter/engine/pull/25998) Sped up the objc standard message codec (platform-ios, cla: yes, platform-macos)
[26117](https://github.com/flutter/engine/pull/26117) Revert "Sped up the objc standard message codec (#25998)" (platform-ios, cla: yes, waiting for tree to go green, platform-macos)
[26185](https://github.com/flutter/engine/pull/26185) Deeplink URI fragment on Android and iOS (platform-ios, platform-android, cla: yes, waiting for tree to go green)
[26328](https://github.com/flutter/engine/pull/26328) prevent ios accessibility bridge from sending notification when modal (platform-ios, cla: yes, waiting for tree to go green)
[26386](https://github.com/flutter/engine/pull/26386) Add Float32List support to StandardMessageCodec (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-macos)
[26412](https://github.com/flutter/engine/pull/26412) Fix iOS key events in platform views (platform-ios, cla: yes, waiting for tree to go green)
[26416](https://github.com/flutter/engine/pull/26416) Fixes iOS refuses to accept semantics rect update if UISwitch is not … (platform-ios, cla: yes)
[26486](https://github.com/flutter/engine/pull/26486) [iOSTextInputPlugin] bypass UIKit floating cursor coordinates clamping (platform-ios, cla: yes, waiting for tree to go green)
[26524](https://github.com/flutter/engine/pull/26524) Revert "Add API to the engine to support attributed text (#25373)" (platform-ios, platform-android, cla: yes, platform-web)
[26528](https://github.com/flutter/engine/pull/26528) Reland "Add API to the engine to support attributed text (#25373)" (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web)
[26547](https://github.com/flutter/engine/pull/26547) [iOSTextInput] fix potential dangling pointer access (platform-ios, cla: yes, waiting for tree to go green)
[26671](https://github.com/flutter/engine/pull/26671) Support scrolling in iOS accessibility (platform-ios, cla: yes, waiting for tree to go green)
[26711](https://github.com/flutter/engine/pull/26711) [iOS TextInputPlugin] fix autofill assert (platform-ios, cla: yes, waiting for tree to go green)
[26803](https://github.com/flutter/engine/pull/26803) Revert "Support scrolling in iOS accessibility (#26671)" (platform-ios, cla: yes)
[26813](https://github.com/flutter/engine/pull/26813) Issues/80711 reland (platform-ios, cla: yes, waiting for tree to go green)
[26860](https://github.com/flutter/engine/pull/26860) Reland ios accessibility scrolling support (platform-ios, cla: yes)
[26979](https://github.com/flutter/engine/pull/26979) [iOS TextInput] Disables system keyboard for TextInputType.none (platform-ios, cla: yes, waiting for tree to go green)
[27014](https://github.com/flutter/engine/pull/27014) Revert "[Engine] Support for Android Fullscreen Modes" (platform-ios, platform-android, cla: yes, waiting for tree to go green)
[27018](https://github.com/flutter/engine/pull/27018) Re-land Android fullscreen support (platform-ios, platform-android, cla: yes, waiting for tree to go green)
[27019](https://github.com/flutter/engine/pull/27019) Support right-clicking on iPadOS (platform-ios, cla: yes)
[27118](https://github.com/flutter/engine/pull/27118) Make scrollable unfocusable when voiceover is running (platform-ios, cla: yes)
[27141](https://github.com/flutter/engine/pull/27141) Use a Pbuffer surface when the onscreen surface is not available for snapshotting on Android (platform-ios, platform-android, cla: yes, platform-fuchsia)
[27214](https://github.com/flutter/engine/pull/27214) Hides the scroll bar from UIScrollView (platform-ios, cla: yes, waiting for tree to go green)
[27320](https://github.com/flutter/engine/pull/27320) Fixes some bugs when multiple Flutter VC shared one engine (platform-ios, cla: yes, waiting for tree to go green)
[27461](https://github.com/flutter/engine/pull/27461) Fixes scrollable behavior in voiceover (platform-ios, cla: yes)
[27695](https://github.com/flutter/engine/pull/27695) Fix potential crash of frame management while merging threads for pla… (platform-ios, platform-android, cla: yes, waiting for tree to go green, needs tests)
[27777](https://github.com/flutter/engine/pull/27777) Unskip iOS launch URL tests (platform-ios, affects: tests, cla: yes, waiting for tree to go green, tech-debt)
[27802](https://github.com/flutter/engine/pull/27802) Revert "Unskip iOS launch URL tests" (platform-ios, cla: yes)
[27850](https://github.com/flutter/engine/pull/27850) Allow iOS unit tests to run on Xcode 13 (platform-ios, cla: yes, waiting for tree to go green)
[27865](https://github.com/flutter/engine/pull/27865) Check a11y bridge alive before returning a11y container (platform-ios, cla: yes, waiting for tree to go green)
### platform-macos - 34 pull request(s)
[23467](https://github.com/flutter/engine/pull/23467) Hardware Keyboard: Linux (GTK) (affects: text input, cla: yes, platform-macos, platform-linux, platform-windows, embedder)
[25523](https://github.com/flutter/engine/pull/25523) FlutterView: Use default backing layer (cla: yes, waiting for tree to go green, platform-macos)
[25524](https://github.com/flutter/engine/pull/25524) Fix accent popup position (cla: yes, waiting for tree to go green, platform-macos)
[25548](https://github.com/flutter/engine/pull/25548) [macos] Release the copied pixel buffer after texture creation (cla: yes, waiting for tree to go green, platform-macos, embedder, cp: 2.2)
[25570](https://github.com/flutter/engine/pull/25570) Add FlutterCompositor base class (cla: yes, platform-macos)
[25600](https://github.com/flutter/engine/pull/25600) Support text editing voiceover feedback in macOS (cla: yes, waiting for tree to go green, platform-macos)
[25698](https://github.com/flutter/engine/pull/25698) fix AccessibilityBridgeMacDelegate to grab nswindow from appdelegate (cla: yes, waiting for tree to go green, platform-macos)
[25790](https://github.com/flutter/engine/pull/25790) Add a stub implementation of FlutterMetalCompositor (cla: yes, platform-macos)
[25828](https://github.com/flutter/engine/pull/25828) Correct an inverted null pointer check (cla: yes, platform-macos)
[25843](https://github.com/flutter/engine/pull/25843) [flutter_releases] Flutter Stable 2.0.6 Engine Cherrypicks (platform-ios, platform-android, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, embedder)
[25867](https://github.com/flutter/engine/pull/25867) Switch PlatformMessages to hold data in Mappings (platform-ios, platform-android, cla: yes, platform-macos, platform-fuchsia, embedder)
[25883](https://github.com/flutter/engine/pull/25883) Update key mapping to the latest logical key values (affects: text input, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, embedder)
[25961](https://github.com/flutter/engine/pull/25961) Hardware Keyboard: iOS (platform-ios, cla: yes, platform-macos, embedder)
[25988](https://github.com/flutter/engine/pull/25988) Platform channels, eliminate objc copies (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-macos, platform-fuchsia, embedder)
[25998](https://github.com/flutter/engine/pull/25998) Sped up the objc standard message codec (platform-ios, cla: yes, platform-macos)
[26117](https://github.com/flutter/engine/pull/26117) Revert "Sped up the objc standard message codec (#25998)" (platform-ios, cla: yes, waiting for tree to go green, platform-macos)
[26302](https://github.com/flutter/engine/pull/26302) Add support for compositing using Metal on macOS (cla: yes, platform-macos)
[26347](https://github.com/flutter/engine/pull/26347) MacOS: Do not send key event if modifiers flags haven't changed (cla: yes, platform-macos)
[26386](https://github.com/flutter/engine/pull/26386) Add Float32List support to StandardMessageCodec (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-macos)
[26451](https://github.com/flutter/engine/pull/26451) MacOS: Don't remove pointer after drag if released inside window (cla: yes, platform-macos)
[26540](https://github.com/flutter/engine/pull/26540) Revert "Add support for compositing using Metal on macOS" (cla: yes, platform-macos)
[26554](https://github.com/flutter/engine/pull/26554) Add support for compositing using Metal on macOS (cla: yes, platform-macos)
[26576](https://github.com/flutter/engine/pull/26576) fixes crash when sets mouseTrackingMode before view is loaded (cla: yes, waiting for tree to go green, platform-macos)
[26623](https://github.com/flutter/engine/pull/26623) Add support for native callbacks to the macOS embedder test harness (cla: yes, platform-macos)
[26693](https://github.com/flutter/engine/pull/26693) Revert "Add support for native callbacks to the macOS embedder test harness" (cla: yes, platform-macos)
[26694](https://github.com/flutter/engine/pull/26694) Add support for native callbacks to the macOS embedder test harness (cla: yes, platform-macos)
[27189](https://github.com/flutter/engine/pull/27189) MacOS: Release backbuffer surface when idle (cla: yes, waiting for tree to go green, platform-macos, needs tests)
[27191](https://github.com/flutter/engine/pull/27191) MacOS (metal): Block raster thread instead of platform thread (cla: yes, waiting for tree to go green, platform-macos, needs tests)
[27354](https://github.com/flutter/engine/pull/27354) Ensure gclient sync is successful on an M1 Mac host. (cla: yes, waiting for tree to go green, platform-macos)
[27465](https://github.com/flutter/engine/pull/27465) Add a unit test for dart entrypoint args on macOS (cla: yes, platform-macos)
[27591](https://github.com/flutter/engine/pull/27591) Add a unit test for FlutterFrameBufferProvider (cla: yes, platform-macos)
[27732](https://github.com/flutter/engine/pull/27732) macOS: Do not use dispatch queue when canceling idle callback (cla: yes, platform-macos, needs tests)
[27817](https://github.com/flutter/engine/pull/27817) Do not generate keydown event for empty modifier flags (cla: yes, platform-macos)
[27828](https://github.com/flutter/engine/pull/27828) Fix race condition in FlutterSurfaceManager (cla: yes, waiting for tree to go green, platform-macos, needs tests)
### platform-windows - 34 pull request(s)
[23467](https://github.com/flutter/engine/pull/23467) Hardware Keyboard: Linux (GTK) (affects: text input, cla: yes, platform-macos, platform-linux, platform-windows, embedder)
[25412](https://github.com/flutter/engine/pull/25412) Windows: Add support for engine switches for WinUWP target (cla: yes, waiting for tree to go green, platform-windows)
[25477](https://github.com/flutter/engine/pull/25477) Windows: Only terminate display for last instance (cla: yes, waiting for tree to go green, platform-windows)
[25522](https://github.com/flutter/engine/pull/25522) Eliminate unnecessary conditional on UWP in build (cla: yes, affects: desktop, platform-windows, tech-debt)
[25540](https://github.com/flutter/engine/pull/25540) WINUWP: Conditionalize plugin related wrapper (cla: yes, waiting for tree to go green, platform-windows)
[25579](https://github.com/flutter/engine/pull/25579) Distinguish between touch and mouse input (cla: yes, platform-windows, embedder)
[25619](https://github.com/flutter/engine/pull/25619) [flutter_releases] Flutter Stable 2.0.5 Engine Cherrypicks (platform-android, cla: yes, platform-web, platform-windows, platform-fuchsia)
[25843](https://github.com/flutter/engine/pull/25843) [flutter_releases] Flutter Stable 2.0.6 Engine Cherrypicks (platform-ios, platform-android, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, embedder)
[25879](https://github.com/flutter/engine/pull/25879) Windows: UWP ViewController accepts a CoreApplicationView and exposes to plugins (cla: yes, platform-windows)
[25882](https://github.com/flutter/engine/pull/25882) [Win32] Don't redispatch ShiftRight keydown event (affects: text input, cla: yes, platform-windows)
[25883](https://github.com/flutter/engine/pull/25883) Update key mapping to the latest logical key values (affects: text input, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, embedder)
[26026](https://github.com/flutter/engine/pull/26026) Return a maximum nanoseconds value in FlutterDesktopEngineProcessMessages (cla: yes, waiting for tree to go green, platform-windows)
[26029](https://github.com/flutter/engine/pull/26029) Extract Windows string_conversion target (cla: yes, affects: desktop, platform-windows)
[26031](https://github.com/flutter/engine/pull/26031) Use string_view inputs for conversion functions (code health, cla: yes, platform-windows)
[26032](https://github.com/flutter/engine/pull/26032) Support Windows registry access (cla: yes, affects: desktop, platform-windows)
[26038](https://github.com/flutter/engine/pull/26038) Add uwptool.exe (cla: yes, affects: desktop, platform-windows)
[26105](https://github.com/flutter/engine/pull/26105) Set exitcode to 0 on successful uwptool launch (cla: yes, affects: desktop, platform-windows)
[26110](https://github.com/flutter/engine/pull/26110) Use a comma-separated args string for UWP (cla: yes, platform-windows)
[26120](https://github.com/flutter/engine/pull/26120) Use PackageManager to locate installed UWP apps (cla: yes, platform-windows)
[26121](https://github.com/flutter/engine/pull/26121) [uwptool] Support lookup of full package name (cla: yes, platform-windows)
[26122](https://github.com/flutter/engine/pull/26122) [uwptool] Add uninstall command (cla: yes, platform-windows)
[26183](https://github.com/flutter/engine/pull/26183) Add uwptool install command (cla: yes, affects: desktop, platform-windows)
[26309](https://github.com/flutter/engine/pull/26309) [uwptool] Refactor command-handling to a map (cla: yes, affects: desktop, platform-windows)
[26315](https://github.com/flutter/engine/pull/26315) [uwptool] Move Launch, Uninstall to AppStore class (affects: tests, cla: yes, affects: desktop, platform-windows)
[26757](https://github.com/flutter/engine/pull/26757) Fix windows keyboard: Extended key, delegate order (affects: text input, cla: yes, platform-windows)
[26857](https://github.com/flutter/engine/pull/26857) Windows: Resize synchronization shouldn't wait for vsync if window is hidden (cla: yes, platform-windows)
[27064](https://github.com/flutter/engine/pull/27064) Do not expect WM_CHAR if control or windows key is pressed (cla: yes, waiting for tree to go green, platform-windows)
[27098](https://github.com/flutter/engine/pull/27098) Windows: Allow win32 apps to initialize with different assets path or AOT filename (cla: yes, platform-windows)
[27227](https://github.com/flutter/engine/pull/27227) Remove unnecessary variable assignment (cla: yes, platform-windows, needs tests)
[27266](https://github.com/flutter/engine/pull/27266) Windows: Fix AltGr key causing CtrlLeft to hang (affects: text input, cla: yes, platform-windows)
[27301](https://github.com/flutter/engine/pull/27301) Fix duplicated keys with CONTROL key toggled (cla: yes, waiting for tree to go green, platform-windows)
[27311](https://github.com/flutter/engine/pull/27311) Windows: Implement GetPreferredLanguages for UWP and support l18n (cla: yes, platform-windows, needs tests)
[27497](https://github.com/flutter/engine/pull/27497) Add unit tests for Dart entrypoint arguments on Windows (cla: yes, platform-windows)
[27774](https://github.com/flutter/engine/pull/27774) [Keyboard] Send empty key events when no key data should (affects: text input, cla: yes, platform-web, platform-windows)
### embedder - 26 pull request(s)
[23467](https://github.com/flutter/engine/pull/23467) Hardware Keyboard: Linux (GTK) (affects: text input, cla: yes, platform-macos, platform-linux, platform-windows, embedder)
[25307](https://github.com/flutter/engine/pull/25307) TaskSources register tasks with MessageLoopTaskQueues dispatcher (cla: yes, embedder)
[25548](https://github.com/flutter/engine/pull/25548) [macos] Release the copied pixel buffer after texture creation (cla: yes, waiting for tree to go green, platform-macos, embedder, cp: 2.2)
[25579](https://github.com/flutter/engine/pull/25579) Distinguish between touch and mouse input (cla: yes, platform-windows, embedder)
[25612](https://github.com/flutter/engine/pull/25612) Add Metal to the FlutterCompositor struct in the Embedder API (cla: yes, embedder)
[25690](https://github.com/flutter/engine/pull/25690) Revert TaskRunner changes to fix Fuchsia Test failures (platform-ios, cla: yes, platform-fuchsia, embedder)
[25692](https://github.com/flutter/engine/pull/25692) Reland "TaskSources register tasks with MessageLoopTaskQueues dispatcher" (cla: yes, waiting for tree to go green, embedder)
[25824](https://github.com/flutter/engine/pull/25824) add flag to identify sub-trees with PlatformViewLayers and always paint them (cla: yes, embedder)
[25843](https://github.com/flutter/engine/pull/25843) [flutter_releases] Flutter Stable 2.0.6 Engine Cherrypicks (platform-ios, platform-android, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, embedder)
[25860](https://github.com/flutter/engine/pull/25860) Moved PlatformMessage's to unique_ptrs (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-fuchsia, embedder)
[25867](https://github.com/flutter/engine/pull/25867) Switch PlatformMessages to hold data in Mappings (platform-ios, platform-android, cla: yes, platform-macos, platform-fuchsia, embedder)
[25883](https://github.com/flutter/engine/pull/25883) Update key mapping to the latest logical key values (affects: text input, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, embedder)
[25901](https://github.com/flutter/engine/pull/25901) Don't call release_proc when attempting to wrap an SkSurface which fails (cla: yes, embedder)
[25932](https://github.com/flutter/engine/pull/25932) Add missing semantics flag for embedder (cla: yes, embedder)
[25961](https://github.com/flutter/engine/pull/25961) Hardware Keyboard: iOS (platform-ios, cla: yes, platform-macos, embedder)
[25988](https://github.com/flutter/engine/pull/25988) Platform channels, eliminate objc copies (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-macos, platform-fuchsia, embedder)
[26442](https://github.com/flutter/engine/pull/26442) Add bottom view inset to FlutterWindowMetricsEvent (cla: yes, embedder)
[26816](https://github.com/flutter/engine/pull/26816) [metal] Remove invalid texture error message (cla: yes, embedder)
[26828](https://github.com/flutter/engine/pull/26828) Remove outdated annotations from fixtures (cla: yes, waiting for tree to go green, tech-debt, embedder)
[26847](https://github.com/flutter/engine/pull/26847) Add missing context switches in Rasterizer (cla: yes, embedder)
[27048](https://github.com/flutter/engine/pull/27048) Temporarily opt out of reduced shaders variants till roll issues are resolved. (cla: yes, waiting for tree to go green, needs tests, embedder)
[27392](https://github.com/flutter/engine/pull/27392) Add embedder unit test that reproduces https://github.com/dart-lang/sdk/issues/46275 (cla: yes, embedder)
[27506](https://github.com/flutter/engine/pull/27506) MacOS: Fix external texture not working in OpenGL mode (cla: yes, waiting for tree to go green, needs tests, embedder)
[27508](https://github.com/flutter/engine/pull/27508) Do not resolve external textures unless there is new frame available (cla: yes, waiting for tree to go green, embedder)
[27625](https://github.com/flutter/engine/pull/27625) Comment out terminate unit test until fix lands in Dart. (cla: yes, embedder)
[27649](https://github.com/flutter/engine/pull/27649) Uncomment terminate unit test (Dart side fix has rolled into the engine) (cla: yes, embedder)
### platform-linux - 11 pull request(s)
[23467](https://github.com/flutter/engine/pull/23467) Hardware Keyboard: Linux (GTK) (affects: text input, cla: yes, platform-macos, platform-linux, platform-windows, embedder)
[25535](https://github.com/flutter/engine/pull/25535) [Linux] revise dark theme detection (cla: yes, waiting for tree to go green, platform-linux)
[25843](https://github.com/flutter/engine/pull/25843) [flutter_releases] Flutter Stable 2.0.6 Engine Cherrypicks (platform-ios, platform-android, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, embedder)
[25883](https://github.com/flutter/engine/pull/25883) Update key mapping to the latest logical key values (affects: text input, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, embedder)
[25884](https://github.com/flutter/engine/pull/25884) Implement smooth resizing for Linux (cla: yes, waiting for tree to go green, platform-linux)
[25964](https://github.com/flutter/engine/pull/25964) Fix GIR transfer annotation (cla: yes, platform-linux)
[26181](https://github.com/flutter/engine/pull/26181) FlView: Handle leave-notify-event (cla: yes, affects: desktop, platform-linux)
[26472](https://github.com/flutter/engine/pull/26472) Add Float32List support to the Linux standard message codec (cla: yes, platform-linux)
[26549](https://github.com/flutter/engine/pull/26549) Re-enable non-smooth scrolling. (cla: yes, platform-linux)
[26574](https://github.com/flutter/engine/pull/26574) Linux: add support for TextInputType.none (cla: yes, platform-linux)
[26951](https://github.com/flutter/engine/pull/26951) Add unit tests for Dart entrypoint arguments on Linux (cla: yes, platform-linux)
### affects: desktop - 9 pull request(s)
[25522](https://github.com/flutter/engine/pull/25522) Eliminate unnecessary conditional on UWP in build (cla: yes, affects: desktop, platform-windows, tech-debt)
[26029](https://github.com/flutter/engine/pull/26029) Extract Windows string_conversion target (cla: yes, affects: desktop, platform-windows)
[26032](https://github.com/flutter/engine/pull/26032) Support Windows registry access (cla: yes, affects: desktop, platform-windows)
[26038](https://github.com/flutter/engine/pull/26038) Add uwptool.exe (cla: yes, affects: desktop, platform-windows)
[26105](https://github.com/flutter/engine/pull/26105) Set exitcode to 0 on successful uwptool launch (cla: yes, affects: desktop, platform-windows)
[26181](https://github.com/flutter/engine/pull/26181) FlView: Handle leave-notify-event (cla: yes, affects: desktop, platform-linux)
[26183](https://github.com/flutter/engine/pull/26183) Add uwptool install command (cla: yes, affects: desktop, platform-windows)
[26309](https://github.com/flutter/engine/pull/26309) [uwptool] Refactor command-handling to a map (cla: yes, affects: desktop, platform-windows)
[26315](https://github.com/flutter/engine/pull/26315) [uwptool] Move Launch, Uninstall to AppStore class (affects: tests, cla: yes, affects: desktop, platform-windows)
### tech-debt - 9 pull request(s)
[25522](https://github.com/flutter/engine/pull/25522) Eliminate unnecessary conditional on UWP in build (cla: yes, affects: desktop, platform-windows, tech-debt)
[26422](https://github.com/flutter/engine/pull/26422) fuchsia: Delete all the legacy code! (cla: yes, Work in progress (WIP), platform-web, platform-fuchsia, tech-debt)
[26756](https://github.com/flutter/engine/pull/26756) Delete window_hooks_integration_test.dart (cla: yes, waiting for tree to go green, tech-debt)
[26825](https://github.com/flutter/engine/pull/26825) Migrate //testing to nullsafety (cla: yes, waiting for tree to go green, tech-debt)
[26828](https://github.com/flutter/engine/pull/26828) Remove outdated annotations from fixtures (cla: yes, waiting for tree to go green, tech-debt, embedder)
[26892](https://github.com/flutter/engine/pull/26892) fix javadoc (platform-android, affects: docs, cla: yes, waiting for tree to go green, tech-debt)
[27241](https://github.com/flutter/engine/pull/27241) Migrate non-scenic-based fuchsia tests to cfv2. (affects: tests, cla: yes, platform-fuchsia, tech-debt)
[27327](https://github.com/flutter/engine/pull/27327) fuchsia: Update SessionConnection & tests w/ FakeScenic (affects: tests, cla: yes, platform-fuchsia, tech-debt)
[27777](https://github.com/flutter/engine/pull/27777) Unskip iOS launch URL tests (platform-ios, affects: tests, cla: yes, waiting for tree to go green, tech-debt)
### affects: text input - 7 pull request(s)
[23467](https://github.com/flutter/engine/pull/23467) Hardware Keyboard: Linux (GTK) (affects: text input, cla: yes, platform-macos, platform-linux, platform-windows, embedder)
[25882](https://github.com/flutter/engine/pull/25882) [Win32] Don't redispatch ShiftRight keydown event (affects: text input, cla: yes, platform-windows)
[25883](https://github.com/flutter/engine/pull/25883) Update key mapping to the latest logical key values (affects: text input, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, embedder)
[26757](https://github.com/flutter/engine/pull/26757) Fix windows keyboard: Extended key, delegate order (affects: text input, cla: yes, platform-windows)
[27266](https://github.com/flutter/engine/pull/27266) Windows: Fix AltGr key causing CtrlLeft to hang (affects: text input, cla: yes, platform-windows)
[27563](https://github.com/flutter/engine/pull/27563) [web] Fix inability to type in text fields in iOS (affects: text input, cla: yes, waiting for tree to go green, platform-web)
[27774](https://github.com/flutter/engine/pull/27774) [Keyboard] Send empty key events when no key data should (affects: text input, cla: yes, platform-web, platform-windows)
### affects: tests - 6 pull request(s)
[26315](https://github.com/flutter/engine/pull/26315) [uwptool] Move Launch, Uninstall to AppStore class (affects: tests, cla: yes, affects: desktop, platform-windows)
[27241](https://github.com/flutter/engine/pull/27241) Migrate non-scenic-based fuchsia tests to cfv2. (affects: tests, cla: yes, platform-fuchsia, tech-debt)
[27327](https://github.com/flutter/engine/pull/27327) fuchsia: Update SessionConnection & tests w/ FakeScenic (affects: tests, cla: yes, platform-fuchsia, tech-debt)
[27368](https://github.com/flutter/engine/pull/27368) Switch test_suites to yaml. (affects: tests, cla: yes, platform-fuchsia)
[27417](https://github.com/flutter/engine/pull/27417) Add flutter test suites to test_suites.yaml. (affects: tests, cla: yes, platform-fuchsia)
[27777](https://github.com/flutter/engine/pull/27777) Unskip iOS launch URL tests (platform-ios, affects: tests, cla: yes, waiting for tree to go green, tech-debt)
### affects: engine - 3 pull request(s)
[26028](https://github.com/flutter/engine/pull/26028) Extract FML command_line target (affects: engine, cla: yes)
[26429](https://github.com/flutter/engine/pull/26429) Fix deferred components startup threading and improve .so search algorithm. (affects: engine, platform-android, cla: yes, waiting for tree to go green)
[26928](https://github.com/flutter/engine/pull/26928) Implement a DisplayList mechanism similar to the Skia SkLiteDL mechanism (affects: engine, cla: yes, waiting for tree to go green)
### cp: 2.2 - 2 pull request(s)
[25548](https://github.com/flutter/engine/pull/25548) [macos] Release the copied pixel buffer after texture creation (cla: yes, waiting for tree to go green, platform-macos, embedder, cp: 2.2)
[26227](https://github.com/flutter/engine/pull/26227) Fix CanvasKit SVG clipPath leak (cla: yes, platform-web, cp: 2.2)
### Work in progress (WIP) - 1 pull request(s)
[26422](https://github.com/flutter/engine/pull/26422) fuchsia: Delete all the legacy code! (cla: yes, Work in progress (WIP), platform-web, platform-fuchsia, tech-debt)
### affects: docs - 1 pull request(s)
[26892](https://github.com/flutter/engine/pull/26892) fix javadoc (platform-android, affects: docs, cla: yes, waiting for tree to go green, tech-debt)
### code health - 1 pull request(s)
[26031](https://github.com/flutter/engine/pull/26031) Use string_view inputs for conversion functions (code health, cla: yes, platform-windows)
### waiting for customer response - 1 pull request(s)
[25070](https://github.com/flutter/engine/pull/25070) [iOS] Fixes crash of TextInputView when Flutter deallocated (platform-ios, waiting for customer response, cla: yes, waiting for tree to go green)
### Merged PRs by labels for `flutter/plugins`
### cla: yes - 333 pull request(s)
[3103](https://github.com/flutter/plugins/pull/3103) [local_auth] docs update (cla: yes, p: local_auth)
[3217](https://github.com/flutter/plugins/pull/3217) Fix grammatical error in contributing guide (cla: yes)
[3266](https://github.com/flutter/plugins/pull/3266) [webview_flutter] Fix broken keyboard issue link (cla: yes, waiting for tree to go green, p: webview_flutter)
[3360](https://github.com/flutter/plugins/pull/3360) [video_player] Fixed HLS Streams on iOS (cla: yes, p: video_player, platform-ios)
[3727](https://github.com/flutter/plugins/pull/3727) [video_player] Pause video when it completes (cla: yes, waiting for tree to go green, p: video_player, last mile)
[3776](https://github.com/flutter/plugins/pull/3776) [tool] add `all` and `dry-run` flags to publish-plugin command (cla: yes, waiting for tree to go green)
[3780](https://github.com/flutter/plugins/pull/3780) [local_auth] Fix iOS crash when no localizedReason (cla: yes, in review, waiting for tree to go green, p: local_auth)
[3781](https://github.com/flutter/plugins/pull/3781) [in_app_purchase] Implementation of platform interface (cla: yes, p: in_app_purchase)
[3782](https://github.com/flutter/plugins/pull/3782) [image_picker_platform_interface] Added pickMultiImage (cla: yes, p: image_picker)
[3783](https://github.com/flutter/plugins/pull/3783) [image_picker] Multiple image support (cla: yes, waiting for tree to go green, p: image_picker, platform-ios, platform-android)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3794](https://github.com/flutter/plugins/pull/3794) [in_app_purchase] Added currency code and numerical price to product detail model. (cla: yes, waiting for tree to go green, p: in_app_purchase)
[3795](https://github.com/flutter/plugins/pull/3795) [camera] android-rework part 1: Base classes to support Android Camera features (cla: yes, p: camera, platform-android)
[3796](https://github.com/flutter/plugins/pull/3796) [camera] android-rework part 2: Android auto focus feature (cla: yes, p: camera, platform-android)
[3797](https://github.com/flutter/plugins/pull/3797) [camera] android-rework part 3: Android exposure related features (cla: yes, p: camera, platform-android)
[3798](https://github.com/flutter/plugins/pull/3798) [camera] android-rework part 4: Android flash and zoom features (cla: yes, p: camera, platform-android)
[3799](https://github.com/flutter/plugins/pull/3799) [camera] android-rework part 5: Android FPS range, resolution and sensor orientation features (cla: yes, waiting for tree to go green, p: camera, platform-android)
[3801](https://github.com/flutter/plugins/pull/3801) Update PULL_REQUEST_TEMPLATE.md (cla: yes, waiting for tree to go green)
[3805](https://github.com/flutter/plugins/pull/3805) [google_sign_in] Fix "pick account" on iOS (cla: yes, waiting for tree to go green, p: google_sign_in, platform-ios)
[3809](https://github.com/flutter/plugins/pull/3809) new dart formatter results (cla: yes, waiting for tree to go green, p: sensors)
[3811](https://github.com/flutter/plugins/pull/3811) [quick_actions] handle cold start on iOS correctly (cla: yes, waiting for tree to go green, p: quick_actions, platform-ios)
[3812](https://github.com/flutter/plugins/pull/3812) [path_provider] Replace path_provider_linux widget tests with simple unit tests (cla: yes, p: path_provider, platform-linux)
[3814](https://github.com/flutter/plugins/pull/3814) Path provider windows crash fix (cla: yes, p: path_provider, platform-windows)
[3815](https://github.com/flutter/plugins/pull/3815) fix incorrect `MD` in CONTRIBUTING.md (cla: yes)
[3816](https://github.com/flutter/plugins/pull/3816) [google_sign_in_web] fix README typos. (cla: yes, p: google_sign_in, platform-web)
[3817](https://github.com/flutter/plugins/pull/3817) [url_launcher] Add a workaround for Uri encoding (cla: yes, p: url_launcher)
[3818](https://github.com/flutter/plugins/pull/3818) [tools] fix version check command not working for new packages (cla: yes)
[3819](https://github.com/flutter/plugins/pull/3819) Add a todo WRT correctly setting the X-Goog-AuthUser header (cla: yes, p: google_sign_in)
[3821](https://github.com/flutter/plugins/pull/3821) [in_app_purchase] platform interface improvement (cla: yes, p: in_app_purchase)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3823](https://github.com/flutter/plugins/pull/3823) [path_provider_*] code cleanup: sort directives (cla: yes, waiting for tree to go green, p: path_provider, platform-windows, platform-macos, platform-linux)
[3826](https://github.com/flutter/plugins/pull/3826) [in_app_purchase_platform_interface] Added additional fields to ProductDetails (cla: yes, p: in_app_purchase)
[3827](https://github.com/flutter/plugins/pull/3827) [tool] combine run and runAndExitOnError (cla: yes)
[3831](https://github.com/flutter/plugins/pull/3831) [in_app_purchase] Make PurchaseDetails.status mandatory (cla: yes, p: in_app_purchase)
[3832](https://github.com/flutter/plugins/pull/3832) [in_app_purchase] Federated iOS implementation (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[3833](https://github.com/flutter/plugins/pull/3833) Add implement and registerWith method to plugins (cla: yes, p: path_provider, p: shared_preferences, p: connectivity, platform-windows, platform-macos, platform-linux)
[3834](https://github.com/flutter/plugins/pull/3834) [tool] github action to auto publish (skeleton) (cla: yes, last mile)
[3835](https://github.com/flutter/plugins/pull/3835) [image_picker] Image picker phpicker impl (cla: yes, p: image_picker, platform-ios)
[3836](https://github.com/flutter/plugins/pull/3836) Prep the flutter_plugin_tools for publishing (cla: yes)
[3837](https://github.com/flutter/plugins/pull/3837) switch from using 'tuneup' to analyze to 'dart analyze' [infra] (cla: yes)
[3839](https://github.com/flutter/plugins/pull/3839) Re-add bin/ to flutter_plugin_tools (cla: yes)
[3840](https://github.com/flutter/plugins/pull/3840) [tool] version-check publish-check commands can check against pub (cla: yes)
[3841](https://github.com/flutter/plugins/pull/3841) [in_app_purchase] Federated Android implementation (cla: yes, p: in_app_purchase, platform-android)
[3842](https://github.com/flutter/plugins/pull/3842) [tool] add an `skip-confirmation` flag to publish-package for running the command on ci (cla: yes, last mile)
[3844](https://github.com/flutter/plugins/pull/3844) Update third_party license checking (cla: yes)
[3845](https://github.com/flutter/plugins/pull/3845) [in_app_purchase] Add warning in readme for double import of the Android billing client library (cla: yes, p: in_app_purchase)
[3846](https://github.com/flutter/plugins/pull/3846) Move incremental_build.sh to run-on-changed-packages (cla: yes)
[3847](https://github.com/flutter/plugins/pull/3847) Add support for third_party packages in Dart code (cla: yes)
[3848](https://github.com/flutter/plugins/pull/3848) [google_sign_in] remove execute bit from a lot of files (cla: yes, p: google_sign_in, platform-ios, platform-android)
[3849](https://github.com/flutter/plugins/pull/3849) Remove fallback Activity and watch uiMode (cla: yes, p: webview_flutter, platform-android)
[3850](https://github.com/flutter/plugins/pull/3850) [google_maps_flutter] Unpin iOS GoogleMaps pod dependency version (cla: yes, p: google_maps_flutter, platform-ios, last mile)
[3851](https://github.com/flutter/plugins/pull/3851) [in_app_purchase] Implement registerPlatform method for iOS implementation (cla: yes, p: in_app_purchase, platform-ios)
[3852](https://github.com/flutter/plugins/pull/3852) [in_app_purchase] Add InAppPurchaseException to platform interface (cla: yes, p: in_app_purchase)
[3853](https://github.com/flutter/plugins/pull/3853) Enable analysis for the tool directory (cla: yes)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3859](https://github.com/flutter/plugins/pull/3859) [google_sign_in] fix registration links (cla: yes, p: google_sign_in)
[3861](https://github.com/flutter/plugins/pull/3861) [in_app_purchase] Android example using in_app_purchase_android package (cla: yes, p: in_app_purchase, platform-android)
[3862](https://github.com/flutter/plugins/pull/3862) Temporarily disable Windows tests (cla: yes)
[3863](https://github.com/flutter/plugins/pull/3863) Fix analyzer issues (cla: yes)
[3864](https://github.com/flutter/plugins/pull/3864) Check in macOS example Podfiles (cla: yes, p: integration_test, p: path_provider, p: url_launcher, p: package_info, p: shared_preferences, p: connectivity, platform-macos)
[3865](https://github.com/flutter/plugins/pull/3865) Simplify the tooling bash scripts (cla: yes, p: video_player)
[3869](https://github.com/flutter/plugins/pull/3869) [image_picker]Fix the description (cla: yes, p: image_picker)
[3870](https://github.com/flutter/plugins/pull/3870) [in_app_purchase] iOS example using in_app_purchase_ios package (cla: yes, p: in_app_purchase, platform-ios)
[3871](https://github.com/flutter/plugins/pull/3871) Update instructions on running integration_test with the flutter driver (cla: yes)
[3872](https://github.com/flutter/plugins/pull/3872) Exclude some missing integration tests (cla: yes)
[3873](https://github.com/flutter/plugins/pull/3873) [image_picker] Image picker fix metadata (cla: yes, p: image_picker, platform-ios)
[3874](https://github.com/flutter/plugins/pull/3874) [in_app_purchase] Expose in_app_purchase_exception.dart correctly (cla: yes, p: in_app_purchase, platform-ios)
[3875](https://github.com/flutter/plugins/pull/3875) Temporarily run Windows tests via GitHub Actions (cla: yes)
[3876](https://github.com/flutter/plugins/pull/3876) [google_sign_in] document web usage (cla: yes, p: google_sign_in)
[3877](https://github.com/flutter/plugins/pull/3877) [in_app_purchase] Implementation of the app facing package (cla: yes, p: in_app_purchase, platform-ios, platform-android)
[3878](https://github.com/flutter/plugins/pull/3878) Only mark PRs for publishing that change pubspec (cla: yes)
[3879](https://github.com/flutter/plugins/pull/3879) [in_app_purchase] Update to pub version of in_app_purchase_platform_interface dependency (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios, platform-android)
[3880](https://github.com/flutter/plugins/pull/3880) Revert "[tool] github action to auto publish (skeleton) " (cla: yes)
[3881](https://github.com/flutter/plugins/pull/3881) [image_picker] Image picker fix alert (cla: yes, waiting for tree to go green, p: image_picker, platform-ios)
[3882](https://github.com/flutter/plugins/pull/3882) Update tool README for packages use (cla: yes)
[3883](https://github.com/flutter/plugins/pull/3883) [in_app_purchase] Configure correct App Bundle identifier (cla: yes, p: in_app_purchase, platform-ios)
[3884](https://github.com/flutter/plugins/pull/3884) Revert "Temporarily disable Windows tests" (cla: yes)
[3885](https://github.com/flutter/plugins/pull/3885) Revert "Temporarily run Windows tests via GitHub Actions" (cla: yes, waiting for tree to go green)
[3887](https://github.com/flutter/plugins/pull/3887) [in_app_purchase] update min Flutter version to 1.20.0 (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[3890](https://github.com/flutter/plugins/pull/3890) Overhaul CONTRIBUTING.md (cla: yes)
[3891](https://github.com/flutter/plugins/pull/3891) Begin migrating tools to NNBD (cla: yes)
[3892](https://github.com/flutter/plugins/pull/3892) [video_player][camera] fix video_player camera tests (cla: yes, p: camera, p: video_player)
[3893](https://github.com/flutter/plugins/pull/3893) [url_launcher] Migrate pushRouteNameToFramework to ChannelBuffers (cla: yes, waiting for tree to go green, p: url_launcher)
[3894](https://github.com/flutter/plugins/pull/3894) Bump min Android SDK to the version required at runtime (cla: yes, waiting for tree to go green, p: webview_flutter, p: google_maps_flutter, platform-android)
[3896](https://github.com/flutter/plugins/pull/3896) [in_app_purchase] Add reference to the codelab in the README (cla: yes, p: in_app_purchase)
[3897](https://github.com/flutter/plugins/pull/3897) [in_app_purchase] Expose the NSLocale object (cla: yes, p: in_app_purchase, platform-ios)
[3898](https://github.com/flutter/plugins/pull/3898) [image_picker] Image picker fix camera device (cla: yes, waiting for tree to go green, p: image_picker, platform-ios)
[3899](https://github.com/flutter/plugins/pull/3899) Migrate some tool commands to NNBD (cla: yes)
[3900](https://github.com/flutter/plugins/pull/3900) Remove section from WebView readme (cla: yes, p: webview_flutter)
[3901](https://github.com/flutter/plugins/pull/3901) [espresso] Minor cleanup (cla: yes, waiting for tree to go green, p: espresso)
[3902](https://github.com/flutter/plugins/pull/3902) [url_launcher] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: url_launcher, platform-android)
[3903](https://github.com/flutter/plugins/pull/3903) Enable web integration tests on stable (cla: yes, waiting for tree to go green, p: file_selector, p: google_sign_in, p: url_launcher, p: connectivity, platform-web)
[3904](https://github.com/flutter/plugins/pull/3904) [android_alarm_manager] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: android_alarm_manager, platform-android)
[3905](https://github.com/flutter/plugins/pull/3905) [path_provider] Migrate all integration tests to NNBD (cla: yes, waiting for tree to go green, p: path_provider, platform-windows, platform-macos, platform-linux)
[3906](https://github.com/flutter/plugins/pull/3906) [android_intent] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: android_intent, platform-android)
[3907](https://github.com/flutter/plugins/pull/3907) [battery] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: battery, platform-android)
[3908](https://github.com/flutter/plugins/pull/3908) [camera] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: camera, platform-android)
[3909](https://github.com/flutter/plugins/pull/3909) [connectivity] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: connectivity, platform-android)
[3910](https://github.com/flutter/plugins/pull/3910) [device_info] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: device_info, platform-android)
[3911](https://github.com/flutter/plugins/pull/3911) [espresso] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: espresso, platform-android)
[3912](https://github.com/flutter/plugins/pull/3912) [flutter_plugin_android_lifecycle] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, platform-android, p: flutter_plugin_android_lifecycle)
[3913](https://github.com/flutter/plugins/pull/3913) [google_maps_flutter] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-android)
[3914](https://github.com/flutter/plugins/pull/3914) [google_sign_in] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: google_sign_in, platform-android)
[3915](https://github.com/flutter/plugins/pull/3915) [image_picker] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[3916](https://github.com/flutter/plugins/pull/3916) [in_app_purchase] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[3917](https://github.com/flutter/plugins/pull/3917) [local_auth] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: local_auth, platform-android)
[3918](https://github.com/flutter/plugins/pull/3918) [package_info] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: package_info, platform-android)
[3919](https://github.com/flutter/plugins/pull/3919) [path_provider] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: path_provider, platform-android)
[3920](https://github.com/flutter/plugins/pull/3920) [quick_actions] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: quick_actions, platform-android)
[3921](https://github.com/flutter/plugins/pull/3921) [sensors] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: sensors, platform-android)
[3922](https://github.com/flutter/plugins/pull/3922) [share] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: share, platform-android)
[3923](https://github.com/flutter/plugins/pull/3923) [shared_preferences] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: shared_preferences, platform-android)
[3924](https://github.com/flutter/plugins/pull/3924) [video_player] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: video_player, platform-android)
[3925](https://github.com/flutter/plugins/pull/3925) [wifi_info_flutter] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: wifi_info_flutter, platform-android)
[3926](https://github.com/flutter/plugins/pull/3926) [webview_flutter] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[3927](https://github.com/flutter/plugins/pull/3927) Mass pubspec.yaml cleanup (cla: yes, p: webview_flutter, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: url_launcher, p: video_player, p: shared_preferences, p: espresso, p: quick_actions, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3928](https://github.com/flutter/plugins/pull/3928) [webview_flutter] Bump version for republishing (cla: yes, p: webview_flutter)
[3929](https://github.com/flutter/plugins/pull/3929) [in_app_purchase] Move to stable release (cla: yes, p: in_app_purchase)
[3930](https://github.com/flutter/plugins/pull/3930) [sensors] Update Cirrus image to Xcode 12.5, fix sensors analyzer warning (cla: yes, p: sensors, platform-ios)
[3932](https://github.com/flutter/plugins/pull/3932) Move integration test to null safety for multiple plugins (cla: yes, p: webview_flutter, p: image_picker, p: in_app_purchase, p: wifi_info_flutter, p: quick_actions, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos)
[3934](https://github.com/flutter/plugins/pull/3934) Enable NNBD for more plugin integration tests (cla: yes, p: camera, p: google_maps_flutter, p: local_auth, p: url_launcher, p: shared_preferences, platform-windows, platform-macos, platform-linux)
[3936](https://github.com/flutter/plugins/pull/3936) Added Windows to the description (cla: yes, waiting for tree to go green, p: path_provider)
[3938](https://github.com/flutter/plugins/pull/3938) Migrate to .ci.yaml (cla: yes, waiting for tree to go green)
[3939](https://github.com/flutter/plugins/pull/3939) [image_picker] Fix camera alert localization analyzer warning (cla: yes, p: image_picker, platform-ios)
[3940](https://github.com/flutter/plugins/pull/3940) [video_player] Fix pointer value to boolean conversion analyzer warnings (cla: yes, p: video_player, platform-ios)
[3941](https://github.com/flutter/plugins/pull/3941) [connectivity] Ignore Reachability pointer to int cast warning (cla: yes, p: connectivity, platform-ios, platform-macos)
[3942](https://github.com/flutter/plugins/pull/3942) [share] Do not tear down channel onDetachedFromActivity. (cla: yes, waiting for tree to go green, p: share, platform-android)
[3944](https://github.com/flutter/plugins/pull/3944) [in_app_purchase] Added support to request list of purchases (cla: yes, p: in_app_purchase, platform-android)
[3945](https://github.com/flutter/plugins/pull/3945) [in_app_purchase] Add "Restore purchases" button to example App (cla: yes, waiting for tree to go green, p: in_app_purchase)
[3946](https://github.com/flutter/plugins/pull/3946) Make run-on-changed-packages flag handle repo-level changes (cla: yes)
[3947](https://github.com/flutter/plugins/pull/3947) [wifi_info_flutter] Ignore Reachability pointer to int cast warning (cla: yes, p: wifi_info_flutter, platform-ios)
[3949](https://github.com/flutter/plugins/pull/3949) [integration_test] Remove the package (cla: yes, waiting for tree to go green, p: integration_test, platform-ios, platform-android, platform-macos, platform-web)
[3950](https://github.com/flutter/plugins/pull/3950) [in_app_purchase_ios] Add Restore purchases button to example (cla: yes, p: in_app_purchase, platform-ios)
[3952](https://github.com/flutter/plugins/pull/3952) Remove codesign overrides from xctest command (cla: yes)
[3953](https://github.com/flutter/plugins/pull/3953) Fix publish-check output (cla: yes, waiting for tree to go green)
[3954](https://github.com/flutter/plugins/pull/3954) [url_launcher] Fix Link test (cla: yes, p: url_launcher)
[3956](https://github.com/flutter/plugins/pull/3956) [image_picker] Change storage location for camera captures to internal cache on Android, to comply with new Google Play storage requirements. (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[3957](https://github.com/flutter/plugins/pull/3957) [in_app_purchase] fix "autoConsume" param in "buyConsumable" (cla: yes, waiting for tree to go green, p: in_app_purchase, last mile)
[3958](https://github.com/flutter/plugins/pull/3958) [webview_flutter] Fix race in test (cla: yes, p: webview_flutter)
[3959](https://github.com/flutter/plugins/pull/3959) add a --dart-sdk option to the repo analysis command (cla: yes, waiting for tree to go green)
[3960](https://github.com/flutter/plugins/pull/3960) Use collection and box literals in ObjC code (cla: yes, p: webview_flutter, p: camera, p: google_maps_flutter, p: image_picker, p: in_app_purchase, platform-ios)
[3961](https://github.com/flutter/plugins/pull/3961) [url_launcher] Fix Link test breakage from shadow DOM changes (cla: yes, p: url_launcher, platform-web)
[3964](https://github.com/flutter/plugins/pull/3964) [multiple_web] Adapt web PlatformView widgets to work slotted. (cla: yes, waiting for tree to go green, p: google_maps_flutter, p: url_launcher, p: video_player, platform-web)
[3966](https://github.com/flutter/plugins/pull/3966) [url_launcher] and [url_launcher_platform_interface] Fix tests broken my ChannelBuffers migration (cla: yes, p: url_launcher)
[3967](https://github.com/flutter/plugins/pull/3967) [quick-actions] Revert migrating integration tests to NNBD (cla: yes, p: quick_actions)
[3968](https://github.com/flutter/plugins/pull/3968) [video_player] Migrate integration tests to NNBD (cla: yes, p: video_player)
[3969](https://github.com/flutter/plugins/pull/3969) [flutter_plugin_android_lifecycle] Migrate integration test to NNBD (cla: yes, p: flutter_plugin_android_lifecycle)
[3971](https://github.com/flutter/plugins/pull/3971) Point deprecated plugins to Plus versions (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: share, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info)
[3972](https://github.com/flutter/plugins/pull/3972) Clean up cruft in pubspec.yaml files (cla: yes, p: battery, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: plugin_platform_interface, p: url_launcher, p: shared_preferences, p: sensors, platform-windows, platform-web)
[3973](https://github.com/flutter/plugins/pull/3973) [scripts/tool] use 'flutter pub get' for both dart and flutter packages (cla: yes)
[3975](https://github.com/flutter/plugins/pull/3975) [video_player] Update README.md (cla: yes, waiting for tree to go green, p: video_player)
[3976](https://github.com/flutter/plugins/pull/3976) [in_app_purchase] Revert changes from PR 3897 (cla: yes, p: in_app_purchase, platform-ios)
[3978](https://github.com/flutter/plugins/pull/3978) [google_maps_flutter] Add iOS unit and UI tests (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-ios)
[3979](https://github.com/flutter/plugins/pull/3979) [video_player] Add URL for exoplayer to maven for all dependents (cla: yes, p: camera, p: video_player, platform-android)
[3980](https://github.com/flutter/plugins/pull/3980) Remove exoplayer workaround from everything but video_player (cla: yes, p: camera, p: image_picker, platform-android)
[3981](https://github.com/flutter/plugins/pull/3981) Allow reverts when checking versions (cla: yes)
[3982](https://github.com/flutter/plugins/pull/3982) [script/tool] speed up the pub get portion of the analyze command (cla: yes, waiting for tree to go green)
[3983](https://github.com/flutter/plugins/pull/3983) Enable pubspec dependency sorting lint (cla: yes, waiting for tree to go green, p: path_provider, p: espresso, platform-windows, platform-macos, platform-linux)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3985](https://github.com/flutter/plugins/pull/3985) [video_player_web] fix: set autoplay to false during initialization (cla: yes, waiting for tree to go green, p: video_player, platform-web)
[3986](https://github.com/flutter/plugins/pull/3986) [video_player] Add iOS unit and UI tests (cla: yes, waiting for tree to go green, p: video_player, platform-ios)
[3987](https://github.com/flutter/plugins/pull/3987) [url_launcher] Add iOS unit and UI tests (cla: yes, waiting for tree to go green, p: url_launcher, platform-ios)
[3988](https://github.com/flutter/plugins/pull/3988) [in_app_purchase] Fix Restore previous purchases link (cla: yes, waiting for tree to go green, p: in_app_purchase)
[3991](https://github.com/flutter/plugins/pull/3991) [script/tool] Use 'dart pub' instead of deprecated 'pub' (cla: yes)
[3992](https://github.com/flutter/plugins/pull/3992) [camera] Prevent crash when setting unsupported FocusMode (cla: yes, p: camera, platform-ios)
[3995](https://github.com/flutter/plugins/pull/3995) [webview_flutter] Add iOS integration tests (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[3996](https://github.com/flutter/plugins/pull/3996) [google_sign_in] Add iOS unit and UI tests (cla: yes, waiting for tree to go green, p: google_sign_in, platform-ios)
[3997](https://github.com/flutter/plugins/pull/3997) [ios_platform_images] Add iOS unit tests (cla: yes, p: ios_platform_images, platform-ios)
[3998](https://github.com/flutter/plugins/pull/3998) [path_provider] Add iOS unit tests (cla: yes, waiting for tree to go green, p: path_provider, platform-ios)
[3999](https://github.com/flutter/plugins/pull/3999) Some small documentation fixes (cla: yes)
[4000](https://github.com/flutter/plugins/pull/4000) [url_launcher] Fix breaking change version conflict (cla: yes, waiting for tree to go green, p: url_launcher)
[4001](https://github.com/flutter/plugins/pull/4001) [image_picker] Removed redundant request for camera permission (cla: yes, p: image_picker, platform-android)
[4003](https://github.com/flutter/plugins/pull/4003) [quick_actions] Optimised UI test to prevent flaky CI failures (cla: yes, p: quick_actions, platform-ios)
[4004](https://github.com/flutter/plugins/pull/4004) Check in regenerated C++ example registrants (cla: yes, waiting for tree to go green, p: path_provider, p: url_launcher, p: shared_preferences, platform-windows, platform-linux)
[4005](https://github.com/flutter/plugins/pull/4005) Standardize XCTest locations and harnesses (cla: yes, p: webview_flutter, p: camera, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, platform-ios)
[4006](https://github.com/flutter/plugins/pull/4006) [url_launcher] Amend example's manifest and docs (cla: yes, p: url_launcher, platform-android, last mile)
[4008](https://github.com/flutter/plugins/pull/4008) [in_app_purchase] Explanation for casting details to implementations (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4009](https://github.com/flutter/plugins/pull/4009) Separate out the deprecated plugins in README.md (cla: yes)
[4010](https://github.com/flutter/plugins/pull/4010) [camera] Do not trigger flat device orientation on iOS (cla: yes, p: camera, platform-ios)
[4011](https://github.com/flutter/plugins/pull/4011) [shared_preferences] Add iOS unit tests (cla: yes, waiting for tree to go green, p: shared_preferences, platform-ios)
[4012](https://github.com/flutter/plugins/pull/4012) Remove "unnecessary" imports. (cla: yes, waiting for tree to go green)
[4014](https://github.com/flutter/plugins/pull/4014) [flutter_plugin_tools] Simplify filesystem usage (cla: yes)
[4015](https://github.com/flutter/plugins/pull/4015) Enable linting of macOS podspecs (cla: yes, p: path_provider, p: url_launcher, p: package_info, p: shared_preferences, p: connectivity, platform-macos)
[4017](https://github.com/flutter/plugins/pull/4017) Support Hybrid Composition on Android (cla: yes, waiting for tree to go green, p: google_maps_flutter)
[4018](https://github.com/flutter/plugins/pull/4018) [flutter_plugin_tools] Remove global state from tests (cla: yes)
[4019](https://github.com/flutter/plugins/pull/4019) [image_picker] Fix rotation when camera is a source (cla: yes, p: image_picker, platform-ios)
[4020](https://github.com/flutter/plugins/pull/4020) [in_app_purchase] Added userIds to google play purchase (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4021](https://github.com/flutter/plugins/pull/4021) [image_picker] Reverted removal of camera permission request. (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[4022](https://github.com/flutter/plugins/pull/4022) [flutter_plugin_tools] Remove xctest's --skip (cla: yes, waiting for tree to go green)
[4023](https://github.com/flutter/plugins/pull/4023) Ignore upcoming unnecessary_imports analysis (cla: yes, waiting for tree to go green)
[4024](https://github.com/flutter/plugins/pull/4024) [flutter_plugin_tools] Migrate xctest command to NNBD (cla: yes, waiting for tree to go green)
[4025](https://github.com/flutter/plugins/pull/4025) [google_maps_flutter_web] Document liteMode not being available on web (cla: yes, p: google_maps_flutter, platform-web)
[4026](https://github.com/flutter/plugins/pull/4026) [flutter_plugin_tools] Migrate more commands to NNBD (cla: yes)
[4027](https://github.com/flutter/plugins/pull/4027) [in_app_purchase] Avoid nullable Future.value (cla: yes, p: in_app_purchase, platform-ios)
[4028](https://github.com/flutter/plugins/pull/4028) Fix typo; s/unnecessary_imports/unnecessary_import (cla: yes, waiting for tree to go green)
[4029](https://github.com/flutter/plugins/pull/4029) [video_player] Remove pre-stable warning from README (cla: yes, p: video_player)
[4033](https://github.com/flutter/plugins/pull/4033) Link to this repo's guide in the PR template (cla: yes)
[4035](https://github.com/flutter/plugins/pull/4035) [in_app_purchase] Only register transactionObservers when someone is listening to purchaseUpdates (cla: yes, p: in_app_purchase, platform-ios)
[4037](https://github.com/flutter/plugins/pull/4037) [flutter_plugin_tools] Migrate publish and version checks to NNBD (cla: yes)
[4038](https://github.com/flutter/plugins/pull/4038) [image_picker] Cleaned up README example (cla: yes, waiting for tree to go green, p: image_picker)
[4039](https://github.com/flutter/plugins/pull/4039) [camera] android-rework part 6: Android exposure- and focus point features (cla: yes, waiting for tree to go green, p: camera, platform-android)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
[4043](https://github.com/flutter/plugins/pull/4043) Enable macOS XCTest support (cla: yes, p: path_provider, p: url_launcher, p: shared_preferences, platform-macos)
[4048](https://github.com/flutter/plugins/pull/4048) [flutter_plugin_tools] Complete migration to NNBD (cla: yes, waiting for tree to go green)
[4049](https://github.com/flutter/plugins/pull/4049) [in_app_purchase] Update readme.md (cla: yes, waiting for tree to go green, p: in_app_purchase, last mile)
[4050](https://github.com/flutter/plugins/pull/4050) [in_app_purchase_android] Fixed typo in `LOAD_SKU_DOC_URL` and in the log message in `onBillingSetupFinished` (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android, last mile)
[4051](https://github.com/flutter/plugins/pull/4051) [in_app_purchase_platform_interface] Fixed restoring purchases link (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4052](https://github.com/flutter/plugins/pull/4052) [camera] android-rework part 7: Android noise reduction feature (cla: yes, waiting for tree to go green, p: camera, platform-android)
[4053](https://github.com/flutter/plugins/pull/4053) Fetch from origin before trying to switch channels (cla: yes)
[4054](https://github.com/flutter/plugins/pull/4054) [camera] android-rework part 8: Supporting modules for final implementation (cla: yes, waiting for tree to go green, p: camera, platform-android)
[4055](https://github.com/flutter/plugins/pull/4055) [in_app_purchase_android] add payment proxy (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4057](https://github.com/flutter/plugins/pull/4057) [flutter_plugin_tools] Split common.dart (cla: yes)
[4058](https://github.com/flutter/plugins/pull/4058) Ensure Java 8 (cla: yes)
[4060](https://github.com/flutter/plugins/pull/4060) Pin base image used in CI Dockerfile (cla: yes)
[4061](https://github.com/flutter/plugins/pull/4061) [ci] Add release github action (cla: yes, waiting for tree to go green)
[4062](https://github.com/flutter/plugins/pull/4062) [integration_test] Update README installation instructions (cla: yes, waiting for tree to go green, p: integration_test)
[4063](https://github.com/flutter/plugins/pull/4063) [in_app_purchase] Added BillingClient.isFeatureSupported (cla: yes, p: in_app_purchase, platform-android)
[4064](https://github.com/flutter/plugins/pull/4064) [flutter_plugin_tool] Refactor createFakePlugin (cla: yes, waiting for tree to go green)
[4065](https://github.com/flutter/plugins/pull/4065) Update tool commands (cla: yes)
[4066](https://github.com/flutter/plugins/pull/4066) [flutter_plugin_tools] Simplify extraFiles in test utils (cla: yes)
[4067](https://github.com/flutter/plugins/pull/4067) [flutter_plugin_tools] Add a new base command for looping over packages (cla: yes)
[4068](https://github.com/flutter/plugins/pull/4068) [flutter_plugin_tools] `publish-plugin` check against pub to determine if a release should happen (cla: yes)
[4069](https://github.com/flutter/plugins/pull/4069) [image_picker] remove unused imports from example (cla: yes, waiting for tree to go green, p: image_picker)
[4071](https://github.com/flutter/plugins/pull/4071) [in_app_purchase_android] fix version for 'add payment proxy': pull/4055 (cla: yes, p: in_app_purchase, platform-android)
[4072](https://github.com/flutter/plugins/pull/4072) [image_picker_platform_interface] Migrate image_picker to package:cross_file (cla: yes, p: image_picker)
[4073](https://github.com/flutter/plugins/pull/4073) [image_picker] Migrate image_picker to package:cross_file (cla: yes, waiting for tree to go green, p: image_picker)
[4074](https://github.com/flutter/plugins/pull/4074) Add a link to the new wiki page about plugin and package PRs (cla: yes)
[4075](https://github.com/flutter/plugins/pull/4075) Add link to the version update entry (cla: yes, waiting for tree to go green)
[4076](https://github.com/flutter/plugins/pull/4076) Update cirrus gcp credentials (cla: yes)
[4077](https://github.com/flutter/plugins/pull/4077) [in_app_purchase] billingClient launchPriceChangeConfirmationFlow (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4079](https://github.com/flutter/plugins/pull/4079) [in_app_purchase] update gradle tool to 4.1.0 (cla: yes, p: in_app_purchase, platform-android)
[4081](https://github.com/flutter/plugins/pull/4081) [video player]: update the url in the readme example (cla: yes, waiting for tree to go green, p: video_player)
[4083](https://github.com/flutter/plugins/pull/4083) [image_picker_for_web] Migrate image_picker to package:cross_file (cla: yes, p: image_picker, platform-web)
[4084](https://github.com/flutter/plugins/pull/4084) [flutter_plugin_tools] Migrate analyze to new base command (cla: yes)
[4085](https://github.com/flutter/plugins/pull/4085) [in_app_purchase] Add support for SKPaymentQueueDelegate and showPriceConsentIfNeeded (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4086](https://github.com/flutter/plugins/pull/4086) [ci] increase auto publish job wait interval to 3 mins. (cla: yes)
[4087](https://github.com/flutter/plugins/pull/4087) [flutter_plugin_tools] Migrate build-examples to new base command (cla: yes)
[4088](https://github.com/flutter/plugins/pull/4088) [url_launcher] Fix test button check for iOS 15 (cla: yes, waiting for tree to go green, p: url_launcher, platform-ios)
[4089](https://github.com/flutter/plugins/pull/4089) [image_picker] Updated pickImage and pickVideo docs to expose the possible errors that can be thrown (cla: yes, waiting for tree to go green, p: image_picker)
[4090](https://github.com/flutter/plugins/pull/4090) Update .ci.yaml documentation link (cla: yes, waiting for tree to go green)
[4091](https://github.com/flutter/plugins/pull/4091) [ci] Set release action owner as flutter (cla: yes, waiting for tree to go green)
[4092](https://github.com/flutter/plugins/pull/4092) [in_app_purchase] Add documentation for price change confirmations (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4096](https://github.com/flutter/plugins/pull/4096) [in_app_purchase] Fix app exceptions caused by missing App Store receipt (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4098](https://github.com/flutter/plugins/pull/4098) Disable the "needs publishing" auto-labeler (cla: yes, waiting for tree to go green)
[4099](https://github.com/flutter/plugins/pull/4099) [flutter_plugin_tools] Overhaul drive-examples (cla: yes, waiting for tree to go green)
[4100](https://github.com/flutter/plugins/pull/4100) [webview_flutter] Suppress iOS 9 deprecation warnings (cla: yes, p: webview_flutter, platform-ios)
[4101](https://github.com/flutter/plugins/pull/4101) Build all iOS example apps on current Flutter stable (cla: yes, waiting for tree to go green, p: battery, p: share, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios)
[4102](https://github.com/flutter/plugins/pull/4102) Add release status badge to README (cla: yes)
[4103](https://github.com/flutter/plugins/pull/4103) [image_picker]Update example app (cla: yes, waiting for tree to go green, p: image_picker)
[4104](https://github.com/flutter/plugins/pull/4104) Don't install cocoapods during CI runs (cla: yes)
[4105](https://github.com/flutter/plugins/pull/4105) [flutter_plugin_tools] Migrate java-test to new base command (cla: yes)
[4106](https://github.com/flutter/plugins/pull/4106) [flutter_plugin_tools] Migrate podspec to new base command (cla: yes)
[4107](https://github.com/flutter/plugins/pull/4107) [flutter_plugin_tools] Move license-check tests to runCapturingPrint (cla: yes, waiting for tree to go green)
[4108](https://github.com/flutter/plugins/pull/4108) Add Basic Junit Tests to some plugins (cla: yes, p: webview_flutter, p: google_sign_in, p: local_auth, p: video_player, p: shared_preferences, platform-android)
[4109](https://github.com/flutter/plugins/pull/4109) [flutter_plugin_tools] release 0.3.0 (cla: yes)
[4110](https://github.com/flutter/plugins/pull/4110) [flutter_plugin_tools] ignore flutter_plugin_tools when publishing (cla: yes, waiting for tree to go green)
[4111](https://github.com/flutter/plugins/pull/4111) [flutter_plugin_tools] Restructure version-check (cla: yes)
[4112](https://github.com/flutter/plugins/pull/4112) Split some Cirrus script steps (cla: yes)
[4113](https://github.com/flutter/plugins/pull/4113) [in_app_purchase] Initialize SKError with correct data type (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4114](https://github.com/flutter/plugins/pull/4114) [in_app_purchase] Added priceCurrencySymbol to SkuDetailsWrapper (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4115](https://github.com/flutter/plugins/pull/4115) [in_app_purchase] Add currencySymbol to ProductDetails (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4116](https://github.com/flutter/plugins/pull/4116) [flutter_plugin_tools] Migrate firebase-test-lab to new base command (cla: yes)
[4117](https://github.com/flutter/plugins/pull/4117) [image_picker] Fixed IOException when cache directory is removed (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[4118](https://github.com/flutter/plugins/pull/4118) [flutter_plugin_tools] Add a summary for successful runs (cla: yes)
[4119](https://github.com/flutter/plugins/pull/4119) [flutter_plugin_tools] Migrate publish-check to the new base command (cla: yes)
[4120](https://github.com/flutter/plugins/pull/4120) [flutter_plugin_tools] Minor test cleanup (cla: yes)
[4122](https://github.com/flutter/plugins/pull/4122) [in_app_purchase] Added country code to sk product wrapper (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4127](https://github.com/flutter/plugins/pull/4127) Exclude arm64 simulators from google_maps_flutter example project (cla: yes, p: google_maps_flutter, platform-ios)
[4128](https://github.com/flutter/plugins/pull/4128) Exclude arm64 simulators from google_sign_in example project (cla: yes, p: google_sign_in, platform-ios)
[4130](https://github.com/flutter/plugins/pull/4130) [flutter_plugin_tools] Remove most exitOnError:true usage (cla: yes)
[4131](https://github.com/flutter/plugins/pull/4131) [quick_actions] Add const constructor (cla: yes, waiting for tree to go green, p: quick_actions)
[4132](https://github.com/flutter/plugins/pull/4132) [flutter_plugin_tool] Add more failure test coverage (cla: yes)
[4133](https://github.com/flutter/plugins/pull/4133) [flutter_plugin_tools] Migrate 'test' to new base command (cla: yes)
[4134](https://github.com/flutter/plugins/pull/4134) [flutter_plugin_tools] Add --packages, and deprecated --plugins (cla: yes)
[4136](https://github.com/flutter/plugins/pull/4136) [url_launcher] Prepare plugin repo for binding API improvements. (cla: yes, waiting for tree to go green, p: url_launcher)
[4137](https://github.com/flutter/plugins/pull/4137) [various] Prepare plugin repo for binding API improvements (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: camera, p: video_player, p: sensors, p: connectivity)
[4138](https://github.com/flutter/plugins/pull/4138) [in_app_purchase] Fix crash when retrieveReceiptWithError gives an error. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4141](https://github.com/flutter/plugins/pull/4141) [video_player] Update to ExoPlayer 2.14.1 (cla: yes, p: video_player, platform-android)
[4142](https://github.com/flutter/plugins/pull/4142) [flutter_plugin_tools] Work around banner in drive-examples (cla: yes, waiting for tree to go green)
[4143](https://github.com/flutter/plugins/pull/4143) [plugin_platform_interface] Fix README broken link (cla: yes, waiting for tree to go green, p: plugin_platform_interface)
[4144](https://github.com/flutter/plugins/pull/4144) [in_app_purchase] Add iOS currency symbol to ProductDetails (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4145](https://github.com/flutter/plugins/pull/4145) [flutter_plugin_tools] Improve and test 'format' (cla: yes)
[4146](https://github.com/flutter/plugins/pull/4146) [flutter_plugin_tools] Only check target packages in analyze (cla: yes)
[4147](https://github.com/flutter/plugins/pull/4147) Fix webview_flutter Android integration tests and add Espresso (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4148](https://github.com/flutter/plugins/pull/4148) [various] Prepare plugin repo for binding API improvements (cla: yes, waiting for tree to go green, p: camera, p: video_player)
[4149](https://github.com/flutter/plugins/pull/4149) [flutter_plugin_tools] Make unit tests pass on Windows (cla: yes)
[4150](https://github.com/flutter/plugins/pull/4150) [flutter_plugin_tools] Support format on Windows (cla: yes)
[4151](https://github.com/flutter/plugins/pull/4151) [camera] Introduce `camera_web` package (cla: yes, p: camera, platform-web)
[4152](https://github.com/flutter/plugins/pull/4152) [webview_flutter] Move webview_flutter to webview_flutter/webview_flutter (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios, platform-android)
[4154](https://github.com/flutter/plugins/pull/4154) [flutter_plugin_tools] Improve license-check output (cla: yes)
[4157](https://github.com/flutter/plugins/pull/4157) [google_sign_in] Add iOS unit tests (cla: yes, p: google_sign_in, platform-ios)
[4158](https://github.com/flutter/plugins/pull/4158) [camera] Fix coordinate rotation for setting focus- and exposure points on iOS (cla: yes, waiting for tree to go green, p: camera, platform-ios)
[4160](https://github.com/flutter/plugins/pull/4160) Remove references to the V1 Android embedding (cla: yes, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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: espresso, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle)
[4161](https://github.com/flutter/plugins/pull/4161) [flutter_plugin_tests] Split analyze out of xctest (cla: yes)
[4163](https://github.com/flutter/plugins/pull/4163) [google_maps_flutter_web]: Update instructions to reflect current versions (cla: yes, p: google_maps_flutter, platform-web)
[4164](https://github.com/flutter/plugins/pull/4164) [camera_web] Add `CameraOptions` used to constrain the camera audio and video (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4166](https://github.com/flutter/plugins/pull/4166) [image_picker_for_web] Support multiple pick. Store name and other local file properties in XFile. (cla: yes, waiting for tree to go green, p: image_picker, platform-web)
[4167](https://github.com/flutter/plugins/pull/4167) [multiple_web] Update web plugin testing instructions. (cla: yes, waiting for tree to go green, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: url_launcher, p: video_player, p: connectivity, platform-web)
[4168](https://github.com/flutter/plugins/pull/4168) [camera_web] Add `Camera` used to control video and take pictures (cla: yes, p: camera, platform-web)
[4171](https://github.com/flutter/plugins/pull/4171) [flutter_plugin_tools] Use -version with java (cla: yes, waiting for tree to go green)
[4172](https://github.com/flutter/plugins/pull/4172) [flutter_plugin_tools] Make firebase-test-lab fail when no tests run (cla: yes)
[4175](https://github.com/flutter/plugins/pull/4175) [camera_web] Add `availableCameras` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4176](https://github.com/flutter/plugins/pull/4176) [flutter_plugin_tools] Replace xctest and java-test with native-test (cla: yes)
[4178](https://github.com/flutter/plugins/pull/4178) [webview_flutter] Refactored creation of Android WebView for testability. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4181](https://github.com/flutter/plugins/pull/4181) [image_picker] Move UI test (cla: yes, waiting for tree to go green, p: image_picker, platform-ios)
[4182](https://github.com/flutter/plugins/pull/4182) [camera_web] Add `createCamera` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4183](https://github.com/flutter/plugins/pull/4183) [flutter_plugin_tools] Support YAML exception lists (cla: yes)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
[4185](https://github.com/flutter/plugins/pull/4185) [shared_preferences_web] Migrate tests to integration_test (cla: yes, waiting for tree to go green, p: shared_preferences, platform-web)
[4186](https://github.com/flutter/plugins/pull/4186) [camera_web] Add `initializeCamera` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4187](https://github.com/flutter/plugins/pull/4187) [webview_flutter] Better documentation of Android Platform Views modes (cla: yes, waiting for tree to go green, p: webview_flutter)
[4189](https://github.com/flutter/plugins/pull/4189) Remove remaining V1 embedding references (cla: yes, p: battery, p: package_info, platform-android)
[4190](https://github.com/flutter/plugins/pull/4190) [camera_web] Add `buildPreview` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4191](https://github.com/flutter/plugins/pull/4191) [camera_platform_interface] Expand camera platform interface to support pausing the camera preview. (cla: yes, waiting for tree to go green, p: camera)
[4193](https://github.com/flutter/plugins/pull/4193) Move unit tests to Android modules (cla: yes, p: google_maps_flutter, p: google_sign_in, p: image_picker, platform-android)
[4194](https://github.com/flutter/plugins/pull/4194) [flutter_plugin_tools] Test and comment Dart analysis (cla: yes)
[4195](https://github.com/flutter/plugins/pull/4195) Skip a flaky webview_flutter integration test and extend firebase testlab timeout (cla: yes, p: webview_flutter)
[4196](https://github.com/flutter/plugins/pull/4196) [camera_web] Add `takePicture` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4197](https://github.com/flutter/plugins/pull/4197) [camera] Fix camera preview not always rebuilding on orientation change (cla: yes, waiting for tree to go green, p: camera)
[4198](https://github.com/flutter/plugins/pull/4198) Remove pubspec.yaml examples from READMEs (cla: yes, waiting for tree to go green, p: file_selector, p: google_sign_in, p: image_picker, p: in_app_purchase, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web)
[4199](https://github.com/flutter/plugins/pull/4199) wake lock permission (cla: yes, p: webview_flutter, platform-android)
[4200](https://github.com/flutter/plugins/pull/4200) Adds test harnesses for integration tests on Android (cla: yes, waiting for tree to go green, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: quick_actions, platform-android)
[4201](https://github.com/flutter/plugins/pull/4201) [in_app_purchase] Correct mistake with markdown in README.md (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4202](https://github.com/flutter/plugins/pull/4202) Correct mistake with markdown in README.md (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4203](https://github.com/flutter/plugins/pull/4203) [camera_web] Add `dispose` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4205](https://github.com/flutter/plugins/pull/4205) [flutter_plugin_tools] Track and log exclusions (cla: yes)
[4207](https://github.com/flutter/plugins/pull/4207) [camera_web] Add camera errors handling (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4208](https://github.com/flutter/plugins/pull/4208) [google_sign_in] Mark iOS arm64 simulators as unsupported (cla: yes, waiting for tree to go green, p: google_sign_in, platform-ios)
[4209](https://github.com/flutter/plugins/pull/4209) [google_maps_flutter] Mark iOS arm64 simulators as unsupported (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-ios)
[4211](https://github.com/flutter/plugins/pull/4211) [url_launcher] Replaced reference to shared_preferences with correct reference to url_launcher in README. (cla: yes, waiting for tree to go green, p: url_launcher, platform-windows, platform-macos, platform-linux, platform-web, needs-publishing)
[4213](https://github.com/flutter/plugins/pull/4213) Don't use 'flutter upgrade' on Cirrus (cla: yes)
[4214](https://github.com/flutter/plugins/pull/4214) [google_maps_flutter] Temporarily disable googleMapsPluginIsAdded (cla: yes, p: google_maps_flutter, platform-android)
[4215](https://github.com/flutter/plugins/pull/4215) [image_picker] Check for failure in iOS metadata updates (cla: yes, waiting for tree to go green, p: image_picker, platform-ios)
### waiting for tree to go green - 152 pull request(s)
[3266](https://github.com/flutter/plugins/pull/3266) [webview_flutter] Fix broken keyboard issue link (cla: yes, waiting for tree to go green, p: webview_flutter)
[3727](https://github.com/flutter/plugins/pull/3727) [video_player] Pause video when it completes (cla: yes, waiting for tree to go green, p: video_player, last mile)
[3776](https://github.com/flutter/plugins/pull/3776) [tool] add `all` and `dry-run` flags to publish-plugin command (cla: yes, waiting for tree to go green)
[3780](https://github.com/flutter/plugins/pull/3780) [local_auth] Fix iOS crash when no localizedReason (cla: yes, in review, waiting for tree to go green, p: local_auth)
[3783](https://github.com/flutter/plugins/pull/3783) [image_picker] Multiple image support (cla: yes, waiting for tree to go green, p: image_picker, platform-ios, platform-android)
[3794](https://github.com/flutter/plugins/pull/3794) [in_app_purchase] Added currency code and numerical price to product detail model. (cla: yes, waiting for tree to go green, p: in_app_purchase)
[3799](https://github.com/flutter/plugins/pull/3799) [camera] android-rework part 5: Android FPS range, resolution and sensor orientation features (cla: yes, waiting for tree to go green, p: camera, platform-android)
[3801](https://github.com/flutter/plugins/pull/3801) Update PULL_REQUEST_TEMPLATE.md (cla: yes, waiting for tree to go green)
[3805](https://github.com/flutter/plugins/pull/3805) [google_sign_in] Fix "pick account" on iOS (cla: yes, waiting for tree to go green, p: google_sign_in, platform-ios)
[3809](https://github.com/flutter/plugins/pull/3809) new dart formatter results (cla: yes, waiting for tree to go green, p: sensors)
[3811](https://github.com/flutter/plugins/pull/3811) [quick_actions] handle cold start on iOS correctly (cla: yes, waiting for tree to go green, p: quick_actions, platform-ios)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3823](https://github.com/flutter/plugins/pull/3823) [path_provider_*] code cleanup: sort directives (cla: yes, waiting for tree to go green, p: path_provider, platform-windows, platform-macos, platform-linux)
[3832](https://github.com/flutter/plugins/pull/3832) [in_app_purchase] Federated iOS implementation (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[3879](https://github.com/flutter/plugins/pull/3879) [in_app_purchase] Update to pub version of in_app_purchase_platform_interface dependency (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios, platform-android)
[3881](https://github.com/flutter/plugins/pull/3881) [image_picker] Image picker fix alert (cla: yes, waiting for tree to go green, p: image_picker, platform-ios)
[3885](https://github.com/flutter/plugins/pull/3885) Revert "Temporarily run Windows tests via GitHub Actions" (cla: yes, waiting for tree to go green)
[3887](https://github.com/flutter/plugins/pull/3887) [in_app_purchase] update min Flutter version to 1.20.0 (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[3893](https://github.com/flutter/plugins/pull/3893) [url_launcher] Migrate pushRouteNameToFramework to ChannelBuffers (cla: yes, waiting for tree to go green, p: url_launcher)
[3894](https://github.com/flutter/plugins/pull/3894) Bump min Android SDK to the version required at runtime (cla: yes, waiting for tree to go green, p: webview_flutter, p: google_maps_flutter, platform-android)
[3898](https://github.com/flutter/plugins/pull/3898) [image_picker] Image picker fix camera device (cla: yes, waiting for tree to go green, p: image_picker, platform-ios)
[3901](https://github.com/flutter/plugins/pull/3901) [espresso] Minor cleanup (cla: yes, waiting for tree to go green, p: espresso)
[3902](https://github.com/flutter/plugins/pull/3902) [url_launcher] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: url_launcher, platform-android)
[3903](https://github.com/flutter/plugins/pull/3903) Enable web integration tests on stable (cla: yes, waiting for tree to go green, p: file_selector, p: google_sign_in, p: url_launcher, p: connectivity, platform-web)
[3904](https://github.com/flutter/plugins/pull/3904) [android_alarm_manager] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: android_alarm_manager, platform-android)
[3905](https://github.com/flutter/plugins/pull/3905) [path_provider] Migrate all integration tests to NNBD (cla: yes, waiting for tree to go green, p: path_provider, platform-windows, platform-macos, platform-linux)
[3906](https://github.com/flutter/plugins/pull/3906) [android_intent] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: android_intent, platform-android)
[3907](https://github.com/flutter/plugins/pull/3907) [battery] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: battery, platform-android)
[3908](https://github.com/flutter/plugins/pull/3908) [camera] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: camera, platform-android)
[3909](https://github.com/flutter/plugins/pull/3909) [connectivity] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: connectivity, platform-android)
[3910](https://github.com/flutter/plugins/pull/3910) [device_info] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: device_info, platform-android)
[3911](https://github.com/flutter/plugins/pull/3911) [espresso] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: espresso, platform-android)
[3912](https://github.com/flutter/plugins/pull/3912) [flutter_plugin_android_lifecycle] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, platform-android, p: flutter_plugin_android_lifecycle)
[3913](https://github.com/flutter/plugins/pull/3913) [google_maps_flutter] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-android)
[3914](https://github.com/flutter/plugins/pull/3914) [google_sign_in] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: google_sign_in, platform-android)
[3915](https://github.com/flutter/plugins/pull/3915) [image_picker] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[3916](https://github.com/flutter/plugins/pull/3916) [in_app_purchase] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[3917](https://github.com/flutter/plugins/pull/3917) [local_auth] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: local_auth, platform-android)
[3918](https://github.com/flutter/plugins/pull/3918) [package_info] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: package_info, platform-android)
[3919](https://github.com/flutter/plugins/pull/3919) [path_provider] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: path_provider, platform-android)
[3920](https://github.com/flutter/plugins/pull/3920) [quick_actions] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: quick_actions, platform-android)
[3921](https://github.com/flutter/plugins/pull/3921) [sensors] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: sensors, platform-android)
[3922](https://github.com/flutter/plugins/pull/3922) [share] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: share, platform-android)
[3923](https://github.com/flutter/plugins/pull/3923) [shared_preferences] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: shared_preferences, platform-android)
[3924](https://github.com/flutter/plugins/pull/3924) [video_player] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: video_player, platform-android)
[3925](https://github.com/flutter/plugins/pull/3925) [wifi_info_flutter] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: wifi_info_flutter, platform-android)
[3926](https://github.com/flutter/plugins/pull/3926) [webview_flutter] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[3936](https://github.com/flutter/plugins/pull/3936) Added Windows to the description (cla: yes, waiting for tree to go green, p: path_provider)
[3938](https://github.com/flutter/plugins/pull/3938) Migrate to .ci.yaml (cla: yes, waiting for tree to go green)
[3942](https://github.com/flutter/plugins/pull/3942) [share] Do not tear down channel onDetachedFromActivity. (cla: yes, waiting for tree to go green, p: share, platform-android)
[3945](https://github.com/flutter/plugins/pull/3945) [in_app_purchase] Add "Restore purchases" button to example App (cla: yes, waiting for tree to go green, p: in_app_purchase)
[3949](https://github.com/flutter/plugins/pull/3949) [integration_test] Remove the package (cla: yes, waiting for tree to go green, p: integration_test, platform-ios, platform-android, platform-macos, platform-web)
[3953](https://github.com/flutter/plugins/pull/3953) Fix publish-check output (cla: yes, waiting for tree to go green)
[3956](https://github.com/flutter/plugins/pull/3956) [image_picker] Change storage location for camera captures to internal cache on Android, to comply with new Google Play storage requirements. (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[3957](https://github.com/flutter/plugins/pull/3957) [in_app_purchase] fix "autoConsume" param in "buyConsumable" (cla: yes, waiting for tree to go green, p: in_app_purchase, last mile)
[3959](https://github.com/flutter/plugins/pull/3959) add a --dart-sdk option to the repo analysis command (cla: yes, waiting for tree to go green)
[3964](https://github.com/flutter/plugins/pull/3964) [multiple_web] Adapt web PlatformView widgets to work slotted. (cla: yes, waiting for tree to go green, p: google_maps_flutter, p: url_launcher, p: video_player, platform-web)
[3975](https://github.com/flutter/plugins/pull/3975) [video_player] Update README.md (cla: yes, waiting for tree to go green, p: video_player)
[3978](https://github.com/flutter/plugins/pull/3978) [google_maps_flutter] Add iOS unit and UI tests (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-ios)
[3982](https://github.com/flutter/plugins/pull/3982) [script/tool] speed up the pub get portion of the analyze command (cla: yes, waiting for tree to go green)
[3983](https://github.com/flutter/plugins/pull/3983) Enable pubspec dependency sorting lint (cla: yes, waiting for tree to go green, p: path_provider, p: espresso, platform-windows, platform-macos, platform-linux)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3985](https://github.com/flutter/plugins/pull/3985) [video_player_web] fix: set autoplay to false during initialization (cla: yes, waiting for tree to go green, p: video_player, platform-web)
[3986](https://github.com/flutter/plugins/pull/3986) [video_player] Add iOS unit and UI tests (cla: yes, waiting for tree to go green, p: video_player, platform-ios)
[3987](https://github.com/flutter/plugins/pull/3987) [url_launcher] Add iOS unit and UI tests (cla: yes, waiting for tree to go green, p: url_launcher, platform-ios)
[3988](https://github.com/flutter/plugins/pull/3988) [in_app_purchase] Fix Restore previous purchases link (cla: yes, waiting for tree to go green, p: in_app_purchase)
[3995](https://github.com/flutter/plugins/pull/3995) [webview_flutter] Add iOS integration tests (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[3996](https://github.com/flutter/plugins/pull/3996) [google_sign_in] Add iOS unit and UI tests (cla: yes, waiting for tree to go green, p: google_sign_in, platform-ios)
[3998](https://github.com/flutter/plugins/pull/3998) [path_provider] Add iOS unit tests (cla: yes, waiting for tree to go green, p: path_provider, platform-ios)
[4000](https://github.com/flutter/plugins/pull/4000) [url_launcher] Fix breaking change version conflict (cla: yes, waiting for tree to go green, p: url_launcher)
[4004](https://github.com/flutter/plugins/pull/4004) Check in regenerated C++ example registrants (cla: yes, waiting for tree to go green, p: path_provider, p: url_launcher, p: shared_preferences, platform-windows, platform-linux)
[4008](https://github.com/flutter/plugins/pull/4008) [in_app_purchase] Explanation for casting details to implementations (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4011](https://github.com/flutter/plugins/pull/4011) [shared_preferences] Add iOS unit tests (cla: yes, waiting for tree to go green, p: shared_preferences, platform-ios)
[4012](https://github.com/flutter/plugins/pull/4012) Remove "unnecessary" imports. (cla: yes, waiting for tree to go green)
[4017](https://github.com/flutter/plugins/pull/4017) Support Hybrid Composition on Android (cla: yes, waiting for tree to go green, p: google_maps_flutter)
[4020](https://github.com/flutter/plugins/pull/4020) [in_app_purchase] Added userIds to google play purchase (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4021](https://github.com/flutter/plugins/pull/4021) [image_picker] Reverted removal of camera permission request. (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[4022](https://github.com/flutter/plugins/pull/4022) [flutter_plugin_tools] Remove xctest's --skip (cla: yes, waiting for tree to go green)
[4023](https://github.com/flutter/plugins/pull/4023) Ignore upcoming unnecessary_imports analysis (cla: yes, waiting for tree to go green)
[4024](https://github.com/flutter/plugins/pull/4024) [flutter_plugin_tools] Migrate xctest command to NNBD (cla: yes, waiting for tree to go green)
[4028](https://github.com/flutter/plugins/pull/4028) Fix typo; s/unnecessary_imports/unnecessary_import (cla: yes, waiting for tree to go green)
[4038](https://github.com/flutter/plugins/pull/4038) [image_picker] Cleaned up README example (cla: yes, waiting for tree to go green, p: image_picker)
[4039](https://github.com/flutter/plugins/pull/4039) [camera] android-rework part 6: Android exposure- and focus point features (cla: yes, waiting for tree to go green, p: camera, platform-android)
[4048](https://github.com/flutter/plugins/pull/4048) [flutter_plugin_tools] Complete migration to NNBD (cla: yes, waiting for tree to go green)
[4049](https://github.com/flutter/plugins/pull/4049) [in_app_purchase] Update readme.md (cla: yes, waiting for tree to go green, p: in_app_purchase, last mile)
[4050](https://github.com/flutter/plugins/pull/4050) [in_app_purchase_android] Fixed typo in `LOAD_SKU_DOC_URL` and in the log message in `onBillingSetupFinished` (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android, last mile)
[4051](https://github.com/flutter/plugins/pull/4051) [in_app_purchase_platform_interface] Fixed restoring purchases link (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4052](https://github.com/flutter/plugins/pull/4052) [camera] android-rework part 7: Android noise reduction feature (cla: yes, waiting for tree to go green, p: camera, platform-android)
[4054](https://github.com/flutter/plugins/pull/4054) [camera] android-rework part 8: Supporting modules for final implementation (cla: yes, waiting for tree to go green, p: camera, platform-android)
[4055](https://github.com/flutter/plugins/pull/4055) [in_app_purchase_android] add payment proxy (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4061](https://github.com/flutter/plugins/pull/4061) [ci] Add release github action (cla: yes, waiting for tree to go green)
[4062](https://github.com/flutter/plugins/pull/4062) [integration_test] Update README installation instructions (cla: yes, waiting for tree to go green, p: integration_test)
[4064](https://github.com/flutter/plugins/pull/4064) [flutter_plugin_tool] Refactor createFakePlugin (cla: yes, waiting for tree to go green)
[4069](https://github.com/flutter/plugins/pull/4069) [image_picker] remove unused imports from example (cla: yes, waiting for tree to go green, p: image_picker)
[4073](https://github.com/flutter/plugins/pull/4073) [image_picker] Migrate image_picker to package:cross_file (cla: yes, waiting for tree to go green, p: image_picker)
[4075](https://github.com/flutter/plugins/pull/4075) Add link to the version update entry (cla: yes, waiting for tree to go green)
[4077](https://github.com/flutter/plugins/pull/4077) [in_app_purchase] billingClient launchPriceChangeConfirmationFlow (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4081](https://github.com/flutter/plugins/pull/4081) [video player]: update the url in the readme example (cla: yes, waiting for tree to go green, p: video_player)
[4085](https://github.com/flutter/plugins/pull/4085) [in_app_purchase] Add support for SKPaymentQueueDelegate and showPriceConsentIfNeeded (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4088](https://github.com/flutter/plugins/pull/4088) [url_launcher] Fix test button check for iOS 15 (cla: yes, waiting for tree to go green, p: url_launcher, platform-ios)
[4089](https://github.com/flutter/plugins/pull/4089) [image_picker] Updated pickImage and pickVideo docs to expose the possible errors that can be thrown (cla: yes, waiting for tree to go green, p: image_picker)
[4090](https://github.com/flutter/plugins/pull/4090) Update .ci.yaml documentation link (cla: yes, waiting for tree to go green)
[4091](https://github.com/flutter/plugins/pull/4091) [ci] Set release action owner as flutter (cla: yes, waiting for tree to go green)
[4092](https://github.com/flutter/plugins/pull/4092) [in_app_purchase] Add documentation for price change confirmations (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4096](https://github.com/flutter/plugins/pull/4096) [in_app_purchase] Fix app exceptions caused by missing App Store receipt (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4098](https://github.com/flutter/plugins/pull/4098) Disable the "needs publishing" auto-labeler (cla: yes, waiting for tree to go green)
[4099](https://github.com/flutter/plugins/pull/4099) [flutter_plugin_tools] Overhaul drive-examples (cla: yes, waiting for tree to go green)
[4101](https://github.com/flutter/plugins/pull/4101) Build all iOS example apps on current Flutter stable (cla: yes, waiting for tree to go green, p: battery, p: share, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios)
[4103](https://github.com/flutter/plugins/pull/4103) [image_picker]Update example app (cla: yes, waiting for tree to go green, p: image_picker)
[4107](https://github.com/flutter/plugins/pull/4107) [flutter_plugin_tools] Move license-check tests to runCapturingPrint (cla: yes, waiting for tree to go green)
[4110](https://github.com/flutter/plugins/pull/4110) [flutter_plugin_tools] ignore flutter_plugin_tools when publishing (cla: yes, waiting for tree to go green)
[4113](https://github.com/flutter/plugins/pull/4113) [in_app_purchase] Initialize SKError with correct data type (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4114](https://github.com/flutter/plugins/pull/4114) [in_app_purchase] Added priceCurrencySymbol to SkuDetailsWrapper (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4115](https://github.com/flutter/plugins/pull/4115) [in_app_purchase] Add currencySymbol to ProductDetails (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4117](https://github.com/flutter/plugins/pull/4117) [image_picker] Fixed IOException when cache directory is removed (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[4122](https://github.com/flutter/plugins/pull/4122) [in_app_purchase] Added country code to sk product wrapper (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4131](https://github.com/flutter/plugins/pull/4131) [quick_actions] Add const constructor (cla: yes, waiting for tree to go green, p: quick_actions)
[4136](https://github.com/flutter/plugins/pull/4136) [url_launcher] Prepare plugin repo for binding API improvements. (cla: yes, waiting for tree to go green, p: url_launcher)
[4137](https://github.com/flutter/plugins/pull/4137) [various] Prepare plugin repo for binding API improvements (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: camera, p: video_player, p: sensors, p: connectivity)
[4138](https://github.com/flutter/plugins/pull/4138) [in_app_purchase] Fix crash when retrieveReceiptWithError gives an error. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4142](https://github.com/flutter/plugins/pull/4142) [flutter_plugin_tools] Work around banner in drive-examples (cla: yes, waiting for tree to go green)
[4143](https://github.com/flutter/plugins/pull/4143) [plugin_platform_interface] Fix README broken link (cla: yes, waiting for tree to go green, p: plugin_platform_interface)
[4144](https://github.com/flutter/plugins/pull/4144) [in_app_purchase] Add iOS currency symbol to ProductDetails (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4147](https://github.com/flutter/plugins/pull/4147) Fix webview_flutter Android integration tests and add Espresso (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4148](https://github.com/flutter/plugins/pull/4148) [various] Prepare plugin repo for binding API improvements (cla: yes, waiting for tree to go green, p: camera, p: video_player)
[4152](https://github.com/flutter/plugins/pull/4152) [webview_flutter] Move webview_flutter to webview_flutter/webview_flutter (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios, platform-android)
[4158](https://github.com/flutter/plugins/pull/4158) [camera] Fix coordinate rotation for setting focus- and exposure points on iOS (cla: yes, waiting for tree to go green, p: camera, platform-ios)
[4164](https://github.com/flutter/plugins/pull/4164) [camera_web] Add `CameraOptions` used to constrain the camera audio and video (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4166](https://github.com/flutter/plugins/pull/4166) [image_picker_for_web] Support multiple pick. Store name and other local file properties in XFile. (cla: yes, waiting for tree to go green, p: image_picker, platform-web)
[4167](https://github.com/flutter/plugins/pull/4167) [multiple_web] Update web plugin testing instructions. (cla: yes, waiting for tree to go green, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: url_launcher, p: video_player, p: connectivity, platform-web)
[4171](https://github.com/flutter/plugins/pull/4171) [flutter_plugin_tools] Use -version with java (cla: yes, waiting for tree to go green)
[4175](https://github.com/flutter/plugins/pull/4175) [camera_web] Add `availableCameras` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4178](https://github.com/flutter/plugins/pull/4178) [webview_flutter] Refactored creation of Android WebView for testability. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4181](https://github.com/flutter/plugins/pull/4181) [image_picker] Move UI test (cla: yes, waiting for tree to go green, p: image_picker, platform-ios)
[4182](https://github.com/flutter/plugins/pull/4182) [camera_web] Add `createCamera` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4185](https://github.com/flutter/plugins/pull/4185) [shared_preferences_web] Migrate tests to integration_test (cla: yes, waiting for tree to go green, p: shared_preferences, platform-web)
[4186](https://github.com/flutter/plugins/pull/4186) [camera_web] Add `initializeCamera` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4187](https://github.com/flutter/plugins/pull/4187) [webview_flutter] Better documentation of Android Platform Views modes (cla: yes, waiting for tree to go green, p: webview_flutter)
[4190](https://github.com/flutter/plugins/pull/4190) [camera_web] Add `buildPreview` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4191](https://github.com/flutter/plugins/pull/4191) [camera_platform_interface] Expand camera platform interface to support pausing the camera preview. (cla: yes, waiting for tree to go green, p: camera)
[4196](https://github.com/flutter/plugins/pull/4196) [camera_web] Add `takePicture` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4197](https://github.com/flutter/plugins/pull/4197) [camera] Fix camera preview not always rebuilding on orientation change (cla: yes, waiting for tree to go green, p: camera)
[4198](https://github.com/flutter/plugins/pull/4198) Remove pubspec.yaml examples from READMEs (cla: yes, waiting for tree to go green, p: file_selector, p: google_sign_in, p: image_picker, p: in_app_purchase, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web)
[4200](https://github.com/flutter/plugins/pull/4200) Adds test harnesses for integration tests on Android (cla: yes, waiting for tree to go green, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: quick_actions, platform-android)
[4201](https://github.com/flutter/plugins/pull/4201) [in_app_purchase] Correct mistake with markdown in README.md (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4202](https://github.com/flutter/plugins/pull/4202) Correct mistake with markdown in README.md (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4203](https://github.com/flutter/plugins/pull/4203) [camera_web] Add `dispose` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4207](https://github.com/flutter/plugins/pull/4207) [camera_web] Add camera errors handling (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4208](https://github.com/flutter/plugins/pull/4208) [google_sign_in] Mark iOS arm64 simulators as unsupported (cla: yes, waiting for tree to go green, p: google_sign_in, platform-ios)
[4209](https://github.com/flutter/plugins/pull/4209) [google_maps_flutter] Mark iOS arm64 simulators as unsupported (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-ios)
[4211](https://github.com/flutter/plugins/pull/4211) [url_launcher] Replaced reference to shared_preferences with correct reference to url_launcher in README. (cla: yes, waiting for tree to go green, p: url_launcher, platform-windows, platform-macos, platform-linux, platform-web, needs-publishing)
[4215](https://github.com/flutter/plugins/pull/4215) [image_picker] Check for failure in iOS metadata updates (cla: yes, waiting for tree to go green, p: image_picker, platform-ios)
### platform-android - 74 pull request(s)
[3783](https://github.com/flutter/plugins/pull/3783) [image_picker] Multiple image support (cla: yes, waiting for tree to go green, p: image_picker, platform-ios, platform-android)
[3795](https://github.com/flutter/plugins/pull/3795) [camera] android-rework part 1: Base classes to support Android Camera features (cla: yes, p: camera, platform-android)
[3796](https://github.com/flutter/plugins/pull/3796) [camera] android-rework part 2: Android auto focus feature (cla: yes, p: camera, platform-android)
[3797](https://github.com/flutter/plugins/pull/3797) [camera] android-rework part 3: Android exposure related features (cla: yes, p: camera, platform-android)
[3798](https://github.com/flutter/plugins/pull/3798) [camera] android-rework part 4: Android flash and zoom features (cla: yes, p: camera, platform-android)
[3799](https://github.com/flutter/plugins/pull/3799) [camera] android-rework part 5: Android FPS range, resolution and sensor orientation features (cla: yes, waiting for tree to go green, p: camera, platform-android)
[3841](https://github.com/flutter/plugins/pull/3841) [in_app_purchase] Federated Android implementation (cla: yes, p: in_app_purchase, platform-android)
[3848](https://github.com/flutter/plugins/pull/3848) [google_sign_in] remove execute bit from a lot of files (cla: yes, p: google_sign_in, platform-ios, platform-android)
[3849](https://github.com/flutter/plugins/pull/3849) Remove fallback Activity and watch uiMode (cla: yes, p: webview_flutter, platform-android)
[3861](https://github.com/flutter/plugins/pull/3861) [in_app_purchase] Android example using in_app_purchase_android package (cla: yes, p: in_app_purchase, platform-android)
[3877](https://github.com/flutter/plugins/pull/3877) [in_app_purchase] Implementation of the app facing package (cla: yes, p: in_app_purchase, platform-ios, platform-android)
[3879](https://github.com/flutter/plugins/pull/3879) [in_app_purchase] Update to pub version of in_app_purchase_platform_interface dependency (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios, platform-android)
[3894](https://github.com/flutter/plugins/pull/3894) Bump min Android SDK to the version required at runtime (cla: yes, waiting for tree to go green, p: webview_flutter, p: google_maps_flutter, platform-android)
[3902](https://github.com/flutter/plugins/pull/3902) [url_launcher] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: url_launcher, platform-android)
[3904](https://github.com/flutter/plugins/pull/3904) [android_alarm_manager] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: android_alarm_manager, platform-android)
[3906](https://github.com/flutter/plugins/pull/3906) [android_intent] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: android_intent, platform-android)
[3907](https://github.com/flutter/plugins/pull/3907) [battery] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: battery, platform-android)
[3908](https://github.com/flutter/plugins/pull/3908) [camera] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: camera, platform-android)
[3909](https://github.com/flutter/plugins/pull/3909) [connectivity] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: connectivity, platform-android)
[3910](https://github.com/flutter/plugins/pull/3910) [device_info] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: device_info, platform-android)
[3911](https://github.com/flutter/plugins/pull/3911) [espresso] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: espresso, platform-android)
[3912](https://github.com/flutter/plugins/pull/3912) [flutter_plugin_android_lifecycle] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, platform-android, p: flutter_plugin_android_lifecycle)
[3913](https://github.com/flutter/plugins/pull/3913) [google_maps_flutter] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-android)
[3914](https://github.com/flutter/plugins/pull/3914) [google_sign_in] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: google_sign_in, platform-android)
[3915](https://github.com/flutter/plugins/pull/3915) [image_picker] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[3916](https://github.com/flutter/plugins/pull/3916) [in_app_purchase] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[3917](https://github.com/flutter/plugins/pull/3917) [local_auth] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: local_auth, platform-android)
[3918](https://github.com/flutter/plugins/pull/3918) [package_info] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: package_info, platform-android)
[3919](https://github.com/flutter/plugins/pull/3919) [path_provider] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: path_provider, platform-android)
[3920](https://github.com/flutter/plugins/pull/3920) [quick_actions] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: quick_actions, platform-android)
[3921](https://github.com/flutter/plugins/pull/3921) [sensors] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: sensors, platform-android)
[3922](https://github.com/flutter/plugins/pull/3922) [share] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: share, platform-android)
[3923](https://github.com/flutter/plugins/pull/3923) [shared_preferences] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: shared_preferences, platform-android)
[3924](https://github.com/flutter/plugins/pull/3924) [video_player] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: video_player, platform-android)
[3925](https://github.com/flutter/plugins/pull/3925) [wifi_info_flutter] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: wifi_info_flutter, platform-android)
[3926](https://github.com/flutter/plugins/pull/3926) [webview_flutter] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[3927](https://github.com/flutter/plugins/pull/3927) Mass pubspec.yaml cleanup (cla: yes, p: webview_flutter, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: url_launcher, p: video_player, p: shared_preferences, p: espresso, p: quick_actions, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3932](https://github.com/flutter/plugins/pull/3932) Move integration test to null safety for multiple plugins (cla: yes, p: webview_flutter, p: image_picker, p: in_app_purchase, p: wifi_info_flutter, p: quick_actions, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos)
[3942](https://github.com/flutter/plugins/pull/3942) [share] Do not tear down channel onDetachedFromActivity. (cla: yes, waiting for tree to go green, p: share, platform-android)
[3944](https://github.com/flutter/plugins/pull/3944) [in_app_purchase] Added support to request list of purchases (cla: yes, p: in_app_purchase, platform-android)
[3949](https://github.com/flutter/plugins/pull/3949) [integration_test] Remove the package (cla: yes, waiting for tree to go green, p: integration_test, platform-ios, platform-android, platform-macos, platform-web)
[3956](https://github.com/flutter/plugins/pull/3956) [image_picker] Change storage location for camera captures to internal cache on Android, to comply with new Google Play storage requirements. (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[3979](https://github.com/flutter/plugins/pull/3979) [video_player] Add URL for exoplayer to maven for all dependents (cla: yes, p: camera, p: video_player, platform-android)
[3980](https://github.com/flutter/plugins/pull/3980) Remove exoplayer workaround from everything but video_player (cla: yes, p: camera, p: image_picker, platform-android)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[4001](https://github.com/flutter/plugins/pull/4001) [image_picker] Removed redundant request for camera permission (cla: yes, p: image_picker, platform-android)
[4006](https://github.com/flutter/plugins/pull/4006) [url_launcher] Amend example's manifest and docs (cla: yes, p: url_launcher, platform-android, last mile)
[4020](https://github.com/flutter/plugins/pull/4020) [in_app_purchase] Added userIds to google play purchase (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4021](https://github.com/flutter/plugins/pull/4021) [image_picker] Reverted removal of camera permission request. (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[4039](https://github.com/flutter/plugins/pull/4039) [camera] android-rework part 6: Android exposure- and focus point features (cla: yes, waiting for tree to go green, p: camera, platform-android)
[4050](https://github.com/flutter/plugins/pull/4050) [in_app_purchase_android] Fixed typo in `LOAD_SKU_DOC_URL` and in the log message in `onBillingSetupFinished` (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android, last mile)
[4052](https://github.com/flutter/plugins/pull/4052) [camera] android-rework part 7: Android noise reduction feature (cla: yes, waiting for tree to go green, p: camera, platform-android)
[4054](https://github.com/flutter/plugins/pull/4054) [camera] android-rework part 8: Supporting modules for final implementation (cla: yes, waiting for tree to go green, p: camera, platform-android)
[4055](https://github.com/flutter/plugins/pull/4055) [in_app_purchase_android] add payment proxy (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4063](https://github.com/flutter/plugins/pull/4063) [in_app_purchase] Added BillingClient.isFeatureSupported (cla: yes, p: in_app_purchase, platform-android)
[4071](https://github.com/flutter/plugins/pull/4071) [in_app_purchase_android] fix version for 'add payment proxy': pull/4055 (cla: yes, p: in_app_purchase, platform-android)
[4077](https://github.com/flutter/plugins/pull/4077) [in_app_purchase] billingClient launchPriceChangeConfirmationFlow (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4079](https://github.com/flutter/plugins/pull/4079) [in_app_purchase] update gradle tool to 4.1.0 (cla: yes, p: in_app_purchase, platform-android)
[4108](https://github.com/flutter/plugins/pull/4108) Add Basic Junit Tests to some plugins (cla: yes, p: webview_flutter, p: google_sign_in, p: local_auth, p: video_player, p: shared_preferences, platform-android)
[4114](https://github.com/flutter/plugins/pull/4114) [in_app_purchase] Added priceCurrencySymbol to SkuDetailsWrapper (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4117](https://github.com/flutter/plugins/pull/4117) [image_picker] Fixed IOException when cache directory is removed (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[4141](https://github.com/flutter/plugins/pull/4141) [video_player] Update to ExoPlayer 2.14.1 (cla: yes, p: video_player, platform-android)
[4147](https://github.com/flutter/plugins/pull/4147) Fix webview_flutter Android integration tests and add Espresso (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4152](https://github.com/flutter/plugins/pull/4152) [webview_flutter] Move webview_flutter to webview_flutter/webview_flutter (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios, platform-android)
[4160](https://github.com/flutter/plugins/pull/4160) Remove references to the V1 Android embedding (cla: yes, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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: espresso, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle)
[4178](https://github.com/flutter/plugins/pull/4178) [webview_flutter] Refactored creation of Android WebView for testability. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
[4189](https://github.com/flutter/plugins/pull/4189) Remove remaining V1 embedding references (cla: yes, p: battery, p: package_info, platform-android)
[4193](https://github.com/flutter/plugins/pull/4193) Move unit tests to Android modules (cla: yes, p: google_maps_flutter, p: google_sign_in, p: image_picker, platform-android)
[4198](https://github.com/flutter/plugins/pull/4198) Remove pubspec.yaml examples from READMEs (cla: yes, waiting for tree to go green, p: file_selector, p: google_sign_in, p: image_picker, p: in_app_purchase, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web)
[4199](https://github.com/flutter/plugins/pull/4199) wake lock permission (cla: yes, p: webview_flutter, platform-android)
[4200](https://github.com/flutter/plugins/pull/4200) Adds test harnesses for integration tests on Android (cla: yes, waiting for tree to go green, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: quick_actions, platform-android)
[4201](https://github.com/flutter/plugins/pull/4201) [in_app_purchase] Correct mistake with markdown in README.md (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4214](https://github.com/flutter/plugins/pull/4214) [google_maps_flutter] Temporarily disable googleMapsPluginIsAdded (cla: yes, p: google_maps_flutter, platform-android)
### platform-ios - 67 pull request(s)
[3360](https://github.com/flutter/plugins/pull/3360) [video_player] Fixed HLS Streams on iOS (cla: yes, p: video_player, platform-ios)
[3783](https://github.com/flutter/plugins/pull/3783) [image_picker] Multiple image support (cla: yes, waiting for tree to go green, p: image_picker, platform-ios, platform-android)
[3805](https://github.com/flutter/plugins/pull/3805) [google_sign_in] Fix "pick account" on iOS (cla: yes, waiting for tree to go green, p: google_sign_in, platform-ios)
[3811](https://github.com/flutter/plugins/pull/3811) [quick_actions] handle cold start on iOS correctly (cla: yes, waiting for tree to go green, p: quick_actions, platform-ios)
[3832](https://github.com/flutter/plugins/pull/3832) [in_app_purchase] Federated iOS implementation (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[3835](https://github.com/flutter/plugins/pull/3835) [image_picker] Image picker phpicker impl (cla: yes, p: image_picker, platform-ios)
[3848](https://github.com/flutter/plugins/pull/3848) [google_sign_in] remove execute bit from a lot of files (cla: yes, p: google_sign_in, platform-ios, platform-android)
[3850](https://github.com/flutter/plugins/pull/3850) [google_maps_flutter] Unpin iOS GoogleMaps pod dependency version (cla: yes, p: google_maps_flutter, platform-ios, last mile)
[3851](https://github.com/flutter/plugins/pull/3851) [in_app_purchase] Implement registerPlatform method for iOS implementation (cla: yes, p: in_app_purchase, platform-ios)
[3870](https://github.com/flutter/plugins/pull/3870) [in_app_purchase] iOS example using in_app_purchase_ios package (cla: yes, p: in_app_purchase, platform-ios)
[3873](https://github.com/flutter/plugins/pull/3873) [image_picker] Image picker fix metadata (cla: yes, p: image_picker, platform-ios)
[3874](https://github.com/flutter/plugins/pull/3874) [in_app_purchase] Expose in_app_purchase_exception.dart correctly (cla: yes, p: in_app_purchase, platform-ios)
[3877](https://github.com/flutter/plugins/pull/3877) [in_app_purchase] Implementation of the app facing package (cla: yes, p: in_app_purchase, platform-ios, platform-android)
[3879](https://github.com/flutter/plugins/pull/3879) [in_app_purchase] Update to pub version of in_app_purchase_platform_interface dependency (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios, platform-android)
[3881](https://github.com/flutter/plugins/pull/3881) [image_picker] Image picker fix alert (cla: yes, waiting for tree to go green, p: image_picker, platform-ios)
[3883](https://github.com/flutter/plugins/pull/3883) [in_app_purchase] Configure correct App Bundle identifier (cla: yes, p: in_app_purchase, platform-ios)
[3887](https://github.com/flutter/plugins/pull/3887) [in_app_purchase] update min Flutter version to 1.20.0 (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[3897](https://github.com/flutter/plugins/pull/3897) [in_app_purchase] Expose the NSLocale object (cla: yes, p: in_app_purchase, platform-ios)
[3898](https://github.com/flutter/plugins/pull/3898) [image_picker] Image picker fix camera device (cla: yes, waiting for tree to go green, p: image_picker, platform-ios)
[3927](https://github.com/flutter/plugins/pull/3927) Mass pubspec.yaml cleanup (cla: yes, p: webview_flutter, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: url_launcher, p: video_player, p: shared_preferences, p: espresso, p: quick_actions, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3930](https://github.com/flutter/plugins/pull/3930) [sensors] Update Cirrus image to Xcode 12.5, fix sensors analyzer warning (cla: yes, p: sensors, platform-ios)
[3932](https://github.com/flutter/plugins/pull/3932) Move integration test to null safety for multiple plugins (cla: yes, p: webview_flutter, p: image_picker, p: in_app_purchase, p: wifi_info_flutter, p: quick_actions, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos)
[3939](https://github.com/flutter/plugins/pull/3939) [image_picker] Fix camera alert localization analyzer warning (cla: yes, p: image_picker, platform-ios)
[3940](https://github.com/flutter/plugins/pull/3940) [video_player] Fix pointer value to boolean conversion analyzer warnings (cla: yes, p: video_player, platform-ios)
[3941](https://github.com/flutter/plugins/pull/3941) [connectivity] Ignore Reachability pointer to int cast warning (cla: yes, p: connectivity, platform-ios, platform-macos)
[3947](https://github.com/flutter/plugins/pull/3947) [wifi_info_flutter] Ignore Reachability pointer to int cast warning (cla: yes, p: wifi_info_flutter, platform-ios)
[3949](https://github.com/flutter/plugins/pull/3949) [integration_test] Remove the package (cla: yes, waiting for tree to go green, p: integration_test, platform-ios, platform-android, platform-macos, platform-web)
[3950](https://github.com/flutter/plugins/pull/3950) [in_app_purchase_ios] Add Restore purchases button to example (cla: yes, p: in_app_purchase, platform-ios)
[3960](https://github.com/flutter/plugins/pull/3960) Use collection and box literals in ObjC code (cla: yes, p: webview_flutter, p: camera, p: google_maps_flutter, p: image_picker, p: in_app_purchase, platform-ios)
[3976](https://github.com/flutter/plugins/pull/3976) [in_app_purchase] Revert changes from PR 3897 (cla: yes, p: in_app_purchase, platform-ios)
[3978](https://github.com/flutter/plugins/pull/3978) [google_maps_flutter] Add iOS unit and UI tests (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-ios)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3986](https://github.com/flutter/plugins/pull/3986) [video_player] Add iOS unit and UI tests (cla: yes, waiting for tree to go green, p: video_player, platform-ios)
[3987](https://github.com/flutter/plugins/pull/3987) [url_launcher] Add iOS unit and UI tests (cla: yes, waiting for tree to go green, p: url_launcher, platform-ios)
[3992](https://github.com/flutter/plugins/pull/3992) [camera] Prevent crash when setting unsupported FocusMode (cla: yes, p: camera, platform-ios)
[3995](https://github.com/flutter/plugins/pull/3995) [webview_flutter] Add iOS integration tests (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[3996](https://github.com/flutter/plugins/pull/3996) [google_sign_in] Add iOS unit and UI tests (cla: yes, waiting for tree to go green, p: google_sign_in, platform-ios)
[3997](https://github.com/flutter/plugins/pull/3997) [ios_platform_images] Add iOS unit tests (cla: yes, p: ios_platform_images, platform-ios)
[3998](https://github.com/flutter/plugins/pull/3998) [path_provider] Add iOS unit tests (cla: yes, waiting for tree to go green, p: path_provider, platform-ios)
[4003](https://github.com/flutter/plugins/pull/4003) [quick_actions] Optimised UI test to prevent flaky CI failures (cla: yes, p: quick_actions, platform-ios)
[4005](https://github.com/flutter/plugins/pull/4005) Standardize XCTest locations and harnesses (cla: yes, p: webview_flutter, p: camera, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, platform-ios)
[4010](https://github.com/flutter/plugins/pull/4010) [camera] Do not trigger flat device orientation on iOS (cla: yes, p: camera, platform-ios)
[4011](https://github.com/flutter/plugins/pull/4011) [shared_preferences] Add iOS unit tests (cla: yes, waiting for tree to go green, p: shared_preferences, platform-ios)
[4019](https://github.com/flutter/plugins/pull/4019) [image_picker] Fix rotation when camera is a source (cla: yes, p: image_picker, platform-ios)
[4027](https://github.com/flutter/plugins/pull/4027) [in_app_purchase] Avoid nullable Future.value (cla: yes, p: in_app_purchase, platform-ios)
[4035](https://github.com/flutter/plugins/pull/4035) [in_app_purchase] Only register transactionObservers when someone is listening to purchaseUpdates (cla: yes, p: in_app_purchase, platform-ios)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
[4085](https://github.com/flutter/plugins/pull/4085) [in_app_purchase] Add support for SKPaymentQueueDelegate and showPriceConsentIfNeeded (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4088](https://github.com/flutter/plugins/pull/4088) [url_launcher] Fix test button check for iOS 15 (cla: yes, waiting for tree to go green, p: url_launcher, platform-ios)
[4096](https://github.com/flutter/plugins/pull/4096) [in_app_purchase] Fix app exceptions caused by missing App Store receipt (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4100](https://github.com/flutter/plugins/pull/4100) [webview_flutter] Suppress iOS 9 deprecation warnings (cla: yes, p: webview_flutter, platform-ios)
[4101](https://github.com/flutter/plugins/pull/4101) Build all iOS example apps on current Flutter stable (cla: yes, waiting for tree to go green, p: battery, p: share, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios)
[4113](https://github.com/flutter/plugins/pull/4113) [in_app_purchase] Initialize SKError with correct data type (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4122](https://github.com/flutter/plugins/pull/4122) [in_app_purchase] Added country code to sk product wrapper (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4127](https://github.com/flutter/plugins/pull/4127) Exclude arm64 simulators from google_maps_flutter example project (cla: yes, p: google_maps_flutter, platform-ios)
[4128](https://github.com/flutter/plugins/pull/4128) Exclude arm64 simulators from google_sign_in example project (cla: yes, p: google_sign_in, platform-ios)
[4138](https://github.com/flutter/plugins/pull/4138) [in_app_purchase] Fix crash when retrieveReceiptWithError gives an error. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4144](https://github.com/flutter/plugins/pull/4144) [in_app_purchase] Add iOS currency symbol to ProductDetails (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4152](https://github.com/flutter/plugins/pull/4152) [webview_flutter] Move webview_flutter to webview_flutter/webview_flutter (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios, platform-android)
[4157](https://github.com/flutter/plugins/pull/4157) [google_sign_in] Add iOS unit tests (cla: yes, p: google_sign_in, platform-ios)
[4158](https://github.com/flutter/plugins/pull/4158) [camera] Fix coordinate rotation for setting focus- and exposure points on iOS (cla: yes, waiting for tree to go green, p: camera, platform-ios)
[4181](https://github.com/flutter/plugins/pull/4181) [image_picker] Move UI test (cla: yes, waiting for tree to go green, p: image_picker, platform-ios)
[4198](https://github.com/flutter/plugins/pull/4198) Remove pubspec.yaml examples from READMEs (cla: yes, waiting for tree to go green, p: file_selector, p: google_sign_in, p: image_picker, p: in_app_purchase, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web)
[4202](https://github.com/flutter/plugins/pull/4202) Correct mistake with markdown in README.md (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4208](https://github.com/flutter/plugins/pull/4208) [google_sign_in] Mark iOS arm64 simulators as unsupported (cla: yes, waiting for tree to go green, p: google_sign_in, platform-ios)
[4209](https://github.com/flutter/plugins/pull/4209) [google_maps_flutter] Mark iOS arm64 simulators as unsupported (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-ios)
[4215](https://github.com/flutter/plugins/pull/4215) [image_picker] Check for failure in iOS metadata updates (cla: yes, waiting for tree to go green, p: image_picker, platform-ios)
### p: in_app_purchase - 63 pull request(s)
[3781](https://github.com/flutter/plugins/pull/3781) [in_app_purchase] Implementation of platform interface (cla: yes, p: in_app_purchase)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3794](https://github.com/flutter/plugins/pull/3794) [in_app_purchase] Added currency code and numerical price to product detail model. (cla: yes, waiting for tree to go green, p: in_app_purchase)
[3821](https://github.com/flutter/plugins/pull/3821) [in_app_purchase] platform interface improvement (cla: yes, p: in_app_purchase)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3826](https://github.com/flutter/plugins/pull/3826) [in_app_purchase_platform_interface] Added additional fields to ProductDetails (cla: yes, p: in_app_purchase)
[3831](https://github.com/flutter/plugins/pull/3831) [in_app_purchase] Make PurchaseDetails.status mandatory (cla: yes, p: in_app_purchase)
[3832](https://github.com/flutter/plugins/pull/3832) [in_app_purchase] Federated iOS implementation (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[3841](https://github.com/flutter/plugins/pull/3841) [in_app_purchase] Federated Android implementation (cla: yes, p: in_app_purchase, platform-android)
[3845](https://github.com/flutter/plugins/pull/3845) [in_app_purchase] Add warning in readme for double import of the Android billing client library (cla: yes, p: in_app_purchase)
[3851](https://github.com/flutter/plugins/pull/3851) [in_app_purchase] Implement registerPlatform method for iOS implementation (cla: yes, p: in_app_purchase, platform-ios)
[3852](https://github.com/flutter/plugins/pull/3852) [in_app_purchase] Add InAppPurchaseException to platform interface (cla: yes, p: in_app_purchase)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3861](https://github.com/flutter/plugins/pull/3861) [in_app_purchase] Android example using in_app_purchase_android package (cla: yes, p: in_app_purchase, platform-android)
[3870](https://github.com/flutter/plugins/pull/3870) [in_app_purchase] iOS example using in_app_purchase_ios package (cla: yes, p: in_app_purchase, platform-ios)
[3874](https://github.com/flutter/plugins/pull/3874) [in_app_purchase] Expose in_app_purchase_exception.dart correctly (cla: yes, p: in_app_purchase, platform-ios)
[3877](https://github.com/flutter/plugins/pull/3877) [in_app_purchase] Implementation of the app facing package (cla: yes, p: in_app_purchase, platform-ios, platform-android)
[3879](https://github.com/flutter/plugins/pull/3879) [in_app_purchase] Update to pub version of in_app_purchase_platform_interface dependency (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios, platform-android)
[3883](https://github.com/flutter/plugins/pull/3883) [in_app_purchase] Configure correct App Bundle identifier (cla: yes, p: in_app_purchase, platform-ios)
[3887](https://github.com/flutter/plugins/pull/3887) [in_app_purchase] update min Flutter version to 1.20.0 (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[3896](https://github.com/flutter/plugins/pull/3896) [in_app_purchase] Add reference to the codelab in the README (cla: yes, p: in_app_purchase)
[3897](https://github.com/flutter/plugins/pull/3897) [in_app_purchase] Expose the NSLocale object (cla: yes, p: in_app_purchase, platform-ios)
[3916](https://github.com/flutter/plugins/pull/3916) [in_app_purchase] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[3927](https://github.com/flutter/plugins/pull/3927) Mass pubspec.yaml cleanup (cla: yes, p: webview_flutter, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: url_launcher, p: video_player, p: shared_preferences, p: espresso, p: quick_actions, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3929](https://github.com/flutter/plugins/pull/3929) [in_app_purchase] Move to stable release (cla: yes, p: in_app_purchase)
[3932](https://github.com/flutter/plugins/pull/3932) Move integration test to null safety for multiple plugins (cla: yes, p: webview_flutter, p: image_picker, p: in_app_purchase, p: wifi_info_flutter, p: quick_actions, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos)
[3944](https://github.com/flutter/plugins/pull/3944) [in_app_purchase] Added support to request list of purchases (cla: yes, p: in_app_purchase, platform-android)
[3945](https://github.com/flutter/plugins/pull/3945) [in_app_purchase] Add "Restore purchases" button to example App (cla: yes, waiting for tree to go green, p: in_app_purchase)
[3950](https://github.com/flutter/plugins/pull/3950) [in_app_purchase_ios] Add Restore purchases button to example (cla: yes, p: in_app_purchase, platform-ios)
[3957](https://github.com/flutter/plugins/pull/3957) [in_app_purchase] fix "autoConsume" param in "buyConsumable" (cla: yes, waiting for tree to go green, p: in_app_purchase, last mile)
[3960](https://github.com/flutter/plugins/pull/3960) Use collection and box literals in ObjC code (cla: yes, p: webview_flutter, p: camera, p: google_maps_flutter, p: image_picker, p: in_app_purchase, platform-ios)
[3972](https://github.com/flutter/plugins/pull/3972) Clean up cruft in pubspec.yaml files (cla: yes, p: battery, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: plugin_platform_interface, p: url_launcher, p: shared_preferences, p: sensors, platform-windows, platform-web)
[3976](https://github.com/flutter/plugins/pull/3976) [in_app_purchase] Revert changes from PR 3897 (cla: yes, p: in_app_purchase, platform-ios)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3988](https://github.com/flutter/plugins/pull/3988) [in_app_purchase] Fix Restore previous purchases link (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4005](https://github.com/flutter/plugins/pull/4005) Standardize XCTest locations and harnesses (cla: yes, p: webview_flutter, p: camera, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, platform-ios)
[4008](https://github.com/flutter/plugins/pull/4008) [in_app_purchase] Explanation for casting details to implementations (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4020](https://github.com/flutter/plugins/pull/4020) [in_app_purchase] Added userIds to google play purchase (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4027](https://github.com/flutter/plugins/pull/4027) [in_app_purchase] Avoid nullable Future.value (cla: yes, p: in_app_purchase, platform-ios)
[4035](https://github.com/flutter/plugins/pull/4035) [in_app_purchase] Only register transactionObservers when someone is listening to purchaseUpdates (cla: yes, p: in_app_purchase, platform-ios)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
[4049](https://github.com/flutter/plugins/pull/4049) [in_app_purchase] Update readme.md (cla: yes, waiting for tree to go green, p: in_app_purchase, last mile)
[4050](https://github.com/flutter/plugins/pull/4050) [in_app_purchase_android] Fixed typo in `LOAD_SKU_DOC_URL` and in the log message in `onBillingSetupFinished` (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android, last mile)
[4051](https://github.com/flutter/plugins/pull/4051) [in_app_purchase_platform_interface] Fixed restoring purchases link (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4055](https://github.com/flutter/plugins/pull/4055) [in_app_purchase_android] add payment proxy (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4063](https://github.com/flutter/plugins/pull/4063) [in_app_purchase] Added BillingClient.isFeatureSupported (cla: yes, p: in_app_purchase, platform-android)
[4071](https://github.com/flutter/plugins/pull/4071) [in_app_purchase_android] fix version for 'add payment proxy': pull/4055 (cla: yes, p: in_app_purchase, platform-android)
[4077](https://github.com/flutter/plugins/pull/4077) [in_app_purchase] billingClient launchPriceChangeConfirmationFlow (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4079](https://github.com/flutter/plugins/pull/4079) [in_app_purchase] update gradle tool to 4.1.0 (cla: yes, p: in_app_purchase, platform-android)
[4085](https://github.com/flutter/plugins/pull/4085) [in_app_purchase] Add support for SKPaymentQueueDelegate and showPriceConsentIfNeeded (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4092](https://github.com/flutter/plugins/pull/4092) [in_app_purchase] Add documentation for price change confirmations (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4096](https://github.com/flutter/plugins/pull/4096) [in_app_purchase] Fix app exceptions caused by missing App Store receipt (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4113](https://github.com/flutter/plugins/pull/4113) [in_app_purchase] Initialize SKError with correct data type (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4114](https://github.com/flutter/plugins/pull/4114) [in_app_purchase] Added priceCurrencySymbol to SkuDetailsWrapper (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4115](https://github.com/flutter/plugins/pull/4115) [in_app_purchase] Add currencySymbol to ProductDetails (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4122](https://github.com/flutter/plugins/pull/4122) [in_app_purchase] Added country code to sk product wrapper (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4138](https://github.com/flutter/plugins/pull/4138) [in_app_purchase] Fix crash when retrieveReceiptWithError gives an error. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4144](https://github.com/flutter/plugins/pull/4144) [in_app_purchase] Add iOS currency symbol to ProductDetails (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4160](https://github.com/flutter/plugins/pull/4160) Remove references to the V1 Android embedding (cla: yes, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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: espresso, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
[4198](https://github.com/flutter/plugins/pull/4198) Remove pubspec.yaml examples from READMEs (cla: yes, waiting for tree to go green, p: file_selector, p: google_sign_in, p: image_picker, p: in_app_purchase, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web)
[4201](https://github.com/flutter/plugins/pull/4201) [in_app_purchase] Correct mistake with markdown in README.md (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4202](https://github.com/flutter/plugins/pull/4202) Correct mistake with markdown in README.md (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
### p: camera - 40 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3795](https://github.com/flutter/plugins/pull/3795) [camera] android-rework part 1: Base classes to support Android Camera features (cla: yes, p: camera, platform-android)
[3796](https://github.com/flutter/plugins/pull/3796) [camera] android-rework part 2: Android auto focus feature (cla: yes, p: camera, platform-android)
[3797](https://github.com/flutter/plugins/pull/3797) [camera] android-rework part 3: Android exposure related features (cla: yes, p: camera, platform-android)
[3798](https://github.com/flutter/plugins/pull/3798) [camera] android-rework part 4: Android flash and zoom features (cla: yes, p: camera, platform-android)
[3799](https://github.com/flutter/plugins/pull/3799) [camera] android-rework part 5: Android FPS range, resolution and sensor orientation features (cla: yes, waiting for tree to go green, p: camera, platform-android)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3892](https://github.com/flutter/plugins/pull/3892) [video_player][camera] fix video_player camera tests (cla: yes, p: camera, p: video_player)
[3908](https://github.com/flutter/plugins/pull/3908) [camera] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: camera, platform-android)
[3927](https://github.com/flutter/plugins/pull/3927) Mass pubspec.yaml cleanup (cla: yes, p: webview_flutter, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: url_launcher, p: video_player, p: shared_preferences, p: espresso, p: quick_actions, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3934](https://github.com/flutter/plugins/pull/3934) Enable NNBD for more plugin integration tests (cla: yes, p: camera, p: google_maps_flutter, p: local_auth, p: url_launcher, p: shared_preferences, platform-windows, platform-macos, platform-linux)
[3960](https://github.com/flutter/plugins/pull/3960) Use collection and box literals in ObjC code (cla: yes, p: webview_flutter, p: camera, p: google_maps_flutter, p: image_picker, p: in_app_purchase, platform-ios)
[3972](https://github.com/flutter/plugins/pull/3972) Clean up cruft in pubspec.yaml files (cla: yes, p: battery, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: plugin_platform_interface, p: url_launcher, p: shared_preferences, p: sensors, platform-windows, platform-web)
[3979](https://github.com/flutter/plugins/pull/3979) [video_player] Add URL for exoplayer to maven for all dependents (cla: yes, p: camera, p: video_player, platform-android)
[3980](https://github.com/flutter/plugins/pull/3980) Remove exoplayer workaround from everything but video_player (cla: yes, p: camera, p: image_picker, platform-android)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3992](https://github.com/flutter/plugins/pull/3992) [camera] Prevent crash when setting unsupported FocusMode (cla: yes, p: camera, platform-ios)
[4005](https://github.com/flutter/plugins/pull/4005) Standardize XCTest locations and harnesses (cla: yes, p: webview_flutter, p: camera, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, platform-ios)
[4010](https://github.com/flutter/plugins/pull/4010) [camera] Do not trigger flat device orientation on iOS (cla: yes, p: camera, platform-ios)
[4039](https://github.com/flutter/plugins/pull/4039) [camera] android-rework part 6: Android exposure- and focus point features (cla: yes, waiting for tree to go green, p: camera, platform-android)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
[4052](https://github.com/flutter/plugins/pull/4052) [camera] android-rework part 7: Android noise reduction feature (cla: yes, waiting for tree to go green, p: camera, platform-android)
[4054](https://github.com/flutter/plugins/pull/4054) [camera] android-rework part 8: Supporting modules for final implementation (cla: yes, waiting for tree to go green, p: camera, platform-android)
[4137](https://github.com/flutter/plugins/pull/4137) [various] Prepare plugin repo for binding API improvements (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: camera, p: video_player, p: sensors, p: connectivity)
[4148](https://github.com/flutter/plugins/pull/4148) [various] Prepare plugin repo for binding API improvements (cla: yes, waiting for tree to go green, p: camera, p: video_player)
[4151](https://github.com/flutter/plugins/pull/4151) [camera] Introduce `camera_web` package (cla: yes, p: camera, platform-web)
[4158](https://github.com/flutter/plugins/pull/4158) [camera] Fix coordinate rotation for setting focus- and exposure points on iOS (cla: yes, waiting for tree to go green, p: camera, platform-ios)
[4160](https://github.com/flutter/plugins/pull/4160) Remove references to the V1 Android embedding (cla: yes, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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: espresso, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle)
[4164](https://github.com/flutter/plugins/pull/4164) [camera_web] Add `CameraOptions` used to constrain the camera audio and video (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4168](https://github.com/flutter/plugins/pull/4168) [camera_web] Add `Camera` used to control video and take pictures (cla: yes, p: camera, platform-web)
[4175](https://github.com/flutter/plugins/pull/4175) [camera_web] Add `availableCameras` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4182](https://github.com/flutter/plugins/pull/4182) [camera_web] Add `createCamera` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
[4186](https://github.com/flutter/plugins/pull/4186) [camera_web] Add `initializeCamera` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4190](https://github.com/flutter/plugins/pull/4190) [camera_web] Add `buildPreview` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4191](https://github.com/flutter/plugins/pull/4191) [camera_platform_interface] Expand camera platform interface to support pausing the camera preview. (cla: yes, waiting for tree to go green, p: camera)
[4196](https://github.com/flutter/plugins/pull/4196) [camera_web] Add `takePicture` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4197](https://github.com/flutter/plugins/pull/4197) [camera] Fix camera preview not always rebuilding on orientation change (cla: yes, waiting for tree to go green, p: camera)
[4203](https://github.com/flutter/plugins/pull/4203) [camera_web] Add `dispose` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4207](https://github.com/flutter/plugins/pull/4207) [camera_web] Add camera errors handling (cla: yes, waiting for tree to go green, p: camera, platform-web)
### p: image_picker - 40 pull request(s)
[3782](https://github.com/flutter/plugins/pull/3782) [image_picker_platform_interface] Added pickMultiImage (cla: yes, p: image_picker)
[3783](https://github.com/flutter/plugins/pull/3783) [image_picker] Multiple image support (cla: yes, waiting for tree to go green, p: image_picker, platform-ios, platform-android)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3835](https://github.com/flutter/plugins/pull/3835) [image_picker] Image picker phpicker impl (cla: yes, p: image_picker, platform-ios)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3869](https://github.com/flutter/plugins/pull/3869) [image_picker]Fix the description (cla: yes, p: image_picker)
[3873](https://github.com/flutter/plugins/pull/3873) [image_picker] Image picker fix metadata (cla: yes, p: image_picker, platform-ios)
[3881](https://github.com/flutter/plugins/pull/3881) [image_picker] Image picker fix alert (cla: yes, waiting for tree to go green, p: image_picker, platform-ios)
[3898](https://github.com/flutter/plugins/pull/3898) [image_picker] Image picker fix camera device (cla: yes, waiting for tree to go green, p: image_picker, platform-ios)
[3915](https://github.com/flutter/plugins/pull/3915) [image_picker] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[3927](https://github.com/flutter/plugins/pull/3927) Mass pubspec.yaml cleanup (cla: yes, p: webview_flutter, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: url_launcher, p: video_player, p: shared_preferences, p: espresso, p: quick_actions, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3932](https://github.com/flutter/plugins/pull/3932) Move integration test to null safety for multiple plugins (cla: yes, p: webview_flutter, p: image_picker, p: in_app_purchase, p: wifi_info_flutter, p: quick_actions, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos)
[3939](https://github.com/flutter/plugins/pull/3939) [image_picker] Fix camera alert localization analyzer warning (cla: yes, p: image_picker, platform-ios)
[3956](https://github.com/flutter/plugins/pull/3956) [image_picker] Change storage location for camera captures to internal cache on Android, to comply with new Google Play storage requirements. (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[3960](https://github.com/flutter/plugins/pull/3960) Use collection and box literals in ObjC code (cla: yes, p: webview_flutter, p: camera, p: google_maps_flutter, p: image_picker, p: in_app_purchase, platform-ios)
[3972](https://github.com/flutter/plugins/pull/3972) Clean up cruft in pubspec.yaml files (cla: yes, p: battery, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: plugin_platform_interface, p: url_launcher, p: shared_preferences, p: sensors, platform-windows, platform-web)
[3980](https://github.com/flutter/plugins/pull/3980) Remove exoplayer workaround from everything but video_player (cla: yes, p: camera, p: image_picker, platform-android)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[4001](https://github.com/flutter/plugins/pull/4001) [image_picker] Removed redundant request for camera permission (cla: yes, p: image_picker, platform-android)
[4005](https://github.com/flutter/plugins/pull/4005) Standardize XCTest locations and harnesses (cla: yes, p: webview_flutter, p: camera, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, platform-ios)
[4019](https://github.com/flutter/plugins/pull/4019) [image_picker] Fix rotation when camera is a source (cla: yes, p: image_picker, platform-ios)
[4021](https://github.com/flutter/plugins/pull/4021) [image_picker] Reverted removal of camera permission request. (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[4038](https://github.com/flutter/plugins/pull/4038) [image_picker] Cleaned up README example (cla: yes, waiting for tree to go green, p: image_picker)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
[4069](https://github.com/flutter/plugins/pull/4069) [image_picker] remove unused imports from example (cla: yes, waiting for tree to go green, p: image_picker)
[4072](https://github.com/flutter/plugins/pull/4072) [image_picker_platform_interface] Migrate image_picker to package:cross_file (cla: yes, p: image_picker)
[4073](https://github.com/flutter/plugins/pull/4073) [image_picker] Migrate image_picker to package:cross_file (cla: yes, waiting for tree to go green, p: image_picker)
[4083](https://github.com/flutter/plugins/pull/4083) [image_picker_for_web] Migrate image_picker to package:cross_file (cla: yes, p: image_picker, platform-web)
[4089](https://github.com/flutter/plugins/pull/4089) [image_picker] Updated pickImage and pickVideo docs to expose the possible errors that can be thrown (cla: yes, waiting for tree to go green, p: image_picker)
[4103](https://github.com/flutter/plugins/pull/4103) [image_picker]Update example app (cla: yes, waiting for tree to go green, p: image_picker)
[4117](https://github.com/flutter/plugins/pull/4117) [image_picker] Fixed IOException when cache directory is removed (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[4160](https://github.com/flutter/plugins/pull/4160) Remove references to the V1 Android embedding (cla: yes, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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: espresso, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle)
[4166](https://github.com/flutter/plugins/pull/4166) [image_picker_for_web] Support multiple pick. Store name and other local file properties in XFile. (cla: yes, waiting for tree to go green, p: image_picker, platform-web)
[4181](https://github.com/flutter/plugins/pull/4181) [image_picker] Move UI test (cla: yes, waiting for tree to go green, p: image_picker, platform-ios)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
[4193](https://github.com/flutter/plugins/pull/4193) Move unit tests to Android modules (cla: yes, p: google_maps_flutter, p: google_sign_in, p: image_picker, platform-android)
[4198](https://github.com/flutter/plugins/pull/4198) Remove pubspec.yaml examples from READMEs (cla: yes, waiting for tree to go green, p: file_selector, p: google_sign_in, p: image_picker, p: in_app_purchase, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web)
[4200](https://github.com/flutter/plugins/pull/4200) Adds test harnesses for integration tests on Android (cla: yes, waiting for tree to go green, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: quick_actions, platform-android)
[4215](https://github.com/flutter/plugins/pull/4215) [image_picker] Check for failure in iOS metadata updates (cla: yes, waiting for tree to go green, p: image_picker, platform-ios)
### platform-web - 30 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3816](https://github.com/flutter/plugins/pull/3816) [google_sign_in_web] fix README typos. (cla: yes, p: google_sign_in, platform-web)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3903](https://github.com/flutter/plugins/pull/3903) Enable web integration tests on stable (cla: yes, waiting for tree to go green, p: file_selector, p: google_sign_in, p: url_launcher, p: connectivity, platform-web)
[3927](https://github.com/flutter/plugins/pull/3927) Mass pubspec.yaml cleanup (cla: yes, p: webview_flutter, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: url_launcher, p: video_player, p: shared_preferences, p: espresso, p: quick_actions, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3949](https://github.com/flutter/plugins/pull/3949) [integration_test] Remove the package (cla: yes, waiting for tree to go green, p: integration_test, platform-ios, platform-android, platform-macos, platform-web)
[3961](https://github.com/flutter/plugins/pull/3961) [url_launcher] Fix Link test breakage from shadow DOM changes (cla: yes, p: url_launcher, platform-web)
[3964](https://github.com/flutter/plugins/pull/3964) [multiple_web] Adapt web PlatformView widgets to work slotted. (cla: yes, waiting for tree to go green, p: google_maps_flutter, p: url_launcher, p: video_player, platform-web)
[3972](https://github.com/flutter/plugins/pull/3972) Clean up cruft in pubspec.yaml files (cla: yes, p: battery, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: plugin_platform_interface, p: url_launcher, p: shared_preferences, p: sensors, platform-windows, platform-web)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3985](https://github.com/flutter/plugins/pull/3985) [video_player_web] fix: set autoplay to false during initialization (cla: yes, waiting for tree to go green, p: video_player, platform-web)
[4025](https://github.com/flutter/plugins/pull/4025) [google_maps_flutter_web] Document liteMode not being available on web (cla: yes, p: google_maps_flutter, platform-web)
[4083](https://github.com/flutter/plugins/pull/4083) [image_picker_for_web] Migrate image_picker to package:cross_file (cla: yes, p: image_picker, platform-web)
[4151](https://github.com/flutter/plugins/pull/4151) [camera] Introduce `camera_web` package (cla: yes, p: camera, platform-web)
[4163](https://github.com/flutter/plugins/pull/4163) [google_maps_flutter_web]: Update instructions to reflect current versions (cla: yes, p: google_maps_flutter, platform-web)
[4164](https://github.com/flutter/plugins/pull/4164) [camera_web] Add `CameraOptions` used to constrain the camera audio and video (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4166](https://github.com/flutter/plugins/pull/4166) [image_picker_for_web] Support multiple pick. Store name and other local file properties in XFile. (cla: yes, waiting for tree to go green, p: image_picker, platform-web)
[4167](https://github.com/flutter/plugins/pull/4167) [multiple_web] Update web plugin testing instructions. (cla: yes, waiting for tree to go green, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: url_launcher, p: video_player, p: connectivity, platform-web)
[4168](https://github.com/flutter/plugins/pull/4168) [camera_web] Add `Camera` used to control video and take pictures (cla: yes, p: camera, platform-web)
[4175](https://github.com/flutter/plugins/pull/4175) [camera_web] Add `availableCameras` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4182](https://github.com/flutter/plugins/pull/4182) [camera_web] Add `createCamera` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4185](https://github.com/flutter/plugins/pull/4185) [shared_preferences_web] Migrate tests to integration_test (cla: yes, waiting for tree to go green, p: shared_preferences, platform-web)
[4186](https://github.com/flutter/plugins/pull/4186) [camera_web] Add `initializeCamera` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4190](https://github.com/flutter/plugins/pull/4190) [camera_web] Add `buildPreview` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4196](https://github.com/flutter/plugins/pull/4196) [camera_web] Add `takePicture` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4198](https://github.com/flutter/plugins/pull/4198) Remove pubspec.yaml examples from READMEs (cla: yes, waiting for tree to go green, p: file_selector, p: google_sign_in, p: image_picker, p: in_app_purchase, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web)
[4203](https://github.com/flutter/plugins/pull/4203) [camera_web] Add `dispose` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4207](https://github.com/flutter/plugins/pull/4207) [camera_web] Add camera errors handling (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4211](https://github.com/flutter/plugins/pull/4211) [url_launcher] Replaced reference to shared_preferences with correct reference to url_launcher in README. (cla: yes, waiting for tree to go green, p: url_launcher, platform-windows, platform-macos, platform-linux, platform-web, needs-publishing)
### p: url_launcher - 30 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3817](https://github.com/flutter/plugins/pull/3817) [url_launcher] Add a workaround for Uri encoding (cla: yes, p: url_launcher)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3864](https://github.com/flutter/plugins/pull/3864) Check in macOS example Podfiles (cla: yes, p: integration_test, p: path_provider, p: url_launcher, p: package_info, p: shared_preferences, p: connectivity, platform-macos)
[3893](https://github.com/flutter/plugins/pull/3893) [url_launcher] Migrate pushRouteNameToFramework to ChannelBuffers (cla: yes, waiting for tree to go green, p: url_launcher)
[3902](https://github.com/flutter/plugins/pull/3902) [url_launcher] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: url_launcher, platform-android)
[3903](https://github.com/flutter/plugins/pull/3903) Enable web integration tests on stable (cla: yes, waiting for tree to go green, p: file_selector, p: google_sign_in, p: url_launcher, p: connectivity, platform-web)
[3927](https://github.com/flutter/plugins/pull/3927) Mass pubspec.yaml cleanup (cla: yes, p: webview_flutter, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: url_launcher, p: video_player, p: shared_preferences, p: espresso, p: quick_actions, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3934](https://github.com/flutter/plugins/pull/3934) Enable NNBD for more plugin integration tests (cla: yes, p: camera, p: google_maps_flutter, p: local_auth, p: url_launcher, p: shared_preferences, platform-windows, platform-macos, platform-linux)
[3954](https://github.com/flutter/plugins/pull/3954) [url_launcher] Fix Link test (cla: yes, p: url_launcher)
[3961](https://github.com/flutter/plugins/pull/3961) [url_launcher] Fix Link test breakage from shadow DOM changes (cla: yes, p: url_launcher, platform-web)
[3964](https://github.com/flutter/plugins/pull/3964) [multiple_web] Adapt web PlatformView widgets to work slotted. (cla: yes, waiting for tree to go green, p: google_maps_flutter, p: url_launcher, p: video_player, platform-web)
[3966](https://github.com/flutter/plugins/pull/3966) [url_launcher] and [url_launcher_platform_interface] Fix tests broken my ChannelBuffers migration (cla: yes, p: url_launcher)
[3972](https://github.com/flutter/plugins/pull/3972) Clean up cruft in pubspec.yaml files (cla: yes, p: battery, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: plugin_platform_interface, p: url_launcher, p: shared_preferences, p: sensors, platform-windows, platform-web)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3987](https://github.com/flutter/plugins/pull/3987) [url_launcher] Add iOS unit and UI tests (cla: yes, waiting for tree to go green, p: url_launcher, platform-ios)
[4000](https://github.com/flutter/plugins/pull/4000) [url_launcher] Fix breaking change version conflict (cla: yes, waiting for tree to go green, p: url_launcher)
[4004](https://github.com/flutter/plugins/pull/4004) Check in regenerated C++ example registrants (cla: yes, waiting for tree to go green, p: path_provider, p: url_launcher, p: shared_preferences, platform-windows, platform-linux)
[4006](https://github.com/flutter/plugins/pull/4006) [url_launcher] Amend example's manifest and docs (cla: yes, p: url_launcher, platform-android, last mile)
[4015](https://github.com/flutter/plugins/pull/4015) Enable linting of macOS podspecs (cla: yes, p: path_provider, p: url_launcher, p: package_info, p: shared_preferences, p: connectivity, platform-macos)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
[4043](https://github.com/flutter/plugins/pull/4043) Enable macOS XCTest support (cla: yes, p: path_provider, p: url_launcher, p: shared_preferences, platform-macos)
[4088](https://github.com/flutter/plugins/pull/4088) [url_launcher] Fix test button check for iOS 15 (cla: yes, waiting for tree to go green, p: url_launcher, platform-ios)
[4136](https://github.com/flutter/plugins/pull/4136) [url_launcher] Prepare plugin repo for binding API improvements. (cla: yes, waiting for tree to go green, p: url_launcher)
[4160](https://github.com/flutter/plugins/pull/4160) Remove references to the V1 Android embedding (cla: yes, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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: espresso, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle)
[4167](https://github.com/flutter/plugins/pull/4167) [multiple_web] Update web plugin testing instructions. (cla: yes, waiting for tree to go green, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: url_launcher, p: video_player, p: connectivity, platform-web)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
[4198](https://github.com/flutter/plugins/pull/4198) Remove pubspec.yaml examples from READMEs (cla: yes, waiting for tree to go green, p: file_selector, p: google_sign_in, p: image_picker, p: in_app_purchase, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web)
[4211](https://github.com/flutter/plugins/pull/4211) [url_launcher] Replaced reference to shared_preferences with correct reference to url_launcher in README. (cla: yes, waiting for tree to go green, p: url_launcher, platform-windows, platform-macos, platform-linux, platform-web, needs-publishing)
### p: video_player - 28 pull request(s)
[3360](https://github.com/flutter/plugins/pull/3360) [video_player] Fixed HLS Streams on iOS (cla: yes, p: video_player, platform-ios)
[3727](https://github.com/flutter/plugins/pull/3727) [video_player] Pause video when it completes (cla: yes, waiting for tree to go green, p: video_player, last mile)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3865](https://github.com/flutter/plugins/pull/3865) Simplify the tooling bash scripts (cla: yes, p: video_player)
[3892](https://github.com/flutter/plugins/pull/3892) [video_player][camera] fix video_player camera tests (cla: yes, p: camera, p: video_player)
[3924](https://github.com/flutter/plugins/pull/3924) [video_player] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: video_player, platform-android)
[3927](https://github.com/flutter/plugins/pull/3927) Mass pubspec.yaml cleanup (cla: yes, p: webview_flutter, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: url_launcher, p: video_player, p: shared_preferences, p: espresso, p: quick_actions, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3940](https://github.com/flutter/plugins/pull/3940) [video_player] Fix pointer value to boolean conversion analyzer warnings (cla: yes, p: video_player, platform-ios)
[3964](https://github.com/flutter/plugins/pull/3964) [multiple_web] Adapt web PlatformView widgets to work slotted. (cla: yes, waiting for tree to go green, p: google_maps_flutter, p: url_launcher, p: video_player, platform-web)
[3968](https://github.com/flutter/plugins/pull/3968) [video_player] Migrate integration tests to NNBD (cla: yes, p: video_player)
[3975](https://github.com/flutter/plugins/pull/3975) [video_player] Update README.md (cla: yes, waiting for tree to go green, p: video_player)
[3979](https://github.com/flutter/plugins/pull/3979) [video_player] Add URL for exoplayer to maven for all dependents (cla: yes, p: camera, p: video_player, platform-android)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3985](https://github.com/flutter/plugins/pull/3985) [video_player_web] fix: set autoplay to false during initialization (cla: yes, waiting for tree to go green, p: video_player, platform-web)
[3986](https://github.com/flutter/plugins/pull/3986) [video_player] Add iOS unit and UI tests (cla: yes, waiting for tree to go green, p: video_player, platform-ios)
[4029](https://github.com/flutter/plugins/pull/4029) [video_player] Remove pre-stable warning from README (cla: yes, p: video_player)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
[4081](https://github.com/flutter/plugins/pull/4081) [video player]: update the url in the readme example (cla: yes, waiting for tree to go green, p: video_player)
[4108](https://github.com/flutter/plugins/pull/4108) Add Basic Junit Tests to some plugins (cla: yes, p: webview_flutter, p: google_sign_in, p: local_auth, p: video_player, p: shared_preferences, platform-android)
[4137](https://github.com/flutter/plugins/pull/4137) [various] Prepare plugin repo for binding API improvements (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: camera, p: video_player, p: sensors, p: connectivity)
[4141](https://github.com/flutter/plugins/pull/4141) [video_player] Update to ExoPlayer 2.14.1 (cla: yes, p: video_player, platform-android)
[4148](https://github.com/flutter/plugins/pull/4148) [various] Prepare plugin repo for binding API improvements (cla: yes, waiting for tree to go green, p: camera, p: video_player)
[4160](https://github.com/flutter/plugins/pull/4160) Remove references to the V1 Android embedding (cla: yes, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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: espresso, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle)
[4167](https://github.com/flutter/plugins/pull/4167) [multiple_web] Update web plugin testing instructions. (cla: yes, waiting for tree to go green, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: url_launcher, p: video_player, p: connectivity, platform-web)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
[4198](https://github.com/flutter/plugins/pull/4198) Remove pubspec.yaml examples from READMEs (cla: yes, waiting for tree to go green, p: file_selector, p: google_sign_in, p: image_picker, p: in_app_purchase, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web)
### p: webview_flutter - 27 pull request(s)
[3266](https://github.com/flutter/plugins/pull/3266) [webview_flutter] Fix broken keyboard issue link (cla: yes, waiting for tree to go green, p: webview_flutter)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3849](https://github.com/flutter/plugins/pull/3849) Remove fallback Activity and watch uiMode (cla: yes, p: webview_flutter, platform-android)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3894](https://github.com/flutter/plugins/pull/3894) Bump min Android SDK to the version required at runtime (cla: yes, waiting for tree to go green, p: webview_flutter, p: google_maps_flutter, platform-android)
[3900](https://github.com/flutter/plugins/pull/3900) Remove section from WebView readme (cla: yes, p: webview_flutter)
[3926](https://github.com/flutter/plugins/pull/3926) [webview_flutter] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[3927](https://github.com/flutter/plugins/pull/3927) Mass pubspec.yaml cleanup (cla: yes, p: webview_flutter, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: url_launcher, p: video_player, p: shared_preferences, p: espresso, p: quick_actions, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3928](https://github.com/flutter/plugins/pull/3928) [webview_flutter] Bump version for republishing (cla: yes, p: webview_flutter)
[3932](https://github.com/flutter/plugins/pull/3932) Move integration test to null safety for multiple plugins (cla: yes, p: webview_flutter, p: image_picker, p: in_app_purchase, p: wifi_info_flutter, p: quick_actions, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos)
[3958](https://github.com/flutter/plugins/pull/3958) [webview_flutter] Fix race in test (cla: yes, p: webview_flutter)
[3960](https://github.com/flutter/plugins/pull/3960) Use collection and box literals in ObjC code (cla: yes, p: webview_flutter, p: camera, p: google_maps_flutter, p: image_picker, p: in_app_purchase, platform-ios)
[3995](https://github.com/flutter/plugins/pull/3995) [webview_flutter] Add iOS integration tests (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[4005](https://github.com/flutter/plugins/pull/4005) Standardize XCTest locations and harnesses (cla: yes, p: webview_flutter, p: camera, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, platform-ios)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
[4100](https://github.com/flutter/plugins/pull/4100) [webview_flutter] Suppress iOS 9 deprecation warnings (cla: yes, p: webview_flutter, platform-ios)
[4108](https://github.com/flutter/plugins/pull/4108) Add Basic Junit Tests to some plugins (cla: yes, p: webview_flutter, p: google_sign_in, p: local_auth, p: video_player, p: shared_preferences, platform-android)
[4137](https://github.com/flutter/plugins/pull/4137) [various] Prepare plugin repo for binding API improvements (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: camera, p: video_player, p: sensors, p: connectivity)
[4147](https://github.com/flutter/plugins/pull/4147) Fix webview_flutter Android integration tests and add Espresso (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4152](https://github.com/flutter/plugins/pull/4152) [webview_flutter] Move webview_flutter to webview_flutter/webview_flutter (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios, platform-android)
[4160](https://github.com/flutter/plugins/pull/4160) Remove references to the V1 Android embedding (cla: yes, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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: espresso, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle)
[4178](https://github.com/flutter/plugins/pull/4178) [webview_flutter] Refactored creation of Android WebView for testability. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
[4187](https://github.com/flutter/plugins/pull/4187) [webview_flutter] Better documentation of Android Platform Views modes (cla: yes, waiting for tree to go green, p: webview_flutter)
[4195](https://github.com/flutter/plugins/pull/4195) Skip a flaky webview_flutter integration test and extend firebase testlab timeout (cla: yes, p: webview_flutter)
[4199](https://github.com/flutter/plugins/pull/4199) wake lock permission (cla: yes, p: webview_flutter, platform-android)
### p: google_sign_in - 27 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3805](https://github.com/flutter/plugins/pull/3805) [google_sign_in] Fix "pick account" on iOS (cla: yes, waiting for tree to go green, p: google_sign_in, platform-ios)
[3816](https://github.com/flutter/plugins/pull/3816) [google_sign_in_web] fix README typos. (cla: yes, p: google_sign_in, platform-web)
[3819](https://github.com/flutter/plugins/pull/3819) Add a todo WRT correctly setting the X-Goog-AuthUser header (cla: yes, p: google_sign_in)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3848](https://github.com/flutter/plugins/pull/3848) [google_sign_in] remove execute bit from a lot of files (cla: yes, p: google_sign_in, platform-ios, platform-android)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3859](https://github.com/flutter/plugins/pull/3859) [google_sign_in] fix registration links (cla: yes, p: google_sign_in)
[3876](https://github.com/flutter/plugins/pull/3876) [google_sign_in] document web usage (cla: yes, p: google_sign_in)
[3903](https://github.com/flutter/plugins/pull/3903) Enable web integration tests on stable (cla: yes, waiting for tree to go green, p: file_selector, p: google_sign_in, p: url_launcher, p: connectivity, platform-web)
[3914](https://github.com/flutter/plugins/pull/3914) [google_sign_in] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: google_sign_in, platform-android)
[3927](https://github.com/flutter/plugins/pull/3927) Mass pubspec.yaml cleanup (cla: yes, p: webview_flutter, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: url_launcher, p: video_player, p: shared_preferences, p: espresso, p: quick_actions, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3972](https://github.com/flutter/plugins/pull/3972) Clean up cruft in pubspec.yaml files (cla: yes, p: battery, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: plugin_platform_interface, p: url_launcher, p: shared_preferences, p: sensors, platform-windows, platform-web)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3996](https://github.com/flutter/plugins/pull/3996) [google_sign_in] Add iOS unit and UI tests (cla: yes, waiting for tree to go green, p: google_sign_in, platform-ios)
[4005](https://github.com/flutter/plugins/pull/4005) Standardize XCTest locations and harnesses (cla: yes, p: webview_flutter, p: camera, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, platform-ios)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
[4108](https://github.com/flutter/plugins/pull/4108) Add Basic Junit Tests to some plugins (cla: yes, p: webview_flutter, p: google_sign_in, p: local_auth, p: video_player, p: shared_preferences, platform-android)
[4128](https://github.com/flutter/plugins/pull/4128) Exclude arm64 simulators from google_sign_in example project (cla: yes, p: google_sign_in, platform-ios)
[4157](https://github.com/flutter/plugins/pull/4157) [google_sign_in] Add iOS unit tests (cla: yes, p: google_sign_in, platform-ios)
[4160](https://github.com/flutter/plugins/pull/4160) Remove references to the V1 Android embedding (cla: yes, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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: espresso, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle)
[4167](https://github.com/flutter/plugins/pull/4167) [multiple_web] Update web plugin testing instructions. (cla: yes, waiting for tree to go green, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: url_launcher, p: video_player, p: connectivity, platform-web)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
[4193](https://github.com/flutter/plugins/pull/4193) Move unit tests to Android modules (cla: yes, p: google_maps_flutter, p: google_sign_in, p: image_picker, platform-android)
[4198](https://github.com/flutter/plugins/pull/4198) Remove pubspec.yaml examples from READMEs (cla: yes, waiting for tree to go green, p: file_selector, p: google_sign_in, p: image_picker, p: in_app_purchase, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web)
[4200](https://github.com/flutter/plugins/pull/4200) Adds test harnesses for integration tests on Android (cla: yes, waiting for tree to go green, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: quick_actions, platform-android)
[4208](https://github.com/flutter/plugins/pull/4208) [google_sign_in] Mark iOS arm64 simulators as unsupported (cla: yes, waiting for tree to go green, p: google_sign_in, platform-ios)
### p: google_maps_flutter - 25 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3850](https://github.com/flutter/plugins/pull/3850) [google_maps_flutter] Unpin iOS GoogleMaps pod dependency version (cla: yes, p: google_maps_flutter, platform-ios, last mile)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3894](https://github.com/flutter/plugins/pull/3894) Bump min Android SDK to the version required at runtime (cla: yes, waiting for tree to go green, p: webview_flutter, p: google_maps_flutter, platform-android)
[3913](https://github.com/flutter/plugins/pull/3913) [google_maps_flutter] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-android)
[3927](https://github.com/flutter/plugins/pull/3927) Mass pubspec.yaml cleanup (cla: yes, p: webview_flutter, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: url_launcher, p: video_player, p: shared_preferences, p: espresso, p: quick_actions, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3934](https://github.com/flutter/plugins/pull/3934) Enable NNBD for more plugin integration tests (cla: yes, p: camera, p: google_maps_flutter, p: local_auth, p: url_launcher, p: shared_preferences, platform-windows, platform-macos, platform-linux)
[3960](https://github.com/flutter/plugins/pull/3960) Use collection and box literals in ObjC code (cla: yes, p: webview_flutter, p: camera, p: google_maps_flutter, p: image_picker, p: in_app_purchase, platform-ios)
[3964](https://github.com/flutter/plugins/pull/3964) [multiple_web] Adapt web PlatformView widgets to work slotted. (cla: yes, waiting for tree to go green, p: google_maps_flutter, p: url_launcher, p: video_player, platform-web)
[3972](https://github.com/flutter/plugins/pull/3972) Clean up cruft in pubspec.yaml files (cla: yes, p: battery, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: plugin_platform_interface, p: url_launcher, p: shared_preferences, p: sensors, platform-windows, platform-web)
[3978](https://github.com/flutter/plugins/pull/3978) [google_maps_flutter] Add iOS unit and UI tests (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-ios)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[4017](https://github.com/flutter/plugins/pull/4017) Support Hybrid Composition on Android (cla: yes, waiting for tree to go green, p: google_maps_flutter)
[4025](https://github.com/flutter/plugins/pull/4025) [google_maps_flutter_web] Document liteMode not being available on web (cla: yes, p: google_maps_flutter, platform-web)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
[4127](https://github.com/flutter/plugins/pull/4127) Exclude arm64 simulators from google_maps_flutter example project (cla: yes, p: google_maps_flutter, platform-ios)
[4160](https://github.com/flutter/plugins/pull/4160) Remove references to the V1 Android embedding (cla: yes, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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: espresso, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle)
[4163](https://github.com/flutter/plugins/pull/4163) [google_maps_flutter_web]: Update instructions to reflect current versions (cla: yes, p: google_maps_flutter, platform-web)
[4167](https://github.com/flutter/plugins/pull/4167) [multiple_web] Update web plugin testing instructions. (cla: yes, waiting for tree to go green, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: url_launcher, p: video_player, p: connectivity, platform-web)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
[4193](https://github.com/flutter/plugins/pull/4193) Move unit tests to Android modules (cla: yes, p: google_maps_flutter, p: google_sign_in, p: image_picker, platform-android)
[4200](https://github.com/flutter/plugins/pull/4200) Adds test harnesses for integration tests on Android (cla: yes, waiting for tree to go green, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: quick_actions, platform-android)
[4209](https://github.com/flutter/plugins/pull/4209) [google_maps_flutter] Mark iOS arm64 simulators as unsupported (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-ios)
[4214](https://github.com/flutter/plugins/pull/4214) [google_maps_flutter] Temporarily disable googleMapsPluginIsAdded (cla: yes, p: google_maps_flutter, platform-android)
### p: path_provider - 22 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3812](https://github.com/flutter/plugins/pull/3812) [path_provider] Replace path_provider_linux widget tests with simple unit tests (cla: yes, p: path_provider, platform-linux)
[3814](https://github.com/flutter/plugins/pull/3814) Path provider windows crash fix (cla: yes, p: path_provider, platform-windows)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3823](https://github.com/flutter/plugins/pull/3823) [path_provider_*] code cleanup: sort directives (cla: yes, waiting for tree to go green, p: path_provider, platform-windows, platform-macos, platform-linux)
[3833](https://github.com/flutter/plugins/pull/3833) Add implement and registerWith method to plugins (cla: yes, p: path_provider, p: shared_preferences, p: connectivity, platform-windows, platform-macos, platform-linux)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3864](https://github.com/flutter/plugins/pull/3864) Check in macOS example Podfiles (cla: yes, p: integration_test, p: path_provider, p: url_launcher, p: package_info, p: shared_preferences, p: connectivity, platform-macos)
[3905](https://github.com/flutter/plugins/pull/3905) [path_provider] Migrate all integration tests to NNBD (cla: yes, waiting for tree to go green, p: path_provider, platform-windows, platform-macos, platform-linux)
[3919](https://github.com/flutter/plugins/pull/3919) [path_provider] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: path_provider, platform-android)
[3927](https://github.com/flutter/plugins/pull/3927) Mass pubspec.yaml cleanup (cla: yes, p: webview_flutter, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: url_launcher, p: video_player, p: shared_preferences, p: espresso, p: quick_actions, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3936](https://github.com/flutter/plugins/pull/3936) Added Windows to the description (cla: yes, waiting for tree to go green, p: path_provider)
[3983](https://github.com/flutter/plugins/pull/3983) Enable pubspec dependency sorting lint (cla: yes, waiting for tree to go green, p: path_provider, p: espresso, platform-windows, platform-macos, platform-linux)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3998](https://github.com/flutter/plugins/pull/3998) [path_provider] Add iOS unit tests (cla: yes, waiting for tree to go green, p: path_provider, platform-ios)
[4004](https://github.com/flutter/plugins/pull/4004) Check in regenerated C++ example registrants (cla: yes, waiting for tree to go green, p: path_provider, p: url_launcher, p: shared_preferences, platform-windows, platform-linux)
[4015](https://github.com/flutter/plugins/pull/4015) Enable linting of macOS podspecs (cla: yes, p: path_provider, p: url_launcher, p: package_info, p: shared_preferences, p: connectivity, platform-macos)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
[4043](https://github.com/flutter/plugins/pull/4043) Enable macOS XCTest support (cla: yes, p: path_provider, p: url_launcher, p: shared_preferences, platform-macos)
[4160](https://github.com/flutter/plugins/pull/4160) Remove references to the V1 Android embedding (cla: yes, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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: espresso, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
[4198](https://github.com/flutter/plugins/pull/4198) Remove pubspec.yaml examples from READMEs (cla: yes, waiting for tree to go green, p: file_selector, p: google_sign_in, p: image_picker, p: in_app_purchase, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web)
### platform-macos - 19 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3823](https://github.com/flutter/plugins/pull/3823) [path_provider_*] code cleanup: sort directives (cla: yes, waiting for tree to go green, p: path_provider, platform-windows, platform-macos, platform-linux)
[3833](https://github.com/flutter/plugins/pull/3833) Add implement and registerWith method to plugins (cla: yes, p: path_provider, p: shared_preferences, p: connectivity, platform-windows, platform-macos, platform-linux)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3864](https://github.com/flutter/plugins/pull/3864) Check in macOS example Podfiles (cla: yes, p: integration_test, p: path_provider, p: url_launcher, p: package_info, p: shared_preferences, p: connectivity, platform-macos)
[3905](https://github.com/flutter/plugins/pull/3905) [path_provider] Migrate all integration tests to NNBD (cla: yes, waiting for tree to go green, p: path_provider, platform-windows, platform-macos, platform-linux)
[3927](https://github.com/flutter/plugins/pull/3927) Mass pubspec.yaml cleanup (cla: yes, p: webview_flutter, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: url_launcher, p: video_player, p: shared_preferences, p: espresso, p: quick_actions, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3932](https://github.com/flutter/plugins/pull/3932) Move integration test to null safety for multiple plugins (cla: yes, p: webview_flutter, p: image_picker, p: in_app_purchase, p: wifi_info_flutter, p: quick_actions, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos)
[3934](https://github.com/flutter/plugins/pull/3934) Enable NNBD for more plugin integration tests (cla: yes, p: camera, p: google_maps_flutter, p: local_auth, p: url_launcher, p: shared_preferences, platform-windows, platform-macos, platform-linux)
[3941](https://github.com/flutter/plugins/pull/3941) [connectivity] Ignore Reachability pointer to int cast warning (cla: yes, p: connectivity, platform-ios, platform-macos)
[3949](https://github.com/flutter/plugins/pull/3949) [integration_test] Remove the package (cla: yes, waiting for tree to go green, p: integration_test, platform-ios, platform-android, platform-macos, platform-web)
[3983](https://github.com/flutter/plugins/pull/3983) Enable pubspec dependency sorting lint (cla: yes, waiting for tree to go green, p: path_provider, p: espresso, platform-windows, platform-macos, platform-linux)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[4015](https://github.com/flutter/plugins/pull/4015) Enable linting of macOS podspecs (cla: yes, p: path_provider, p: url_launcher, p: package_info, p: shared_preferences, p: connectivity, platform-macos)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
[4043](https://github.com/flutter/plugins/pull/4043) Enable macOS XCTest support (cla: yes, p: path_provider, p: url_launcher, p: shared_preferences, platform-macos)
[4198](https://github.com/flutter/plugins/pull/4198) Remove pubspec.yaml examples from READMEs (cla: yes, waiting for tree to go green, p: file_selector, p: google_sign_in, p: image_picker, p: in_app_purchase, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web)
[4211](https://github.com/flutter/plugins/pull/4211) [url_launcher] Replaced reference to shared_preferences with correct reference to url_launcher in README. (cla: yes, waiting for tree to go green, p: url_launcher, platform-windows, platform-macos, platform-linux, platform-web, needs-publishing)
### p: shared_preferences - 19 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3833](https://github.com/flutter/plugins/pull/3833) Add implement and registerWith method to plugins (cla: yes, p: path_provider, p: shared_preferences, p: connectivity, platform-windows, platform-macos, platform-linux)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3864](https://github.com/flutter/plugins/pull/3864) Check in macOS example Podfiles (cla: yes, p: integration_test, p: path_provider, p: url_launcher, p: package_info, p: shared_preferences, p: connectivity, platform-macos)
[3923](https://github.com/flutter/plugins/pull/3923) [shared_preferences] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: shared_preferences, platform-android)
[3927](https://github.com/flutter/plugins/pull/3927) Mass pubspec.yaml cleanup (cla: yes, p: webview_flutter, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: url_launcher, p: video_player, p: shared_preferences, p: espresso, p: quick_actions, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3934](https://github.com/flutter/plugins/pull/3934) Enable NNBD for more plugin integration tests (cla: yes, p: camera, p: google_maps_flutter, p: local_auth, p: url_launcher, p: shared_preferences, platform-windows, platform-macos, platform-linux)
[3972](https://github.com/flutter/plugins/pull/3972) Clean up cruft in pubspec.yaml files (cla: yes, p: battery, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: plugin_platform_interface, p: url_launcher, p: shared_preferences, p: sensors, platform-windows, platform-web)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[4004](https://github.com/flutter/plugins/pull/4004) Check in regenerated C++ example registrants (cla: yes, waiting for tree to go green, p: path_provider, p: url_launcher, p: shared_preferences, platform-windows, platform-linux)
[4011](https://github.com/flutter/plugins/pull/4011) [shared_preferences] Add iOS unit tests (cla: yes, waiting for tree to go green, p: shared_preferences, platform-ios)
[4015](https://github.com/flutter/plugins/pull/4015) Enable linting of macOS podspecs (cla: yes, p: path_provider, p: url_launcher, p: package_info, p: shared_preferences, p: connectivity, platform-macos)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
[4043](https://github.com/flutter/plugins/pull/4043) Enable macOS XCTest support (cla: yes, p: path_provider, p: url_launcher, p: shared_preferences, platform-macos)
[4108](https://github.com/flutter/plugins/pull/4108) Add Basic Junit Tests to some plugins (cla: yes, p: webview_flutter, p: google_sign_in, p: local_auth, p: video_player, p: shared_preferences, platform-android)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
[4185](https://github.com/flutter/plugins/pull/4185) [shared_preferences_web] Migrate tests to integration_test (cla: yes, waiting for tree to go green, p: shared_preferences, platform-web)
[4198](https://github.com/flutter/plugins/pull/4198) Remove pubspec.yaml examples from READMEs (cla: yes, waiting for tree to go green, p: file_selector, p: google_sign_in, p: image_picker, p: in_app_purchase, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web)
### p: connectivity - 18 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3833](https://github.com/flutter/plugins/pull/3833) Add implement and registerWith method to plugins (cla: yes, p: path_provider, p: shared_preferences, p: connectivity, platform-windows, platform-macos, platform-linux)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3864](https://github.com/flutter/plugins/pull/3864) Check in macOS example Podfiles (cla: yes, p: integration_test, p: path_provider, p: url_launcher, p: package_info, p: shared_preferences, p: connectivity, platform-macos)
[3903](https://github.com/flutter/plugins/pull/3903) Enable web integration tests on stable (cla: yes, waiting for tree to go green, p: file_selector, p: google_sign_in, p: url_launcher, p: connectivity, platform-web)
[3909](https://github.com/flutter/plugins/pull/3909) [connectivity] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: connectivity, platform-android)
[3932](https://github.com/flutter/plugins/pull/3932) Move integration test to null safety for multiple plugins (cla: yes, p: webview_flutter, p: image_picker, p: in_app_purchase, p: wifi_info_flutter, p: quick_actions, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos)
[3941](https://github.com/flutter/plugins/pull/3941) [connectivity] Ignore Reachability pointer to int cast warning (cla: yes, p: connectivity, platform-ios, platform-macos)
[3971](https://github.com/flutter/plugins/pull/3971) Point deprecated plugins to Plus versions (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: share, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[4015](https://github.com/flutter/plugins/pull/4015) Enable linting of macOS podspecs (cla: yes, p: path_provider, p: url_launcher, p: package_info, p: shared_preferences, p: connectivity, platform-macos)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
[4101](https://github.com/flutter/plugins/pull/4101) Build all iOS example apps on current Flutter stable (cla: yes, waiting for tree to go green, p: battery, p: share, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios)
[4137](https://github.com/flutter/plugins/pull/4137) [various] Prepare plugin repo for binding API improvements (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: camera, p: video_player, p: sensors, p: connectivity)
[4160](https://github.com/flutter/plugins/pull/4160) Remove references to the V1 Android embedding (cla: yes, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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: espresso, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle)
[4167](https://github.com/flutter/plugins/pull/4167) [multiple_web] Update web plugin testing instructions. (cla: yes, waiting for tree to go green, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: url_launcher, p: video_player, p: connectivity, platform-web)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
### platform-windows - 16 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3814](https://github.com/flutter/plugins/pull/3814) Path provider windows crash fix (cla: yes, p: path_provider, platform-windows)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3823](https://github.com/flutter/plugins/pull/3823) [path_provider_*] code cleanup: sort directives (cla: yes, waiting for tree to go green, p: path_provider, platform-windows, platform-macos, platform-linux)
[3833](https://github.com/flutter/plugins/pull/3833) Add implement and registerWith method to plugins (cla: yes, p: path_provider, p: shared_preferences, p: connectivity, platform-windows, platform-macos, platform-linux)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3905](https://github.com/flutter/plugins/pull/3905) [path_provider] Migrate all integration tests to NNBD (cla: yes, waiting for tree to go green, p: path_provider, platform-windows, platform-macos, platform-linux)
[3927](https://github.com/flutter/plugins/pull/3927) Mass pubspec.yaml cleanup (cla: yes, p: webview_flutter, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: url_launcher, p: video_player, p: shared_preferences, p: espresso, p: quick_actions, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3934](https://github.com/flutter/plugins/pull/3934) Enable NNBD for more plugin integration tests (cla: yes, p: camera, p: google_maps_flutter, p: local_auth, p: url_launcher, p: shared_preferences, platform-windows, platform-macos, platform-linux)
[3972](https://github.com/flutter/plugins/pull/3972) Clean up cruft in pubspec.yaml files (cla: yes, p: battery, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: plugin_platform_interface, p: url_launcher, p: shared_preferences, p: sensors, platform-windows, platform-web)
[3983](https://github.com/flutter/plugins/pull/3983) Enable pubspec dependency sorting lint (cla: yes, waiting for tree to go green, p: path_provider, p: espresso, platform-windows, platform-macos, platform-linux)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[4004](https://github.com/flutter/plugins/pull/4004) Check in regenerated C++ example registrants (cla: yes, waiting for tree to go green, p: path_provider, p: url_launcher, p: shared_preferences, platform-windows, platform-linux)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
[4198](https://github.com/flutter/plugins/pull/4198) Remove pubspec.yaml examples from READMEs (cla: yes, waiting for tree to go green, p: file_selector, p: google_sign_in, p: image_picker, p: in_app_purchase, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web)
[4211](https://github.com/flutter/plugins/pull/4211) [url_launcher] Replaced reference to shared_preferences with correct reference to url_launcher in README. (cla: yes, waiting for tree to go green, p: url_launcher, platform-windows, platform-macos, platform-linux, platform-web, needs-publishing)
### platform-linux - 15 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3812](https://github.com/flutter/plugins/pull/3812) [path_provider] Replace path_provider_linux widget tests with simple unit tests (cla: yes, p: path_provider, platform-linux)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3823](https://github.com/flutter/plugins/pull/3823) [path_provider_*] code cleanup: sort directives (cla: yes, waiting for tree to go green, p: path_provider, platform-windows, platform-macos, platform-linux)
[3833](https://github.com/flutter/plugins/pull/3833) Add implement and registerWith method to plugins (cla: yes, p: path_provider, p: shared_preferences, p: connectivity, platform-windows, platform-macos, platform-linux)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3905](https://github.com/flutter/plugins/pull/3905) [path_provider] Migrate all integration tests to NNBD (cla: yes, waiting for tree to go green, p: path_provider, platform-windows, platform-macos, platform-linux)
[3927](https://github.com/flutter/plugins/pull/3927) Mass pubspec.yaml cleanup (cla: yes, p: webview_flutter, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: url_launcher, p: video_player, p: shared_preferences, p: espresso, p: quick_actions, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3934](https://github.com/flutter/plugins/pull/3934) Enable NNBD for more plugin integration tests (cla: yes, p: camera, p: google_maps_flutter, p: local_auth, p: url_launcher, p: shared_preferences, platform-windows, platform-macos, platform-linux)
[3983](https://github.com/flutter/plugins/pull/3983) Enable pubspec dependency sorting lint (cla: yes, waiting for tree to go green, p: path_provider, p: espresso, platform-windows, platform-macos, platform-linux)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[4004](https://github.com/flutter/plugins/pull/4004) Check in regenerated C++ example registrants (cla: yes, waiting for tree to go green, p: path_provider, p: url_launcher, p: shared_preferences, platform-windows, platform-linux)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
[4198](https://github.com/flutter/plugins/pull/4198) Remove pubspec.yaml examples from READMEs (cla: yes, waiting for tree to go green, p: file_selector, p: google_sign_in, p: image_picker, p: in_app_purchase, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web)
[4211](https://github.com/flutter/plugins/pull/4211) [url_launcher] Replaced reference to shared_preferences with correct reference to url_launcher in README. (cla: yes, waiting for tree to go green, p: url_launcher, platform-windows, platform-macos, platform-linux, platform-web, needs-publishing)
### p: quick_actions - 15 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3811](https://github.com/flutter/plugins/pull/3811) [quick_actions] handle cold start on iOS correctly (cla: yes, waiting for tree to go green, p: quick_actions, platform-ios)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3920](https://github.com/flutter/plugins/pull/3920) [quick_actions] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: quick_actions, platform-android)
[3927](https://github.com/flutter/plugins/pull/3927) Mass pubspec.yaml cleanup (cla: yes, p: webview_flutter, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: url_launcher, p: video_player, p: shared_preferences, p: espresso, p: quick_actions, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3932](https://github.com/flutter/plugins/pull/3932) Move integration test to null safety for multiple plugins (cla: yes, p: webview_flutter, p: image_picker, p: in_app_purchase, p: wifi_info_flutter, p: quick_actions, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos)
[3967](https://github.com/flutter/plugins/pull/3967) [quick-actions] Revert migrating integration tests to NNBD (cla: yes, p: quick_actions)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[4003](https://github.com/flutter/plugins/pull/4003) [quick_actions] Optimised UI test to prevent flaky CI failures (cla: yes, p: quick_actions, platform-ios)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
[4131](https://github.com/flutter/plugins/pull/4131) [quick_actions] Add const constructor (cla: yes, waiting for tree to go green, p: quick_actions)
[4160](https://github.com/flutter/plugins/pull/4160) Remove references to the V1 Android embedding (cla: yes, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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: espresso, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
[4200](https://github.com/flutter/plugins/pull/4200) Adds test harnesses for integration tests on Android (cla: yes, waiting for tree to go green, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: quick_actions, platform-android)
### p: sensors - 14 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3809](https://github.com/flutter/plugins/pull/3809) new dart formatter results (cla: yes, waiting for tree to go green, p: sensors)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3921](https://github.com/flutter/plugins/pull/3921) [sensors] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: sensors, platform-android)
[3930](https://github.com/flutter/plugins/pull/3930) [sensors] Update Cirrus image to Xcode 12.5, fix sensors analyzer warning (cla: yes, p: sensors, platform-ios)
[3971](https://github.com/flutter/plugins/pull/3971) Point deprecated plugins to Plus versions (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: share, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info)
[3972](https://github.com/flutter/plugins/pull/3972) Clean up cruft in pubspec.yaml files (cla: yes, p: battery, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: plugin_platform_interface, p: url_launcher, p: shared_preferences, p: sensors, platform-windows, platform-web)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
[4101](https://github.com/flutter/plugins/pull/4101) Build all iOS example apps on current Flutter stable (cla: yes, waiting for tree to go green, p: battery, p: share, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios)
[4137](https://github.com/flutter/plugins/pull/4137) [various] Prepare plugin repo for binding API improvements (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: camera, p: video_player, p: sensors, p: connectivity)
[4160](https://github.com/flutter/plugins/pull/4160) Remove references to the V1 Android embedding (cla: yes, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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: espresso, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
### p: local_auth - 14 pull request(s)
[3103](https://github.com/flutter/plugins/pull/3103) [local_auth] docs update (cla: yes, p: local_auth)
[3780](https://github.com/flutter/plugins/pull/3780) [local_auth] Fix iOS crash when no localizedReason (cla: yes, in review, waiting for tree to go green, p: local_auth)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3917](https://github.com/flutter/plugins/pull/3917) [local_auth] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: local_auth, platform-android)
[3927](https://github.com/flutter/plugins/pull/3927) Mass pubspec.yaml cleanup (cla: yes, p: webview_flutter, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: url_launcher, p: video_player, p: shared_preferences, p: espresso, p: quick_actions, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3934](https://github.com/flutter/plugins/pull/3934) Enable NNBD for more plugin integration tests (cla: yes, p: camera, p: google_maps_flutter, p: local_auth, p: url_launcher, p: shared_preferences, platform-windows, platform-macos, platform-linux)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[4005](https://github.com/flutter/plugins/pull/4005) Standardize XCTest locations and harnesses (cla: yes, p: webview_flutter, p: camera, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, platform-ios)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
[4108](https://github.com/flutter/plugins/pull/4108) Add Basic Junit Tests to some plugins (cla: yes, p: webview_flutter, p: google_sign_in, p: local_auth, p: video_player, p: shared_preferences, platform-android)
[4160](https://github.com/flutter/plugins/pull/4160) Remove references to the V1 Android embedding (cla: yes, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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: espresso, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
### p: package_info - 13 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3864](https://github.com/flutter/plugins/pull/3864) Check in macOS example Podfiles (cla: yes, p: integration_test, p: path_provider, p: url_launcher, p: package_info, p: shared_preferences, p: connectivity, platform-macos)
[3918](https://github.com/flutter/plugins/pull/3918) [package_info] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: package_info, platform-android)
[3971](https://github.com/flutter/plugins/pull/3971) Point deprecated plugins to Plus versions (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: share, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[4015](https://github.com/flutter/plugins/pull/4015) Enable linting of macOS podspecs (cla: yes, p: path_provider, p: url_launcher, p: package_info, p: shared_preferences, p: connectivity, platform-macos)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
[4101](https://github.com/flutter/plugins/pull/4101) Build all iOS example apps on current Flutter stable (cla: yes, waiting for tree to go green, p: battery, p: share, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios)
[4160](https://github.com/flutter/plugins/pull/4160) Remove references to the V1 Android embedding (cla: yes, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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: espresso, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
[4189](https://github.com/flutter/plugins/pull/4189) Remove remaining V1 embedding references (cla: yes, p: battery, p: package_info, platform-android)
### p: battery - 12 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3907](https://github.com/flutter/plugins/pull/3907) [battery] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: battery, platform-android)
[3971](https://github.com/flutter/plugins/pull/3971) Point deprecated plugins to Plus versions (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: share, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info)
[3972](https://github.com/flutter/plugins/pull/3972) Clean up cruft in pubspec.yaml files (cla: yes, p: battery, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: plugin_platform_interface, p: url_launcher, p: shared_preferences, p: sensors, platform-windows, platform-web)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
[4101](https://github.com/flutter/plugins/pull/4101) Build all iOS example apps on current Flutter stable (cla: yes, waiting for tree to go green, p: battery, p: share, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios)
[4137](https://github.com/flutter/plugins/pull/4137) [various] Prepare plugin repo for binding API improvements (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: camera, p: video_player, p: sensors, p: connectivity)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
[4189](https://github.com/flutter/plugins/pull/4189) Remove remaining V1 embedding references (cla: yes, p: battery, p: package_info, platform-android)
### p: wifi_info_flutter - 11 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3925](https://github.com/flutter/plugins/pull/3925) [wifi_info_flutter] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: wifi_info_flutter, platform-android)
[3932](https://github.com/flutter/plugins/pull/3932) Move integration test to null safety for multiple plugins (cla: yes, p: webview_flutter, p: image_picker, p: in_app_purchase, p: wifi_info_flutter, p: quick_actions, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos)
[3947](https://github.com/flutter/plugins/pull/3947) [wifi_info_flutter] Ignore Reachability pointer to int cast warning (cla: yes, p: wifi_info_flutter, platform-ios)
[3971](https://github.com/flutter/plugins/pull/3971) Point deprecated plugins to Plus versions (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: share, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
[4101](https://github.com/flutter/plugins/pull/4101) Build all iOS example apps on current Flutter stable (cla: yes, waiting for tree to go green, p: battery, p: share, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
### p: device_info - 11 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3910](https://github.com/flutter/plugins/pull/3910) [device_info] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: device_info, platform-android)
[3932](https://github.com/flutter/plugins/pull/3932) Move integration test to null safety for multiple plugins (cla: yes, p: webview_flutter, p: image_picker, p: in_app_purchase, p: wifi_info_flutter, p: quick_actions, p: connectivity, p: device_info, platform-ios, platform-android, platform-macos)
[3971](https://github.com/flutter/plugins/pull/3971) Point deprecated plugins to Plus versions (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: share, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
[4101](https://github.com/flutter/plugins/pull/4101) Build all iOS example apps on current Flutter stable (cla: yes, waiting for tree to go green, p: battery, p: share, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios)
[4160](https://github.com/flutter/plugins/pull/4160) Remove references to the V1 Android embedding (cla: yes, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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: espresso, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
### p: share - 11 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3922](https://github.com/flutter/plugins/pull/3922) [share] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: share, platform-android)
[3942](https://github.com/flutter/plugins/pull/3942) [share] Do not tear down channel onDetachedFromActivity. (cla: yes, waiting for tree to go green, p: share, platform-android)
[3971](https://github.com/flutter/plugins/pull/3971) Point deprecated plugins to Plus versions (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: share, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
[4101](https://github.com/flutter/plugins/pull/4101) Build all iOS example apps on current Flutter stable (cla: yes, waiting for tree to go green, p: battery, p: share, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info, platform-ios)
[4160](https://github.com/flutter/plugins/pull/4160) Remove references to the V1 Android embedding (cla: yes, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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: espresso, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
### last mile - 8 pull request(s)
[3727](https://github.com/flutter/plugins/pull/3727) [video_player] Pause video when it completes (cla: yes, waiting for tree to go green, p: video_player, last mile)
[3834](https://github.com/flutter/plugins/pull/3834) [tool] github action to auto publish (skeleton) (cla: yes, last mile)
[3842](https://github.com/flutter/plugins/pull/3842) [tool] add an `skip-confirmation` flag to publish-package for running the command on ci (cla: yes, last mile)
[3850](https://github.com/flutter/plugins/pull/3850) [google_maps_flutter] Unpin iOS GoogleMaps pod dependency version (cla: yes, p: google_maps_flutter, platform-ios, last mile)
[3957](https://github.com/flutter/plugins/pull/3957) [in_app_purchase] fix "autoConsume" param in "buyConsumable" (cla: yes, waiting for tree to go green, p: in_app_purchase, last mile)
[4006](https://github.com/flutter/plugins/pull/4006) [url_launcher] Amend example's manifest and docs (cla: yes, p: url_launcher, platform-android, last mile)
[4049](https://github.com/flutter/plugins/pull/4049) [in_app_purchase] Update readme.md (cla: yes, waiting for tree to go green, p: in_app_purchase, last mile)
[4050](https://github.com/flutter/plugins/pull/4050) [in_app_purchase_android] Fixed typo in `LOAD_SKU_DOC_URL` and in the log message in `onBillingSetupFinished` (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android, last mile)
### p: espresso - 8 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3901](https://github.com/flutter/plugins/pull/3901) [espresso] Minor cleanup (cla: yes, waiting for tree to go green, p: espresso)
[3911](https://github.com/flutter/plugins/pull/3911) [espresso] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: espresso, platform-android)
[3927](https://github.com/flutter/plugins/pull/3927) Mass pubspec.yaml cleanup (cla: yes, p: webview_flutter, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: url_launcher, p: video_player, p: shared_preferences, p: espresso, p: quick_actions, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3983](https://github.com/flutter/plugins/pull/3983) Enable pubspec dependency sorting lint (cla: yes, waiting for tree to go green, p: path_provider, p: espresso, platform-windows, platform-macos, platform-linux)
[4160](https://github.com/flutter/plugins/pull/4160) Remove references to the V1 Android embedding (cla: yes, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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: espresso, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
### p: android_alarm_manager - 8 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3904](https://github.com/flutter/plugins/pull/3904) [android_alarm_manager] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: android_alarm_manager, platform-android)
[3971](https://github.com/flutter/plugins/pull/3971) Point deprecated plugins to Plus versions (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: share, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[4160](https://github.com/flutter/plugins/pull/4160) Remove references to the V1 Android embedding (cla: yes, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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: espresso, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
### p: android_intent - 8 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3906](https://github.com/flutter/plugins/pull/3906) [android_intent] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, p: android_intent, platform-android)
[3971](https://github.com/flutter/plugins/pull/3971) Point deprecated plugins to Plus versions (cla: yes, p: battery, p: android_alarm_manager, p: android_intent, p: share, p: package_info, p: wifi_info_flutter, p: sensors, p: connectivity, p: device_info)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[4160](https://github.com/flutter/plugins/pull/4160) Remove references to the V1 Android embedding (cla: yes, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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: espresso, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
### p: flutter_plugin_android_lifecycle - 8 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3912](https://github.com/flutter/plugins/pull/3912) [flutter_plugin_android_lifecycle] Migrate maven repo from jcenter to mavenCentral (cla: yes, waiting for tree to go green, platform-android, p: flutter_plugin_android_lifecycle)
[3927](https://github.com/flutter/plugins/pull/3927) Mass pubspec.yaml cleanup (cla: yes, p: webview_flutter, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: url_launcher, p: video_player, p: shared_preferences, p: espresso, p: quick_actions, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3969](https://github.com/flutter/plugins/pull/3969) [flutter_plugin_android_lifecycle] Migrate integration test to NNBD (cla: yes, p: flutter_plugin_android_lifecycle)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[4160](https://github.com/flutter/plugins/pull/4160) Remove references to the V1 Android embedding (cla: yes, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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: espresso, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-android, p: flutter_plugin_android_lifecycle)
[4184](https://github.com/flutter/plugins/pull/4184) Make java-test output more useful (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, 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)
### p: ios_platform_images - 6 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3927](https://github.com/flutter/plugins/pull/3927) Mass pubspec.yaml cleanup (cla: yes, p: webview_flutter, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: url_launcher, p: video_player, p: shared_preferences, p: espresso, p: quick_actions, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3997](https://github.com/flutter/plugins/pull/3997) [ios_platform_images] Add iOS unit tests (cla: yes, p: ios_platform_images, platform-ios)
[4040](https://github.com/flutter/plugins/pull/4040) Standardize example bundle ID domain (cla: yes, p: battery, p: webview_flutter, p: camera, 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: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-windows, platform-macos, platform-linux)
### p: file_selector - 6 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3903](https://github.com/flutter/plugins/pull/3903) Enable web integration tests on stable (cla: yes, waiting for tree to go green, p: file_selector, p: google_sign_in, p: url_launcher, p: connectivity, platform-web)
[3927](https://github.com/flutter/plugins/pull/3927) Mass pubspec.yaml cleanup (cla: yes, p: webview_flutter, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: url_launcher, p: video_player, p: shared_preferences, p: espresso, p: quick_actions, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[4167](https://github.com/flutter/plugins/pull/4167) [multiple_web] Update web plugin testing instructions. (cla: yes, waiting for tree to go green, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: url_launcher, p: video_player, p: connectivity, platform-web)
[4198](https://github.com/flutter/plugins/pull/4198) Remove pubspec.yaml examples from READMEs (cla: yes, waiting for tree to go green, p: file_selector, p: google_sign_in, p: image_picker, p: in_app_purchase, p: path_provider, p: url_launcher, p: video_player, p: shared_preferences, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web)
### p: integration_test - 5 pull request(s)
[3792](https://github.com/flutter/plugins/pull/3792) Fix and update version checks (cla: yes, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: integration_test, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3857](https://github.com/flutter/plugins/pull/3857) Ensure that integration tests are actually being run (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: integration_test, p: local_auth, p: path_provider, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, platform-windows, platform-macos, platform-linux, platform-web)
[3864](https://github.com/flutter/plugins/pull/3864) Check in macOS example Podfiles (cla: yes, p: integration_test, p: path_provider, p: url_launcher, p: package_info, p: shared_preferences, p: connectivity, platform-macos)
[3949](https://github.com/flutter/plugins/pull/3949) [integration_test] Remove the package (cla: yes, waiting for tree to go green, p: integration_test, platform-ios, platform-android, platform-macos, platform-web)
[4062](https://github.com/flutter/plugins/pull/4062) [integration_test] Update README installation instructions (cla: yes, waiting for tree to go green, p: integration_test)
### p: plugin_platform_interface - 5 pull request(s)
[3822](https://github.com/flutter/plugins/pull/3822) Move all null safety packages' min dart sdk to 2.12.0 (cla: yes, waiting for tree to go green, p: battery, p: webview_flutter, p: android_alarm_manager, p: android_intent, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, 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, p: ios_platform_images, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3927](https://github.com/flutter/plugins/pull/3927) Mass pubspec.yaml cleanup (cla: yes, p: webview_flutter, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: url_launcher, p: video_player, p: shared_preferences, p: espresso, p: quick_actions, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[3972](https://github.com/flutter/plugins/pull/3972) Clean up cruft in pubspec.yaml files (cla: yes, p: battery, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: plugin_platform_interface, p: url_launcher, p: shared_preferences, p: sensors, platform-windows, platform-web)
[3984](https://github.com/flutter/plugins/pull/3984) Add pubspec convention checks (cla: yes, waiting for tree to go green, p: battery, p: android_alarm_manager, p: android_intent, p: camera, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: local_auth, p: path_provider, p: plugin_platform_interface, p: share, p: url_launcher, p: video_player, p: package_info, p: shared_preferences, p: wifi_info_flutter, p: sensors, p: quick_actions, p: connectivity, p: device_info, p: ios_platform_images, platform-ios, platform-android, platform-windows, platform-macos, platform-linux, platform-web, p: flutter_plugin_android_lifecycle)
[4143](https://github.com/flutter/plugins/pull/4143) [plugin_platform_interface] Fix README broken link (cla: yes, waiting for tree to go green, p: plugin_platform_interface)
### needs-publishing - 1 pull request(s)
[4211](https://github.com/flutter/plugins/pull/4211) [url_launcher] Replaced reference to shared_preferences with correct reference to url_launcher in README. (cla: yes, waiting for tree to go green, p: url_launcher, platform-windows, platform-macos, platform-linux, platform-web, needs-publishing)
### in review - 1 pull request(s)
[3780](https://github.com/flutter/plugins/pull/3780) [local_auth] Fix iOS crash when no localizedReason (cla: yes, in review, waiting for tree to go green, p: local_auth)
| website/src/release/release-notes/release-notes-2.5.0.md/0 | {
"file_path": "website/src/release/release-notes/release-notes-2.5.0.md",
"repo_id": "website",
"token_count": 443172
} | 1,676 |
---
title: Bootstrap into Dart
description: How to get started with the Dart programming language.
---
New to the [Dart][] language?
We compiled our favorite resources to
help you quickly learn Dart.
Many people have reported that
[Dart is easy and fun to learn][].
We hope these resources make Dart easy for
you to learn, too.
[Language tour][]
: Your best introduction to the Dart language.
Learn about Dart's features such as _strong types_,
_closures_, _libraries_, _lexical scoping_,
_top-level functions_, _named parameters_,
_async / await_, and lots more.
[Library tour][]
: A good overview of Dart's powerful core libraries.
Learn about Dart's support for collections, async,
math, numbers, strings, JSON, and more.
[Learning Dart as a JavaScript developer][]
: Use your JavaScript knowledge to get up and running quickly with Dart.
Learn about the key similarities and differences between the languages
as well as concepts and conventions not present in vanilla JavaScript.
[Effective Dart][]
: Guides for style, authoring documentation, usage,
and more.
[Asynchronous programming: futures, async, await][] codelab
: Learn how to write asynchronous code using
futures and the `async` and `await` keywords.
[Asynchronous programming: streams][]
: Learn how to use streams to perform asynchronous
I/O and event handling.
Want to learn more and perhaps contribute?
Check out the [Dart community][].
[Asynchronous programming: futures, async, await]: {{site.dart-site}}/codelabs/async-await
[Asynchronous programming: streams]: {{site.dart-site}}/tutorials/language/streams
[Dart]: {{site.dart-site}}
[Dart community]: {{site.dart-site}}/community
[Dart is easy and fun to learn]: /resources/faq#why-did-flutter-choose-to-use-dart
[Effective Dart]: {{site.dart-site}}/guides/language/effective-dart
[`File`]: {{site.api}}/flutter/dart-io/File-class.html
[Learning Dart as a JavaScript developer]: {{site.dart-site}}/guides/language/coming-from/js-to-dart
[Language tour]: {{site.dart-site}}/language
[Library tour]: {{site.dart-site}}/guides/libraries/library-tour
| website/src/resources/bootstrap-into-dart.md/0 | {
"file_path": "website/src/resources/bootstrap-into-dart.md",
"repo_id": "website",
"token_count": 611
} | 1,677 |
---
title: Debugging Flutter apps
description: How to debug your Flutter app.
---
<?code-excerpt path-base="testing/debugging"?>
There's a wide variety of tools and features to help debug
Flutter applications. Here are some of the available tools:
* [VS Code][](recommended) and [Android Studio/IntelliJ][],
(enabled with the Flutter and Dart plugins)
support a built-in source-level debugger with
the ability to set breakpoints, step through code,
and examine values.
* [DevTools][], a suite of performance and profiling
tools that run in a browser.
* [Flutter inspector][], a widget inspector available
in DevTools, and also directly from Android Studio
and IntelliJ (enabled with the Flutter plugin).
The inspector allows you to examine a visual
representation of the widget tree, inspect
individual widgets and their property values,
enable the performance overlay, and more.
* 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`][].
[`flutter_gdb`]: {{site.repo.engine}}/blob/main/sky/tools/flutter_gdb
## Other resources
You might find the following docs useful:
* [Performance best practices][]
* [Flutter performance profiling][]
* [Use a native debugger][]
* [Flutter's modes][]
* [Debugging Flutter apps programmatically][]
[Flutter enabled IDE/editor]: /get-started/editor
[Debugging Flutter apps programmatically]: /testing/code-debugging
[Flutter's modes]: /testing/build-modes
[Flutter performance profiling]: /perf/ui-performance
[Performance best practices]: /perf/best-practices
[Use a native debugger]: /testing/native-debugging
[Android Studio/IntelliJ]: /tools/android-studio#run-app-with-breakpoints
[VS Code]: /tools/vs-code#run-app-with-breakpoints
[DevTools]: /tools/devtools
[Flutter inspector]: /tools/devtools/inspector
| website/src/testing/debugging.md/0 | {
"file_path": "website/src/testing/debugging.md",
"repo_id": "website",
"token_count": 531
} | 1,678 |
---
title: Using the Flutter inspector
description: Learn how to use the Flutter inspector to explore a Flutter app's widget tree.
---
<?code-excerpt path-base="../examples/visual_debugging/"?>
{{site.alert.note}}
The inspector works with all Flutter applications.
{{site.alert.end}}
## What is it?
The Flutter widget inspector is a powerful tool for visualizing and
exploring Flutter widget trees. The Flutter framework uses widgets
as the core building block for anything from controls
(such as text, buttons, and toggles),
to layout (such as centering, padding, rows, and columns).
The inspector helps you visualize and explore Flutter widget
trees, and can be used for the following:
* understanding existing layouts
* diagnosing layout issues
{:width="100%"}
## Get started
To debug a layout issue, run the app in [debug mode][] and
open the inspector by clicking the **Flutter Inspector**
tab on the DevTools toolbar.
{{site.alert.note}}
You can still access the Flutter inspector directly from
Android Studio/IntelliJ, but you might prefer the
more spacious view when running it from DevTools
in a browser.
{{site.alert.end}}
### Debugging layout issues visually
The following is a guide to the features available in the
inspector's toolbar. When space is limited, the icon is
used as the visual version of the label.
<dl markdown="1">
<dt markdown="1">{:width="20px"} **Select widget mode**</dt>
<dd markdown="1">Enable this button in order to select
a widget on the device to inspect it. For more information,
see [Inspecting a widget](#inspecting-a-widget).
<dt markdown="1">{:width="20px"} **Refresh tree**</dt>
<dd>Reload the current widget info.</dd>
<dt markdown="1">{:width="20px"} **[Slow animations][]**</dt>
<dd>Run animations 5 times slower to help fine-tune them.</dd>
<dt markdown="1">{:width="20px"} **[Show guidelines][]**</dt>
<dd>Overlay guidelines to assist with fixing layout issues.</dd>
<dt markdown="1">{:width="20px"} **[Show baselines][]**</dt>
<dd>Show baselines, which are used for aligning text.
Can be useful for checking if text is aligned.</dd>
<dt markdown="1">{:width="20px"} **[Highlight repaints][]**</dt>
<dd>Show borders that change color when elements repaint.
Useful for finding unnecessary repaints.</dd>
<dt markdown="1">{:width="20px"} **[Highlight oversized images][]**</dt>
<dd>Highlights images that are using too much memory
by inverting colors and flipping them.</dd>
[Slow animations]: #slow-animations
[Show guidelines]: #show-guidelines
[Show baselines]: #show-baselines
[Highlight repaints]: #highlight-repaints
[Highlight oversized images]: #highlight-oversized-images
## Inspecting a widget
You can browse the interactive widget tree to view nearby
widgets and see their field values.
To locate individual UI elements in the widget tree,
click the **Select Widget Mode** button in the toolbar.
This puts the app on the device into a "widget select" mode.
Click any widget in the app's UI; this selects the widget on the
app's screen, and scrolls the widget tree to the corresponding node.
Toggle the **Select Widget Mode** button again to exit
widget select mode.
When debugging layout issues, the key fields to look at are the
`size` and `constraints` fields. The constraints flow down the tree,
and the sizes flow back up. For more information on how this works,
see [Understanding constraints][].
## Flutter Layout Explorer
The Flutter Layout Explorer helps you to better understand
Flutter layouts.
For an overview of what you can do with this tool, see
the Flutter Explorer video:
<iframe width="560" height="315" src="{{site.yt.embed}}/Jakrc3Tn_y4" title="Learn about the Layout Explorer in Flutter DevTools" {{site.yt.set}}></iframe>
You might also find the following step-by-step article useful:
* [How to debug layout issues with the Flutter Inspector][debug-article]
[debug-article]: {{site.flutter-medium}}/how-to-debug-layout-issues-with-the-flutter-inspector-87460a7b9db
### Using the Layout Explorer
From the Flutter Inspector, select a widget. The Layout Explorer
supports both [flex layouts][] and fixed size layouts, and has
specific tooling for both kinds.
#### Flex layouts
When you select a flex widget (for example, [`Row`][], [`Column`][], [`Flex`][])
or a direct child of a flex widget, the flex layout tool will
appear in the Layout Explorer.
The Layout Explorer visualizes how [`Flex`][] widgets and their
children are laid out. The explorer identifies the main axis
and cross axis, as well as the current alignment for each
(for example, start, end, and spaceBetween).
It also shows details like flex factor, flex fit, and layout
constraints.
Additionally, the explorer shows layout constraint violations
and render overflow errors. Violated layout constraints
are colored red, and overflow errors are presented in the
standard "yellow-tape" pattern, as you might see on a running
device. These visualizations aim to improve understanding of
why overflow errors occur as well as how to fix them.
{:width="100%"}
Clicking a widget in the layout explorer mirrors
the selection on the on-device inspector. **Select Widget Mode**
needs to be enabled for this. To enable it,
click on the **Select Widget Mode** button in the inspector.

For some properties, like flex factor, flex fit, and alignment,
you can modify the value via dropdown lists in the explorer.
When modifying a widget property, you see the new value reflected
not only in the Layout Explorer, but also on the
device running your Flutter app. The explorer animates
on property changes so that the effect of the change is clear.
Widget property changes made from the layout explorer don't
modify your source code and are reverted on hot reload.
##### Interactive Properties
Layout Explorer supports modifying [`mainAxisAlignment`][],
[`crossAxisAlignment`][], and [`FlexParentData.flex`][].
In the future, we may add support for additional properties
such as [`mainAxisSize`][], [`textDirection`][], and
[`FlexParentData.fit`][].
###### mainAxisAlignment
{:width="100%"}
Supported values:
* `MainAxisAlignment.start`
* `MainAxisAlignment.end`
* `MainAxisAlignment.center`
* `MainAxisAlignment.spaceBetween`
* `MainAxisAlignment.spaceAround`
* `MainAxisAlignment.spaceEvenly`
###### crossAxisAlignment
{:width="100%"}
Supported values:
* `CrossAxisAlignment.start`
* `CrossAxisAlignment.center`
* `CrossAxisAlignment.end`
* `CrossAxisAlignment.stretch`
###### FlexParentData.flex
{:width="100%"}
Layout Explorer supports 7 flex options in the UI
(null, 0, 1, 2, 3, 4, 5), but technically the flex
factor of a flex widget's child can be any int.
###### Flexible.fit
{:width="100%"}
Layout Explorer supports the two different types of
[`FlexFit`][]: `loose` and `tight`.
#### Fixed size layouts
When you select a fixed size widget that is not a child
of a flex widget, fixed size layout information will appear
in the Layout Explorer. You can see size, constraint, and padding
information for both the selected widget and its nearest upstream
RenderObject.
{:width="100%"}
## Visual debugging
The Flutter Inspector provides several options for visually debugging your app.
{:width="100%"}
### Slow animations
When enabled, this option runs animations 5 times slower for easier visual
inspection.
This can be useful if you want to carefully observe and tweak an animation that
doesn't look quite right.
This can also be set in code:
<?code-excerpt "lib/slow_animations.dart"?>
```dart
import 'package:flutter/scheduler.dart';
void setSlowAnimations() {
timeDilation = 5.0;
}
```
This slows the animations by 5x.
#### See also
The following links provide more info.
* [Flutter documentation: timeDilation property]({{site.api}}/flutter/scheduler/timeDilation.html)
The following screen recordings show before and after slowing an animation.


### Show guidelines
This feature draws guidelines over your app that display render boxes, alignments,
paddings, scroll views, clippings and spacers.
This tool can be used for better understanding your layout. For instance,
by finding unwanted padding or understanding widget alignment.
You can also enable this in code:
<?code-excerpt "lib/layout_guidelines.dart"?>
```dart
import 'package:flutter/rendering.dart';
void showLayoutGuidelines() {
debugPaintSizeEnabled = true;
}
```
#### Render boxes
Widgets that draw to the screen create a [render box][], the
building blocks of Flutter layouts. They're shown with a bright blue border:

#### Alignments
Alignments are shown with yellow arrows. These arrows show the vertical
and horizontal offsets of a widget relative to its parent.
For example, this button's icon is shown as being centered by the four arrows:

#### Padding
Padding is shown with a semi-transparent blue background:

#### Scroll views
Widgets with scrolling contents (such as list views) are shown with green arrows:

#### Clipping
Clipping, for example when using the [ClipRect widget][], are shown
with a dashed pink line with a scissors icon:
[ClipRect widget]: {{site.api}}/flutter/widgets/ClipRect-class.html

#### Spacers
Spacer widgets are shown with a grey background,
such as this `SizedBox` without a child:

### Show baselines
This option makes all baselines visible.
Baselines are horizontal lines used to position text.
This can be useful for checking whether text is precisely aligned vertically.
For example, the text baselines in the following screenshot are slightly misaligned:

The [Baseline][] widget can be used to adjust baselines.
[Baseline]: {{site.api}}/flutter/widgets/Baseline-class.html
A line is drawn on any [render box][] that has a baseline set;
alphabetic baselines are shown as green and ideographic as yellow.
You can also enable this in code:
<?code-excerpt "lib/show_baselines.dart"?>
```dart
import 'package:flutter/rendering.dart';
void showBaselines() {
debugPaintBaselinesEnabled = true;
}
```
### Highlight repaints
This option draws a border around all [render boxes][]
that changes color every time that box repaints.
[render boxes]: {{site.api}}/flutter/rendering/RenderBox-class.html
This rotating rainbow of colors is useful for finding parts of your app
that are repainting too often and potentially harming performance.
For example, one small animation could be causing an entire page
to repaint on every frame.
Wrapping the animation in a [RepaintBoundary widget][] limits
the repainting to just the animation.
[RepaintBoundary widget]: {{site.api}}/flutter/widgets/RepaintBoundary-class.html
Here the progress indicator causes its container to repaint:
<?code-excerpt "lib/highlight_repaints.dart (EverythingRepaints)"?>
```dart
class EverythingRepaintsPage extends StatelessWidget {
const EverythingRepaintsPage({super.key});
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(title: const Text('Repaint Example')),
body: const Center(
child: CircularProgressIndicator(),
),
);
}
}
```

Wrapping the progress indicator in a `RepaintBoundary` causes
only that section of the screen to repaint:
<?code-excerpt "lib/highlight_repaints.dart (AreaRepaints)"?>
```dart
class AreaRepaintsPage extends StatelessWidget {
const AreaRepaintsPage({super.key});
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(title: const Text('Repaint Example')),
body: const Center(
child: RepaintBoundary(
child: CircularProgressIndicator(),
),
),
);
}
}
```

`RepaintBoundary` widgets have tradeoffs. They can help with performance,
but they also have an overhead of creating a new canvas,
which uses additional memory.
You can also enable this option in code:
<?code-excerpt "lib/highlight_repaints.dart (Toggle)"?>
```dart
import 'package:flutter/rendering.dart';
void highlightRepaints() {
debugRepaintRainbowEnabled = true;
}
```
### Highlight oversized images
This option highlights images that are too large by both inverting their colors
and flipping them vertically:

The highlighted images use more memory than is required;
for example, a large 5MB image displayed at 100 by 100 pixels.
Such images can cause poor performance, especially on lower-end devices
and when you have many images, as in a list view,
this performance hit can add up.
Information about each image is printed in the debug console:
```console
dash.png has a display size of 213×392 but a decode size of 2130×392, which uses an additional 2542KB.
```
Images are deemed too large if they use at least 128KB more than required.
#### Fixing images
Wherever possible, the best way to fix this problem is resizing
the image asset file so it's smaller.
If this isn't possible, you can use the `cacheHeight` and `cacheWidth`
parameters on the `Image` constructor:
<?code-excerpt "lib/oversized_images.dart (ResizedImage)"?>
```dart
class ResizedImage extends StatelessWidget {
const ResizedImage({super.key});
@override
Widget build(BuildContext context) {
return Image.asset(
'dash.png',
cacheHeight: 213,
cacheWidth: 392,
);
}
}
```
This makes the engine decode this image at the specified size,
and reduces memory usage (decoding and storage is still more expensive
than if the image asset itself was shrunk).
The image is rendered to the constraints of the layout or width and height
regardless of these parameters.
This property can also be set in code:
<?code-excerpt "lib/oversized_images.dart (Toggle)"?>
```dart
void showOversizedImages() {
debugInvertOversizedImages = true;
}
```
#### More information
You can learn more at the following link:
* [Flutter documentation: debugInvertOversizedImages]({{site.api}}/flutter/painting/debugInvertOversizedImages.html)
[render box]: {{site.api}}/flutter/rendering/RenderBox-class.html
## Details Tree
Select the **Widget Details Tree** tab to display the details tree for the
selected widget. From here, you can gather useful information about a
widget's properties, render object, and children.
{:width="100%"}
## Track widget creation
Part of the functionality of the Flutter inspector is based on
instrumenting the application code in order to better understand
the source locations where widgets are created. The source
instrumentation allows the Flutter inspector to present the
widget tree in a manner similar to how the UI was defined
in your source code. Without it, the tree of nodes in the
widget tree are much deeper, and it can be more difficult to
understand how the runtime widget hierarchy corresponds to
your application's UI.
You can disable this feature by passing `--no-track-widget-creation` to
the `flutter run` command.
Here are examples of what your widget tree might look like
with and without track widget creation enabled.
Track widget creation enabled (default):
{:width="100%"}
Track widget creation disabled (not recommended):
{:width="100%"}
This feature prevents otherwise-identical `const` Widgets from
being considered equal in debug builds. For more details, see
the discussion on [common problems when debugging][].
## Inspector settings
{:width="100%"}
### Enable hover inspection
Hovering over any widget displays its properties and values.
Toggling this value enables or disables the hover inspection functionality.
### Package directories
By default, DevTools limits the widgets displayed in the widget tree
to those from the project's root directory, and those from Flutter. This
filtering only applies to the widgets in the Inspector Widget Tree (left side
of the Inspector) -- not the Widget Details Tree (right side of the Inspector
in the same tab view as the Layout Explorer). In the Widget Details Tree, you
will be able to see all widgets in the tree from all packages.
In order to show other widgets, a parent directory of theirs must be added to the Package Directories.
For example, consider the following directory structure:
```
project_foo
pkgs
project_foo_app
widgets_A
widgets_B
```
Running your app from `project_foo_app` displays only widgets from
`project_foo/pkgs/project_foo_app` in the widget inspector tree.
To show widgets from `widgets_A` in the widget tree,
add `project_foo/pkgs/widgets_A` to the package directories.
To display _all_ widgets from your project root in the widget tree,
add `project_foo` to the package directories.
Changes to your package directories persist the next time the
widget inspector is opened for the app.
## Other resources
For a demonstration of what's generally possible with the inspector,
see the [DartConf 2018 talk][] demonstrating the IntelliJ version
of the Flutter inspector.
To learn how to visually debug layout issues
using DevTools, check out a guided
[Flutter Inspector tutorial][inspector-tutorial].
[`Column`]: {{site.api}}/flutter/widgets/Column-class.html
[common problems when debugging]: /testing/debugging
[`crossAxisAlignment`]: {{site.api}}/flutter/widgets/Flex/crossAxisAlignment.html
[DartConf 2018 talk]: {{site.yt.watch}}?v=JIcmJNT9DNI
[debug mode]: /testing/build-modes#debug
[`Flex`]: {{site.api}}/flutter/widgets/Flex-class.html
[flex layouts]: {{site.api}}/flutter/widgets/Flex-class.html
[`FlexFit`]: {{site.api}}/flutter/rendering/FlexFit.html
[`FlexParentData.fit`]: {{site.api}}/flutter/rendering/FlexParentData/fit.html
[`FlexParentData.flex`]: {{site.api}}/flutter/rendering/FlexParentData/flex.html
[`mainAxisAlignment`]: {{site.api}}/flutter/widgets/Flex/mainAxisAlignment.html
[`mainAxisSize`]: {{site.api}}/flutter/widgets/Flex/mainAxisSize.html
[`Row`]: {{site.api}}/flutter/widgets/Row-class.html
[`textDirection`]: {{site.api}}/flutter/widgets/Flex/textDirection.html
[Understanding constraints]: /ui/layout/constraints
[inspector-tutorial]: {{site.medium}}/@fluttergems/mastering-dart-flutter-devtools-flutter-inspector-part-2-of-8-bbff40692fc7
| website/src/tools/devtools/inspector.md/0 | {
"file_path": "website/src/tools/devtools/inspector.md",
"repo_id": "website",
"token_count": 6148
} | 1,679 |
# DevTools 2.16.0 release notes
The 2.16.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
This release includes several bug fixes and improvements, as well as
work towards some new features that are coming soon!
## 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.15.0...v2.16.0).
| website/src/tools/devtools/release-notes/release-notes-2.16.0-src.md/0 | {
"file_path": "website/src/tools/devtools/release-notes/release-notes-2.16.0-src.md",
"repo_id": "website",
"token_count": 161
} | 1,680 |
# DevTools 2.24.0 release notes
The 2.24.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
* Improve the overall performance of DevTools tables -
[#5664](https://github.com/flutter/devtools/pull/5664),
[#5696](https://github.com/flutter/devtools/pull/5696)
## CPU profiler updates
* Fix bug with CPU flame chart selection and tooltips -
[#5676](https://github.com/flutter/devtools/pull/5676)
## Debugger updates
* Improve support for inspecting
`UserTag` and `MirrorReferent` instances -
[#5490](https://github.com/flutter/devtools/pull/5490)
* Fix expression evaluation bug where
selecting an autocomplete result for a field would clear the current input -
[#5717](https://github.com/flutter/devtools/pull/5717)
* Make selection of a stack frame
scroll to the frame location in the source code -
[#5722](https://github.com/flutter/devtools/pull/5722)
* Improve performance of searching for a file and searching in a file -
[#5733](https://github.com/flutter/devtools/pull/5733)
* Disable syntax highlighting for files with more than 100,000 characters
due to performance constraints -
[#5743](https://github.com/flutter/devtools/pull/5743)
* Fix bug where source code wasn't visible if
syntax highlighting for a file was disabled -
[#5743](https://github.com/flutter/devtools/pull/5743)
* Prevent file names and source code from getting out of sync -
[#5827](https://github.com/flutter/devtools/pull/5827)
## 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.23.1...v2.24.0).
| website/src/tools/devtools/release-notes/release-notes-2.24.0-src.md/0 | {
"file_path": "website/src/tools/devtools/release-notes/release-notes-2.24.0-src.md",
"repo_id": "website",
"token_count": 553
} | 1,681 |
# DevTools 2.28.5 release notes
The 2.28.5 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.4.
To learn about the improvements included in DevTools 2.28.4, please read the
[release notes](/tools/devtools/release-notes/release-notes-2.28.4).
## Inspector updates
* Only cache pub root directories added by the user. - [#6897](https://github.com/flutter/devtools/pull/6897)
* Remove Flutter pub root if it was accidently cached. - [#6911](https://github.com/flutter/devtools/pull/6911)
## DevTools Extension updates
* Fixed a couple bugs preventing Dart server apps from connecting to DevTools extensions. - [#6982](https://github.com/flutter/devtools/pull/6982), [#6993](https://github.com/flutter/devtools/pull/6993)
## 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.5).
| website/src/tools/devtools/release-notes/release-notes-2.28.5-src.md/0 | {
"file_path": "website/src/tools/devtools/release-notes/release-notes-2.28.5-src.md",
"repo_id": "website",
"token_count": 335
} | 1,682 |
# DevTools 2.9.1 release notes
The 2.9.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).
## Debugger updates
* Improve support for inspecting large lists and maps in
the Debugger variables pane - [#3497](https://github.com/flutter/devtools/pull/3497)


* Added support for selecting objects in the program explorer outline view.
Selecting an object will automatically scroll the source code
in the debugger to the selected object -
[#3480](https://github.com/flutter/devtools/pull/3480)
## Performance updates
* Fix bugs with performance page search and improve performance -
[#3515](https://github.com/flutter/devtools/pull/3515)
* Added an enhanced tooltip for flutter frames -
[#3493](https://github.com/flutter/devtools/pull/3493)

## 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.8.0...v2.9.1).
| website/src/tools/devtools/release-notes/release-notes-2.9.1-src.md/0 | {
"file_path": "website/src/tools/devtools/release-notes/release-notes-2.9.1-src.md",
"repo_id": "website",
"token_count": 426
} | 1,683 |
---
title: Internationalizing Flutter apps
short-title: i18n
description: How to internationalize your Flutter app.
---
<?code-excerpt path-base="internationalization"?>
{% comment %}
Consider updating the number of languages when touching this page.
{% endcomment %}
{% assign languageCount = '115' -%}
{{site.alert.secondary}}
<h4>What you'll learn</h4>
* How to track the device's locale (the user's preferred language).
* How to enable locale-specific Material or Cupertino widgets.
* How to manage locale-specific app values.
* How to define the locales an app supports.
{{site.alert.end}}
If your app might be deployed to users who speak another
language then you'll need to internationalize it.
That means you need to write the app in a way that makes
it possible to localize values like text and layouts
for each language or locale that the app supports.
Flutter provides widgets and classes that help with
internationalization and the Flutter libraries
themselves are internationalized.
This page covers concepts and workflows necessary to
localize a Flutter application using the
`MaterialApp` and `CupertinoApp` classes,
as most apps are written that way.
However, applications written using the lower level
`WidgetsApp` class can also be internationalized
using the same classes and logic.
## Introduction to localizations in Flutter
This section provides a tutorial on how to create and
internationalize a new Flutter application,
along with any additional setup
that a target platform might require.
You can find the source code for this example in
[`gen_l10n_example`][].
[`gen_l10n_example`]: {{site.repo.this}}/tree/{{site.branch}}/examples/internationalization/gen_l10n_example
### Setting up an internation­alized app: the Flutter<wbr>_localizations package {#setting-up}
By default, Flutter only provides US English localizations.
To add support for other languages,
an application must specify additional
`MaterialApp` (or `CupertinoApp`) properties,
and include a package called `flutter_localizations`.
As of December 2023, this package supports [{{languageCount}} languages][language-count]
and language variants.
To begin, start by creating a new Flutter application
in a directory of your choice with the `flutter create` command.
```terminal
$ flutter create <name_of_flutter_app>
```
To use `flutter_localizations`,
add the package as a dependency to your `pubspec.yaml` file,
as well as the `intl` package:
```terminal
$ flutter pub add flutter_localizations --sdk=flutter
$ flutter pub add intl:any
```
This creates a `pubspec.yml` file with the following entries:
<?code-excerpt "gen_l10n_example/pubspec.yaml (FlutterLocalizations)"?>
```yaml
dependencies:
flutter:
sdk: flutter
flutter_localizations:
sdk: flutter
intl: any
```
Then import the `flutter_localizations` library and specify
`localizationsDelegates` and `supportedLocales` for
your `MaterialApp` or `CupertinoApp`:
<?code-excerpt "gen_l10n_example/lib/main.dart (LocalizationDelegatesImport)"?>
```dart
import 'package:flutter_localizations/flutter_localizations.dart';
```
<?code-excerpt "gen_l10n_example/lib/main.dart (MaterialApp)" remove="AppLocalizations.delegate"?>
```dart
return const MaterialApp(
title: 'Localizations Sample App',
localizationsDelegates: [
GlobalMaterialLocalizations.delegate,
GlobalWidgetsLocalizations.delegate,
GlobalCupertinoLocalizations.delegate,
],
supportedLocales: [
Locale('en'), // English
Locale('es'), // Spanish
],
home: MyHomePage(),
);
```
After introducing the `flutter_localizations` package
and adding the previous code,
the `Material` and `Cupertino`
packages should now be correctly localized in
one of the {{languageCount}} supported locales.
Widgets should be adapted to the localized messages,
along with correct left-to-right or right-to-left layout.
Try switching the target platform's locale to
Spanish (`es`) and the messages should be localized.
Apps based on `WidgetsApp` are similar except that the
`GlobalMaterialLocalizations.delegate` isn't needed.
The full `Locale.fromSubtags` constructor is preferred
as it supports [`scriptCode`][], though the `Locale` default
constructor is still fully valid.
[`scriptCode`]: {{site.api}}/flutter/package-intl_locale/Locale/scriptCode.html
The elements of the `localizationsDelegates` list are
factories that produce collections of localized values.
`GlobalMaterialLocalizations.delegate` provides localized
strings and other values for the Material Components
library. `GlobalWidgetsLocalizations.delegate`
defines the default text direction,
either left-to-right or right-to-left, for the widgets library.
More information about these app properties, the types they
depend on, and how internationalized Flutter apps are typically
structured, is covered in this page.
[language-count]: {{site.api}}/flutter/flutter_localizations/GlobalMaterialLocalizations-class.html
<a id="overriding-locale"></a>
### Overriding the locale
`Localizations.override` is a factory constructor
for the `Localizations` widget that allows for
(the typically rare) situation where a section of your application
needs to be localized to a different locale than the locale
configured for your device.
To observe this behavior, add a call to `Localizations.override`
and a simple `CalendarDatePicker`:
<?code-excerpt "gen_l10n_example/lib/examples.dart (CalendarDatePicker)"?>
```dart
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: Text(widget.title),
),
body: Center(
child: Column(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[
// Add the following code
Localizations.override(
context: context,
locale: const Locale('es'),
// Using a Builder to get the correct BuildContext.
// Alternatively, you can create a new widget and Localizations.override
// will pass the updated BuildContext to the new widget.
child: Builder(
builder: (context) {
// A toy example for an internationalized Material widget.
return CalendarDatePicker(
initialDate: DateTime.now(),
firstDate: DateTime(1900),
lastDate: DateTime(2100),
onDateChanged: (value) {},
);
},
),
),
],
),
),
);
}
```
Hot reload the app and the `CalendarDatePicker`
widget should re-render in Spanish.
<a id="adding-localized-messages"></a>
### Adding your own localized messages
After adding the `flutter_localizations` package,
you can configure localization.
To add localized text to your application,
complete the following instructions:
1. Add the `intl` package as a dependency, pulling
in the version pinned by `flutter_localizations`:
```terminal
$ flutter pub add intl:any
```
2. Open the `pubspec.yaml` file and enable the `generate` flag.
This flag is found in the `flutter` section in the pubspec file.
<?code-excerpt "gen_l10n_example/pubspec.yaml (Generate)"?>
```yaml
# The following section is specific to Flutter.
flutter:
generate: true # Add this line
```
3. Add a new yaml file to the root directory of the Flutter project.
Name this file `l10n.yaml` and include following content:
<?code-excerpt "gen_l10n_example/l10n.yaml"?>
```yaml
arb-dir: lib/l10n
template-arb-file: app_en.arb
output-localization-file: app_localizations.dart
```
This file configures the localization tool.
In this example, you've done the following:
* Put the [App Resource Bundle][] (`.arb`) input files in
`${FLUTTER_PROJECT}/lib/l10n`.
The `.arb` provide localization resources for your app.
* Set the English template as `app_en.arb`.
* Told Flutter to generate localizations in the
`app_localizations.dart` file.
4. In `${FLUTTER_PROJECT}/lib/l10n`,
add the `app_en.arb` template file. For example:
<?code-excerpt "gen_l10n_example/lib/l10n/app_en.arb" take="5" replace="/},/}\n}/g"?>
```json
{
"helloWorld": "Hello World!",
"@helloWorld": {
"description": "The conventional newborn programmer greeting"
}
}
```
5. Add another bundle file called `app_es.arb` in the same directory.
In this file, add the Spanish translation of the same message.
<?code-excerpt "gen_l10n_example/lib/l10n/app_es.arb"?>
```json
{
"helloWorld": "¡Hola Mundo!"
}
```
6. Now, run `flutter pub get` or `flutter run` and codegen takes place automatically.
You should find generated files in
`${FLUTTER_PROJECT}/.dart_tool/flutter_gen/gen_l10n`.
Alternatively, you can also run `flutter gen-l10n` to
generate the same files without running the app.
7. Add the import statement on `app_localizations.dart` and
`AppLocalizations.delegate`
in your call to the constructor for `MaterialApp`:
<?code-excerpt "gen_l10n_example/lib/main.dart (AppLocalizationsImport)"?>
```dart
import 'package:flutter_gen/gen_l10n/app_localizations.dart';
```
<?code-excerpt "gen_l10n_example/lib/main.dart (MaterialApp)"?>
```dart
return const MaterialApp(
title: 'Localizations Sample App',
localizationsDelegates: [
AppLocalizations.delegate, // Add this line
GlobalMaterialLocalizations.delegate,
GlobalWidgetsLocalizations.delegate,
GlobalCupertinoLocalizations.delegate,
],
supportedLocales: [
Locale('en'), // English
Locale('es'), // Spanish
],
home: MyHomePage(),
);
```
The `AppLocalizations` class also provides auto-generated
`localizationsDelegates` and `supportedLocales` lists.
You can use these instead of providing them manually.
<?code-excerpt "gen_l10n_example/lib/examples.dart (MaterialAppExample)"?>
```dart
const MaterialApp(
title: 'Localizations Sample App',
localizationsDelegates: AppLocalizations.localizationsDelegates,
supportedLocales: AppLocalizations.supportedLocales,
);
```
8. Once the Material app has started,
you can use `AppLocalizations` anywhere in your app:
<?code-excerpt "gen_l10n_example/lib/main.dart (InternationalizedTitle)"?>
```dart
appBar: AppBar(
// The [AppBar] title text should update its message
// according to the system locale of the target platform.
// Switching between English and Spanish locales should
// cause this text to update.
title: Text(AppLocalizations.of(context)!.helloWorld),
),
```
{{site.alert.note}}
The Material app has to actually be started to initialize
`AppLocalizations`. If the app hasn't yet started,
`AppLocalizations.of(context)!.helloWorld` causes a
null exception.
{{site.alert.end}}
This code generates a `Text` widget that displays "Hello World!"
if the target device's locale is set to English,
and "¡Hola Mundo!" if the target device's locale is set
to Spanish. In the `arb` files,
the key of each entry is used as the method name of the getter,
while the value of that entry contains the localized message.
The [`gen_l10n_example`][] uses this tool.
To localize your device app description,
pass the localized string to
[`MaterialApp.onGenerateTitle`][]:
<?code-excerpt "intl_example/lib/main.dart (MaterialAppTitleExample)"?>
```dart
return MaterialApp(
onGenerateTitle: (context) => DemoLocalizations.of(context).title,
```
[App Resource Bundle]: {{site.github}}/google/app-resource-bundle
[`gen_l10n_example`]: {{site.repo.this}}/tree/{{site.branch}}/examples/internationalization/gen_l10n_example
[`MaterialApp.onGenerateTitle`]: {{site.api}}/flutter/material/MaterialApp/onGenerateTitle.html
### Placeholders, plurals, and selects
{{site.alert.tip}}
When using VS Code, add the [arb-editor extension][].
This extension adds syntax highlighting, snippets,
diagnostics, and quick fixes to help edit `.arb` template files.
{{site.alert.end}}
[arb-editor extension]: https://marketplace.visualstudio.com/items?itemName=Google.arb-editor
You can also include application values in a message with
special syntax that uses a _placeholder_ to generate a method
instead of a getter.
A placeholder, which must be a valid Dart identifier name,
becomes a positional parameter in the generated method in the
`AppLocalizations` code. Define a placeholder name by wrapping
it in curly braces as follows:
```json
"{placeholderName}"
```
Define each placeholder in the `placeholders` object
in the app's `.arb` file. For example,
to define a hello message with a `userName` parameter,
add the following to `lib/l10n/app_en.arb`:
<?code-excerpt "gen_l10n_example/lib/l10n/app_en.arb" skip="5" take="10" replace="/},$/}/g"?>
```json
"hello": "Hello {userName}",
"@hello": {
"description": "A message with a single parameter",
"placeholders": {
"userName": {
"type": "String",
"example": "Bob"
}
}
}
```
This code snippet adds a `hello` method call to
the `AppLocalizations.of(context)` object,
and the method accepts a parameter of type `String`;
the `hello` method returns a string.
Regenerate the `AppLocalizations` file.
Replace the code passed into `Builder` with the following:
<?code-excerpt "gen_l10n_example/lib/main.dart (Placeholder)" remove="/wombat|Wombats|he'|they|pronoun/"?>
```dart
// Examples of internationalized strings.
return Column(
children: <Widget>[
// Returns 'Hello John'
Text(AppLocalizations.of(context)!.hello('John')),
],
);
```
You can also use numerical placeholders to specify multiple values.
Different languages have different ways to pluralize words.
The syntax also supports specifying _how_ a word should be pluralized.
A _pluralized_ message must include a `num` parameter indicating
how to pluralize the word in different situations.
English, for example, pluralizes "person" to "people",
but that doesn't go far enough.
The `message0` plural might be "no people" or "zero people".
The `messageFew` plural might be
"several people", "some people", or "a few people".
The `messageMany` plural might
be "most people" or "many people", or "a crowd".
Only the more general `messageOther` field is required.
The following example shows what options are available:
```json
"{countPlaceholder, plural, =0{message0} =1{message1} =2{message2} few{messageFew} many{messageMany} other{messageOther}}"
```
The previous expression is replaced by the message variation
(`message0`, `message1`, ...) corresponding to the value
of the `countPlaceholder`.
Only the `messageOther` field is required.
The following example defines a message that pluralizes
the word, "wombat":
{% raw %}
<?code-excerpt "gen_l10n_example/lib/l10n/app_en.arb" skip="15" take="10" replace="/},$/}/g"?>
```json
"nWombats": "{count, plural, =0{no wombats} =1{1 wombat} other{{count} wombats}}",
"@nWombats": {
"description": "A plural message",
"placeholders": {
"count": {
"type": "num",
"format": "compact"
}
}
}
```
{% endraw %}
Use a plural method by passing in the `count` parameter:
<?code-excerpt "gen_l10n_example/lib/main.dart (Placeholder)" remove="/John|he|she|they|pronoun/" replace="/\[/[\n .../g"?>
```dart
// Examples of internationalized strings.
return Column(
children: <Widget>[
...
// Returns 'no wombats'
Text(AppLocalizations.of(context)!.nWombats(0)),
// Returns '1 wombat'
Text(AppLocalizations.of(context)!.nWombats(1)),
// Returns '5 wombats'
Text(AppLocalizations.of(context)!.nWombats(5)),
],
);
```
Similar to plurals,
you can also choose a value based on a `String` placeholder.
This is most often used to support gendered languages.
The syntax is as follows:
```json
"{selectPlaceholder, select, case{message} ... other{messageOther}}"
```
The next example defines a message that
selects a pronoun based on gender:
{% raw %}
<?code-excerpt "gen_l10n_example/lib/l10n/app_en.arb" skip="25" take="9" replace="/},$/}/g"?>
```json
"pronoun": "{gender, select, male{he} female{she} other{they}}",
"@pronoun": {
"description": "A gendered message",
"placeholders": {
"gender": {
"type": "String"
}
}
}
```
{% endraw %}
Use this feature by
passing the gender string as a parameter:
<?code-excerpt "gen_l10n_example/lib/main.dart (Placeholder)" remove="/'He|hello|ombat/" replace="/\[/[\n .../g"?>
```dart
// Examples of internationalized strings.
return Column(
children: <Widget>[
...
// Returns 'he'
Text(AppLocalizations.of(context)!.pronoun('male')),
// Returns 'she'
Text(AppLocalizations.of(context)!.pronoun('female')),
// Returns 'they'
Text(AppLocalizations.of(context)!.pronoun('other')),
],
);
```
Keep in mind that when using `select` statements,
comparison between the parameter and the actual
value is case-sensitive.
That is, `AppLocalizations.of(context)!.pronoun("Male")`
defaults to the "other" case, and returns "they".
### Escaping syntax
Sometimes, you have to use tokens,
such as `{` and `}`, as normal characters.
To ignore such tokens from being parsed,
enable the `use-escaping` flag by adding the
following to `l10n.yaml`:
```yaml
use-escaping: true
```
The parser ignores any string of characters
wrapped with a pair of single quotes.
To use a normal single quote character,
use a pair of consecutive single quotes.
For example, the follow text is converted
to a Dart `String`:
```json
{
"helloWorld": "Hello! '{Isn''t}' this a wonderful day?"
}
```
The resulting string is as follows:
```dart
"Hello! {Isn't} this a wonderful day?"
```
### Messages with numbers and currencies
Numbers, including those that represent currency values,
are displayed very differently in different locales.
The localizations generation tool in
`flutter_localizations` uses the
[`NumberFormat`]({{site.api}}/flutter/intl/NumberFormat-class.html)
class in the `intl` package to format
numbers based on the locale and the desired format.
The `int`, `double`, and `number` types can use any of the
following `NumberFormat` constructors:
<div class="table-wrapper" markdown="1">
| Message "format" value | Output for 1200000 |
|--------------------------|--------------------|
| `compact` | "1.2M" |
| `compactCurrency`* | "$1.2M" |
| `compactSimpleCurrency`* | "$1.2M" |
| `compactLong` | "1.2 million" |
| `currency`* | "USD1,200,000.00" |
| `decimalPattern` | "1,200,000" |
| `decimalPatternDigits`* | "1,200,000" |
| `decimalPercentPattern`* | "120,000,000%" |
| `percentPattern` | "120,000,000%" |
| `scientificPattern` | "1E6" |
| `simpleCurrency`* | "$1,200,000" |
{:.table.table-striped}
</div>
The starred `NumberFormat` constructors in the table
offer optional, named parameters.
Those parameters can be specified as the value
of the placeholder's `optionalParameters` object.
For example, to specify the optional `decimalDigits`
parameter for `compactCurrency`,
make the following changes to the `lib/l10n/app_en.arg` file:
{% raw %}
<?code-excerpt "gen_l10n_example/lib/l10n/app_en.arb" skip="34" take="13" replace="/},$/}/g"?>
```json
"numberOfDataPoints": "Number of data points: {value}",
"@numberOfDataPoints": {
"description": "A message with a formatted int parameter",
"placeholders": {
"value": {
"type": "int",
"format": "compactCurrency",
"optionalParameters": {
"decimalDigits": 2
}
}
}
}
```
{% endraw %}
### Messages with dates
Dates strings are formatted in many different ways
depending both the locale and the app's needs.
Placeholder values with type `DateTime` are formatted with
[`DateFormat`][] in the `intl` package.
There are 41 format variations,
identified by the names of their `DateFormat` factory constructors.
In the following example, the `DateTime` value
that appears in the `helloWorldOn` message is
formatted with `DateFormat.yMd`:
```json
"helloWorldOn": "Hello World on {date}",
"@helloWorldOn": {
"description": "A message with a date parameter",
"placeholders": {
"date": {
"type": "DateTime",
"format": "yMd"
}
}
}
```
In an app where the locale is US English,
the following expression would produce "7/9/1959".
In a Russian locale, it would produce "9.07.1959".
```dart
AppLocalizations.of(context).helloWorldOn(DateTime.utc(1959, 7, 9))
```
[`DateFormat`]: {{site.api}}/flutter/intl/DateFormat-class.html
<a id="ios-specifics"></a>
### Localizing for iOS: Updating the iOS app bundle
Typically, iOS applications define key application metadata,
including supported locales, in an `Info.plist` file
that is built into the application bundle.
To configure the locales supported by your app,
use the following instructions:
1. Open your project's `ios/Runner.xcworkspace` Xcode file.
2. In the **Project Navigator**, open the `Info.plist` file
under the `Runner` project's `Runner` folder.
3. Select the **Information Property List** item.
Then select **Add Item** from the **Editor** menu,
and select **Localizations** from the pop-up menu.
4. Select and expand the newly-created `Localizations` item.
For each locale your application supports,
add a new item and select the locale you wish to add
from the pop-up menu in the **Value** field.
This list should be consistent with the languages listed
in the [`supportedLocales`][] parameter.
5. Once all supported locales have been added, save the file.
<a id="advanced-customization">
## Advanced topics for further customization
This section covers additional ways to customize a
localized Flutter application.
<a id="advanced-locale"></a>
### Advanced locale definition
Some languages with multiple variants require more than just a
language code to properly differentiate.
For example, fully differentiating all variants of
Chinese requires specifying the language code, script code,
and country code. This is due to the existence
of simplified and traditional script, as well as regional
differences in the way characters are written within the same script type.
In order to fully express every variant of Chinese for the
country codes `CN`, `TW`, and `HK`, the list of supported
locales should include:
<?code-excerpt "gen_l10n_example/lib/examples.dart (SupportedLocales)"?>
```dart
supportedLocales: [
Locale.fromSubtags(languageCode: 'zh'), // generic Chinese 'zh'
Locale.fromSubtags(
languageCode: 'zh',
scriptCode: 'Hans'), // generic simplified Chinese 'zh_Hans'
Locale.fromSubtags(
languageCode: 'zh',
scriptCode: 'Hant'), // generic traditional Chinese 'zh_Hant'
Locale.fromSubtags(
languageCode: 'zh',
scriptCode: 'Hans',
countryCode: 'CN'), // 'zh_Hans_CN'
Locale.fromSubtags(
languageCode: 'zh',
scriptCode: 'Hant',
countryCode: 'TW'), // 'zh_Hant_TW'
Locale.fromSubtags(
languageCode: 'zh',
scriptCode: 'Hant',
countryCode: 'HK'), // 'zh_Hant_HK'
],
```
This explicit full definition ensures that your app can
distinguish between and provide the fully nuanced localized
content to all combinations of these country codes.
If a user's preferred locale isn't specified,
Flutter selects the closest match,
which likely contains differences to what the user expects.
Flutter only resolves to locales defined in `supportedLocales`
and provides scriptCode-differentiated localized
content for commonly used languages.
See [`Localizations`][] for information on how the supported
locales and the preferred locales are resolved.
Although Chinese is a primary example,
other languages like French (`fr_FR`, `fr_CA`)
should also be fully differentiated for more nuanced localization.
[`Localizations`]: {{site.api}}/flutter/widgets/WidgetsApp/supportedLocales.html
<a id="tracking-locale"></a>
### Tracking the locale: The Locale class and the Localizations widget
The [`Locale`][] class identifies the user's language.
Mobile devices support setting the locale for all applications,
usually using a system settings menu.
Internationalized apps respond by displaying values that are
locale-specific. For example, if the user switches the device's locale
from English to French, then a `Text` widget that originally
displayed "Hello World" would be rebuilt with "Bonjour le monde".
The [`Localizations`][widgets-global] widget defines the locale
for its child and the localized resources that the child depends on.
The [`WidgetsApp`][] widget creates a `Localizations` widget
and rebuilds it if the system's locale changes.
You can always look up an app's current locale with
`Localizations.localeOf()`:
<?code-excerpt "gen_l10n_example/lib/examples.dart (MyLocale)"?>
```dart
Locale myLocale = Localizations.localeOf(context);
```
[`Locale`]: {{site.api}}/flutter/dart-ui/Locale-class.html
[`WidgetsApp`]: {{site.api}}/flutter/widgets/WidgetsApp-class.html
[widgets-global]: {{site.api}}/flutter/flutter_localizations/GlobalWidgetsLocalizations-class.html
<a id="specifying-supportedlocales"></a>
### Specifying the app's supported­Locales parameter
Although the `flutter_localizations` library currently supports
{{languageCount}} languages and language variants, only English language translations
are available by default. It's up to the developer to decide exactly
which languages to support.
The `MaterialApp` [`supportedLocales`][]
parameter limits locale changes. When the user changes the locale
setting on their device, the app's `Localizations` widget only
follows suit if the new locale is a member of this list.
If an exact match for the device locale isn't found,
then the first supported locale with a matching [`languageCode`][]
is used. If that fails, then the first element of the
`supportedLocales` list is used.
An app that wants to use a different "locale resolution"
method can provide a [`localeResolutionCallback`][].
For example, to have your app unconditionally accept
whatever locale the user selects:
<?code-excerpt "gen_l10n_example/lib/examples.dart (LocaleResolution)"?>
```dart
MaterialApp(
localeResolutionCallback: (
locale,
supportedLocales,
) {
return locale;
},
);
```
[`languageCode`]: {{site.api}}/flutter/dart-ui/Locale/languageCode.html
[`localeResolutionCallback`]: {{site.api}}/flutter/widgets/LocaleResolutionCallback.html
[`supportedLocales`]: {{site.api}}/flutter/material/MaterialApp/supportedLocales.html
### Configuring the l10n.yaml file
The `l10n.yaml` file allows you to configure the `gen-l10n` tool
to specify the following:
* where all the input files are located
* where all the output files should be created
* what Dart class name to give your localizations delegate
For a full list of options, either run `flutter gen-l10n --help`
at the command line or refer to the following table:
<div class="table-wrapper" markdown="1">
| Option | Description |
| ------------------------------------| ------------------ |
| `arb-dir` | The directory where the template and translated arb files are located. The default is `lib/l10n`. |
| `output-dir` | The directory where the generated localization classes are written. This option is only relevant if you want to generate the localizations code somewhere else in the Flutter project. You also need to set the `synthetic-package` flag to false.<br /><br />The app must import the file specified in the `output-localization-file` option from this directory. If unspecified, this defaults to the same directory as the input directory specified in `arb-dir`. |
| `template-arb-file` | The template arb file that is used as the basis for generating the Dart localization and messages files. The default is `app_en.arb`. |
| `output-localization-file` | The filename for the output localization and localizations delegate classes. The default is `app_localizations.dart`. |
| `untranslated-messages-file` | The location of a file that describes the localization messages haven't been translated yet. Using this option creates a JSON file at the target location, in the following format: <br /> <br />`"locale": ["message_1", "message_2" ... "message_n"]`<br /><br /> If this option is not specified, a summary of the messages that haven't been translated are printed on the command line. |
| `output-class` | The Dart class name to use for the output localization and localizations delegate classes. The default is `AppLocalizations`. |
| `preferred-supported-locales` | The list of preferred supported locales for the application. By default, the tool generates the supported locales list in alphabetical order. Use this flag to default to a different locale.<br /><br />For example, pass in `[ en_US ]` to default to American English if a device supports it. |
| `header` | The header to prepend to the generated Dart localizations files. This option takes in a string.<br /><br />For example, pass in `"/// All localized files."` to prepend this string to the generated Dart file.<br /><br />Alternatively, check out the `header-file` option to pass in a text file for longer headers. |
| `header-file` | The header to prepend to the generated Dart localizations files. The value of this option is the name of the file that contains the header text that is inserted at the top of each generated Dart file. <br /><br /> Alternatively, check out the `header` option to pass in a string for a simpler header.<br /><br />This file should be placed in the directory specified in `arb-dir`. |
| `[no-]use-deferred-loading` | Specifies whether to generate the Dart localization file with locales imported as deferred, allowing for lazy loading of each locale in Flutter web.<br /><br />This can reduce a web app's initial startup time by decreasing the size of the JavaScript bundle. When this flag is set to true, the messages for a particular locale are only downloaded and loaded by the Flutter app as they are needed. For projects with a lot of different locales and many localization strings, it can improve performance to defer loading. For projects with a small number of locales, the difference is negligible, and might slow down the start up compared to bundling the localizations with the rest of the application.<br /><br />Note that this flag doesn't affect other platforms such as mobile or desktop. |
| `gen-inputs-and-outputs-list` | When specified, the tool generates a JSON file containing the tool's inputs and outputs, named `gen_l10n_inputs_and_outputs.json`.<br /><br />This can be useful for keeping track of which files of the Flutter project were used when generating the latest set of localizations. For example, the Flutter tool's build system uses this file to keep track of when to call gen_l10n during hot reload.<br /><br />The value of this option is the directory where the JSON file is generated. When null, the JSON file won't be generated. |
| `synthetic-package` | Determines whether the generated output files are generated as a synthetic package or at a specified directory in the Flutter project. This flag is `true` by default. When `synthetic-package` is set to `false`, it generates the localizations files in the directory specified by `arb-dir` by default. If `output-dir` is specified, files are generated there. |
| `project-dir` | When specified, the tool uses the path passed into this option as the directory of the root Flutter project.<br /><br />When null, the relative path to the present working directory is used. |
| `[no-]required-resource-attributes` | Requires all resource ids to contain a corresponding resource attribute.<br /><br />By default, simple messages won't require metadata, but it's highly recommended as this provides context for the meaning of a message to readers.<br /><br />Resource attributes are still required for plural messages. |
| `[no-]nullable-getter` | Specifies whether the localizations class getter is nullable.<br /><br />By default, this value is true so that `Localizations.of(context)` returns a nullable value for backwards compatibility. If this value is false, then a null check is performed on the returned value of `Localizations.of(context)`, removing the need for null checking in user code. |
| `[no-]format` | When specified, the `dart format` command is run after generating the localization files. |
| `use-escaping` | Specifies whether to enable the use of single quotes as escaping syntax. |
| `[no-]suppress-warnings` | When specified, all warnings are suppressed. |
{:.table.table-striped}
</div>
## How internationalization in Flutter works
This section covers the technical details of how localizations work
in Flutter. If you're planning on supporting your own set of localized
messages, the following content would be helpful.
Otherwise, you can skip this section.
<a id="loading-and-retrieving"></a>
### Loading and retrieving localized values
The `Localizations` widget is used to load and
look up objects that contain collections of localized values.
Apps refer to these objects with [`Localizations.of(context,type)`][].
If the device's locale changes,
the `Localizations` widget automatically loads values for
the new locale and then rebuilds widgets that used it.
This happens because `Localizations` works like an
[`InheritedWidget`][].
When a build function refers to an inherited widget,
an implicit dependency on the inherited widget is created.
When an inherited widget changes
(when the `Localizations` widget's locale changes),
its dependent contexts are rebuilt.
Localized values are loaded by the `Localizations` widget's
list of [`LocalizationsDelegate`][]s.
Each delegate must define an asynchronous [`load()`][]
method that produces an object that encapsulates a
collection of localized values.
Typically these objects define one method per localized value.
In a large app, different modules or packages might be bundled with
their own localizations. That's why the `Localizations` widget
manages a table of objects, one per `LocalizationsDelegate`.
To retrieve the object produced by one of the `LocalizationsDelegate`'s
`load` methods, specify a `BuildContext` and the object's type.
For example,
the localized strings for the Material Components widgets
are defined by the [`MaterialLocalizations`][] class.
Instances of this class are created by a `LocalizationDelegate`
provided by the [`MaterialApp`][] class.
They can be retrieved with `Localizations.of()`:
```dart
Localizations.of<MaterialLocalizations>(context, MaterialLocalizations);
```
This particular `Localizations.of()` expression is used frequently,
so the `MaterialLocalizations` class provides a convenient shorthand:
```dart
static MaterialLocalizations of(BuildContext context) {
return Localizations.of<MaterialLocalizations>(context, MaterialLocalizations);
}
/// References to the localized values defined by MaterialLocalizations
/// are typically written like this:
tooltip: MaterialLocalizations.of(context).backButtonTooltip,
```
[`InheritedWidget`]: {{site.api}}/flutter/widgets/InheritedWidget-class.html
[`load()`]: {{site.api}}/flutter/widgets/LocalizationsDelegate/load.html
[`LocalizationsDelegate`]: {{site.api}}/flutter/widgets/LocalizationsDelegate-class.html
[`Localizations.of(context,type)`]: {{site.api}}/flutter/widgets/Localizations/of.html
[`MaterialApp`]: {{site.api}}/flutter/material/MaterialApp-class.html
[`MaterialLocalizations`]: {{site.api}}/flutter/material/MaterialLocalizations-class.html
<a id="defining-class"></a>
### Defining a class for the app's localized resources
Putting together an internationalized Flutter app usually
starts with the class that encapsulates the app's localized values.
The example that follows is typical of such classes.
Complete source code for the [`intl_example`][] for this app.
This example is based on the APIs and tools provided by the
[`intl`][] package. The [An alternative class for the app's
localized resources](#alternative-class) section
describes [an example][] that doesn't depend on the `intl` package.
The `DemoLocalizations` class
(defined in the following code snippet)
contains the app's strings (just one for the example)
translated into the locales that the app supports.
It uses the `initializeMessages()` function
generated by Dart's [`intl`][] package,
[`Intl.message()`][], to look them up.
<?code-excerpt "intl_example/lib/main.dart (DemoLocalizations)"?>
```dart
class DemoLocalizations {
DemoLocalizations(this.localeName);
static Future<DemoLocalizations> load(Locale locale) {
final String name =
locale.countryCode == null || locale.countryCode!.isEmpty
? locale.languageCode
: locale.toString();
final String localeName = Intl.canonicalizedLocale(name);
return initializeMessages(localeName).then((_) {
return DemoLocalizations(localeName);
});
}
static DemoLocalizations of(BuildContext context) {
return Localizations.of<DemoLocalizations>(context, DemoLocalizations)!;
}
final String localeName;
String get title {
return Intl.message(
'Hello World',
name: 'title',
desc: 'Title for the Demo application',
locale: localeName,
);
}
}
```
A class based on the `intl` package imports a generated
message catalog that provides the `initializeMessages()`
function and the per-locale backing store for `Intl.message()`.
The message catalog is produced by an [`intl` tool](#dart-tools)
that analyzes the source code for classes that contain
`Intl.message()` calls.
In this case that would just be the `DemoLocalizations` class.
[an example]: {{site.repo.this}}/tree/{{site.branch}}/examples/internationalization/minimal
[`intl`]: {{site.pub-pkg}}/intl
[`Intl.message()`]: {{site.pub-api}}/intl/latest/intl/Intl/message.html
<a id="adding-language"></a>
### Adding support for a new language
An app that needs to support a language that's not included in
[`GlobalMaterialLocalizations`][] has to do some extra work:
it must provide about 70 translations ("localizations")
for words or phrases and the date patterns and symbols for the
locale.
See the following for an example of how to add
support for the Norwegian Nynorsk language.
A new `GlobalMaterialLocalizations` subclass defines the
localizations that the Material library depends on.
A new `LocalizationsDelegate` subclass, which serves
as factory for the `GlobalMaterialLocalizations` subclass,
must also be defined.
Here's the source code for the complete [`add_language`][] example,
minus the actual Nynorsk translations.
The locale-specific `GlobalMaterialLocalizations` subclass
is called `NnMaterialLocalizations`,
and the `LocalizationsDelegate` subclass is
`_NnMaterialLocalizationsDelegate`.
The value of `NnMaterialLocalizations.delegate`
is an instance of the delegate, and is all
that's needed by an app that uses these localizations.
The delegate class includes basic date and number format
localizations. All of the other localizations are defined by `String`
valued property getters in `NnMaterialLocalizations`, like this:
<?code-excerpt "add_language/lib/nn_intl.dart (Getters)"?>
```dart
@override
String get moreButtonTooltip => r'More';
@override
String get aboutListTileTitleRaw => r'About $applicationName';
@override
String get alertDialogLabel => r'Alert';
```
These are the English translations, of course.
To complete the job you need to change the return
value of each getter to an appropriate Nynorsk string.
The getters return "raw" Dart strings that have an `r` prefix,
such as `r'About $applicationName'`,
because sometimes the strings contain variables with a `$` prefix.
The variables are expanded by parameterized localization methods:
<?code-excerpt "add_language/lib/nn_intl.dart (Raw)"?>
```dart
@override
String get pageRowsInfoTitleRaw => r'$firstRow–$lastRow of $rowCount';
@override
String get pageRowsInfoTitleApproximateRaw =>
r'$firstRow–$lastRow of about $rowCount';
```
The date patterns and symbols of the locale also need to
be specified, which are defined in the source code as follows:
{% comment %}
RegEx adds last two lines with commented out code and closing bracket.
{% endcomment %}
<?code-excerpt "add_language/lib/nn_intl.dart (Date)" replace="/ 'LLL': 'LLL',/ 'LLL': 'LLL',\n \/\/ ...\n}/g"?>
```dart
const nnLocaleDatePatterns = {
'd': 'd.',
'E': 'ccc',
'EEEE': 'cccc',
'LLL': 'LLL',
// ...
}
```
{% comment %}
RegEx adds last two lines with commented out code and closing bracket.
{% endcomment %}
<?code-excerpt "add_language/lib/nn_intl.dart (Date2)" replace="/ ],/ ],\n \/\/ ...\n}/g"?>
```dart
const nnDateSymbols = {
'NAME': 'nn',
'ERAS': <dynamic>[
'f.Kr.',
'e.Kr.',
],
// ...
}
```
These values need to be modified for the locale to use the correct
date formatting. Unfortunately, since the `intl` library doesn't
share the same flexibility for number formatting,
the formatting for an existing locale must be used
as a substitute in `_NnMaterialLocalizationsDelegate`:
<?code-excerpt "add_language/lib/nn_intl.dart (Delegate)"?>
```dart
class _NnMaterialLocalizationsDelegate
extends LocalizationsDelegate<MaterialLocalizations> {
const _NnMaterialLocalizationsDelegate();
@override
bool isSupported(Locale locale) => locale.languageCode == 'nn';
@override
Future<MaterialLocalizations> load(Locale locale) async {
final String localeName = intl.Intl.canonicalizedLocale(locale.toString());
// The locale (in this case `nn`) needs to be initialized into the custom
// date symbols and patterns setup that Flutter uses.
date_symbol_data_custom.initializeDateFormattingCustom(
locale: localeName,
patterns: nnLocaleDatePatterns,
symbols: intl.DateSymbols.deserializeFromMap(nnDateSymbols),
);
return SynchronousFuture<MaterialLocalizations>(
NnMaterialLocalizations(
localeName: localeName,
// The `intl` library's NumberFormat class is generated from CLDR data
// (see https://github.com/dart-lang/i18n/blob/main/pkgs/intl/lib/number_symbols_data.dart).
// Unfortunately, there is no way to use a locale that isn't defined in
// this map and the only way to work around this is to use a listed
// locale's NumberFormat symbols. So, here we use the number formats
// for 'en_US' instead.
decimalFormat: intl.NumberFormat('#,##0.###', 'en_US'),
twoDigitZeroPaddedFormat: intl.NumberFormat('00', 'en_US'),
// DateFormat here will use the symbols and patterns provided in the
// `date_symbol_data_custom.initializeDateFormattingCustom` call above.
// However, an alternative is to simply use a supported locale's
// DateFormat symbols, similar to NumberFormat above.
fullYearFormat: intl.DateFormat('y', localeName),
compactDateFormat: intl.DateFormat('yMd', localeName),
shortDateFormat: intl.DateFormat('yMMMd', localeName),
mediumDateFormat: intl.DateFormat('EEE, MMM d', localeName),
longDateFormat: intl.DateFormat('EEEE, MMMM d, y', localeName),
yearMonthFormat: intl.DateFormat('MMMM y', localeName),
shortMonthDayFormat: intl.DateFormat('MMM d'),
),
);
}
@override
bool shouldReload(_NnMaterialLocalizationsDelegate old) => false;
}
```
For more information about localization strings,
check out the [flutter_localizations README][].
Once you've implemented your language-specific subclasses of
`GlobalMaterialLocalizations` and `LocalizationsDelegate`,
you need to add the language and a delegate instance to your app.
The following code sets the app's language to Nynorsk and
adds the `NnMaterialLocalizations` delegate instance to the app's
`localizationsDelegates` list:
<?code-excerpt "add_language/lib/main.dart (MaterialApp)"?>
```dart
const MaterialApp(
localizationsDelegates: [
GlobalWidgetsLocalizations.delegate,
GlobalMaterialLocalizations.delegate,
NnMaterialLocalizations.delegate, // Add the newly created delegate
],
supportedLocales: [
Locale('en', 'US'),
Locale('nn'),
],
home: Home(),
),
```
[`add_language`]: {{site.repo.this}}/tree/{{site.branch}}/examples/internationalization/add_language/lib/main.dart
[flutter_localizations README]: {{site.repo.flutter}}/blob/master/packages/flutter_localizations/lib/src/l10n/README.md
[`GlobalMaterialLocalizations`]: {{site.api}}/flutter/flutter_localizations/GlobalMaterialLocalizations-class.html
<a id="alternative-internationalization-workflows">
## Alternative internationalization workflows
This section describes different approaches to internationalize
your Flutter application.
<a id="alternative-class"></a>
### An alternative class for the app's localized resources
The previous example was defined in terms of the Dart `intl`
package. You can choose your own approach for managing
localized values for the sake of simplicity or perhaps to integrate
with a different i18n framework.
Complete source code for the [`minimal`][] app.
In the following example, the `DemoLocalizations` class
includes all of its translations directly in per language Maps:
<?code-excerpt "minimal/lib/main.dart (Demo)"?>
```dart
class DemoLocalizations {
DemoLocalizations(this.locale);
final Locale locale;
static DemoLocalizations of(BuildContext context) {
return Localizations.of<DemoLocalizations>(context, DemoLocalizations)!;
}
static const _localizedValues = <String, Map<String, String>>{
'en': {
'title': 'Hello World',
},
'es': {
'title': 'Hola Mundo',
},
};
static List<String> languages() => _localizedValues.keys.toList();
String get title {
return _localizedValues[locale.languageCode]!['title']!;
}
}
```
In the minimal app the `DemoLocalizationsDelegate` is slightly
different. Its `load` method returns a [`SynchronousFuture`][]
because no asynchronous loading needs to take place.
<?code-excerpt "minimal/lib/main.dart (Delegate)"?>
```dart
class DemoLocalizationsDelegate
extends LocalizationsDelegate<DemoLocalizations> {
const DemoLocalizationsDelegate();
@override
bool isSupported(Locale locale) =>
DemoLocalizations.languages().contains(locale.languageCode);
@override
Future<DemoLocalizations> load(Locale locale) {
// Returning a SynchronousFuture here because an async "load" operation
// isn't needed to produce an instance of DemoLocalizations.
return SynchronousFuture<DemoLocalizations>(DemoLocalizations(locale));
}
@override
bool shouldReload(DemoLocalizationsDelegate old) => false;
}
```
[`SynchronousFuture`]: {{site.api}}/flutter/foundation/SynchronousFuture-class.html
<a id="dart-tools"></a>
### Using the Dart intl tools
Before building an API using the Dart [`intl`][] package,
review the `intl` package's documentation.
The following list summarizes the process for
localizing an app that depends on the `intl` package:
The demo app depends on a generated source file called
`l10n/messages_all.dart`, which defines all of the
localizable strings used by the app.
Rebuilding `l10n/messages_all.dart` requires two steps.
1. With the app's root directory as the current directory,
generate `l10n/intl_messages.arb` from `lib/main.dart`:
```terminal
$ dart run intl_translation:extract_to_arb --output-dir=lib/l10n lib/main.dart
```
The `intl_messages.arb` file is a JSON format map with one entry for
each `Intl.message()` function defined in `main.dart`.
This file serves as a template for the English and Spanish translations,
`intl_en.arb` and `intl_es.arb`.
These translations are created by you, the developer.
2. With the app's root directory as the current directory,
generate `intl_messages_<locale>.dart` for each
`intl_<locale>.arb` file and `intl_messages_all.dart`,
which imports all of the messages files:
```terminal
$ dart run intl_translation:generate_from_arb \
--output-dir=lib/l10n --no-use-deferred-loading \
lib/main.dart lib/l10n/intl_*.arb
```
***Windows doesn't support file name wildcarding.***
Instead, list the .arb files that were generated by the
`intl_translation:extract_to_arb` command.
```terminal
$ dart run intl_translation:generate_from_arb \
--output-dir=lib/l10n --no-use-deferred-loading \
lib/main.dart \
lib/l10n/intl_en.arb lib/l10n/intl_fr.arb lib/l10n/intl_messages.arb
```
The `DemoLocalizations` class uses the generated
`initializeMessages()` function
(defined in `intl_messages_all.dart`)
to load the localized messages and `Intl.message()`
to look them up.
## More information
If you learn best by reading code,
check out the following examples.
* [`minimal`][]<br>
The `minimal` example is designed to be as
simple as possible.
* [`intl_example`][]<br>
uses APIs and tools provided by the [`intl`][] package.
If Dart's `intl` package is new to you,
check out [Using the Dart intl tools](#dart-tools).
[`intl_example`]: {{site.repo.this}}/tree/{{site.branch}}/examples/internationalization/intl_example
[`minimal`]: {{site.repo.this}}/tree/{{site.branch}}/examples/internationalization/minimal
| website/src/ui/accessibility-and-internationalization/internationalization.md/0 | {
"file_path": "website/src/ui/accessibility-and-internationalization/internationalization.md",
"repo_id": "website",
"token_count": 15696
} | 1,684 |
---
title: Using Actions and Shortcuts
description: How to use Actions and Shortcuts in your Flutter app.
js:
- defer: true
url: https://old-dartpad-3ce3f.web.app/inject_embed.dart.js
---
This page describes how to bind physical keyboard events to actions in the user
interface. For instance, to define keyboard shortcuts in your application, this
page is for you.
## Overview
For a GUI application to do anything, it has to have actions: users want to tell
the application to _do_ something. Actions are often simple functions that
directly perform the action (such as set a value or save a file). In a larger
application, however, things are more complex: the code for invoking the action,
and the code for the action itself might need to be in different places.
Shortcuts (key bindings) might need definition at a level that knows nothing
about the actions they invoke.
That's where Flutter's actions and shortcuts system comes in. It allows
developers to define actions that fulfill intents bound to them. In this
context, an intent is a generic action that the user wishes to perform, and an
[`Intent`][] class instance represents these user intents in Flutter. An
`Intent` can be general purpose, fulfilled by different actions in different
contexts. An [`Action`][] can be a simple callback (as in the case of
the [`CallbackAction`][]) or something more complex that integrates with entire
undo/redo architectures (for example) or other logic.
![Using Shortcuts Diagram][]{:width="100%"}
[`Shortcuts`][] are key bindings that activate by pressing a key or combination
of keys. The key combinations reside in a table with their bound intent. When
the `Shortcuts` widget invokes them, it sends their matching intent to the
actions subsystem for fulfillment.
To illustrate the concepts in actions and shortcuts, this article creates a
simple app that allows a user to select and copy text in a text field using both
buttons and shortcuts.
### Why separate Actions from Intents?
You might wonder: why not just map a key combination directly to an action? Why
have intents at all? This is because it is useful to have a separation of
concerns between where the key mapping definitions are (often at a high level),
and where the action definitions are (often at a low level), and because it is
important to be able to have a single key combination map to an intended
operation in an app, and have it adapt automatically to whichever action
fulfills that intended operation for the focused context.
For instance, Flutter has an `ActivateIntent` widget that maps each type of
control to its corresponding version of an `ActivateAction` (and that executes
the code that activates the control). This code often needs fairly private
access to do its work. If the extra layer of indirection that `Intent`s provide
didn't exist, it would be necessary to elevate the definition of the actions to
where the defining instance of the `Shortcuts` widget could see them, causing
the shortcuts to have more knowledge than necessary about which action to
invoke, and to have access to or provide state that it wouldn't necessarily have
or need otherwise. This allows your code to separate the two concerns to be more
independent.
Intents configure an action so that the same action can serve multiple uses. An
example of this is `DirectionalFocusIntent`, which takes a direction to move
the focus in, allowing the `DirectionalFocusAction` to know which direction to
move the focus. Just be careful: don't pass state in the `Intent` that applies
to all invocations of an `Action`: that kind of state should be passed to the
constructor of the `Action` itself, to keep the `Intent` from needing to know
too much.
### Why not use callbacks?
You also might wonder: why not just use a callback instead of an `Action`
object? The main reason is that it's useful for actions to decide whether they
are enabled by implementing `isEnabled`. Also, it is often helpful if the key
bindings, and the implementation of those bindings, are in different places.
If all you need are callbacks without the flexibility of `Actions` and
`Shortcuts`, you can use the [`CallbackShortcuts`][] widget:
<?code-excerpt "ui/advanced/actions_and_shortcuts/lib/samples.dart (CallbackShortcuts)"?>
```dart
@override
Widget build(BuildContext context) {
return CallbackShortcuts(
bindings: <ShortcutActivator, VoidCallback>{
const SingleActivator(LogicalKeyboardKey.arrowUp): () {
setState(() => count = count + 1);
},
const SingleActivator(LogicalKeyboardKey.arrowDown): () {
setState(() => count = count - 1);
},
},
child: Focus(
autofocus: true,
child: Column(
children: <Widget>[
const Text('Press the up arrow key to add to the counter'),
const Text('Press the down arrow key to subtract from the counter'),
Text('count: $count'),
],
),
),
);
}
```
## Shortcuts
As you'll see below, actions are useful on their own, but the most common use
case involves binding them to a keyboard shortcut. This is what the `Shortcuts`
widget is for.
It is inserted into the widget hierarchy to define key combinations that
represent the user's intent when that key combination is pressed. To convert
that intended purpose for the key combination into a concrete action, the
`Actions` widget used to map the `Intent` to an `Action`. For instance, you can
define a `SelectAllIntent`, and bind it to your own `SelectAllAction` or to your
`CanvasSelectAllAction`, and from that one key binding, the system invokes
either one, depending on which part of your application has focus. Let's see how
the key binding part works:
<?code-excerpt "ui/advanced/actions_and_shortcuts/lib/samples.dart (ShortcutsExample)"?>
```dart
@override
Widget build(BuildContext context) {
return Shortcuts(
shortcuts: <LogicalKeySet, Intent>{
LogicalKeySet(LogicalKeyboardKey.control, LogicalKeyboardKey.keyA):
const SelectAllIntent(),
},
child: Actions(
dispatcher: LoggingActionDispatcher(),
actions: <Type, Action<Intent>>{
SelectAllIntent: SelectAllAction(model),
},
child: Builder(
builder: (context) => TextButton(
onPressed: Actions.handler<SelectAllIntent>(
context,
const SelectAllIntent(),
),
child: const Text('SELECT ALL'),
),
),
),
);
}
```
The map given to a `Shortcuts` widget maps a `LogicalKeySet` (or a
`ShortcutActivator`, see note below) to an `Intent` instance. The logical key
set defines a set of one or more keys, and the intent indicates the intended
purpose of the keypress. The `Shortcuts` widget looks up key presses in the map,
to find an `Intent` instance, which it gives to the action's `invoke()` method.
{{site.alert.note}}
`ShortcutActivator` is a replacement for `LogicalKeySet`.
It allows for more flexible and correct activation of shortcuts.
`LogicalKeySet` is a `ShortcutActivator`, of course, but
there is also `SingleActivator`, which takes a single key and the
optional modifiers to be pressed before the key.
Then there is `CharacterActivator`, which activates a shortcut based on the
character produced by a key sequence, instead of the logical keys themselves.
`ShortcutActivator` is also meant to be subclassed to allow for
custom ways of activating shortcuts from key events.
{{site.alert.end}}
### The ShortcutManager
The shortcut manager, a longer-lived object than the `Shortcuts` widget, passes
on key events when it receives them. It contains the logic for deciding how to
handle the keys, the logic for walking up the tree to find other shortcut
mappings, and maintains a map of key combinations to intents.
While the default behavior of the `ShortcutManager` is usually desirable, the
`Shortcuts` widget takes a `ShortcutManager` that you can subclass to customize
its functionality.
For example, if you wanted to log each key that a `Shortcuts` widget handled,
you could make a `LoggingShortcutManager`:
<?code-excerpt "ui/advanced/actions_and_shortcuts/lib/samples.dart (LoggingShortcutManager)"?>
```dart
class LoggingShortcutManager extends ShortcutManager {
@override
KeyEventResult handleKeypress(BuildContext context, KeyEvent event) {
final KeyEventResult result = super.handleKeypress(context, event);
if (result == KeyEventResult.handled) {
print('Handled shortcut $event in $context');
}
return result;
}
}
```
Now, every time the `Shortcuts` widget handles a shortcut, it prints out the key
event and relevant context.
## Actions
`Actions` allow for the definition of operations that the application can
perform by invoking them with an `Intent`. Actions can be enabled or disabled,
and receive the intent instance that invoked them as an argument to allow
configuration by the intent.
### Defining actions
Actions, in their simplest form, are just subclasses of `Action<Intent>` with an
`invoke()` method. Here's a simple action that simply invokes a function on the
provided model:
<?code-excerpt "ui/advanced/actions_and_shortcuts/lib/samples.dart (SelectAllAction)"?>
```dart
class SelectAllAction extends Action<SelectAllIntent> {
SelectAllAction(this.model);
final Model model;
@override
void invoke(covariant SelectAllIntent intent) => model.selectAll();
}
```
Or, if it's too much of a bother to create a new class, use a `CallbackAction`:
<?code-excerpt "ui/advanced/actions_and_shortcuts/lib/samples.dart (CallbackAction)"?>
```dart
CallbackAction(onInvoke: (intent) => model.selectAll());
```
Once you have an action, you add it to your application using the [`Actions`][]
widget, which takes a map of `Intent` types to `Action`s:
<?code-excerpt "ui/advanced/actions_and_shortcuts/lib/samples.dart (SelectAllExample)"?>
```dart
@override
Widget build(BuildContext context) {
return Actions(
actions: <Type, Action<Intent>>{
SelectAllIntent: SelectAllAction(model),
},
child: child,
);
}
```
The `Shortcuts` widget uses the `Focus` widget's context and `Actions.invoke` to
find which action to invoke. If the `Shortcuts` widget doesn't find a matching
intent type in the first `Actions` widget encountered, it considers the next
ancestor `Actions` widget, and so on, until it reaches the root of the widget
tree, or finds a matching intent type and invokes the corresponding action.
### Invoking Actions
The actions system has several ways to invoke actions. By far the most common
way is through the use of a `Shortcuts` widget covered in the previous section,
but there are other ways to interrogate the actions subsystem and invoke an
action. It's possible to invoke actions that are not bound to keys.
For instance, to find an action associated with an intent, you can use:
<?code-excerpt "ui/advanced/actions_and_shortcuts/lib/samples.dart (MaybeFindExample)"?>
```dart
Action<SelectAllIntent>? selectAll =
Actions.maybeFind<SelectAllIntent>(context);
```
This returns an `Action` associated with the `SelectAllIntent` type if one is
available in the given `context`. If one isn't available, it returns null. If
an associated `Action` should always be available, then use `find` instead of
`maybeFind`, which throws an exception when it doesn't find a matching `Intent`
type.
To invoke the action (if it exists), call:
<?code-excerpt "ui/advanced/actions_and_shortcuts/lib/samples.dart (InvokeActionExample)"?>
```dart
Object? result;
if (selectAll != null) {
result =
Actions.of(context).invokeAction(selectAll, const SelectAllIntent());
}
```
Combine that into one call with the following:
<?code-excerpt "ui/advanced/actions_and_shortcuts/lib/samples.dart (MaybeInvokeExample)"?>
```dart
Object? result =
Actions.maybeInvoke<SelectAllIntent>(context, const SelectAllIntent());
```
Sometimes you want to invoke an action as a
result of pressing a button or another control.
You can do this with the `Actions.handler` function.
If the intent has a mapping to an enabled action,
the `Actions.handler` function creates a handler closure.
However, if it doesn't have a mapping, it returns `null`.
This allows the button to be disabled if
there is no enabled action that matches in the context.
<?code-excerpt "ui/advanced/actions_and_shortcuts/lib/samples.dart (HandlerExample)"?>
```dart
@override
Widget build(BuildContext context) {
return Actions(
actions: <Type, Action<Intent>>{
SelectAllIntent: SelectAllAction(model),
},
child: Builder(
builder: (context) => TextButton(
onPressed: Actions.handler<SelectAllIntent>(
context,
SelectAllIntent(controller: controller),
),
child: const Text('SELECT ALL'),
),
),
);
}
```
The `Actions` widget only invokes actions when `isEnabled(Intent intent)`
returns true, allowing the action to decide if the dispatcher should consider it
for invocation. If the action isn't enabled, then the `Actions` widget gives
another enabled action higher in the widget hierarchy (if it exists) a chance to
execute.
The previous example uses a `Builder` because `Actions.handler` and
`Actions.invoke` (for example) only finds actions in the provided `context`, and
if the example passes the `context` given to the `build` function, the framework
starts looking _above_ the current widget. Using a `Builder` allows the
framework to find the actions defined in the same `build` function.
You can invoke an action without needing a `BuildContext`, but since the
`Actions` widget requires a context to find an enabled action to invoke, you
need to provide one, either by creating your own `Action` instance, or by
finding one in an appropriate context with `Actions.find`.
To invoke the action, pass the action to the `invoke` method on an
`ActionDispatcher`, either one you created yourself, or one retrieved from an
existing `Actions` widget using the `Actions.of(context)` method. Check whether
the action is enabled before calling `invoke`. Of course, you can also just call
`invoke` on the action itself, passing an `Intent`, but then you opt out of any
services that an action dispatcher might provide (like logging, undo/redo, and
so on).
### Action dispatchers
Most of the time, you just want to invoke an action, have it do its thing, and
forget about it. Sometimes, however, you might want to log the executed actions.
This is where replacing the default `ActionDispatcher` with a custom dispatcher
comes in. You pass your `ActionDispatcher` to the `Actions` widget, and it
invokes actions from any `Actions` widgets below that one that doesn't set a
dispatcher of its own.
The first thing `Actions` does when invoking an action is look up the
`ActionDispatcher` and pass the action to it for invocation. If there is none,
it creates a default `ActionDispatcher` that simply invokes the action.
If you want a log of all the actions invoked, however, you can create your own
`LoggingActionDispatcher` to do the job:
<?code-excerpt "ui/advanced/actions_and_shortcuts/lib/samples.dart (LoggingActionDispatcher)"?>
```dart
class LoggingActionDispatcher extends ActionDispatcher {
@override
Object? invokeAction(
covariant Action<Intent> action,
covariant Intent intent, [
BuildContext? context,
]) {
print('Action invoked: $action($intent) from $context');
super.invokeAction(action, intent, context);
return null;
}
@override
(bool, Object?) invokeActionIfEnabled(
covariant Action<Intent> action,
covariant Intent intent, [
BuildContext? context,
]) {
print('Action invoked: $action($intent) from $context');
return super.invokeActionIfEnabled(action, intent, context);
}
}
```
Then you pass that to your top-level `Actions` widget:
<?code-excerpt "ui/advanced/actions_and_shortcuts/lib/samples.dart (LoggingActionDispatcherExample)"?>
```dart
@override
Widget build(BuildContext context) {
return Actions(
dispatcher: LoggingActionDispatcher(),
actions: <Type, Action<Intent>>{
SelectAllIntent: SelectAllAction(model),
},
child: Builder(
builder: (context) => TextButton(
onPressed: Actions.handler<SelectAllIntent>(
context,
const SelectAllIntent(),
),
child: const Text('SELECT ALL'),
),
),
);
}
```
This logs every action as it executes, like so:
```
flutter: Action invoked: SelectAllAction#906fc(SelectAllIntent#a98e3) from Builder(dependencies: _[ActionsMarker])
```
## Putting it together
The combination of `Actions` and `Shortcuts` is powerful: you can define generic
intents that map to specific actions at the widget level. Here's a simple app
that illustrates the concepts described above. The app creates a text field that
also has "select all" and "copy to clipboard" buttons next to it. The buttons
invoke actions to accomplish their work. All the invoked actions and
shortcuts are logged.
<?code-excerpt "ui/advanced/actions_and_shortcuts/lib/copyable_text.dart"?>
```run-dartpad:theme-light:mode-flutter:run-true:width-100%:height-600px:split-60:ga_id-starting_code
import 'package:flutter/material.dart';
import 'package:flutter/services.dart';
/// A text field that also has buttons to select all the text and copy the
/// selected text to the clipboard.
class CopyableTextField extends StatefulWidget {
const CopyableTextField({super.key, required this.title});
final String title;
@override
State<CopyableTextField> createState() => _CopyableTextFieldState();
}
class _CopyableTextFieldState extends State<CopyableTextField> {
late final TextEditingController controller = TextEditingController();
@override
void dispose() {
controller.dispose();
super.dispose();
}
@override
Widget build(BuildContext context) {
return Actions(
dispatcher: LoggingActionDispatcher(),
actions: <Type, Action<Intent>>{
ClearIntent: ClearAction(controller),
CopyIntent: CopyAction(controller),
SelectAllIntent: SelectAllAction(controller),
},
child: Builder(builder: (context) {
return Scaffold(
body: Center(
child: Row(
children: <Widget>[
const Spacer(),
Expanded(
child: TextField(controller: controller),
),
IconButton(
icon: const Icon(Icons.copy),
onPressed:
Actions.handler<CopyIntent>(context, const CopyIntent()),
),
IconButton(
icon: const Icon(Icons.select_all),
onPressed: Actions.handler<SelectAllIntent>(
context, const SelectAllIntent()),
),
const Spacer(),
],
),
),
);
}),
);
}
}
/// A ShortcutManager that logs all keys that it handles.
class LoggingShortcutManager extends ShortcutManager {
@override
KeyEventResult handleKeypress(BuildContext context, KeyEvent event) {
final KeyEventResult result = super.handleKeypress(context, event);
if (result == KeyEventResult.handled) {
print('Handled shortcut $event in $context');
}
return result;
}
}
/// An ActionDispatcher that logs all the actions that it invokes.
class LoggingActionDispatcher extends ActionDispatcher {
@override
Object? invokeAction(
covariant Action<Intent> action,
covariant Intent intent, [
BuildContext? context,
]) {
print('Action invoked: $action($intent) from $context');
super.invokeAction(action, intent, context);
return null;
}
}
/// An intent that is bound to ClearAction in order to clear its
/// TextEditingController.
class ClearIntent extends Intent {
const ClearIntent();
}
/// An action that is bound to ClearIntent that clears its
/// TextEditingController.
class ClearAction extends Action<ClearIntent> {
ClearAction(this.controller);
final TextEditingController controller;
@override
Object? invoke(covariant ClearIntent intent) {
controller.clear();
return null;
}
}
/// An intent that is bound to CopyAction to copy from its
/// TextEditingController.
class CopyIntent extends Intent {
const CopyIntent();
}
/// An action that is bound to CopyIntent that copies the text in its
/// TextEditingController to the clipboard.
class CopyAction extends Action<CopyIntent> {
CopyAction(this.controller);
final TextEditingController controller;
@override
Object? invoke(covariant CopyIntent intent) {
final String selectedString = controller.text.substring(
controller.selection.baseOffset,
controller.selection.extentOffset,
);
Clipboard.setData(ClipboardData(text: selectedString));
return null;
}
}
/// An intent that is bound to SelectAllAction to select all the text in its
/// controller.
class SelectAllIntent extends Intent {
const SelectAllIntent();
}
/// An action that is bound to SelectAllAction that selects all text in its
/// TextEditingController.
class SelectAllAction extends Action<SelectAllIntent> {
SelectAllAction(this.controller);
final TextEditingController controller;
@override
Object? invoke(covariant SelectAllIntent intent) {
controller.selection = controller.selection.copyWith(
baseOffset: 0,
extentOffset: controller.text.length,
affinity: controller.selection.affinity,
);
return null;
}
}
/// The top level application class.
///
/// Shortcuts defined here are in effect for the whole app,
/// although different widgets may fulfill them differently.
class MyApp extends StatelessWidget {
const MyApp({super.key});
static const String title = 'Shortcuts and Actions Demo';
@override
Widget build(BuildContext context) {
return MaterialApp(
title: title,
theme: ThemeData(
colorScheme: ColorScheme.fromSeed(seedColor: Colors.deepPurple),
),
home: Shortcuts(
shortcuts: <LogicalKeySet, Intent>{
LogicalKeySet(LogicalKeyboardKey.escape): const ClearIntent(),
LogicalKeySet(LogicalKeyboardKey.control, LogicalKeyboardKey.keyC):
const CopyIntent(),
LogicalKeySet(LogicalKeyboardKey.control, LogicalKeyboardKey.keyA):
const SelectAllIntent(),
},
child: const CopyableTextField(title: title),
),
);
}
}
void main() => runApp(const MyApp());
```
[`Action`]: {{site.api}}/flutter/widgets/Action-class.html
[`Actions`]: {{site.api}}/flutter/widgets/Actions-class.html
[`CallbackAction`]: {{site.api}}/flutter/widgets/CallbackAction-class.html
[`CallbackShortcuts`]: {{site.api}}/flutter/widgets/CallbackShortcuts-class.html
[`Intent`]: {{site.api}}/flutter/widgets/Intent-class.html
[`Shortcuts`]: {{site.api}}/flutter/widgets/Shortcuts-class.html
[Using Shortcuts Diagram]: /assets/images/docs/using_shortcuts.png
| website/src/ui/interactivity/actions-and-shortcuts.md/0 | {
"file_path": "website/src/ui/interactivity/actions-and-shortcuts.md",
"repo_id": "website",
"token_count": 7087
} | 1,685 |
---
title: Navigation and routing
description: Overview of Flutter's navigation and routing features
---
Flutter provides a complete system for navigating between screens and handling
deep links. Small applications without complex deep linking can use
[`Navigator`][], while apps with specific deep linking and navigation
requirements should also use the [`Router`][] to correctly handle deep links on
Android and iOS, and to stay in sync with the address bar when the app is
running on the web.
To configure your Android or iOS application to handle deep links, see
[Deep linking][].
## Using the Navigator
The `Navigator` widget displays screens as a stack using the correct transition
animations for the target platform. To navigate to a new screen, access the
`Navigator` through the route's `BuildContext` and call imperative methods such
as `push()` `or pop()`:
```dart
onPressed: () {
Navigator.of(context).push(
MaterialPageRoute(
builder: (context) => const SongScreen(song: song),
),
);
},
child: Text(song.name),
```
Because `Navigator` keeps a stack of `Route` objects (representing the history
stack), The `push()` method also takes a `Route` object. The `MaterialPageRoute`
object is a subclass of `Route` that specifies the transition animations for
Material Design. For more examples of how to use the `Navigator`, follow the
[navigation recipes][] from the Flutter Cookbook or visit the [Navigator API
documentation][`Navigator`].
## Using named routes
{{site.alert.note}}
We don't recommend using named routes for most applications.
For more information, see the Limitations section below.
{{site.alert.end}}
Applications with simple navigation and deep linking requirements can use the
`Navigator` for navigation and the [`MaterialApp.routes`][] parameter for deep
links:
```dart
@override
Widget build(BuildContext context) {
return MaterialApp(
routes: {
'/': (context) => HomeScreen(),
'/details': (context) => DetailScreen(),
},
);
}
```
Routes specified here are called _named routes_. For a complete example, follow
the [Navigate with named routes][] recipe from the Flutter Cookbook.
### Limitations
Although named routes can handle deep links, the behavior is always the same and
can't be customized. When a new deep link is received by the platform, Flutter
pushes a new `Route` onto the Navigator regardless where the user currently is.
Flutter also doesn't support the browser forward button for applications using
named routes. For these reasons, we don't recommend using named routes in most
applications.
## Using the Router
Flutter applications with advanced navigation and routing requirements (such as
a web app that uses direct links to each screen, or an app with multiple
`Navigator` widgets) should use a routing package such as [go_router][] that can
parse the route path and configure the `Navigator` whenever the app receives a
new deep link.
To use the Router, switch to the `router` constructor on `MaterialApp` or
`CupertinoApp` and provide it with a `Router` configuration. Routing packages,
such as [go_router][], typically provide a
configuration for you. For example:
```dart
MaterialApp.router(
routerConfig: GoRouter(
// …
)
);
```
Because packages like go_router are _declarative_, they will always display the
same screen(s) when a deep link is received.
{{site.alert.secondary}}
**Note for advanced developers**: If you prefer not to use a routing package
and would like full control over navigation and routing in your app, override
`RouteInformationParser` and `RouterDelegate`. When the state in your app
changes, you can precisely control the stack of screens by providing a list of
`Page` objects using the `Navigator.pages` parameter. For more details, see the
`Router` API documentation.
{{site.alert.end}}
## Using Router and Navigator together
The `Router` and `Navigator` are designed to work together. You can navigate
using the `Router` API through a declarative routing package, such as
`go_router`, or by calling imperative methods such as `push()` and `pop()` on
the `Navigator`.
When you navigate using the `Router` or a declarative routing package, each
route on the Navigator is _page-backed_, meaning it was created from a
[`Page`][] using the [`pages`][]
argument on the `Navigator` constructor. Conversely, any `Route`
created by calling `Navigator.push` or `showDialog` will add a _pageless_
route to the Navigator. If you are using a routing package, Routes that are
_page-backed_ are always deep-linkable, whereas _pageless_ routes
are not.
When a _page-backed_ `Route` is removed from the `Navigator`, all of the
_pageless_ routes after it are also removed. For example, if a deep link
navigates by removing a _page-backed_ route from the Navigator, all _pageless
_routes after (up until the next _page-backed_ route) are removed too.
{{site.alert.note}}
You can't prevent navigation from page-backed screens using `WillPopScope`.
Instead, you should consult your routing package's API documentation.
{{site.alert.end}}
## Web support
Apps using the `Router` class integrate with the browser History API to provide
a consistent experience when using the browser's back and forward buttons.
Whenever you navigate using the `Router`, a History API entry is added to the
browser's history stack. Pressing the **back** button uses _[reverse
chronological navigation][]_, meaning that the user is taken to the previously
visited location that was shown using the `Router`. This means that if the user
pops a page from the `Navigator` and then presses the browser **back** button
the previous page is pushed back onto the stack.
## More information
For more information on navigation and routing, check out the following
resources:
* The Flutter cookbook includes multiple [navigation recipes][] that show how to
use the `Navigator`.
* The [`Navigator`][] and [`Router`][] API documentation contain details on how
to set up declarative navigation without a routing package.
* [Understanding navigation][], a page from the Material Design documentation,
outlines concepts for designing the navigation in your app, including
explanations for forward, upward, and chronological navigation.
* [Learning Flutter's new navigation and routing system][], an article on
Medium, describes how to use the `Router` widget directly, without
a routing package.
* The [Router design document][] contains the motivation and design of the
Router` API.
[`Navigator`]: {{site.api}}/flutter/widgets/Navigator-class.html
[`Router`]: {{site.api}}/flutter/widgets/Router-class.html
[Deep linking]: /ui/navigation/deep-linking
[navigation recipes]: /cookbook#navigation
[`MaterialApp.routes`]: {{site.api}}/flutter/material/MaterialApp/routes.html
[Navigate with named routes]: /cookbook/navigation/named-routes
[go_router]: {{site.pub}}/packages/go_router
[`Page`]: {{site.api}}/flutter/widgets/Page-class.html
[`pages`]: {{site.api}}/flutter/widgets/Navigator/pages.html
[reverse chronological navigation]: https://material.io/design/navigation/understanding-navigation.html#reverse-navigation
[Understanding navigation]: https://material.io/design/navigation/understanding-navigation.html
[Learning Flutter's new navigation and routing system]: {{site.medium}}/flutter/learning-flutters-new-navigation-and-routing-system-7c9068155ade
[Router design document]: {{site.main-url}}/go/navigator-with-router
| website/src/ui/navigation/index.md/0 | {
"file_path": "website/src/ui/navigation/index.md",
"repo_id": "website",
"token_count": 2010
} | 1,686 |
---
title: Styling widgets
short-title: Styling
description: A catalog of Flutter's theming and responsiveness widgets.
---
{% include docs/catalogpage.html category="Styling" %}
| website/src/ui/widgets/styling.md/0 | {
"file_path": "website/src/ui/widgets/styling.md",
"repo_id": "website",
"token_count": 51
} | 1,687 |
#include "Generated.xcconfig"
| codelabs/adaptive_app/step_03/ios/Flutter/Debug.xcconfig/0 | {
"file_path": "codelabs/adaptive_app/step_03/ios/Flutter/Debug.xcconfig",
"repo_id": "codelabs",
"token_count": 12
} | 0 |
#include "ephemeral/Flutter-Generated.xcconfig"
| codelabs/adaptive_app/step_03/macos/Flutter/Flutter-Debug.xcconfig/0 | {
"file_path": "codelabs/adaptive_app/step_03/macos/Flutter/Flutter-Debug.xcconfig",
"repo_id": "codelabs",
"token_count": 19
} | 1 |
org.gradle.jvmargs=-Xmx4G
android.useAndroidX=true
android.enableJetifier=true
| codelabs/adaptive_app/step_06/android/gradle.properties/0 | {
"file_path": "codelabs/adaptive_app/step_06/android/gradle.properties",
"repo_id": "codelabs",
"token_count": 30
} | 2 |
#include "../../Flutter/Flutter-Debug.xcconfig"
#include "Warnings.xcconfig"
| codelabs/adaptive_app/step_06/macos/Runner/Configs/Debug.xcconfig/0 | {
"file_path": "codelabs/adaptive_app/step_06/macos/Runner/Configs/Debug.xcconfig",
"repo_id": "codelabs",
"token_count": 32
} | 3 |
#include "Generated.xcconfig"
| codelabs/animated-responsive-layout/step_03/ios/Flutter/Debug.xcconfig/0 | {
"file_path": "codelabs/animated-responsive-layout/step_03/ios/Flutter/Debug.xcconfig",
"repo_id": "codelabs",
"token_count": 12
} | 4 |
#include "ephemeral/Flutter-Generated.xcconfig"
| codelabs/animated-responsive-layout/step_03/macos/Flutter/Flutter-Debug.xcconfig/0 | {
"file_path": "codelabs/animated-responsive-layout/step_03/macos/Flutter/Flutter-Debug.xcconfig",
"repo_id": "codelabs",
"token_count": 19
} | 5 |
#include "../../Flutter/Flutter-Release.xcconfig"
#include "Warnings.xcconfig"
| codelabs/animated-responsive-layout/step_04/macos/Runner/Configs/Release.xcconfig/0 | {
"file_path": "codelabs/animated-responsive-layout/step_04/macos/Runner/Configs/Release.xcconfig",
"repo_id": "codelabs",
"token_count": 32
} | 6 |
#include "Generated.xcconfig"
| codelabs/animated-responsive-layout/step_06/ios/Flutter/Release.xcconfig/0 | {
"file_path": "codelabs/animated-responsive-layout/step_06/ios/Flutter/Release.xcconfig",
"repo_id": "codelabs",
"token_count": 12
} | 7 |
include: ../../analysis_options.yaml
| codelabs/animated-responsive-layout/step_07/analysis_options.yaml/0 | {
"file_path": "codelabs/animated-responsive-layout/step_07/analysis_options.yaml",
"repo_id": "codelabs",
"token_count": 12
} | 8 |
#include "ephemeral/Flutter-Generated.xcconfig"
| codelabs/animated-responsive-layout/step_08/macos/Flutter/Flutter-Debug.xcconfig/0 | {
"file_path": "codelabs/animated-responsive-layout/step_08/macos/Flutter/Flutter-Debug.xcconfig",
"repo_id": "codelabs",
"token_count": 19
} | 9 |
#import "GeneratedPluginRegistrant.h"
| codelabs/boring_to_beautiful/final/ios/Runner/Runner-Bridging-Header.h/0 | {
"file_path": "codelabs/boring_to_beautiful/final/ios/Runner/Runner-Bridging-Header.h",
"repo_id": "codelabs",
"token_count": 13
} | 10 |
#import "GeneratedPluginRegistrant.h"
| codelabs/boring_to_beautiful/step_02/ios/Runner/Runner-Bridging-Header.h/0 | {
"file_path": "codelabs/boring_to_beautiful/step_02/ios/Runner/Runner-Bridging-Header.h",
"repo_id": "codelabs",
"token_count": 13
} | 11 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.