text
stringlengths 6
13.6M
| id
stringlengths 13
176
| metadata
dict | __index_level_0__
int64 0
1.69k
|
---|---|---|---|
import 'package:flutter/material.dart';
// #docregion step1
class Menu extends StatefulWidget {
const Menu({super.key});
@override
State<Menu> createState() => _MenuState();
}
class _MenuState extends State<Menu> {
static const _menuTitles = [
'Declarative Style',
'Premade Widgets',
'Stateful Hot Reload',
'Native Performance',
'Great Community',
];
@override
Widget build(BuildContext context) {
return Container(
color: Colors.white,
child: Stack(
fit: StackFit.expand,
children: [
_buildFlutterLogo(),
_buildContent(),
],
),
);
}
Widget _buildFlutterLogo() {
// TODO: We'll implement this later.
return Container();
}
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(
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: 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,
),
),
),
),
);
}
}
// #enddocregion step1
| website/examples/cookbook/effects/staggered_menu_animation/lib/step1.dart/0 | {
"file_path": "website/examples/cookbook/effects/staggered_menu_animation/lib/step1.dart",
"repo_id": "website",
"token_count": 1021
} | 1,439 |
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();
}
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: const Text('Text Field Focus'),
),
body: Padding(
padding: const EdgeInsets.all(16),
child: Column(
children: [
// The first text field is focused on as soon as the app starts.
const TextField(
autofocus: true,
),
// The second text field is focused on when a user taps the
// FloatingActionButton.
TextField(
focusNode: myFocusNode,
),
],
),
),
// #docregion FloatingActionButton
floatingActionButton: FloatingActionButton(
// When the button is pressed,
// give focus to the text field using myFocusNode.
onPressed: () => myFocusNode.requestFocus(),
),
// #enddocregion FloatingActionButton
);
}
}
| website/examples/cookbook/forms/focus/lib/step3.dart/0 | {
"file_path": "website/examples/cookbook/forms/focus/lib/step3.dart",
"repo_id": "website",
"token_count": 660
} | 1,440 |
import 'package:flutter/material.dart';
// Define a custom Form widget.
class MyCustomForm extends StatefulWidget {
const MyCustomForm({super.key});
@override
MyCustomFormState createState() {
return MyCustomFormState();
}
}
// Define a corresponding State class.
// This class holds data related to the form.
class MyCustomFormState extends State<MyCustomForm> {
// Create a global key that uniquely identifies the Form widget
// and allows validation of the form.
//
// Note: This is a `GlobalKey<FormState>`,
// not a GlobalKey<MyCustomFormState>.
final _formKey = GlobalKey<FormState>();
@override
Widget build(BuildContext context) {
// Build a Form widget using the _formKey created above.
return Form(
key: _formKey,
child: const Column(
children: <Widget>[
// Add TextFormFields and ElevatedButton here.
],
),
);
}
}
| website/examples/cookbook/forms/validation/lib/form.dart/0 | {
"file_path": "website/examples/cookbook/forms/validation/lib/form.dart",
"repo_id": "website",
"token_count": 302
} | 1,441 |
name: firestore_multiplayer
description: Firestore multiplayer
environment:
sdk: ^3.3.0
dependencies:
flutter:
sdk: flutter
async: ^2.11.0
cloud_firestore: ^4.15.4
firebase_core: ^2.25.4
logging: ^1.2.0
provider: ^6.1.1
dev_dependencies:
example_utils:
path: ../../../example_utils
flutter:
uses-material-design: true
| website/examples/cookbook/games/firestore_multiplayer/pubspec.yaml/0 | {
"file_path": "website/examples/cookbook/games/firestore_multiplayer/pubspec.yaml",
"repo_id": "website",
"token_count": 144
} | 1,442 |
import 'package:flutter/cupertino.dart';
void main() {
runApp(const CupertinoApp(
title: 'Navigation Basics',
home: FirstRoute(),
));
}
class FirstRoute extends StatelessWidget {
const FirstRoute({super.key});
@override
Widget build(BuildContext context) {
return CupertinoPageScaffold(
navigationBar: const CupertinoNavigationBar(
middle: Text('First Route'),
),
child: Center(
child: CupertinoButton(
child: const Text('Open route'),
onPressed: () {
Navigator.push(
context,
CupertinoPageRoute(builder: (context) => const SecondRoute()),
);
},
),
),
);
}
}
class SecondRoute extends StatelessWidget {
const SecondRoute({super.key});
@override
Widget build(BuildContext context) {
return CupertinoPageScaffold(
navigationBar: const CupertinoNavigationBar(
middle: Text('Second Route'),
),
child: Center(
child: CupertinoButton(
onPressed: () {
Navigator.pop(context);
},
child: const Text('Go back!'),
),
),
);
}
}
| website/examples/cookbook/navigation/navigation_basics/lib/main_cupertino.dart/0 | {
"file_path": "website/examples/cookbook/navigation/navigation_basics/lib/main_cupertino.dart",
"repo_id": "website",
"token_count": 522
} | 1,443 |
import 'dart:async';
import 'dart:io';
import 'package:flutter/material.dart';
import 'package:path_provider/path_provider.dart';
void main() {
runApp(
MaterialApp(
title: 'Reading and Writing Files',
home: FlutterDemo(storage: CounterStorage()),
),
);
}
class CounterStorage {
// #docregion localPath
Future<String> get _localPath async {
final directory = await getApplicationDocumentsDirectory();
return directory.path;
}
// #enddocregion localPath
// #docregion localFile
Future<File> get _localFile async {
final path = await _localPath;
return File('$path/counter.txt');
}
// #enddocregion localFile
// #docregion readCounter
Future<int> readCounter() async {
try {
final file = await _localFile;
// Read the file
final contents = await file.readAsString();
return int.parse(contents);
} catch (e) {
// If encountering an error, return 0
return 0;
}
}
// #enddocregion readCounter
// #docregion writeCounter
Future<File> writeCounter(int counter) async {
final file = await _localFile;
// Write the file
return file.writeAsString('$counter');
}
// #enddocregion writeCounter
}
class FlutterDemo extends StatefulWidget {
const FlutterDemo({super.key, required this.storage});
final CounterStorage storage;
@override
State<FlutterDemo> createState() => _FlutterDemoState();
}
class _FlutterDemoState extends State<FlutterDemo> {
int _counter = 0;
@override
void initState() {
super.initState();
widget.storage.readCounter().then((value) {
setState(() {
_counter = value;
});
});
}
Future<File> _incrementCounter() {
setState(() {
_counter++;
});
// Write the variable as a string to the file.
return widget.storage.writeCounter(_counter);
}
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: const Text('Reading and Writing Files'),
),
body: Center(
child: Text(
'Button tapped $_counter time${_counter == 1 ? '' : 's'}.',
),
),
floatingActionButton: FloatingActionButton(
onPressed: _incrementCounter,
tooltip: 'Increment',
child: const Icon(Icons.add),
),
);
}
}
| website/examples/cookbook/persistence/reading_writing_files/lib/main.dart/0 | {
"file_path": "website/examples/cookbook/persistence/reading_writing_files/lib/main.dart",
"repo_id": "website",
"token_count": 869
} | 1,444 |
name: picture_using_camera
description: A new Flutter project.
environment:
sdk: ^3.3.0
dependencies:
flutter:
sdk: flutter
camera: ^0.10.5+6
path_provider: ^2.1.2
path: ^1.9.0
dev_dependencies:
example_utils:
path: ../../../example_utils
flutter:
uses-material-design: true
| website/examples/cookbook/plugins/picture_using_camera/pubspec.yaml/0 | {
"file_path": "website/examples/cookbook/plugins/picture_using_camera/pubspec.yaml",
"repo_id": "website",
"token_count": 126
} | 1,445 |
import 'package:flutter/material.dart';
import 'package:flutter_test/flutter_test.dart';
// #docregion main
void main() {
testWidgets('MyWidget has a title and message', (tester) async {
// Create the widget by telling the tester to build it.
await tester.pumpWidget(const MyWidget(title: 'T', message: 'M'));
});
}
// #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_step4_test.dart/0 | {
"file_path": "website/examples/cookbook/testing/widget/introduction/test/main_step4_test.dart",
"repo_id": "website",
"token_count": 319
} | 1,446 |
name: json
description: Sample state management code.
publish_to: none
version: 1.0.0+1
environment:
sdk: ^3.3.0
dependencies:
json_annotation: ^4.8.1
dev_dependencies:
example_utils:
path: ../../../example_utils
build_runner: ^2.4.8
json_serializable: ^6.7.1
| website/examples/development/data-and-backend/json/pubspec.yaml/0 | {
"file_path": "website/examples/development/data-and-backend/json/pubspec.yaml",
"repo_id": "website",
"token_count": 114
} | 1,447 |
import 'package:flutter/material.dart';
// #docregion WelcomeScreen
class WelcomeScreen extends StatelessWidget {
const WelcomeScreen({super.key});
@override
Widget build(BuildContext context) {
return Scaffold(
body: Center(
child: Text(
'Welcome!',
style: Theme.of(context).textTheme.displayMedium,
),
),
);
}
}
// #enddocregion WelcomeScreen
void main() => runApp(const SignUpApp());
class SignUpApp extends StatelessWidget {
const SignUpApp({super.key});
@override
Widget build(BuildContext context) {
return MaterialApp(
routes: {
'/': (context) => const SignUpScreen(),
// #docregion WelcomeRoute
'/welcome': (context) => const WelcomeScreen(),
// #enddocregion WelcomeRoute
},
);
}
}
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;
// #docregion showWelcomeScreen
void _showWelcomeScreen() {
Navigator.of(context).pushNamed('/welcome');
}
// #enddocregion showWelcomeScreen
@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;
}),
),
// #docregion onPressed
onPressed: _showWelcomeScreen,
// #enddocregion onPressed
child: const Text('Sign up'),
),
],
),
);
}
}
| website/examples/get-started/codelab_web/lib/step1.dart/0 | {
"file_path": "website/examples/get-started/codelab_web/lib/step1.dart",
"repo_id": "website",
"token_count": 1543
} | 1,448 |
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 MaterialApp(
title: 'Sample App',
theme: ThemeData(
colorScheme: ColorScheme.fromSeed(seedColor: Colors.deepPurple),
),
home: const SampleAppPage(),
);
}
}
class SampleAppPage extends StatefulWidget {
const SampleAppPage({super.key});
@override
State<SampleAppPage> createState() => _SampleAppPageState();
}
class _SampleAppPageState extends State<SampleAppPage> {
List widgets = [];
@override
void initState() {
super.initState();
loadData();
}
Widget getBody() {
bool showLoadingDialog = widgets.isEmpty;
if (showLoadingDialog) {
return getProgressDialog();
} else {
return getListView();
}
}
Widget getProgressDialog() {
return const Center(child: CircularProgressIndicator());
}
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: const Text('Sample App'),
),
body: getBody(),
);
}
ListView getListView() {
return ListView.builder(
itemCount: widgets.length,
itemBuilder: (context, position) {
return getRow(position);
},
);
}
Widget getRow(int i) {
return Padding(
padding: const EdgeInsets.all(10),
child: Text("Row ${widgets[i]["title"]}"),
);
}
// #docregion loadData
Future<void> loadData() async {
ReceivePort receivePort = ReceivePort();
await Isolate.spawn(dataLoader, receivePort.sendPort);
// The 'echo' isolate sends its SendPort as the first message.
SendPort sendPort = await receivePort.first;
List msg = await sendReceive(
sendPort,
'https://jsonplaceholder.typicode.com/posts',
);
setState(() {
widgets = msg;
});
}
// The entry point for the isolate.
static Future<void> dataLoader(SendPort sendPort) async {
// Open the ReceivePort for incoming messages.
ReceivePort port = ReceivePort();
// Notify any other isolates what port this isolate listens to.
sendPort.send(port.sendPort);
await for (var msg in port) {
String data = msg[0];
SendPort replyTo = msg[1];
String dataURL = data;
http.Response response = await http.get(Uri.parse(dataURL));
// Lots of JSON to parse
replyTo.send(jsonDecode(response.body));
}
}
Future sendReceive(SendPort port, msg) {
ReceivePort response = ReceivePort();
port.send([msg, response.sendPort]);
return response.first;
}
// #enddocregion loadData
}
| website/examples/get-started/flutter-for/android_devs/lib/isolates.dart/0 | {
"file_path": "website/examples/get-started/flutter-for/android_devs/lib/isolates.dart",
"repo_id": "website",
"token_count": 1045
} | 1,449 |
import 'package:flutter/material.dart';
void main() {
runApp(const SampleApp());
}
class SampleApp extends StatelessWidget {
const SampleApp({super.key});
// This widget is the root of your application.
@override
Widget build(BuildContext context) {
return MaterialApp(
title: 'Sample App',
theme: ThemeData(
colorScheme: ColorScheme.fromSeed(seedColor: Colors.deepPurple),
),
home: const SampleAppPage(),
);
}
}
class SampleAppPage extends StatefulWidget {
const SampleAppPage({super.key});
@override
State<SampleAppPage> createState() => _SampleAppPageState();
}
class _SampleAppPageState extends State<SampleAppPage> {
String? _errorText;
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: const Text('Sample App'),
),
body: Center(
child: TextField(
onSubmitted: (text) {
setState(() {
if (!isEmail(text)) {
_errorText = 'Error: This is not an email';
} else {
_errorText = null;
}
});
},
decoration: InputDecoration(
hintText: 'This is a hint',
errorText: _getErrorText(),
),
),
),
);
}
String? _getErrorText() {
return _errorText;
}
bool isEmail(String em) {
String emailRegexp =
r'^(([^<>()[\]\\.,;:\s@\"]+(\.[^<>()[\]\\.,;:\s@\"]+)*)|'
r'(\".+\"))@((\[[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}\.[0-9]{1,3}\])|'
r'(([a-zA-Z\-0-9]+\.)+[a-zA-Z]{2,}))$';
RegExp regExp = RegExp(emailRegexp);
return regExp.hasMatch(em);
}
}
| website/examples/get-started/flutter-for/android_devs/lib/validation_errors.dart/0 | {
"file_path": "website/examples/get-started/flutter-for/android_devs/lib/validation_errors.dart",
"repo_id": "website",
"token_count": 806
} | 1,450 |
import 'package:flutter/cupertino.dart';
import 'package:flutter/material.dart';
void main() {
runApp(
const App(),
);
}
class App extends StatelessWidget {
const App({
super.key,
});
@override
Widget build(BuildContext context) {
return const CupertinoApp(
home: HomePage(),
);
}
}
// #docregion GridExample
const widgets = [
Text('Row 1'),
Icon(CupertinoIcons.arrow_down_square),
Icon(CupertinoIcons.arrow_up_square),
Text('Row 2'),
Icon(CupertinoIcons.arrow_down_square),
Icon(CupertinoIcons.arrow_up_square),
];
class HomePage extends StatelessWidget {
const HomePage({super.key});
@override
Widget build(BuildContext context) {
return Scaffold(
body: GridView.builder(
gridDelegate: const SliverGridDelegateWithFixedCrossAxisCount(
crossAxisCount: 3,
mainAxisExtent: 40,
),
itemCount: widgets.length,
itemBuilder: (context, index) => widgets[index],
),
);
}
}
// #enddocregion GridExample
| website/examples/get-started/flutter-for/ios_devs/lib/grid.dart/0 | {
"file_path": "website/examples/get-started/flutter-for/ios_devs/lib/grid.dart",
"repo_id": "website",
"token_count": 405
} | 1,451 |
import 'dart:convert';
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 loadData
Future<void> loadData() async {
final Uri dataURL = Uri.parse('https://jsonplaceholder.typicode.com/posts');
final http.Response response = await http.get(dataURL);
setState(() {
data = jsonDecode(response.body);
});
}
// #enddocregion loadData
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 i) {
return Padding(
padding: const EdgeInsets.all(10),
child: Text("Row ${data[i]["title"]}"),
);
}
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: const Text('Sample App'),
),
body: getBody(),
);
}
}
| website/examples/get-started/flutter-for/ios_devs/lib/progress.dart/0 | {
"file_path": "website/examples/get-started/flutter-for/ios_devs/lib/progress.dart",
"repo_id": "website",
"token_count": 665
} | 1,452 |
import 'package:flutter/material.dart';
void main() {
runApp(const Center(child: LogoFade()));
}
class LogoFade extends StatefulWidget {
const LogoFade({super.key});
@override
State<LogoFade> createState() => _LogoFadeState();
}
class _LogoFadeState extends State<LogoFade>
with SingleTickerProviderStateMixin {
late Animation<double> animation;
late AnimationController controller;
@override
void initState() {
super.initState();
controller = AnimationController(
duration: const Duration(milliseconds: 3000),
vsync: this,
);
final CurvedAnimation curve = CurvedAnimation(
parent: controller,
curve: Curves.easeIn,
);
animation = Tween(begin: 0.0, end: 1.0).animate(curve);
controller.forward();
}
@override
void dispose() {
controller.dispose();
super.dispose();
}
@override
Widget build(BuildContext context) {
return FadeTransition(
opacity: animation,
child: const SizedBox(
height: 300,
width: 300,
child: FlutterLogo(),
),
);
}
}
| website/examples/get-started/flutter-for/react_native_devs/lib/animation.dart/0 | {
"file_path": "website/examples/get-started/flutter-for/react_native_devs/lib/animation.dart",
"repo_id": "website",
"token_count": 412
} | 1,453 |
name: my_widgets
description: A library for `react_native_devs` to import.
version: 1.0.0
environment:
sdk: ^3.3.0
dev_dependencies:
example_utils:
path: ../../../../example_utils
| website/examples/get-started/flutter-for/react_native_devs/my_widgets/pubspec.yaml/0 | {
"file_path": "website/examples/get-started/flutter-for/react_native_devs/my_widgets/pubspec.yaml",
"repo_id": "website",
"token_count": 81
} | 1,454 |
import 'package:flutter/material.dart';
class RowExample extends StatelessWidget {
const RowExample({super.key});
// #docregion Row
@override
Widget build(BuildContext context) {
return const Row(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[
Text('Row One'),
Text('Row Two'),
Text('Row Three'),
Text('Row Four'),
],
);
}
// #enddocregion Row
}
class ColumnExample extends StatelessWidget {
const ColumnExample({super.key});
// #docregion Column
@override
Widget build(BuildContext context) {
return const Column(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[
Text('Column One'),
Text('Column Two'),
Text('Column Three'),
Text('Column Four'),
],
);
// #enddocregion Column
}
}
class GridExample extends StatelessWidget {
const GridExample({super.key});
// #docregion Grid
@override
Widget build(BuildContext context) {
return GridView.count(
// Create a grid with 2 columns. If you change the scrollDirection to
// horizontal, this would produce 2 rows.
crossAxisCount: 2,
// Generate 100 widgets that display their index in the list.
children: List<Widget>.generate(
100,
(index) {
return Center(
child: Text(
'Item $index',
style: Theme.of(context).textTheme.headlineMedium,
),
);
},
),
);
}
// #enddocregion Grid
}
class StackExample extends StatelessWidget {
const StackExample({super.key});
// #docregion Stack
@override
Widget build(BuildContext context) {
return const Stack(
children: <Widget>[
Icon(
Icons.add_box,
size: 24,
color: Colors.black,
),
Positioned(
left: 10,
child: Icon(
Icons.add_circle,
size: 24,
color: Colors.black,
),
),
],
);
}
// #enddocregion Stack
}
class ScrollViewExample extends StatelessWidget {
const ScrollViewExample({super.key});
// #docregion ScrollView
@override
Widget build(BuildContext context) {
return const SingleChildScrollView(
child: Text('Long Content'),
);
}
// #enddocregion ScrollView
}
class ListViewExample extends StatelessWidget {
const ListViewExample({super.key});
// #docregion ListView
@override
Widget build(BuildContext context) {
return ListView(
children: const <Widget>[
Text('Row One'),
Text('Row Two'),
Text('Row Three'),
Text('Row Four'),
],
);
}
// #enddocregion ListView
}
| website/examples/get-started/flutter-for/xamarin_devs/lib/layouts.dart/0 | {
"file_path": "website/examples/get-started/flutter-for/xamarin_devs/lib/layouts.dart",
"repo_id": "website",
"token_count": 1125
} | 1,455 |
// Copyright 2019 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
import 'dart:async';
import 'dart:convert';
// #docregion authImport
import 'package:extension_google_sign_in_as_googleapis_auth/extension_google_sign_in_as_googleapis_auth.dart';
// #enddocregion authImport
import 'package:flutter/material.dart';
// #docregion googleImport
/// Provides the `GoogleSignIn` class
import 'package:google_sign_in/google_sign_in.dart';
// #enddocregion googleImport
// #docregion youtubeImport
/// Provides the `YouTubeApi` class.
import 'package:googleapis/youtube/v3.dart';
// #enddocregion youtubeImport
const _title = 'My YouTube Favorites';
void main() {
runApp(
const MaterialApp(
title: _title,
home: _LikedVideosWidget(),
),
);
}
class _LikedVideosWidget extends StatefulWidget {
const _LikedVideosWidget();
@override
State createState() => _LikedVideosWidgetState();
}
class _LikedVideosWidgetState extends State<_LikedVideosWidget> {
// #docregion init
final _googleSignIn = GoogleSignIn(
scopes: <String>[YouTubeApi.youtubeReadonlyScope],
);
// #enddocregion init
GoogleSignInAccount? _currentUser;
List<PlaylistItemSnippet>? _favoriteVideos;
@override
void initState() {
super.initState();
_googleSignIn.onCurrentUserChanged.listen((account) {
setState(() {
_currentUser = account;
});
if (_currentUser != null) {
_downloadLikedList();
}
});
//_googleSignIn.signInSilently();
}
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(
title: const Text(_title),
),
body: Center(
child: ConstrainedBox(
constraints: const BoxConstraints(maxWidth: 520),
child: Column(
mainAxisAlignment: MainAxisAlignment.start,
children: _widgets(),
),
),
),
);
}
List<Widget> _widgets() {
return [
if (_currentUser == null) ...[
const Padding(
padding: EdgeInsets.all(8),
child: Text('You are not currently signed in.'),
),
ElevatedButton(
onPressed: _onSignIn,
child: const Text('Sign in'),
),
],
if (_currentUser != null) ...[
ListTile(
leading: GoogleUserCircleAvatar(
identity: _currentUser!,
),
title: Text(_currentUser!.displayName ?? ''),
subtitle: Text(_currentUser!.email),
),
ElevatedButton(
onPressed: _onSignOut,
child: const Text('Sign out'),
),
if (_favoriteVideos != null)
ListView.builder(
shrinkWrap: true,
itemCount: _favoriteVideos!.length,
itemBuilder: (ctx, index) {
final fav = _favoriteVideos![index];
final thumbnailUrl = fav.thumbnails!.default_!.url!;
return ListTile(
minVerticalPadding: 20,
leading: Image.network(
thumbnailUrl,
fit: BoxFit.contain,
errorBuilder: (context, error, stackTrace) {
Timer.run(
() => _snackbarError(
LineSplitter.split(error.toString()).first,
),
);
return const Icon(Icons.error, color: Colors.red);
},
),
title: Text(fav.title ?? '<unknown>'),
);
},
),
],
];
}
Future<void> _downloadLikedList() async {
// #docregion signinCall
var httpClient = (await _googleSignIn.authenticatedClient())!;
// #enddocregion signinCall
// #docregion playlist
var youTubeApi = YouTubeApi(httpClient);
var favorites = await youTubeApi.playlistItems.list(
['snippet'],
playlistId: 'LL', // Liked List
);
// #enddocregion playlist
setState(() {
_favoriteVideos = favorites.items!.map((e) => e.snippet!).toList();
});
}
Future<void> _onSignIn() async {
_lastMessage = null;
try {
await _googleSignIn.signIn();
} catch (error) {
_snackbarError(error.toString());
}
}
Future<void> _onSignOut() => _googleSignIn.disconnect();
String? _lastMessage;
void _snackbarError(String message) {
if (message == _lastMessage) return;
_lastMessage = message;
for (var entry in _errorMessageMap.entries) {
if (message.contains(entry.key)) {
message = 'NOTE: ${entry.value}';
break;
}
}
ScaffoldMessenger.of(context).showSnackBar(SnackBar(
content: Text(message),
));
}
static const _errorMessageMap = {
'Not a valid origin for the client':
'You must run your web app on a registered port. '
'Trying setting an explicit port with '
'`flutter run --web-port [PORT]`.',
'Failed to load network image':
'Cannot display cross-domain images with CanvasKit renderer. '
'Try the Flutter Web HTML renderer.',
};
}
| website/examples/googleapis/lib/main.dart/0 | {
"file_path": "website/examples/googleapis/lib/main.dart",
"repo_id": "website",
"token_count": 2298
} | 1,456 |
import 'package:flutter_driver/flutter_driver.dart';
import 'package:test/test.dart';
void main() {
group('end-to-end test', () {
late FlutterDriver driver;
setUpAll(() async {
// Connect to a running Flutter application instance.
driver = await FlutterDriver.connect();
});
tearDownAll(() async {
await driver.close();
});
// #docregion Test1
test('do not select any item, verify please select text is displayed',
() async {
// Wait for 'please select' text is displayed
await driver.waitFor(find.text('Please select a plant from the list.'));
});
// #enddocregion Test1
// #docregion Test2
test('tap on the first item (Alder), verify selected', () async {
// find the item by text
final item = find.text('Alder');
// Wait for the list item to appear.
await driver.waitFor(item);
// Emulate a tap on the tile item.
await driver.tap(item);
// Wait for species name to be displayed
await driver.waitFor(find.text('Alnus'));
// 'please select' text should not be displayed
await driver
.waitForAbsent(find.text('Please select a plant from the list.'));
});
// #enddocregion Test2
// #docregion Test3
test('scroll, tap on the last item (Zedoary), verify selected', () async {
// find the list of plants, by Key
final listFinder = find.byValueKey('listOfPlants');
// Scroll to the last position of the list
// a -100,000 pixels is enough to reach the bottom of the list
await driver.scroll(
listFinder,
0,
-100000,
const Duration(milliseconds: 500),
);
// find the item by text
final item = find.text('Zedoary');
// Wait for the list item to appear.
await driver.waitFor(item);
// Emulate a tap on the tile item.
await driver.tap(item);
// Wait for species name to be displayed
await driver.waitFor(find.text('Curcuma zedoaria'));
// 'please select' text should not be displayed
await driver
.waitForAbsent(find.text('Please select a plant from the list.'));
});
// #enddocregion Test3
});
}
| website/examples/integration_test_migration/test_driver/main_test.dart/0 | {
"file_path": "website/examples/integration_test_migration/test_driver/main_test.dart",
"repo_id": "website",
"token_count": 827
} | 1,457 |
{
"title": "Hola Mundo",
"@title": {
"description": "Title for the Demo application",
"type": "text"
}
}
| website/examples/internationalization/intl_example/lib/l10n/intl_es.arb/0 | {
"file_path": "website/examples/internationalization/intl_example/lib/l10n/intl_es.arb",
"repo_id": "website",
"token_count": 48
} | 1,458 |
import 'package:flutter/cupertino.dart';
void main() {
runApp(const MyApp());
}
// #docregion MyApp
class MyApp extends StatelessWidget {
const MyApp({super.key});
@override
Widget build(BuildContext context) {
return const CupertinoApp(
title: 'Flutter layout demo',
theme: CupertinoThemeData(
brightness: Brightness.light,
primaryColor: CupertinoColors.systemBlue,
),
home: CupertinoPageScaffold(
navigationBar: CupertinoNavigationBar(
backgroundColor: CupertinoColors.systemGrey,
middle: Text('Flutter layout demo'),
),
child: Center(
child: Column(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[
Text('Hello World'),
],
),
),
),
);
}
}
// #docregion MyApp
| website/examples/layout/base/lib/cupertino.dart/0 | {
"file_path": "website/examples/layout/base/lib/cupertino.dart",
"repo_id": "website",
"token_count": 385
} | 1,459 |
# Flutter example apps
To analyze, test and run individual apps, execute the following commands from
the repo root (`$PROJECT` represents the app project path, such as
`examples/layout/lakes/step6`):
1. `flutter create --no-overwrite $PROJECT`
2. `cd $PROJECT`
3. `dart analyze`
4. `flutter test`
5. `flutter run`
To learn more about setting up Flutter and running apps, see
[docs.flutter.dev/get-started][].
[docs.flutter.dev/get-started]: https://docs.flutter.dev/get-started
| website/examples/layout/lakes/interactive/README.md/0 | {
"file_path": "website/examples/layout/lakes/interactive/README.md",
"repo_id": "website",
"token_count": 159
} | 1,460 |
name: state_mgmt
description: Sample state management code.
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/state_mgmt/simple/pubspec.yaml/0 | {
"file_path": "website/examples/state_mgmt/simple/pubspec.yaml",
"repo_id": "website",
"token_count": 131
} | 1,461 |
import 'dart:developer';
void main() {
Timeline.startSync('interesting function');
// iWonderHowLongThisTakes();
Timeline.finishSync();
}
| website/examples/testing/code_debugging/lib/perf_trace.dart/0 | {
"file_path": "website/examples/testing/code_debugging/lib/perf_trace.dart",
"repo_id": "website",
"token_count": 46
} | 1,462 |
// ignore_for_file: directives_ordering
import './error_handler.dart';
// #docregion Main
import 'package:flutter/material.dart';
import 'dart:ui';
Future<void> main() async {
await myErrorsHandler.initialize();
FlutterError.onError = (details) {
FlutterError.presentError(details);
myErrorsHandler.onErrorDetails(details);
};
PlatformDispatcher.instance.onError = (error, stack) {
myErrorsHandler.onError(error, stack);
return true;
};
runApp(const MyApp());
}
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 Main
| website/examples/testing/errors/lib/main.dart/0 | {
"file_path": "website/examples/testing/errors/lib/main.dart",
"repo_id": "website",
"token_count": 381
} | 1,463 |
name: actions_and_shortcuts
description: Sample actions and shortcuts code.
publish_to: none
environment:
sdk: ^3.3.0
dependencies:
flutter:
sdk: flutter
dev_dependencies:
example_utils:
path: ../../../example_utils
flutter:
uses-material-design: true
| website/examples/ui/advanced/actions_and_shortcuts/pubspec.yaml/0 | {
"file_path": "website/examples/ui/advanced/actions_and_shortcuts/pubspec.yaml",
"repo_id": "website",
"token_count": 101
} | 1,464 |
// ignore_for_file: prefer_const_constructors
import 'package:bitsdojo_window/bitsdojo_window.dart';
import 'package:flutter/material.dart';
import 'package:provider/provider.dart';
import 'app_model.dart';
import 'main_app_scaffold.dart';
void main() {
runApp(const AppScaffold());
// Required when using bits_dojo for custom TitleBars
doWhenWindowReady(() {
appWindow.title = 'Adaptive App Demo';
appWindow.show();
});
}
class AppScaffold extends StatelessWidget {
const AppScaffold({super.key});
@override
Widget build(BuildContext context) {
return ChangeNotifierProvider<AppModel>(
create: (_) => AppModel(),
child: Builder(
builder: (context) {
bool touchMode = context.select<AppModel, bool>((m) => m.touchMode);
// #docregion VisualDensity
double densityAmt = touchMode ? 0.0 : -1.0;
VisualDensity density =
VisualDensity(horizontal: densityAmt, vertical: densityAmt);
return MaterialApp(
theme: ThemeData(visualDensity: density),
home: MainAppScaffold(),
debugShowCheckedModeBanner: false,
);
// #enddocregion VisualDensity
},
),
);
}
}
| website/examples/ui/layout/adaptive_app_demos/lib/main.dart/0 | {
"file_path": "website/examples/ui/layout/adaptive_app_demos/lib/main.dart",
"repo_id": "website",
"token_count": 504
} | 1,465 |
import 'package:flutter/material.dart';
class CounterDisplay extends StatelessWidget {
const CounterDisplay({required this.count, super.key});
final int count;
@override
Widget build(BuildContext context) {
return Text('Count: $count');
}
}
class CounterIncrementor extends StatelessWidget {
const CounterIncrementor({required this.onPressed, super.key});
final VoidCallback onPressed;
@override
Widget build(BuildContext context) {
return ElevatedButton(
onPressed: onPressed,
child: const Text('Increment'),
);
}
}
class Counter extends StatefulWidget {
const Counter({super.key});
@override
State<Counter> createState() => _CounterState();
}
class _CounterState extends State<Counter> {
int _counter = 0;
void _increment() {
setState(() {
++_counter;
});
}
@override
Widget build(BuildContext context) {
return Row(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[
CounterIncrementor(onPressed: _increment),
const SizedBox(width: 16),
CounterDisplay(count: _counter),
],
);
}
}
void main() {
runApp(
const MaterialApp(
home: Scaffold(
body: Center(
child: Counter(),
),
),
),
);
}
| website/examples/ui/widgets_intro/lib/main_counterdisplay.dart/0 | {
"file_path": "website/examples/ui/widgets_intro/lib/main_counterdisplay.dart",
"repo_id": "website",
"token_count": 482
} | 1,466 |
lockfileVersion: '6.0'
settings:
autoInstallPeers: true
excludeLinksFromLockfile: false
dependencies:
bootstrap-scss:
specifier: ^4.6.2
version: 4.6.2
diff2html-cli:
specifier: ^5.2.15
version: 5.2.15
devDependencies:
firebase-tools:
specifier: ^13.4.1
version: 13.4.1
packages:
/@apidevtools/[email protected]:
resolution: {integrity: sha512-r1w81DpR+KyRWd3f+rk6TNqMgedmAxZP5v5KWlXQWlgMUUtyEJch0DKEci1SorPMiSeM8XPl7MZ3miJ60JIpQg==}
dependencies:
'@jsdevtools/ono': 7.1.3
'@types/json-schema': 7.0.15
call-me-maybe: 1.0.2
js-yaml: 4.1.0
dev: true
/@babel/[email protected]:
resolution: {integrity: sha512-803gmbQdqwdf4olxrX4AJyFBV/RTr3rSmOj0rKwesmzlfhYNDEs+/iOcznzpNWlJlIlTJC2QfPFcHB6DlzdVLQ==}
engines: {node: '>=6.9.0'}
dev: true
/@babel/[email protected]:
resolution: {integrity: sha512-Y4OZ+ytlatR8AI+8KZfKuL5urKp7qey08ha31L8b3BwewJAoJamTzyvxPR/5D+KkdJCGPq/+8TukHBlY10FX9A==}
engines: {node: '>=6.9.0'}
dev: true
/@babel/[email protected]:
resolution: {integrity: sha512-QuP/FxEAzMSjXygs8v4N9dvdXzEHN4W1oF3PxuWAtPo08UdM17u89RDMgjLn/mlc56iM0HlLmVkO/wgR+rDgHg==}
engines: {node: '>=6.0.0'}
hasBin: true
dependencies:
'@babel/types': 7.24.0
dev: true
/@babel/[email protected]:
resolution: {integrity: sha512-+j7a5c253RfKh8iABBhywc8NSfP5LURe7Uh4qpsh6jc+aLJguvmIUBdjSdEMQv2bENrCR5MfRdjGo7vzS/ob7w==}
engines: {node: '>=6.9.0'}
dependencies:
'@babel/helper-string-parser': 7.23.4
'@babel/helper-validator-identifier': 7.22.20
to-fast-properties: 2.0.0
dev: true
/@colors/[email protected]:
resolution: {integrity: sha512-ooWCrlZP11i8GImSjTHYHLkvFDP48nS4+204nGb1RiX/WXYHmJA2III9/e2DWVabCESdW7hBAEzHRqUn9OUVvQ==}
engines: {node: '>=0.1.90'}
requiresBuild: true
dev: true
optional: true
/@colors/[email protected]:
resolution: {integrity: sha512-Ir+AOibqzrIsL6ajt3Rz3LskB7OiMVHqltZmspbW/TJuTVuyOMirVqAkjfY6JISiLHgyNqicAC8AyHHGzNd/dA==}
engines: {node: '>=0.1.90'}
dev: true
/@dabh/[email protected]:
resolution: {integrity: sha512-hrlQOIi7hAfzsMqlGSFyVucrx38O+j6wiGOf//H2ecvIEqYN4ADBSS2iLMh5UFyDunCNniUIPk/q3riFv45xRA==}
dependencies:
colorspace: 1.1.4
enabled: 2.0.0
kuler: 2.0.0
dev: true
/@google-cloud/[email protected]:
resolution: {integrity: sha512-6G1ui6bWhNyHjmbYwavdN7mpVPRBtyDg/bfqBTAlwr413On2TnFNfDxc9UhTJctkgoCDgQXEKiRPLPR9USlkbQ==}
engines: {node: '>=12.0.0'}
dependencies:
arrify: 2.0.1
extend: 3.0.2
dev: true
/@google-cloud/[email protected]:
resolution: {integrity: sha512-crK2rgNFfvLoSgcKJY7ZBOLW91IimVNmPfi1CL+kMTf78pTJYd29XqEVedAeBu4DwCJc0EDIp1MpctLgoPq+Uw==}
engines: {node: '>=12.0.0'}
dev: true
/@google-cloud/[email protected]:
resolution: {integrity: sha512-HRkZsNmjScY6Li8/kb70wjGlDDyLkVk3KvoEo9uIoxSjYLJasGiCch9+PqRVDOCGUFvEIqyogl+BeqILL4OJHA==}
engines: {node: '>=12.0.0'}
dev: true
/@google-cloud/[email protected]:
resolution: {integrity: sha512-j8yRSSqswWi1QqUGKVEKOG03Q7qOoZP6/h2zN2YO+F5h2+DHU0bSrHCK9Y7lo2DI9fBd8qGAw795sf+3Jva4yA==}
engines: {node: '>=10'}
dev: true
/@google-cloud/[email protected]:
resolution: {integrity: sha512-4Qrry4vIToth5mqduVslltWVsyb7DR8OhnkBA3F7XiE0jgQsiuUfwp/RB2F559aXnRbwcfmjvP4jSuEaGcjrCQ==}
engines: {node: '>=12.0.0'}
dependencies:
'@google-cloud/paginator': 4.0.1
'@google-cloud/precise-date': 3.0.1
'@google-cloud/projectify': 3.0.0
'@google-cloud/promisify': 2.0.4
'@opentelemetry/api': 1.8.0
'@opentelemetry/semantic-conventions': 1.3.1
'@types/duplexify': 3.6.4
'@types/long': 4.0.2
arrify: 2.0.1
extend: 3.0.2
google-auth-library: 8.9.0
google-gax: 3.6.1
heap-js: 2.5.0
is-stream-ended: 0.1.4
lodash.snakecase: 4.1.1
p-defer: 3.0.0
transitivePeerDependencies:
- encoding
- supports-color
dev: true
/@grpc/[email protected]:
resolution: {integrity: sha512-KeyQeZpxeEBSqFVTi3q2K7PiPXmgBfECc4updA1ejCLjYmoAlvvM3ZMp5ztTDUCUQmoY3CpDxvchjO1+rFkoHg==}
engines: {node: ^8.13.0 || >=10.10.0}
dependencies:
'@grpc/proto-loader': 0.7.10
'@types/node': 20.11.25
dev: true
/@grpc/[email protected]:
resolution: {integrity: sha512-CAqDfoaQ8ykFd9zqBDn4k6iWT9loLAlc2ETmDFS9JCD70gDcnA4L3AFEo2iV7KyAtAAHFW9ftq1Fz+Vsgq80RQ==}
engines: {node: '>=6'}
hasBin: true
dependencies:
lodash.camelcase: 4.3.0
long: 5.2.3
protobufjs: 7.2.4
yargs: 17.7.2
dev: true
/@isaacs/[email protected]:
resolution: {integrity: sha512-O8jcjabXaleOG9DQ0+ARXWZBTfnP4WNAqzuiJK7ll44AmxGKv/J2M4TPjxjY3znBCfvBXFzucm1twdyFybFqEA==}
engines: {node: '>=12'}
requiresBuild: true
dependencies:
string-width: 5.1.2
string-width-cjs: /[email protected]
strip-ansi: 7.1.0
strip-ansi-cjs: /[email protected]
wrap-ansi: 8.1.0
wrap-ansi-cjs: /[email protected]
dev: true
optional: true
/@jsdevtools/[email protected]:
resolution: {integrity: sha512-4JQNk+3mVzK3xh2rqd6RB4J46qUR19azEHBneZyTZM+c456qOrbbM/5xcR8huNCCcbVt7+UmizG6GuUvPvKUYg==}
dev: true
/@jsdoc/[email protected]:
resolution: {integrity: sha512-mh8LbS9d4Jq84KLw8pzho7XC2q2/IJGiJss3xwRoLD1A+EE16SjN4PfaG4jRCzKegTFLlN0Zd8SdUPE6XdoPFg==}
engines: {node: '>=v12.0.0'}
dependencies:
lodash: 4.17.21
dev: true
/@npmcli/[email protected]:
resolution: {integrity: sha512-H4FrOVtNyWC8MUwL3UfjOsAihHvT1Pe8POj3JvjXhSTJipsZMtgUALCT4mGyYZNxymkUfOw3PUj6dE4QPp6osQ==}
engines: {node: ^16.14.0 || >=18.0.0}
requiresBuild: true
dependencies:
agent-base: 7.1.0
http-proxy-agent: 7.0.2
https-proxy-agent: 7.0.4
lru-cache: 10.2.0
socks-proxy-agent: 8.0.2
transitivePeerDependencies:
- supports-color
dev: true
optional: true
/@npmcli/[email protected]:
resolution: {integrity: sha512-7kZUAaLscfgbwBQRbvdMYaZOWyMEcPTH/tJjnyAWJ/dvvs9Ef+CERx/qJb9GExJpl1qipaDGn7KqHnFGGixd0w==}
engines: {node: ^14.17.0 || ^16.13.0 || >=18.0.0}
requiresBuild: true
dependencies:
semver: 7.6.0
dev: true
optional: true
/@opentelemetry/[email protected]:
resolution: {integrity: sha512-I/s6F7yKUDdtMsoBWXJe8Qz40Tui5vsuKCWJEWVL+5q9sSWRzzx6v2KeNsOBEwd94j0eWkpWCH4yB6rZg9Mf0w==}
engines: {node: '>=8.0.0'}
dev: true
/@opentelemetry/[email protected]:
resolution: {integrity: sha512-wU5J8rUoo32oSef/rFpOT1HIjLjAv3qIDHkw1QIhODV3OpAVHi5oVzlouozg9obUmZKtbZ0qUe/m7FP0y0yBzA==}
engines: {node: '>=8.12.0'}
dev: true
/@pkgjs/[email protected]:
resolution: {integrity: sha512-+1VkjdD0QBLPodGrJUeqarH8VAIvQODIbwh9XpP5Syisf7YoQgsJKPNFoqqLQlu+VQ/tVSshMR6loPMn8U+dPg==}
engines: {node: '>=14'}
requiresBuild: true
dev: true
optional: true
/@pnpm/[email protected]:
resolution: {integrity: sha512-htyl8TWnKL7K/ESFa1oW2UB5lVDxuF5DpM7tBi6Hu2LNL3mWkIzNLG6N4zoCUP1lCKNxWy/3iu8mS8MvToGd6w==}
engines: {node: '>=12.22.0'}
dev: true
/@pnpm/[email protected]:
resolution: {integrity: sha512-YcPQ8a0jwYU9bTdJDpXjMi7Brhkr1mXsXrUJvjqM2mQDgkRiz8jFaQGOdaLxgjtUfQgZhKy/O3cG/YwmgKaxLA==}
engines: {node: '>=12.22.0'}
dependencies:
graceful-fs: 4.2.10
dev: true
/@pnpm/[email protected]:
resolution: {integrity: sha512-UA91GwWPhFExt3IizW6bOeY/pQ0BkuNwKjk9iQW9KqxluGCrg4VenZ0/L+2Y0+ZOtme72EVvg6v0zo3AMQRCeA==}
engines: {node: '>=12'}
dependencies:
'@pnpm/config.env-replace': 1.1.0
'@pnpm/network.ca-file': 1.0.2
config-chain: 1.1.13
dev: true
/@protobufjs/[email protected]:
resolution: {integrity: sha512-j+gKExEuLmKwvz3OgROXtrJ2UG2x8Ch2YZUxahh+s1F2HZ+wAceUNLkvy6zKCPVRkU++ZWQrdxsUeQXmcg4uoQ==}
dev: true
/@protobufjs/[email protected]:
resolution: {integrity: sha512-AZkcAA5vnN/v4PDqKyMR5lx7hZttPDgClv83E//FMNhR2TMcLUhfRUBHCmSl0oi9zMgDDqRUJkSxO3wm85+XLg==}
dev: true
/@protobufjs/[email protected]:
resolution: {integrity: sha512-YyFaikqM5sH0ziFZCN3xDC7zeGaB/d0IUb9CATugHWbd1FRFwWwt4ld4OYMPWu5a3Xe01mGAULCdqhMlPl29Jg==}
dev: true
/@protobufjs/[email protected]:
resolution: {integrity: sha512-j9ednRT81vYJ9OfVuXG6ERSTdEL1xVsNgqpkxMsbIabzSo3goCjDIveeGv5d03om39ML71RdmrGNjG5SReBP/Q==}
dev: true
/@protobufjs/[email protected]:
resolution: {integrity: sha512-lljVXpqXebpsijW71PZaCYeIcE5on1w5DlQy5WH6GLbFryLUrBD4932W/E2BSpfRJWseIL4v/KPgBFxDOIdKpQ==}
dependencies:
'@protobufjs/aspromise': 1.1.2
'@protobufjs/inquire': 1.1.0
dev: true
/@protobufjs/[email protected]:
resolution: {integrity: sha512-Ddb+kVXlXst9d+R9PfTIxh1EdNkgoRe5tOX6t01f1lYWOvJnSPDBlG241QLzcyPdoNTsblLUdujGSE4RzrTZGQ==}
dev: true
/@protobufjs/[email protected]:
resolution: {integrity: sha512-kdSefcPdruJiFMVSbn801t4vFK7KB/5gd2fYvrxhuJYg8ILrmn9SKSX2tZdV6V+ksulWqS7aXjBcRXl3wHoD9Q==}
dev: true
/@protobufjs/[email protected]:
resolution: {integrity: sha512-6JOcJ5Tm08dOHAbdR3GrvP+yUUfkjG5ePsHYczMFLq3ZmMkAD98cDgcT2iA1lJ9NVwFd4tH/iSSoe44YWkltEA==}
dev: true
/@protobufjs/[email protected]:
resolution: {integrity: sha512-0kELaGSIDBKvcgS4zkjz1PeddatrjYcmMWOlAuAPwAeccUrPHdUqo/J6LiymHHEiJT5NrF1UVwxY14f+fy4WQw==}
dev: true
/@protobufjs/[email protected]:
resolution: {integrity: sha512-Vvn3zZrhQZkkBE8LSuW3em98c0FwgO4nxzv6OdSxPKJIEKY2bGbHn+mhGIPerzI4twdxaP8/0+06HBpwf345Lw==}
dev: true
/@tootallnate/[email protected]:
resolution: {integrity: sha512-C5Mc6rdnsaJDjO3UpGW/CQTHtCKaYlScZTly4JIu97Jxo/odCiH0ITnDXSJPTOrEKk/ycSZ0AOgTmkDtkOsvIA==}
dev: true
/@types/[email protected]:
resolution: {integrity: sha512-2eahVPsd+dy3CL6FugAzJcxoraWhUghZGEQJns1kTKfCXWKJ5iG/VkaB05wRVrDKHfOFKqb0X0kXh91eE99RZg==}
dependencies:
'@types/node': 20.11.25
dev: true
/@types/[email protected]:
resolution: {integrity: sha512-IO+MJPVhoqz+28h1qLAcBEH2+xHMK6MTyHJc7MTnnYb6wsoLR29POVGJ7LycmVXIqyy/4/2ShP5sUwTXuOwb/w==}
dependencies:
'@types/minimatch': 5.1.2
'@types/node': 20.11.25
dev: true
/@types/[email protected]:
resolution: {integrity: sha512-5+fP8P8MFNC+AyZCDxrB2pkZFPGzqQWUzpSeuuVLvm8VMcorNYavBqoFcxK8bQz4Qsbn4oUEEem4wDLfcysGHA==}
dev: true
/@types/[email protected]:
resolution: {integrity: sha512-yg6E+u0/+Zjva+buc3EIb+29XEg4wltq7cSmd4Uc2EE/1nUVmxyzpX6gUXD0V8jIrG0r7YeOGVIbYRkxeooCtw==}
dev: true
/@types/[email protected]:
resolution: {integrity: sha512-MqTGEo5bj5t157U6fA/BiDynNkn0YknVdh48CMPkTSpFTVmvao5UQmm7uEF6xBEo7qIMAlY/JSleYaE6VOdpaA==}
dev: true
/@types/[email protected]:
resolution: {integrity: sha512-GKMHFfv3458yYy+v/N8gjufHO6MSZKCOXpZc5GXIWWy8uldwfmPn98vp81gZ5f9SVw8YYBctgfJ22a2d7AOMeQ==}
dependencies:
'@types/linkify-it': 3.0.5
'@types/mdurl': 1.0.5
dev: true
/@types/[email protected]:
resolution: {integrity: sha512-6L6VymKTzYSrEf4Nev4Xa1LCHKrlTlYCBMTlQKFuddo1CvQcE52I0mwfOJayueUC7MJuXOeHTcIU683lzd0cUA==}
dev: true
/@types/[email protected]:
resolution: {integrity: sha512-K0VQKziLUWkVKiRVrx4a40iPaxTUefQmjtkQofBkYRcoaaL/8rhwDWww9qWbrgicNOgnpIsMxyNIUM4+n6dUIA==}
dev: true
/@types/[email protected]:
resolution: {integrity: sha512-TBHyJxk2b7HceLVGFcpAUjsa5zIdsPWlR6XHfyGzd0SFu+/NFgQgMAl96MSDZgQDvJAvV6BKsFOrt6zIL09JDw==}
dependencies:
undici-types: 5.26.5
dev: true
/@types/[email protected]:
resolution: {integrity: sha512-F3OznnSLAUxFrCEu/L5PY8+ny8DtcFRjx7fZZ9bycvXRi3KPTRS9HOitGZwvPg0juRhXFWIeKX58cnX5YqLohQ==}
dependencies:
'@types/glob': 8.1.0
'@types/node': 20.11.25
dev: true
/@types/[email protected]:
resolution: {integrity: sha512-6WaYesThRMCl19iryMYP7/x2OVgCtbIVflDGFpWnb9irXI3UjYE4AzmYuiUKY1AJstGijoY+MgUszMgRxIYTYw==}
dev: true
/[email protected]:
resolution: {integrity: sha512-nne9/IiQ/hzIhY6pdDnbBtz7DjPTKrY00P/zvPSm5pOFkl6xuGrGnXn/VtTNNfNtAfZ9/1RtehkszU9qcTii0Q==}
dev: false
/[email protected]:
resolution: {integrity: sha512-6/mh1E2u2YgEsCHdY0Yx5oW+61gZU+1vXaoiHHrpKeuRNNgFvS+/jrwHiQhB5apAf5oB7UB7E19ol2R2LKH8hQ==}
engines: {node: ^14.17.0 || ^16.13.0 || >=18.0.0}
requiresBuild: true
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-h8lQ8tacZYnR3vNQTgibj+tODHI5/+l06Au2Pcriv/Gmet0eaj4TwWH41sO9wnHDiQsEj19q0drzdWdeAHtweg==}
engines: {node: '>=6.5'}
dependencies:
event-target-shim: 5.0.1
dev: true
/[email protected]:
resolution: {integrity: sha512-PYAthTa2m2VKxuvSD3DPC/Gy+U+sOA1LAuT8mkmRuvw+NACSaeXEQ+NHcVF7rONl6qcaxV3Uuemwawk+7+SJLw==}
engines: {node: '>= 0.6'}
dependencies:
mime-types: 2.1.35
negotiator: 0.6.3
dev: true
/[email protected]([email protected]):
resolution: {integrity: sha512-rq9s+JNhf0IChjtDXxllJ7g41oZk5SlXtp0LHwyA5cejwn7vKmKp4pPri6YEePv2PU65sAsegbXtIinmDFDXgQ==}
peerDependencies:
acorn: ^6.0.0 || ^7.0.0 || ^8.0.0
dependencies:
acorn: 8.11.3
dev: true
/[email protected]:
resolution: {integrity: sha512-Y9rRfJG5jcKOE0CLisYbojUjIrIEE7AGMzA/Sm4BslANhbS+cDMpgBdcPT91oJ7OuJ9hYJBx59RjbhxVnrF8Xg==}
engines: {node: '>=0.4.0'}
hasBin: true
dev: true
/[email protected]:
resolution: {integrity: sha512-RZNwNclF7+MS/8bDg70amg32dyeZGZxiDuQmZxKLAlQjr3jGyLx+4Kkk58UO7D2QdgFIQCovuSuZESne6RG6XQ==}
engines: {node: '>= 6.0.0'}
dependencies:
debug: 4.3.4
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-o/zjMZRhJxny7OyEF+Op8X+efiELC7k7yOjMzgfzVqOzXqkBkWI79YoTdOtsuWd5BWhAGAuOY/Xa6xpiaWXiNg==}
engines: {node: '>= 14'}
dependencies:
debug: 4.3.4
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-4I7Td01quW/RpocfNayFdFVk1qSuoh0E7JrbRJ16nH01HhKFQ88INq9Sd+nd72zqRySlr9BmDA8xlEJ6vJMrYA==}
engines: {node: '>=8'}
requiresBuild: true
dependencies:
clean-stack: 2.2.0
indent-string: 4.0.0
dev: true
optional: true
/[email protected]([email protected]):
resolution: {integrity: sha512-Wx0Kx52hxE7C18hkMEggYlEifqWZtYaRgouJor+WMdPnQyEK13vgEWyVNup7SoeeoLMsr4kf5h6dOW11I15MUA==}
peerDependencies:
ajv: ^8.0.0
peerDependenciesMeta:
ajv:
optional: true
dependencies:
ajv: 8.12.0
dev: true
/[email protected]:
resolution: {integrity: sha512-j3fVLgvTo527anyYyJOGTYJbG+vnnQYvE0m5mmkc1TK+nxAppkCLMIL0aZ4dblVCNoGShhm+kzE4ZUykBoMg4g==}
dependencies:
fast-deep-equal: 3.1.3
fast-json-stable-stringify: 2.1.0
json-schema-traverse: 0.4.1
uri-js: 4.4.1
dev: true
/[email protected]:
resolution: {integrity: sha512-sRu1kpcO9yLtYxBKvqfTeh9KzZEwO3STyX1HT+4CaDzC6HpTGYhIhPIzj9XuKU7KYDwnaeh5hcOwjy1QuJzBPA==}
dependencies:
fast-deep-equal: 3.1.3
json-schema-traverse: 1.0.0
require-from-string: 2.0.2
uri-js: 4.4.1
dev: true
/[email protected]:
resolution: {integrity: sha512-IOfwwBF5iczOjp/WeY4YxyjqAFMQoZufdQWDd19SEExbVLNXqvpzSJ/M7Za4/sCPmQ0+GRquoA7bGcINcxew6w==}
dependencies:
string-width: 4.2.3
dev: true
/[email protected]:
resolution: {integrity: sha512-gKXj5ALrKWQLsYG9jlTRmR/xKluxHV+Z9QEwNIgCfM1/uwPMCuzVVnh5mwTd+OuBZcwSIMbqssNWRm1lE51QaQ==}
engines: {node: '>=8'}
dependencies:
type-fest: 0.21.3
dev: true
/[email protected]:
resolution: {integrity: sha512-kzRaCqXnpzWs+3z5ABPQiVke+iq0KXkHo8xiWV4RPTi5Yli0l97BEQuhXV1s7+aSU/fu1kUuxgS4MsQ0fRuygw==}
engines: {node: '>=14.16'}
dependencies:
type-fest: 3.13.1
dev: true
/[email protected]:
resolution: {integrity: sha512-quJQXlTSUGL2LH9SUXo8VwsY4soanhgo6LNSm84E1LBcE8s3O0wpdiRzyR9z/ZZJMlMWv37qOOb9pdJlMUEKFQ==}
engines: {node: '>=8'}
/[email protected]:
resolution: {integrity: sha512-n5M855fKb2SsfMIiFFoVrABHJC8QtHwVx+mHWP3QcEqBHYienj5dHSgjbxtC0WEZXYt4wcD6zrQElDPhFuZgfA==}
engines: {node: '>=12'}
requiresBuild: true
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-zbB9rCJAT1rbjiVDb2hqKFHNYLxgtk8NURxZ3IZwD3F6NtxbXZQCnnSi1Lkx+IDohdPlFp222wVALIheZJQSEg==}
engines: {node: '>=8'}
dependencies:
color-convert: 2.0.1
/[email protected]:
resolution: {integrity: sha512-bN798gFfQX+viw3R7yrGWRqnrN2oRkEkUjjl4JNn4E8GxxbjtG3FbrEIIY3l8/hrwUwIeCZvi4QuOTP4MErVug==}
engines: {node: '>=12'}
requiresBuild: true
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-QXu7BPrP29VllRxH8GwB7x5iX5qWKAAMLqKQGWTeLWVlNHNOpVMJ91dsxQAIWXpjuW5wqvxu3Jd/nRjrJ+0pqg==}
dev: true
/[email protected]:
resolution: {integrity: sha512-KMReFUr0B4t+D+OBkjR3KYqvocp2XaSzO55UcB6mgQMd3KbcE+mWTyvVV7D/zsdEbNnV6acZUutkiHQXvTr1Rw==}
engines: {node: '>= 8'}
dependencies:
normalize-path: 3.0.0
picomatch: 2.3.1
dev: true
/[email protected]:
resolution: {integrity: sha512-bEL/yUb/fNNiNTuUz979Z0Yg5L+LzLxGJz8x79lYmR54fmTIb6ob/hNQgkQnIUDWIFjZVQwl9Xs356I6BAMHfw==}
engines: {node: '>= 6'}
dependencies:
glob: 7.2.3
graceful-fs: 4.2.11
lazystream: 1.0.1
lodash.defaults: 4.2.0
lodash.difference: 4.5.0
lodash.flatten: 4.4.0
lodash.isplainobject: 4.0.6
lodash.union: 4.6.0
normalize-path: 3.0.0
readable-stream: 2.3.8
dev: true
/[email protected]:
resolution: {integrity: sha512-KVgf4XQVrTjhyWmx6cte4RxonPLR9onExufI1jhvw/MQ4BB6IsZD5gT8Lq+u/+pRkWna/6JoHpiQioaqFP5Rzw==}
engines: {node: '>= 10'}
dependencies:
glob: 7.2.3
graceful-fs: 4.2.11
lazystream: 1.0.1
lodash.defaults: 4.2.0
lodash.difference: 4.5.0
lodash.flatten: 4.4.0
lodash.isplainobject: 4.0.6
lodash.union: 4.6.0
normalize-path: 3.0.0
readable-stream: 3.6.2
dev: true
/[email protected]:
resolution: {integrity: sha512-+25nxyyznAXF7Nef3y0EbBeqmGZgeN/BxHX29Rs39djAfaFalmQ89SE6CWyDCHzGL0yt/ycBtNOmGTW0FyGWNw==}
engines: {node: '>= 10'}
dependencies:
archiver-utils: 2.1.0
async: 3.2.5
buffer-crc32: 0.2.13
readable-stream: 3.6.2
readdir-glob: 1.1.3
tar-stream: 2.2.0
zip-stream: 4.1.1
dev: true
/[email protected]:
resolution: {integrity: sha512-o5Roy6tNG4SL/FOkCAN6RzjiakZS25RLYFrcMttJqbdd8BWrnA+fGz57iN5Pb06pvBGvl5gQ0B48dJlslXvoTg==}
dependencies:
sprintf-js: 1.0.3
dev: true
/[email protected]:
resolution: {integrity: sha512-8+9WqebbFzpX9OR+Wa6O29asIogeRMzcGtAINdpMHHyAg10f05aSFVBbcEqGf/PXw1EjAZ+q2/bEBg3DvurK3Q==}
dev: true
/[email protected]:
resolution: {integrity: sha512-PCVAQswWemu6UdxsDFFX/+gVeYqKAod3D3UVm91jHwynguOwAvYPhx8nNlM++NqRcK6CxxpUafjmhIdKiHibqg==}
dev: true
/[email protected]:
resolution: {integrity: sha512-zPMVc3ZYlGLNk4mpK1NzP2wg0ml9t7fUgDsayR5Y5rSzxQilzR9FGu/EH2jQOcKSAeAfWeylyW8juy3OkWRvNA==}
dev: true
/[email protected]:
resolution: {integrity: sha512-3duEwti880xqi4eAMN8AyR4a0ByT90zoYdLlevfrvU43vb0YZwZVfxOgxWrLXXXpyugL0hNZc9G6BiB5B3nUug==}
engines: {node: '>=8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-1Sd1LrodN0XYxYeZcN1J4xYZvmvTwD5tDWaPUGPIzH1mFsmzsPnVtd2exWhecMjtZk/wYWjNZJiD3b1SLCeJqg==}
dev: true
/[email protected]:
resolution: {integrity: sha512-x1FCFnFifvYDDzTaLII71vG5uvDwgtmDTEVWAxrgeiR8VjMONcCXJx7E+USjDtHlwFmt9MysbqgF9b9Vjr6w+w==}
engines: {node: '>=4'}
dependencies:
tslib: 2.6.2
dev: true
/[email protected]:
resolution: {integrity: sha512-phnXdS3RP7PPcmP6NWWzWMU0sLTeyvtZCxBPpZdkYE3seGLKSQZs9FrmVO/qwypq98FUtWWUEYxziLkdGk5nnA==}
dev: true
/[email protected]:
resolution: {integrity: sha512-mzo5dfJYwAn29PeiJ0zvwTo04zj8HDJj0Mn8TD7sno7q12prdbnasKJHhkm2c1LgrhlJ0teaea8860oxi51mGA==}
dependencies:
lodash: 4.17.21
dev: true
/[email protected]:
resolution: {integrity: sha512-baNZyqaaLhyLVKm/DlvdW051MSgO6b8eVfIezl9E5PqWxFgzLm/wQntEW4zOytVburDEr0JlALEpdOFwvErLsg==}
dev: true
/[email protected]:
resolution: {integrity: sha512-Oei9OH4tRh0YqU3GxhX79dM/mwVgvbZJaSNaRk+bshkj0S5cfHcgYakreBjrHwatXKbz+IoIdYLxrKim2MjW0Q==}
dev: true
/[email protected]:
resolution: {integrity: sha512-3oSeUO0TMV67hN1AmbXsK4yaqU7tjiHlbxRDZOpH0KW9+CeX4bRAaX0Anxt0tx2MrpRpWwQaPwIlISEJhYU5Pw==}
dev: true
/[email protected]:
resolution: {integrity: sha512-AKpaYlHn8t4SVbOHCy+b5+KKgvR4vrsD8vbvrbiQJps7fKDTkjkDry6ji0rUJjC0kzbNePLwzxq8iypo41qeWA==}
dev: true
/[email protected]:
resolution: {integrity: sha512-kiV+/DTgVro4aZifY/hwRwALBISViL5NP4aReaR2EVJEObpbUBHIkdJh/YpcoEiYt7nBodZ6U2ajZeZvSxUCCg==}
dev: true
/[email protected]:
resolution: {integrity: sha512-NF+epuEdnUYVlGuhaxbbq+dvJttwLnGY+YixlXlME5KpQ5W3CnXA5cVTneY3SPbPDRkcjMbifrwmFYcClgOZeg==}
engines: {node: '>= 0.8'}
dependencies:
safe-buffer: 5.1.2
dev: true
/[email protected]:
resolution: {integrity: sha512-4Bcg1P8xhUuqcii/S0Z9wiHIrQVPMermM1any+MX5GeGD7faD3/msQUDGLol9wOcz4/jbg/WJnGqoJF6LiBdtg==}
engines: {node: '>=10.0.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-2/mKyZH9K85bzOEfhXDBFZTGd1CTs+5IHpeFQo9luiBG7hghdC851Pj2WAhb6E3R6b9tZj/XKhbg4fum+Kepug==}
dev: true
/[email protected]:
resolution: {integrity: sha512-jDctJ/IVQbZoJykoeHbhXpOlNBqGNcwXJKJog42E5HDPUwQTSdjCHdihjj0DlnheQ7blbT6dHOafNAiS8ooQKA==}
engines: {node: '>=8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-1W07cM9gS6DcLperZfFSj+bWLtaPGSOHWhPiGzXmvVJbRLdG82sH/Kn8EtW1VqWVA54AKf2h5k5BbnIbwF3h6w==}
dependencies:
buffer: 5.7.1
inherits: 2.0.4
readable-stream: 3.6.2
dev: true
/[email protected]:
resolution: {integrity: sha512-XpNj6GDQzdfW+r2Wnn7xiSAd7TM3jzkxGXBGTtWKuSXv1xUV+azxAm8jdWZN06QTQk+2N2XB9jRDkvbmQmcRtg==}
dev: true
/[email protected]:
resolution: {integrity: sha512-ml9pReCu3M61kGlqoTm2umSXTlRTuGTx0bfYj+uIUKKYycG5NtSbeetV3faSU6R7ajOPw0g/J1PvK4qNy7s5bA==}
engines: {node: '>= 0.8', npm: 1.2.8000 || >= 1.4.16}
dependencies:
bytes: 3.1.2
content-type: 1.0.5
debug: 2.6.9
depd: 2.0.0
destroy: 1.2.0
http-errors: 2.0.0
iconv-lite: 0.4.24
on-finished: 2.4.1
qs: 6.11.0
raw-body: 2.5.2
type-is: 1.6.18
unpipe: 1.0.0
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-emVpCI/S9aeFV1/qqKrztPZLiyow4XfRWLxOAu2SR/67Vau0y6IHNRukQrTx8+OUQ+aVPDhql40eDHSxGoAceA==}
dev: false
/[email protected]:
resolution: {integrity: sha512-9gYgQKXx+1nP8mP7CzFyaUARhg7D3n1dF/FnErWmu9l6JvGpNUN278h0aSb+QjoiKSWG+iZ3uHrcqk0qrY9RQQ==}
engines: {node: '>=10'}
dependencies:
ansi-align: 3.0.1
camelcase: 6.3.0
chalk: 4.1.2
cli-boxes: 2.2.1
string-width: 4.2.3
type-fest: 0.20.2
widest-line: 3.1.0
wrap-ansi: 7.0.0
dev: true
/[email protected]:
resolution: {integrity: sha512-iCuPHDFgrHX7H2vEI/5xpz07zSHB00TpugqhmYtVmMO6518mCuRMoOYFldEBl0g187ufozdaHgWKcYFb61qGiA==}
dependencies:
balanced-match: 1.0.2
concat-map: 0.0.1
dev: true
/[email protected]:
resolution: {integrity: sha512-XnAIvQ8eM+kC6aULx6wuQiwVsnzsi9d3WxzV3FpWTGA19F621kwdbsAcFKXgKUHZWsy+mY6iL1sHTxWEFCytDA==}
dependencies:
balanced-match: 1.0.2
dev: true
/[email protected]:
resolution: {integrity: sha512-b8um+L1RzM3WDSzvhm6gIz1yfTbBt6YTlcEKAvsmqCZZFw46z626lVj9j1yEPW33H5H+lBQpZMP1k8l+78Ha0A==}
engines: {node: '>=8'}
dependencies:
fill-range: 7.0.1
dev: true
/[email protected]:
resolution: {integrity: sha512-VO9Ht/+p3SN7SKWqcrgEzjGbRSJYTx+Q1pTQC0wrWqHx0vpJraQ6GtHx8tvcg1rlK1byhU5gccxgOgj7B0TDkQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-zRpUiDwd/xk6ADqPMATG8vc9VPrkck7T07OIx0gnjmJAnHnTVXNQG3vfvWNuiZIkwu9KrKdA1iJKfsfTVxE6NA==}
dev: true
/[email protected]:
resolution: {integrity: sha512-EHcyIPBQ4BSGlvjB16k5KgAJ27CIsHY/2JBmCRReo48y9rQ3MaUzWX3KVlBa4U7MyX02HdVj0K7C3WaB3ju7FQ==}
dependencies:
base64-js: 1.5.1
ieee754: 1.2.1
dev: true
/[email protected]:
resolution: {integrity: sha512-tjwM5exMg6BGRI+kNmTntNsvdZS1X8BFYS6tnJ2hdH0kVxM6/eVZ2xy+FqStSWvYmtfFMDLIxurorHwDKfDz5Q==}
engines: {node: '>=18'}
dependencies:
run-applescript: 7.0.0
dev: false
/[email protected]:
resolution: {integrity: sha512-pMhOfFDPiv9t5jjIXkHosWmkSyQbvsgEVNkz0ERHbuLh2T/7j4Mqqpz523Fe8MVY89KC6Sh/QfS2sM+SjgFDcw==}
engines: {node: '>= 0.8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-/Nf7TyzTx6S3yRJObOAV7956r8cr2+Oj8AC5dt8wSP3BQAoeX58NoHyCU8P8zGkNXStjTSi6fzO6F0pBdcYbEg==}
engines: {node: '>= 0.8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-r3NU8h/P+4lVUHfeRw1dtgQYar3DZMm4/cm2bZgOvrFC/su7budSOeqh52VJIC4U4iG1WWwV6vRW0znqBvxNuw==}
engines: {node: ^16.14.0 || >=18.0.0}
requiresBuild: true
dependencies:
'@npmcli/fs': 3.1.0
fs-minipass: 3.0.3
glob: 10.3.10
lru-cache: 10.2.0
minipass: 7.0.4
minipass-collect: 2.0.1
minipass-flush: 1.0.5
minipass-pipeline: 1.2.4
p-map: 4.0.0
ssri: 10.0.5
tar: 6.2.0
unique-filename: 3.0.0
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-GHTSNSYICQ7scH7sZ+M2rFopRoLh8t2bLSW6BbgrtLsahOIB5iyAVJf9GjWK3cYTDaMj4XdBpM1cA6pIS0Kv2w==}
engines: {node: '>= 0.4'}
dependencies:
es-define-property: 1.0.0
es-errors: 1.3.0
function-bind: 1.1.2
get-intrinsic: 1.2.4
set-function-length: 1.2.2
dev: true
/[email protected]:
resolution: {integrity: sha512-HpX65o1Hnr9HH25ojC1YGs7HCQLq0GCOibSaWER0eNpgJ/Z1MZv2mTc7+xh6WOPxbRVcmgbv4hGU+uSQ/2xFZQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-Gmy6FhYlCY7uOElZUSbxo2UCDH8owEk996gkbrpsgGtrJLM3J7jGxl9Ic7Qwwj4ivOE5AWZWRMecDdF7hqGjFA==}
engines: {node: '>=10'}
dev: true
/[email protected]:
resolution: {integrity: sha512-JSr5eOgoEymtYHBjNWyjrMqet9Am2miJhlfKNdqLp6zoeAh0KN5dRAcxlecj5mAJrmQomgiOBj35xHLrFjqBpw==}
hasBin: true
dependencies:
ansicolors: 0.3.2
redeyed: 2.1.1
dev: true
/[email protected]:
resolution: {integrity: sha512-prMTQVpcns/tzFgFVkVp6ak6RykZyWb3gu8ckUpd6YkTlacOd3DXGJjIpD4Q6zJirizvaiAjSSHlOsA+6sNh2A==}
engines: {node: '>= 10'}
dependencies:
lodash: 4.17.21
dev: true
/[email protected]:
resolution: {integrity: sha512-oKnbhFyRIXpUuez8iBMmyEa4nbj4IOQyuhc/wy9kY7/WVPcwIO9VA668Pu8RkO7+0G76SLROeyw9CpQ061i4mA==}
engines: {node: '>=10'}
dependencies:
ansi-styles: 4.3.0
supports-color: 7.2.0
dev: true
/[email protected]:
resolution: {integrity: sha512-dLitG79d+GV1Nb/VYcCDFivJeK1hiukt9QjRNVOsUtTy1rR1YJsmpGGTZ3qJos+uw7WmWF4wUwBd9jxjocFC2w==}
engines: {node: ^12.17.0 || ^14.13 || >=16.0.0}
dev: true
/[email protected]:
resolution: {integrity: sha512-mT8iDcrh03qDGRRmoA2hmBJnxpllMR+0/0qlzjqZES6NdiWDcZkCNAk4rPFZ9Q85r27unkiNNg8ZOiwZXBHwcA==}
dev: true
/[email protected]:
resolution: {integrity: sha512-7VT13fmjotKpGipCW9JEQAusEPE+Ei8nl6/g4FBAmIm0GOOLMua9NDDo/DWp0ZAxCr3cPq5ZpBqmPAQgDda2Pw==}
engines: {node: '>= 8.10.0'}
dependencies:
anymatch: 3.1.3
braces: 3.0.2
glob-parent: 5.1.2
is-binary-path: 2.1.0
is-glob: 4.0.3
normalize-path: 3.0.0
readdirp: 3.6.0
optionalDependencies:
fsevents: 2.3.3
dev: true
/[email protected]:
resolution: {integrity: sha512-bIomtDF5KGpdogkLd9VspvFzk9KfpyyGlS8YFVZl7TGPBHL5snIOnxeshwVgPteQ9b4Eydl+pVbIyE1DcvCWgQ==}
engines: {node: '>=10'}
dev: true
/[email protected]:
resolution: {integrity: sha512-5tK7EtrZ0N+OLFMthtqOj4fI2Jeb88C4CAZPu25LDVUgXJ0A3Js4PMGqrn0JU1W0Mh1/Z8wZzYPxqUrXeBboCQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-yKNcXi/Mvi5kb1uK0sahubYiyfUO2EUgOp4NcY9+8NX5Xmc+4yeNogZuLFkpLBBj7/QI9MjRUIuXrV9XOw5kVg==}
engines: {node: '>= 0.3.0'}
dependencies:
json-parse-helpfulerror: 1.0.3
dev: true
/[email protected]:
resolution: {integrity: sha512-4diC9HaTE+KRAMWhDhrGOECgWZxoevMc5TlkObMqNSsVU62PYzXZ/SMTjzyGAFF1YusgxGcSWTEXBhp0CPwQ1A==}
engines: {node: '>=6'}
requiresBuild: true
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-y4coMcylgSCdVinjiDBuR8PCC2bLjyGTwEmPb9NHR/QaNU6EUOXcTY/s6VjGMD6ENSEaeQYHCY0GNGS5jfMwPw==}
engines: {node: '>=6'}
dev: true
/[email protected]:
resolution: {integrity: sha512-I/zHAwsKf9FqGoXM4WWRACob9+SNukZTd94DWF57E4toouRulbCxcUh6RKUEOQlYTHJnzkPMySvPNaaSLNfLZw==}
engines: {node: '>=8'}
dependencies:
restore-cursor: 3.1.0
dev: true
/[email protected]:
resolution: {integrity: sha512-ywqV+5MmyL4E7ybXgKys4DugZbX0FC6LnwrhjuykIjnK9k8OQacQ7axGKnjDXWNhns0xot3bZI5h55H8yo9cJg==}
engines: {node: '>=6'}
dev: true
/[email protected]:
resolution: {integrity: sha512-w5Jac5SykAeZJKntOxJCrm63Eg5/4dhMWIcuTbo9rpE+brgaSZo0RuNJZeOyMgsUdhDeojvgyQLmjI+K50ZGyg==}
engines: {node: 10.* || >= 12.*}
dependencies:
string-width: 4.2.3
optionalDependencies:
'@colors/colors': 1.5.0
dev: true
/[email protected]:
resolution: {integrity: sha512-IqLQi4lO0nIB4tcdTpN4LCB9FI3uqrJZK7RC515EnhZ6qBaglkIgICb1wjeAqpdoOabm1+SuQtkXIPdYC93jhQ==}
engines: {node: '>= 0.2.0'}
dependencies:
colors: 1.0.3
dev: true
/[email protected]:
resolution: {integrity: sha512-FxqpkPPwu1HjuN93Omfm4h8uIanXofW0RxVEW3k5RKx+mJJYSthzNhp32Kzxxy3YAEZ/Dc/EWN1vZRY0+kOhbw==}
engines: {node: '>= 10'}
dev: true
/[email protected]:
resolution: {integrity: sha512-5mOlNS0mhX0707P2I0aZ2V/cmHUEO/fL7VFLqszkhUsxt7RwnmrInf/eEQKlf5GzvYeHIjT+Ov1HRfNmymlG0w==}
engines: {node: '>=18'}
dependencies:
execa: 8.0.1
is-wsl: 3.1.0
is64bit: 2.0.0
dev: false
/[email protected]:
resolution: {integrity: sha512-BSeNnyus75C4//NQ9gQt1/csTXyo/8Sb+afLAkzAptFuMsod9HFokGNudZpi/oQV73hnVK+sR+5PVRMd+Dr7YQ==}
engines: {node: '>=12'}
dependencies:
string-width: 4.2.3
strip-ansi: 6.0.1
wrap-ansi: 7.0.0
/[email protected]:
resolution: {integrity: sha512-JQHZ2QMW6l3aH/j6xCqQThY/9OH4D/9ls34cgkUBiEeocRTU04tHfKPBsUK1PqZCUQM7GiA0IIXJSuXHI64Kbg==}
engines: {node: '>=0.8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-QfAUtd+vFdAtFQcC8CCyYt1fYWxSqAiK2cSD6zDB8N3cpsEBAvRxp9zOGg6G/SHHJYAT88/az/IuDGALsNVbGg==}
dependencies:
color-name: 1.1.3
dev: true
/[email protected]:
resolution: {integrity: sha512-RRECPsj7iu/xb5oKYcsFHSppFNnsj/52OVTRKb4zP5onXwVF3zVmmToNcOfGC+CRDpfK/U584fMg38ZHCaElKQ==}
engines: {node: '>=7.0.0'}
dependencies:
color-name: 1.1.4
/[email protected]:
resolution: {integrity: sha512-72fSenhMw2HZMTVHeCA9KCmpEIbzWiQsjN+BHcBbS9vr1mtt+vJjPdksIBNUmKAW8TFUDPJK5SUU3QhE9NEXDw==}
dev: true
/[email protected]:
resolution: {integrity: sha512-dOy+3AuW3a2wNbZHIuMZpTcgjGuLU/uBL/ubcZF9OXbDo8ff4O8yVp5Bf0efS8uEoYo5q4Fx7dY9OgQGXgAsQA==}
/[email protected]:
resolution: {integrity: sha512-shrVawQFojnZv6xM40anx4CkoDP+fZsw/ZerEMsW/pyzsRbElpsL/DBVW7q3ExxwusdNXI3lXpuhEZkzs8p5Eg==}
dependencies:
color-name: 1.1.4
simple-swizzle: 0.2.2
dev: true
/[email protected]:
resolution: {integrity: sha512-aBl7dZI9ENN6fUGC7mWpMTPNHmWUSNan9tuWN6ahh5ZLNk9baLJOnSMlrQkHcrfFgz2/RigjUVAjdx36VcemKA==}
dependencies:
color-convert: 1.9.3
color-string: 1.9.1
dev: true
/[email protected]:
resolution: {integrity: sha512-IfEDxwoWIjkeXL1eXcDiow4UbKjhLdq6/EuSVR9GMN7KVH3r9gQ83e73hsz1Nd1T3ijd5xv1wcWRYO+D6kCI2w==}
dev: true
/[email protected]:
resolution: {integrity: sha512-pFGrxThWcWQ2MsAz6RtgeWe4NK2kUE1WfsrvvlctdII745EW9I0yflqhe7++M5LEc7bV2c/9/5zc8sFcpL0Drw==}
engines: {node: '>=0.1.90'}
dev: true
/[email protected]:
resolution: {integrity: sha512-BgvKJiuVu1igBUF2kEjRCZXol6wiiGbY5ipL/oVPwm0BL9sIpMIzM8IK7vwuxIIzOXMV3Ey5w+vxhm0rR/TN8w==}
dependencies:
color: 3.2.1
text-hex: 1.0.0
dev: true
/[email protected]:
resolution: {integrity: sha512-FQN4MRfuJeHf7cBbBMJFXhKSDq+2kAArBlmRBvcvFE5BB1HZKXtSFASDhdlz9zOYwxh8lDdnvmMOe/+5cdoEdg==}
engines: {node: '>= 0.8'}
dependencies:
delayed-stream: 1.0.0
dev: true
/[email protected]:
resolution: {integrity: sha512-y4Mg2tXshplEbSGzx7amzPwKKOCGuoSRP/CjEdwwk0FOGlUbq6lKuoyDZTNZkmxHdJtp54hdfY/JUrdL7Xfdug==}
engines: {node: '>=14'}
dev: true
/[email protected]:
resolution: {integrity: sha512-NOKm8xhkzAjzFx8B2v5OAHT+u5pRQc2UCa2Vq9jYL/31o2wi9mxBA7LIFs3sV5VSC49z6pEhfbMULvShKj26WA==}
engines: {node: '>= 6'}
dev: true
/[email protected]:
resolution: {integrity: sha512-D3uMHtGc/fcO1Gt1/L7i1e33VOvD4A9hfQLP+6ewd+BvG/gQ84Yh4oftEhAdjSMgBgwGL+jsppT7JYNpo6MHHg==}
engines: {node: '>= 10'}
dependencies:
buffer-crc32: 0.2.13
crc32-stream: 4.0.3
normalize-path: 3.0.0
readable-stream: 3.6.2
dev: true
/[email protected]:
resolution: {integrity: sha512-AF3r7P5dWxL8MxyITRMlORQNaOA2IkAFaTr4k7BUumjPtRpGDTZpl0Pb1XCO6JeDCBdp126Cgs9sMxqSjgYyRg==}
engines: {node: '>= 0.6'}
dependencies:
mime-db: 1.52.0
dev: true
/[email protected]:
resolution: {integrity: sha512-jaSIDzP9pZVS4ZfQ+TzvtiWhdpFhE2RDHz8QJkpX9SIpLq88VueF5jJw6t+6CUQcAoA6t+x89MLrWAqpfDE8iQ==}
engines: {node: '>= 0.8.0'}
dependencies:
accepts: 1.3.8
bytes: 3.0.0
compressible: 2.0.18
debug: 2.6.9
on-headers: 1.0.2
safe-buffer: 5.1.2
vary: 1.1.2
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-/Srv4dswyQNBfohGpz9o6Yb3Gz3SrUDqBH5rTuhGR7ahtlbYKnVxw2bCFMRljaA7EXHaXZ8wsHdodFvbkhKmqg==}
dev: true
/[email protected]:
resolution: {integrity: sha512-qj+f8APARXHrM0hraqXYb2/bOVSV4PvJQlNZ/DVj0QrmNM2q2euizkeuVckQ57J+W0mRH6Hvi+k50M4Jul2VRQ==}
dependencies:
ini: 1.3.8
proto-list: 1.2.4
dev: true
/[email protected]:
resolution: {integrity: sha512-aMKprgk5YhBNyH25hj8wGt2+D52Sw1DRRIzqBwLp2Ya9mFmY8KPvvtvmna8SxVR9JMZ4kzMD68N22vlaRpkeFA==}
engines: {node: '>=8'}
dependencies:
dot-prop: 5.3.0
graceful-fs: 4.2.11
make-dir: 3.1.0
unique-string: 2.0.0
write-file-atomic: 3.0.3
xdg-basedir: 4.0.0
dev: true
/[email protected]:
resolution: {integrity: sha512-ZqRXc+tZukToSNmh5C2iWMSoV3X1YUcPbqEM4DkEG5tNQXrQUZCNVGGv3IuicnkMtPfGf3Xtp8WCXs295iQ1pQ==}
engines: {node: '>= 0.10.0'}
dependencies:
debug: 2.6.9
finalhandler: 1.1.2
parseurl: 1.3.3
utils-merge: 1.0.1
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-FveZTNuGw04cxlAiWbzi6zTAL/lhehaWbTtgluJh4/E95DqMwTmha3KZN1aAWA8cFIhHzMZUvLevkw5Rqk+tSQ==}
engines: {node: '>= 0.6'}
dependencies:
safe-buffer: 5.2.1
dev: true
/[email protected]:
resolution: {integrity: sha512-nTjqfcBFEipKdXCv4YDQWCfmcLZKm81ldF0pAopTvyrFGVbcR6P/VAAd5G7N+0tTr8QqiU0tFadD6FK4NtJwOA==}
engines: {node: '>= 0.6'}
dev: true
/[email protected]:
resolution: {integrity: sha512-QADzlaHc8icV8I7vbaJXJwod9HWYp8uCqf1xa4OfNu1T7JVxQIrUgOWtHdNDtPiywmFbiS12VjotIXLrKM3orQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-YZ3GUyn/o8gfKJlnlX7g7xq4gyO6OSuhGPKaaGssGB2qgDUS0gPgtTvoyZLTt9Ab6dC4hfc9dV5arkvc/OCmrw==}
engines: {node: '>= 0.6'}
dev: true
/[email protected]:
resolution: {integrity: sha512-ZQBvi1DcpJ4GDqanjucZ2Hj3wEO5pZDS89BWbkcrvdxksJorwUDDZamX9ldFkp9aw2lmBDLgkObEA4DWNJ9FYQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-KIHbLJqu73RGr/hnbrO9uBeixNGuvSQjul/jdFvS/KFSIH1hWVd1ng7zOHx+YrEfInLG7q4n6GHQ9cDtxv/P6g==}
engines: {node: '>= 0.10'}
dependencies:
object-assign: 4.1.1
vary: 1.1.2
dev: true
/[email protected]:
resolution: {integrity: sha512-ROmzCKrTnOwybPcJApAA6WBWij23HVfGVNKqqrZpuyZOHqK2CwHSvpGuyt/UNNvaIjEd8X5IFGp4Mh+Ie1IHJQ==}
engines: {node: '>=0.8'}
hasBin: true
dev: true
/[email protected]:
resolution: {integrity: sha512-NT7w2JVU7DFroFdYkeq8cywxrgjPHWkdX1wjpRQXPX5Asews3tA+Ght6lddQO5Mkumffp3X7GEqku3epj2toIw==}
engines: {node: '>= 10'}
dependencies:
crc-32: 1.2.2
readable-stream: 3.6.2
dev: true
/[email protected]:
resolution: {integrity: sha512-1yHhtcfAd1r4nwQgknowuUNfIT9E8dOMMspC36g45dN+iD1blloi7xp8X/xAIDnjHWyt1uQ8PHk2fkNaym7soQ==}
engines: {node: '>=4.0'}
hasBin: true
dependencies:
cross-spawn: 6.0.5
dev: true
/[email protected]:
resolution: {integrity: sha512-eTVLrBSt7fjbDygz805pMnstIs2VTBNkRm0qxZd+M7A5XDdxVRWO5MxGBXZhjY4cqLYLdtrGqRf8mBPmzwSpWQ==}
engines: {node: '>=4.8'}
dependencies:
nice-try: 1.0.5
path-key: 2.0.1
semver: 5.7.2
shebang-command: 1.2.0
which: 1.3.1
dev: true
/[email protected]:
resolution: {integrity: sha512-iRDPJKUPVEND7dHPO8rkbOnPpyDygcDFtWjpeWNCgy8WP2rXcxXL8TskReQl6OrB2G7+UJrags1q15Fudc7G6w==}
engines: {node: '>= 8'}
dependencies:
path-key: 3.1.1
shebang-command: 2.0.0
which: 2.0.2
/[email protected]:
resolution: {integrity: sha512-v1plID3y9r/lPhviJ1wrXpLeyUIGAZ2SHNYTEapm7/8A9nLPoyvVp3RK/EPFqn5kEznyWgYZNsRtYYIWbuG8KA==}
engines: {node: '>=8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-erCk7tyU3yLWAhk6wvKxnyPtftuy/6Ak622gOO7BCJ05+TYffnPCJF905wmOQm+BpkX54OdAl8pveJwUdpnCXQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-0R9ikRb668HB7QDxT1vkpuUBtqc53YyAwMwGeUFKRojY/NWKvdZ+9UYtRfGmhqNbRkTSVpMbmyhXipFFv2cb/A==}
engines: {node: '>= 12'}
dev: false
/[email protected]:
resolution: {integrity: sha512-7hvf7/GW8e86rW0ptuwS3OcBGDjIi6SZva7hCyWC0yYry2cOPmLIjXAUHI6DK2HsnwJd9ifmt57i8eV2n4YNpw==}
engines: {node: '>= 14'}
dev: true
/[email protected]:
resolution: {integrity: sha512-bC7ElrdJaJnPbAP+1EotYvqZsb3ecl5wi6Bfi6BJTUcNowp6cvspg0jXznRTKDjm/E7AdgFBVeAPVMNcKGsHMA==}
peerDependencies:
supports-color: '*'
peerDependenciesMeta:
supports-color:
optional: true
dependencies:
ms: 2.0.0
dev: true
/[email protected]:
resolution: {integrity: sha512-CFjzYYAi4ThfiQvizrFQevTTXHtnCqWfe7x1AhgEscTz6ZbLbfoLRLPugTQyBth6f8ZERVUSyWHFD/7Wu4t1XQ==}
peerDependencies:
supports-color: '*'
peerDependenciesMeta:
supports-color:
optional: true
dependencies:
ms: 2.1.3
dev: true
/[email protected]:
resolution: {integrity: sha512-doEwdvm4PCeK4K3RQN2ZC2BYUBaxwLARCqZmMjtF8a51J2Rb0xpVloFRnCODwqjpwnAoao4pelN8l3RJdv3gRQ==}
engines: {node: '>=6.0'}
peerDependencies:
supports-color: '*'
peerDependenciesMeta:
supports-color:
optional: true
dependencies:
ms: 2.1.2
dev: true
/[email protected]:
resolution: {integrity: sha512-PRWFHuSU3eDtQJPvnNY7Jcket1j0t5OuOsFzPPzsekD52Zl8qUfFIPEiswXqIvHWGVHOgX+7G/vCNNhehwxfkQ==}
engines: {node: '>=6.0'}
peerDependencies:
supports-color: '*'
peerDependenciesMeta:
supports-color:
optional: true
dependencies:
ms: 2.1.2
dev: true
/[email protected]:
resolution: {integrity: sha512-RfnWHQzph10YrUjvWwhd15Dne8ciSJcZ3U6OD7owPwiVwsdE5IFSoZGg8rlwJD11ES+9H5y8j3fCofviRHOqLQ==}
dependencies:
lodash.mapvalues: 4.6.0
sort-any: 2.0.0
dev: true
/[email protected]:
resolution: {integrity: sha512-LOHxIOaPYdHlJRtCQfDIVZtfw/ufM8+rVj649RIHzcm/vGwQRXFt6OPqIFWsm2XEMrNIEtWR64sY1LEKD2vAOA==}
engines: {node: '>=4.0.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-Z+z8HiAvsGwmjqlphnHW5oz6yWlOwu6EQfFTjmeTWlDeda3FS2yv3jhq35TX/ewmsnqB+RX2IdsIOyjJCQN5tg==}
dev: true
/[email protected]:
resolution: {integrity: sha512-oIPzksmTg4/MriiaYGO+okXDT7ztn/w3Eptv/+gSIdMdKsJo0u4CfYNFJPy+4SKMuCqGw2wxnA+URMg3t8a/bQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-A6p/pu/6fyBcA1TRz/GqWYPViplrftcW2gZC9q79ngNCKAeR/X3gcEdXQHl4KNXV+3wgIJ1CPkJQ3IHM6lcsyA==}
engines: {node: '>=18'}
dev: false
/[email protected]:
resolution: {integrity: sha512-WY/3TUME0x3KPYdRRxEJJvXRHV4PyPoUsxtZa78lwItwRQRHhd2U9xOscaT/YTf8uCXIAjeJOFBVEh/7FtD8Xg==}
engines: {node: '>=18'}
dependencies:
bundle-name: 4.1.0
default-browser-id: 5.0.0
dev: false
/[email protected]:
resolution: {integrity: sha512-eFuaLoy/Rxalv2kr+lqMlUnrDWV+3j4pljOIJgLIhI058IQfWJ7vXhyEIHu+HtC738klGALYxOKDO0bQP3tg8A==}
dependencies:
clone: 1.0.4
dev: true
/[email protected]:
resolution: {integrity: sha512-rBMvIzlpA8v6E+SJZoo++HAYqsLrkg7MSfIinMPFhmkorw7X+dOXVJQs+QT69zGkzMyfDnIMN2Wid1+NbL3T+A==}
engines: {node: '>= 0.4'}
dependencies:
es-define-property: 1.0.0
es-errors: 1.3.0
gopd: 1.0.1
dev: true
/[email protected]:
resolution: {integrity: sha512-N+MeXYoqr3pOgn8xfyRPREN7gHakLYjhsHhWGT3fWAiL4IkAt0iDw14QiiEm2bE30c5XX5q0FtAA3CK5f9/BUg==}
engines: {node: '>=12'}
dev: false
/[email protected]:
resolution: {integrity: sha512-TllpMR/t0M5sqCXfj85i4XaAzxmS5tVA16dqvdkMwGmzI+dXLXnw3J+3Vdv7VKw+ThlTMboK6i9rnZ6Nntj5CQ==}
engines: {node: '>= 14'}
dependencies:
ast-types: 0.13.4
escodegen: 2.1.0
esprima: 4.0.1
dev: true
/[email protected]:
resolution: {integrity: sha512-ZySD7Nf91aLB0RxL4KGrKHBXl7Eds1DAmEdcoVawXnLD7SDhpNgtuII2aAkg7a7QS41jxPSZ17p4VdGnMHk3MQ==}
engines: {node: '>=0.4.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-g7nH6P6dyDioJogAAGprGpCtVImJhpPk/roCzdb3fIh61/s/nPsfR6onyMwkCAR/OlC3yBC0lESvUoQEAssIrw==}
engines: {node: '>= 0.8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-2sJGJTaXIIaR1w4iJSNoN0hnMY7Gpc/n8D4qSCJw8QqFWXf7cuAgnEHxBpweaVcPevC2l3KpjYCx3NypQQgaJg==}
engines: {node: '>= 0.8', npm: 1.2.8000 || >= 1.4.16}
dev: true
/[email protected]:
resolution: {integrity: sha512-w1WJSzyiXDSVsz6cYPE7eu0f3KptN1fT2s/i0ENavaB9aT1Fj/3zjH00mYB14JiPdj3X0hl4PsrtBNjgGKdpkA==}
engines: {node: '>=16'}
hasBin: true
dependencies:
clipboardy: 4.0.0
diff2html: 3.4.47
node-fetch: 3.3.2
open: 10.1.0
yargs: 17.7.2
dev: false
/[email protected]:
resolution: {integrity: sha512-2llDp8750FRUJl8n7apM0tlcqZYxbDHTw7qhzv/kGddByHRpn3Xg/sWHHIy34h492aGSpStEULydxqrITYpuoA==}
engines: {node: '>=12'}
dependencies:
diff: 5.1.0
hogan.js: 3.0.2
optionalDependencies:
highlight.js: 11.9.0
dev: false
/[email protected]:
resolution: {integrity: sha512-D+mk+qE8VC/PAUrlAU34N+VfXev0ghe5ywmpqrawphmVZc1bEfn56uo9qpyGp1p4xpzOHkSW4ztBd6L7Xx4ACw==}
engines: {node: '>=0.3.1'}
dev: false
/[email protected]:
resolution: {integrity: sha512-QM8q3zDe58hqUqjraQOmzZ1LIH9SWQJTlEKCH4kJ2oQvLZk7RbQXvtDM2XEq3fwkV9CCvvH4LA0AV+ogFsBM2Q==}
engines: {node: '>=8'}
dependencies:
is-obj: 2.0.0
dev: true
/[email protected]:
resolution: {integrity: sha512-M3BmBhwJRZsSx38lZyhE53Csddgzl5R7xGJNk7CVddZD6CcmwMCH8J+7AprIrQKH7TonKxaCjcv27Qmf+sQ+oA==}
dependencies:
end-of-stream: 1.4.4
inherits: 2.0.4
readable-stream: 3.6.2
stream-shift: 1.0.3
dev: true
/[email protected]:
resolution: {integrity: sha512-I88TYZWc9XiYHRQ4/3c5rjjfgkjhLyW2luGIheGERbNQ6OY7yTybanSpDXZa8y7VUP9YmDcYa+eyq4ca7iLqWA==}
requiresBuild: true
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-nagl3RYrbNv6kQkeJIpt6NJZy8twLB/2vtz6yN9Z4vRKHN4/QZJIEbqohALSgwKdnksuY3k5Addp5lg8sVoVcQ==}
dependencies:
safe-buffer: 5.2.1
dev: true
/[email protected]:
resolution: {integrity: sha512-WMwm9LhRUo+WUaRN+vRuETqG89IgZphVSNkdFgeb6sS/E4OrDIN7t48CAewSHXc6C8lefD8KKfr5vY61brQlow==}
dev: true
/[email protected]:
resolution: {integrity: sha512-MSjYzcWNOA0ewAHpz0MxpYFvwg6yjy1NG3xteoqz644VCo/RPgnr1/GGt+ic3iJTzQ8Eu3TdM14SawnVUmGE6A==}
/[email protected]:
resolution: {integrity: sha512-L18DaJsXSUk2+42pv8mLs5jJT2hqFkFE4j21wOmgbUqsZ2hL72NsUU785g9RXgo3s0ZNgVl42TiHp3ZtOv/Vyg==}
requiresBuild: true
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-AKrN98kuwOzMIdAizXGI86UFBoo26CL21UM763y1h/GMSJ4/OHU9k2YlsmBpyScFo/wbLzWQJBMCW4+IO3/+OQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-TPJXq8JqFaVYm2CWmPvnP2Iyo4ZSM7/QKcSmuMLDObfpH5fi7RUGmd/rTDf+rut/saiDiQEeVTNgAmJEdAOx0w==}
engines: {node: '>= 0.8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-ETBauow1T35Y/WZMkio9jiM0Z5xjHHmJ4XmjZOq1l/dXz3lr2sRn87nJy20RupqSh1F2m3HHPSp8ShIPQJrJ3A==}
requiresBuild: true
dependencies:
iconv-lite: 0.6.3
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-+uw1inIHVPQoaVuHzRyXd21icM+cnt4CzD5rW+NC1wjOUSTOs+Te7FOv7AhN7vS9x/oIyhLP5PR1H+phQAHu5Q==}
dependencies:
once: 1.4.0
dev: true
/[email protected]:
resolution: {integrity: sha512-hCx1oky9PFrJ611mf0ifBLBRW8lUUVRlFolb5gWRfIELabBlbp9xZvrqZLZAs+NxFnbfQoeGd8wDkygjg7U85w==}
dev: true
/[email protected]:
resolution: {integrity: sha512-+h1lkLKhZMTYjog1VEpJNG7NZJWcuc2DDk/qsqSTRRCOXiLjeQ1d1/udrUGhqMxUgAlwKNZ0cf2uqan5GLuS2A==}
engines: {node: '>=6'}
requiresBuild: true
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-2bmlRpNKBxT/CRmPOlyISQpNj+qSeYvcym/uT0Jx2bMOlKLtSy1ZmLuVxSEKKyor/N5yhvp/ZiG1oE3DEYMSFA==}
requiresBuild: true
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-jxayLKShrEqqzJ0eumQbVhTYQM27CfT1T35+gCgDFoL82JLsXqTJ76zv6A0YLOgEnLUMvLzsDsGIrl8NFpT2gQ==}
engines: {node: '>= 0.4'}
dependencies:
get-intrinsic: 1.2.4
dev: true
/[email protected]:
resolution: {integrity: sha512-Zf5H2Kxt2xjTvbJvP2ZWLEICxA6j+hAmMzIlypy4xcBg1vKVnx89Wy0GbS+kf5cwCVFFzdCFh2XSCFNULS6csw==}
engines: {node: '>= 0.4'}
dev: true
/[email protected]:
resolution: {integrity: sha512-ErCHMCae19vR8vQGe50xIsVomy19rg6gFu3+r3jkEO46suLMWBksvVyoGgQV+jOfl84ZSOSlmv6Gxa89PmTGmA==}
engines: {node: '>=6'}
/[email protected]:
resolution: {integrity: sha512-8/uIhbG12Csjy2JEW7D9pHbreaVaS/OpN3ycnyvElTdwM5n6GY6W6e2IPemfvGZeUMqZ9A/3GqIZMgKnBhAw/Q==}
engines: {node: '>=8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-NiSupZ4OeuGwr68lGIeym/ksIZMJodUGOSCZ/FSnTxcrekbvqrgdUxlJOMpijaKZVjAJrWrGs/6Jy8OMuyj9ow==}
dev: true
/[email protected]:
resolution: {integrity: sha512-vbRorB5FUQWvla16U8R/qgaFIya2qGzwDrNmCZuYKrbdSUMG6I1ZCGQRefkRVhuOkIGVne7BQ35DSfo1qvJqFg==}
engines: {node: '>=0.8.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-UpzcLCXolUWcNu5HtVMHYdXJjArjsF9C0aNnquZYY4uW/Vu0miy5YoWvbV345HauVvcAUnpRuhMMcqTcGOY2+w==}
engines: {node: '>=8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-qFcX0XJkdg+PB3xjZZG/wKSuT1PnQWx57+TVSjIMmILd2yC/6ByYElPwJnslDsuWuSAp4AwJGumarAAmJch5Kw==}
engines: {node: '>=4.0'}
hasBin: true
dependencies:
esprima: 4.0.1
estraverse: 4.3.0
esutils: 2.0.3
optionator: 0.8.3
optionalDependencies:
source-map: 0.6.1
dev: true
/[email protected]:
resolution: {integrity: sha512-2NlIDTwUWJN0mRPQOdtQBzbUHvdGY2P1VXSyU83Q3xKxM7WHX2Ql8dKq782Q9TgQUNOLEzEYu9bzLNj1q88I5w==}
engines: {node: '>=6.0'}
hasBin: true
dependencies:
esprima: 4.0.1
estraverse: 5.3.0
esutils: 2.0.3
optionalDependencies:
source-map: 0.6.1
dev: true
/[email protected]:
resolution: {integrity: sha512-wpc+LXeiyiisxPlEkUzU6svyS1frIO3Mgxj1fdy7Pm8Ygzguax2N3Fa/D/ag1WqbOprdI+uY6wMUl8/a2G+iag==}
engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
dev: true
/[email protected]:
resolution: {integrity: sha512-oruZaFkjorTpF32kDSI5/75ViwGeZginGGy2NoOSg3Q9bnwlnmDm4HLnkl0RE3n+njDXR037aY1+x58Z/zFdwQ==}
engines: {node: ^12.22.0 || ^14.17.0 || >=16.0.0}
dependencies:
acorn: 8.11.3
acorn-jsx: 5.3.2([email protected])
eslint-visitor-keys: 3.4.3
dev: true
/[email protected]:
resolution: {integrity: sha512-eGuFFw7Upda+g4p+QHvnW0RyTX/SVeJBDM/gCtMARO0cLuT2HcEKnTPvhjV6aGeqrCB/sbNop0Kszm0jsaWU4A==}
engines: {node: '>=4'}
hasBin: true
dev: true
/[email protected]:
resolution: {integrity: sha512-39nnKffWz8xN1BU/2c79n9nB9HDzo0niYUqx6xyqUnyoAnQyyWpOTdZEeiCch8BBu515t4wp9ZmgVfVhn9EBpw==}
engines: {node: '>=4.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-MMdARuVEQziNTeJD8DgMqmhwR11BRQ/cBP+pLtYdSTnf3MIO8fFeiINEbX36ZdNlfU/7A9f3gUw49B3oQsvwBA==}
engines: {node: '>=4.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-kVscqXk4OCp68SZ0dkgEKVi6/8ij300KBWTJq32P/dYeWTSwK41WyTxalN1eRmA5Z9UU/LX9D7FWSmV9SAYx6g==}
engines: {node: '>=0.10.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-aIL5Fx7mawVa300al2BnEE4iNvo1qETxLrPI/o05L7z6go7fCw1J6EQmbK4FmJ2AS7kgVF/KEZWufBfdClMcPg==}
engines: {node: '>= 0.6'}
dev: true
/[email protected]:
resolution: {integrity: sha512-i/2XbnSz/uxRCU6+NdVJgKWDTM427+MqYbkQzD321DuCQJUqOuJKIA0IM2+W2xtYHdKOmZ4dR6fExsd4SXL+WQ==}
engines: {node: '>=6'}
dev: true
/[email protected]:
resolution: {integrity: sha512-Kd3EgYfODHueq6GzVfs/VUolh2EgJsS8hkO3KpnDrxVjU3eq63eXM2ujXkhPP+OkeUOhL8CxdfZbQXzryb5C4g==}
dev: true
/[email protected]:
resolution: {integrity: sha512-VyhnebXciFV2DESc+p6B+y0LjSm0krU4OgJN44qFAhBY0TJ+1V61tYD2+wHusZ6F9n5K+vl8k0sTy7PEfV4qpg==}
engines: {node: '>=16.17'}
dependencies:
cross-spawn: 7.0.3
get-stream: 8.0.1
human-signals: 5.0.0
is-stream: 3.0.0
merge-stream: 2.0.0
npm-run-path: 5.3.0
onetime: 6.0.0
signal-exit: 4.1.0
strip-final-newline: 3.0.0
dev: false
/[email protected]:
resolution: {integrity: sha512-V2hqwTtYRj0bj43K4MCtm0caD97YWkqOUHFMRCBW5L1x9IjyqOEc7Xa4oQjjiFbeFOSQzzwPV+BzXsQjSz08fw==}
engines: {node: '>=6.0.0', npm: '>5.0.0'}
dependencies:
exegesis: 4.1.1
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-PvSqaMOw2absLBgsthtJyVOeCHN4lxQ1dM7ibXb6TfZZJaoXtGELoEAGJRFvdN16+u9kg8oy1okZXRk8VpimWA==}
engines: {node: '>=6.0.0', npm: '>5.0.0'}
dependencies:
'@apidevtools/json-schema-ref-parser': 9.1.2
ajv: 8.12.0
ajv-formats: 2.1.1([email protected])
body-parser: 1.20.2
content-type: 1.0.5
deep-freeze: 0.0.1
events-listener: 1.1.0
glob: 7.2.3
json-ptr: 3.1.1
json-schema-traverse: 1.0.0
lodash: 4.17.21
openapi3-ts: 3.2.0
promise-breaker: 6.0.0
pump: 3.0.0
qs: 6.12.0
raw-body: 2.5.2
semver: 7.6.0
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-dX7e/LHVJ6W3DE1MHWi9S1EYzDESENfLrYohG2G++ovZrYOkm4Knwa0mc1cn84xJOR4KEU0WSchhLbd0UklbHw==}
requiresBuild: true
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-6VyCijWQ+9O7WuVMTRBTl+cjNNIzD5cY5mQ1WM8r/LEkI2u8EYpOotESNwzNlyCn3g+dmjKYI6BmNneSr/FSRw==}
engines: {node: '>= 0.10.0'}
dependencies:
accepts: 1.3.8
array-flatten: 1.1.1
body-parser: 1.20.2
content-disposition: 0.5.4
content-type: 1.0.5
cookie: 0.5.0
cookie-signature: 1.0.6
debug: 2.6.9
depd: 2.0.0
encodeurl: 1.0.2
escape-html: 1.0.3
etag: 1.8.1
finalhandler: 1.2.0
fresh: 0.5.2
http-errors: 2.0.0
merge-descriptors: 1.0.1
methods: 1.1.2
on-finished: 2.4.1
parseurl: 1.3.3
path-to-regexp: 0.1.7
proxy-addr: 2.0.7
qs: 6.11.0
range-parser: 1.2.1
safe-buffer: 5.2.1
send: 0.18.0
serve-static: 1.15.0
setprototypeof: 1.2.0
statuses: 2.0.1
type-is: 1.6.18
utils-merge: 1.0.1
vary: 1.1.2
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-fjquC59cD7CyW6urNXK0FBufkZcoiGG80wTuPujX590cB5Ttln20E2UB4S/WARVqhXffZl2LNgS+gQdPIIim/g==}
dev: true
/[email protected]:
resolution: {integrity: sha512-hMQ4CX1p1izmuLYyZqLMO/qGNw10wSv9QDCPfzXfyFrOaCSSoRfqE1Kf1s5an66J5JZC62NewG+mK49jOCtQew==}
engines: {node: '>=4'}
dependencies:
chardet: 0.7.0
iconv-lite: 0.4.24
tmp: 0.0.33
dev: true
/[email protected]:
resolution: {integrity: sha512-f3qQ9oQy9j2AhBe/H9VC91wLmKBCCU/gDOnKNAYG5hswO7BLKj09Hc5HYNz9cGI++xlpDCIgDaitVs03ATR84Q==}
dev: true
/[email protected]:
resolution: {integrity: sha512-lhd/wF+Lk98HZoTCtlVraHtfh5XYijIjalXck7saUtuanSDyLMxnHhSXEDJqHxD7msR8D0uCmqlkwjCV8xvwHw==}
dev: true
/[email protected]:
resolution: {integrity: sha512-DCXu6Ifhqcks7TZKY3Hxp3y6qphY5SJZmrWMDrKcERSOXWQdMhU9Ig/PYrzyw/ul9jOIyh0N4M0tbC5hodg8dw==}
dev: true
/[email protected]:
resolution: {integrity: sha512-VhXlQgj9ioXCqGstD37E/HBeqEGV/qOD/kmbVG8h5xKBYvM1L3lR1Zn4555cQ8GkYbJa8aJSipLPndE1k6zK2w==}
dev: true
/[email protected]:
resolution: {integrity: sha512-5jOCVXADYNuRkKFzNJ0dCCewsZiYo0dz8QNYljkOpFC6r2U4OBmKtvm/Tsuh4w1YYdDqDb31a8TVhBJ2OJKdqQ==}
dependencies:
punycode: 1.4.1
dev: true
/[email protected]:
resolution: {integrity: sha512-OP2IUU6HeYKJi3i0z4A19kHMQoLVs4Hc+DPqqxI2h/DPZHTm/vjsfC6P0b4jCMy14XizLBqvndQ+UilD7707Jw==}
dev: true
/[email protected]:
resolution: {integrity: sha512-7yAQpD2UMJzLi1Dqv7qFYnPbaPx7ZfFK6PiIxQ4PfkGPyNyl2Ugx+a/umUonmKqjhM4DnfbMvdX6otXq83soQQ==}
engines: {node: ^12.20 || >= 14.13}
dependencies:
node-domexception: 1.0.0
web-streams-polyfill: 3.3.3
dev: false
/[email protected]:
resolution: {integrity: sha512-yaduQFRKLXYOGgEn6AZau90j3ggSOyiqXU0F9JZfeXYhNa+Jk4X+s45A2zg5jns87GAFa34BBm2kXw4XpNcbdg==}
engines: {node: '>=8'}
dependencies:
escape-string-regexp: 1.0.5
dev: true
/[email protected]:
resolution: {integrity: sha512-mjFIpOHC4jbfcTfoh4rkWpI31mF7viw9ikj/JyLoKzqlwG/YsefKfvYlYhdYdg/9mtK2z1AzgN/0LvVQ3zdlSQ==}
engines: {node: '>= 0.4.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-qOo9F+dMUmC2Lcb4BbVvnKJxTPjCm+RRpe4gDuGrzkL7mEVl/djYSu2OdQ2Pa302N4oqkSg9ir6jaLWJ2USVpQ==}
engines: {node: '>=8'}
dependencies:
to-regex-range: 5.0.1
dev: true
/[email protected]:
resolution: {integrity: sha512-aAWcW57uxVNrQZqFXjITpW3sIUQmHGG3qSb9mUah9MgMC4NeWhNOlNjXEYq3HjRAvL6arUviZGGJsBg6z0zsWA==}
engines: {node: '>= 0.8'}
dependencies:
debug: 2.6.9
encodeurl: 1.0.2
escape-html: 1.0.3
on-finished: 2.3.0
parseurl: 1.3.3
statuses: 1.5.0
unpipe: 1.0.0
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-5uXcUVftlQMFnWC9qu/svkWv3GTd2PfUhK/3PLkYNAe7FbqJMt3515HaxE6eRL74GdsriiwujiawdaB1BpEISg==}
engines: {node: '>= 0.8'}
dependencies:
debug: 2.6.9
encodeurl: 1.0.2
escape-html: 1.0.3
on-finished: 2.4.1
parseurl: 1.3.3
statuses: 2.0.1
unpipe: 1.0.0
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-2p/PWAy9BjSN/9VtSPIaBBdrKKx7tmnTvjsI8Wagvgwwk3Qunys24kNYBL4XR+VweIDuFCzY1ZfbULOpURJYBg==}
engines: {node: '>=18.0.0 || >=20.0.0'}
hasBin: true
dependencies:
'@google-cloud/pubsub': 3.7.5
abort-controller: 3.0.0
ajv: 6.12.6
archiver: 5.3.2
async-lock: 1.3.2
body-parser: 1.20.2
chokidar: 3.6.0
cjson: 0.3.3
cli-table: 0.3.11
colorette: 2.0.20
commander: 4.1.1
configstore: 5.0.1
cors: 2.8.5
cross-env: 5.2.1
cross-spawn: 7.0.3
csv-parse: 5.5.5
deep-equal-in-any-order: 2.0.6
exegesis: 4.1.1
exegesis-express: 4.0.0
express: 4.18.3
filesize: 6.4.0
form-data: 4.0.0
fs-extra: 10.1.0
fuzzy: 0.1.3
glob: 7.2.3
google-auth-library: 7.14.1
inquirer: 8.2.6
inquirer-autocomplete-prompt: 2.0.1([email protected])
js-yaml: 3.14.1
jsonwebtoken: 9.0.2
leven: 3.1.0
libsodium-wrappers: 0.7.13
lodash: 4.17.21
marked: 4.3.0
marked-terminal: 5.2.0([email protected])
mime: 2.6.0
minimatch: 3.1.2
morgan: 1.10.0
node-fetch: 2.7.0
open: 6.4.0
ora: 5.4.1
p-limit: 3.1.0
portfinder: 1.0.32
progress: 2.0.3
proxy-agent: 6.4.0
retry: 0.13.1
rimraf: 3.0.2
semver: 7.6.0
stream-chain: 2.2.5
stream-json: 1.8.0
strip-ansi: 6.0.1
superstatic: 9.0.3
tar: 6.2.0
tcp-port-used: 1.0.2
tmp: 0.2.3
triple-beam: 1.4.1
universal-analytics: 0.5.3
update-notifier-cjs: 5.1.6
uuid: 8.3.2
winston: 3.12.0
winston-transport: 4.7.0
ws: 7.5.9
transitivePeerDependencies:
- bufferutil
- encoding
- supports-color
- utf-8-validate
dev: true
/[email protected]:
resolution: {integrity: sha512-GRnmB5gPyJpAhTQdSZTSp9uaPSvl09KoYcMQtsB9rQoOmzs9dH6ffeccH+Z+cv6P68Hu5bC6JjRh4Ah/mHSNRw==}
dev: true
/[email protected]:
resolution: {integrity: sha512-TMKDUnIte6bfb5nWv7V/caI169OHgvwjb7V4WkeUvbQQdjr5rWKqHFiKWb/fcOwB+CzBT+qbWjvj+DVwRskpIg==}
engines: {node: '>=14'}
requiresBuild: true
dependencies:
cross-spawn: 7.0.3
signal-exit: 4.1.0
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-ETEklSGi5t0QMZuiXoA/Q6vcnxcLQP5vdugSpuAyi6SVGi2clPPp+xgEhuMaHC+zGgn31Kd235W35f7Hykkaww==}
engines: {node: '>= 6'}
dependencies:
asynckit: 0.4.0
combined-stream: 1.0.8
mime-types: 2.1.35
dev: true
/[email protected]:
resolution: {integrity: sha512-buewHzMvYL29jdeQTVILecSaZKnt/RJWjoZCF5OW60Z67/GmSLBkOFM7qh1PI3zFNtJbaZL5eQu1vLfazOwj4g==}
engines: {node: '>=12.20.0'}
dependencies:
fetch-blob: 3.2.0
dev: false
/[email protected]:
resolution: {integrity: sha512-buRG0fpBtRHSTCOASe6hD258tEubFoRLb4ZNA6NxMVHNw2gOcwHo9wyablzMzOA5z9xA9L1KNjk/Nt6MT9aYow==}
engines: {node: '>= 0.6'}
dev: true
/[email protected]:
resolution: {integrity: sha512-zJ2mQYM18rEFOudeV4GShTGIQ7RbzA7ozbU9I/XBpm7kqgMywgmylMwXHxZJmkVoYkna9d2pVXVXPdYTP9ej8Q==}
engines: {node: '>= 0.6'}
dev: true
/[email protected]:
resolution: {integrity: sha512-y6OAwoSIf7FyjMIv94u+b5rdheZEjzR63GTyZJm5qh4Bi+2YgwLCcI/fPFZkL5PSixOt6ZNKm+w+Hfp/Bciwow==}
dev: true
/[email protected]:
resolution: {integrity: sha512-oRXApq54ETRj4eMiFzGnHWGy+zo5raudjuxN0b8H7s/RU2oW0Wvsx9O0ACRN/kRq9E8Vu/ReskGB5o3ji+FzHQ==}
engines: {node: '>=12'}
dependencies:
graceful-fs: 4.2.11
jsonfile: 6.1.0
universalify: 2.0.1
dev: true
/[email protected]:
resolution: {integrity: sha512-PmDi3uwK5nFuXh7XDTlVnS17xJS7vW36is2+w3xcv8SVxiB4NyATf4ctkVY5bkSjX0Y4nbvZCq1/EjtEyr9ktw==}
engines: {node: '>=14.14'}
dependencies:
graceful-fs: 4.2.11
jsonfile: 6.1.0
universalify: 2.0.1
dev: true
/[email protected]:
resolution: {integrity: sha512-V/JgOLFCS+R6Vcq0slCuaeWEdNC3ouDlJMNIsacH2VtALiu9mV4LPrHc5cDl8k5aw6J8jwgWWpiTo5RYhmIzvg==}
engines: {node: '>= 8'}
dependencies:
minipass: 3.3.6
dev: true
/[email protected]:
resolution: {integrity: sha512-XUBA9XClHbnJWSfBzjkm6RvPsyg3sryZt06BEQoXcF7EK/xpGaQYJgQKDJSUH5SGZ76Y7pFx1QBnXz09rU5Fbw==}
engines: {node: ^14.17.0 || ^16.13.0 || >=18.0.0}
requiresBuild: true
dependencies:
minipass: 7.0.4
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-OO0pH2lK6a0hZnAdau5ItzHPI6pUlvI7jMVnxUQRtw4owF2wk8lOSabtGDCTP4Ggrg2MbGnWO9X8K1t4+fGMDw==}
dev: true
/[email protected]:
resolution: {integrity: sha512-5xoDfX+fL7faATnagmWPpbFtwh/R77WmMMqqHGS65C3vvB0YHrgF+B1YmZ3441tMj5n63k0212XNoJwzlhffQw==}
engines: {node: ^8.16.0 || ^10.6.0 || >=11.0.0}
os: [darwin]
requiresBuild: true
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-7XHNxH7qX9xG5mIwxkhumTox/MIRNcOgDrxWsMt2pAr23WHp6MrRlN7FBSFpCpr+oVO0F744iUgR82nJMfG2SA==}
dev: true
/[email protected]:
resolution: {integrity: sha512-/gZffu4ykarLrCiP3Ygsa86UAo1E5vEVlvTrpkKywXSbP9Xhln3oSp9QSV57gEq3JFFpGJ4GZ+5zdEp3FcUh4w==}
engines: {node: '>= 0.6.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-gSaYYIO1Y3wUtdfHmjDUZ8LWaxJQpiavzbF5Kq53akSzvmVg0RfyOcFDbO1KJ/KCGRFz2qG+lS81F0nkr7cRJA==}
engines: {node: '>=10'}
dependencies:
abort-controller: 3.0.0
extend: 3.0.2
https-proxy-agent: 5.0.1
is-stream: 2.0.1
node-fetch: 2.7.0
transitivePeerDependencies:
- encoding
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-95hVgBRgEIRQQQHIbnxBXeHbW4TqFk4ZDJW7wmVtvYar72FdhRIo1UGOLS2eRAKCPEdPBWu+M7+A33D9CdX9rA==}
engines: {node: '>=12'}
dependencies:
extend: 3.0.2
https-proxy-agent: 5.0.1
is-stream: 2.0.1
node-fetch: 2.7.0
transitivePeerDependencies:
- encoding
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-x850LS5N7V1F3UcV7PoupzGsyD6iVwTVvsh3tbXfkctZnBnjW5yu5z1/3k3SehF7TyoTIe78rJs02GMMy+LF+A==}
engines: {node: '>=10'}
dependencies:
gaxios: 4.3.3
json-bigint: 1.0.0
transitivePeerDependencies:
- encoding
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-FNTkdNEnBdlqF2oatizolQqNANMrcqJt6AAYt99B3y1aLLC8Hc5IOBb+ZnnzllodEEf6xMBp6wRcBbc16fa65w==}
engines: {node: '>=12'}
dependencies:
gaxios: 5.1.3
json-bigint: 1.0.0
transitivePeerDependencies:
- encoding
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-DyFP3BM/3YHTQOCUL/w0OZHR0lpKeGrxotcHWcqNEdnltqFwXVfhEBQ94eIo34AfQpo0rGki4cyIiftY06h2Fg==}
engines: {node: 6.* || 8.* || >= 10.*}
/[email protected]:
resolution: {integrity: sha512-5uYhsJH8VJBTv7oslg4BznJYhDoRI6waYCxMmCdnTrcCrHA/fCFKoTFz2JKKE0HdDFUF7/oQuhzumXJK7paBRQ==}
engines: {node: '>= 0.4'}
dependencies:
es-errors: 1.3.0
function-bind: 1.1.2
has-proto: 1.0.3
has-symbols: 1.0.3
hasown: 2.0.2
dev: true
/[email protected]:
resolution: {integrity: sha512-VaUJspBffn/LMCJVoMvSAdmscJyS1auj5Zulnn5UoYcY531UWmdwhRWkcGKnGU93m5HSXP9LP2usOryrBtQowA==}
engines: {node: '>=16'}
dev: false
/[email protected]:
resolution: {integrity: sha512-BzUrJBS9EcUb4cFol8r4W3v1cPsSyajLSthNkz5BxbpDcHN5tIrM10E2eNvfnvBn3DaT3DUgx0OpsBKkaOpanw==}
engines: {node: '>= 14'}
dependencies:
basic-ftp: 5.0.5
data-uri-to-buffer: 6.0.2
debug: 4.3.4
fs-extra: 11.2.0
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-AOIgSQCepiJYwP3ARnGx+5VnTu2HBYdzbGP45eLw1vr3zB3vZLeyed1sC9hnbcOc9/SrMyM5RPQrkGz4aS9Zow==}
engines: {node: '>= 6'}
dependencies:
is-glob: 4.0.3
dev: true
/[email protected]:
resolution: {integrity: sha512-ZwFh34WZhZX28ntCMAP1mwyAJkn8+Omagvt/GvA+JQM/qgT0+MR2NPF3vhvgdshfdvDyGZXs8fPXW84K32Wjuw==}
dev: true
/[email protected]:
resolution: {integrity: sha512-5MUzqFiycIKLMD1B0dYOE4hGgLLUZUNGGYO4BExdwT32wUwW3DBOE7lMQars7vB1q43Fb3Tyt+HmgLKsJhDYdg==}
dependencies:
glob-slash: 1.0.0
lodash.isobject: 2.4.1
toxic: 1.0.1
dev: true
/[email protected]:
resolution: {integrity: sha512-fa46+tv1Ak0UPK1TOy/pZrIybNNt4HCv7SDzwyfiOZkvZLEbjsZkJBPtDHVshZjbecAoAGSC20MjLDG/qr679g==}
engines: {node: '>=16 || 14 >=14.17'}
hasBin: true
requiresBuild: true
dependencies:
foreground-child: 3.1.1
jackspeak: 2.3.6
minimatch: 9.0.3
minipass: 7.0.4
path-scurry: 1.10.1
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-nFR0zLpU2YCaRxwoCJvL6UvCH2JFyFVIvwTLsIf21AuHlMskA1hhTdk+LlYJtOlYt9v6dvszD2BGRqBL+iQK9Q==}
dependencies:
fs.realpath: 1.0.0
inflight: 1.0.6
inherits: 2.0.4
minimatch: 3.1.2
once: 1.4.0
path-is-absolute: 1.0.1
dev: true
/[email protected]:
resolution: {integrity: sha512-r8hpEjiQEYlF2QU0df3dS+nxxSIreXQS1qRhMJM0Q5NDdR386C7jb7Hwwod8Fgiuex+k0GFjgft18yvxm5XoCQ==}
engines: {node: '>=12'}
dependencies:
fs.realpath: 1.0.0
inflight: 1.0.6
inherits: 2.0.4
minimatch: 5.1.6
once: 1.4.0
dev: true
/[email protected]:
resolution: {integrity: sha512-NBcGGFbBA9s1VzD41QXDG+3++t9Mn5t1FpLdhESY6oKY4gYTFpX4wO3sqGUa0Srjtbfj3szX0RnemmrVRUdULA==}
engines: {node: '>=10'}
dependencies:
ini: 2.0.0
dev: true
/[email protected]:
resolution: {integrity: sha512-5Rk7iLNDFhFeBYc3s8l1CqzbEBcdhwR193RlD4vSNFajIcINKI8W8P0JLmBpwymHqqWbX34pJDQu39cSy/6RsA==}
engines: {node: '>=10'}
dependencies:
arrify: 2.0.1
base64-js: 1.5.1
ecdsa-sig-formatter: 1.0.11
fast-text-encoding: 1.0.6
gaxios: 4.3.3
gcp-metadata: 4.3.1
gtoken: 5.3.2
jws: 4.0.0
lru-cache: 6.0.0
transitivePeerDependencies:
- encoding
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-f7aQCJODJFmYWN6PeNKzgvy9LI2tYmXnzpNDHEjG5sDNPgGb2FXQyTBnXeSH+PAtpKESFD+LmHw3Ox3mN7e1Fg==}
engines: {node: '>=12'}
dependencies:
arrify: 2.0.1
base64-js: 1.5.1
ecdsa-sig-formatter: 1.0.11
fast-text-encoding: 1.0.6
gaxios: 5.1.3
gcp-metadata: 5.3.0
gtoken: 6.1.2
jws: 4.0.0
lru-cache: 6.0.0
transitivePeerDependencies:
- encoding
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-g/lcUjGcB6DSw2HxgEmCDOrI/CByOwqRvsuUvNalHUK2iPPPlmAIpbMbl62u0YufGMr8zgE3JL7th6dCb1Ry+w==}
engines: {node: '>=12'}
hasBin: true
dependencies:
'@grpc/grpc-js': 1.8.21
'@grpc/proto-loader': 0.7.10
'@types/long': 4.0.2
'@types/rimraf': 3.0.2
abort-controller: 3.0.0
duplexify: 4.1.3
fast-text-encoding: 1.0.6
google-auth-library: 8.9.0
is-stream-ended: 0.1.4
node-fetch: 2.7.0
object-hash: 3.0.0
proto3-json-serializer: 1.1.1
protobufjs: 7.2.4
protobufjs-cli: 1.1.1([email protected])
retry-request: 5.0.2
transitivePeerDependencies:
- encoding
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-HHuHmkLgwjdmVRngf5+gSmpkyaRI6QmOg77J8tkNBHhNEI62sGHyw4/+UkgyZEI7h84NbWprXDJ+sa3xOYFvTg==}
engines: {node: '>=10'}
hasBin: true
dependencies:
node-forge: 1.3.1
dev: true
/[email protected]:
resolution: {integrity: sha512-WPkN4yGtz05WZ5EhtlxNDWPhC4JIic6G8ePitwUWy4l+XPVYec+a0j0Ts47PDtW59y3RwAhUd9/h9ZZ63px6RQ==}
engines: {node: '>=12.0.0'}
hasBin: true
dependencies:
node-forge: 1.3.1
dev: true
/[email protected]:
resolution: {integrity: sha512-d65bNlIadxvpb/A2abVdlqKqV563juRnZ1Wtk6s1sIR8uNsXR70xqIzVqxVf1eTqDunwT2MkczEeaezCKTZhwA==}
dependencies:
get-intrinsic: 1.2.4
dev: true
/[email protected]:
resolution: {integrity: sha512-9ByhssR2fPVsNZj478qUUbKfmL0+t5BDVyjShtyZZLiK7ZDAArFFfopyOTj0M05wE2tJPisA4iTnnXl2YoPvOA==}
dev: true
/[email protected]:
resolution: {integrity: sha512-RbJ5/jmFcNNCcDV5o9eTnBLJ/HszWV0P73bc+Ff4nS/rJj+YaS6IGyiOL0VoBYX+l1Wrl3k63h/KrH+nhJ0XvQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-gkvEKREW7dXWF8NV8pVrKfW7WqReAmjjkMBh6lNCCGOM4ucS0r0YyXXl0r/9Yj8wcW/32ISkfc8h5mPTDbtifQ==}
engines: {node: '>=10'}
dependencies:
gaxios: 4.3.3
google-p12-pem: 3.1.4
jws: 4.0.0
transitivePeerDependencies:
- encoding
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-4ccGpzz7YAr7lxrT2neugmXQ3hP9ho2gcaityLVkiUecAiwiy60Ii8gRbZeOsXV19fYaRjgBSshs8kXw+NKCPQ==}
engines: {node: '>=12.0.0'}
dependencies:
gaxios: 5.1.3
google-p12-pem: 4.0.1
jws: 4.0.0
transitivePeerDependencies:
- encoding
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-EykJT/Q1KjTWctppgIAgfSO0tKVuZUjhgMr17kqTumMl6Afv3EISleU7qZUzoXDFTAHTDC4NOoG/ZxU3EvlMPQ==}
engines: {node: '>=8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-55JNKuIW+vq4Ke1BjOTjM2YctQIvCT7GFzHwmfZPGo5wnrgkid0YQtnAleFSqumZm4az3n2BS+erby5ipJdgrg==}
dependencies:
es-define-property: 1.0.0
dev: true
/[email protected]:
resolution: {integrity: sha512-SJ1amZAJUiZS+PhsVLf5tGydlaVB8EdFpaSO4gmiUKUOxk8qzn5AIy4ZeJUmh22znIdk/uMAUT2pl3FxzVUH+Q==}
engines: {node: '>= 0.4'}
dev: true
/[email protected]:
resolution: {integrity: sha512-l3LCuF6MgDNwTDKkdYGEihYjt5pRPbEg46rtlmnSPlUbgmB8LOIrKJbYYFBSbnPaJexMKtiPO8hmeRjRz2Td+A==}
engines: {node: '>= 0.4'}
dev: true
/[email protected]:
resolution: {integrity: sha512-UqBRqi4ju7T+TqGNdqAO0PaSVGsDGJUBQvk9eUWNGRY1CFGDzYhLWoM7JQEemnlvVcv/YEmc2wNW8BC24EnUsw==}
engines: {node: '>=8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-0hJU9SCPvmMzIBdZFqNPXWa6dqh7WdH0cII9y+CyS8rG3nL48Bclra9HmKhVVUHyPWNH5Y7xDwAB7bfgSjkUMQ==}
engines: {node: '>= 0.4'}
dependencies:
function-bind: 1.1.2
dev: true
/[email protected]:
resolution: {integrity: sha512-kUGoI3p7u6B41z/dp33G6OaL7J4DRqRYwVmeIlwLClx7yaaAy7hoDExnuejTKtuDwfcatGmddHDEOjf6EyIxtQ==}
engines: {node: '>=10.0.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-fJ7cW7fQGCYAkgv4CPfwFHrfd/cLS4Hau96JuJ+ZTOWhjnhoeN1ub1tFmALm/+lW5z4WCAuAV9bm05AP0mS6Gw==}
engines: {node: '>=12.0.0'}
requiresBuild: true
dev: false
optional: true
/[email protected]:
resolution: {integrity: sha512-RqGs4wavGYJWE07t35JQccByczmNUXQT0E12ZYV1VKYu5UiAU9lsos/yBAcf840+zrUQQxgVduCR5/B8nNtibg==}
hasBin: true
dependencies:
mkdirp: 0.3.0
nopt: 1.0.10
dev: false
/[email protected]:
resolution: {integrity: sha512-er295DKPVsV82j5kw1Gjt+ADA/XYHsajl82cGNQG2eyoPkvgUhX+nDIyelzhIWbbsXP39EHcI6l5tYs2FYqYXQ==}
requiresBuild: true
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-FtwrG/euBzaEjYeRqOgly7G0qviiXoJWnvEH2Z1plBdXgbyjv34pHTSb9zoeHMyDy33+DWy5Wt9Wo+TURtOYSQ==}
engines: {node: '>= 0.8'}
dependencies:
depd: 2.0.0
inherits: 2.0.4
setprototypeof: 1.2.0
statuses: 2.0.1
toidentifier: 1.0.1
dev: true
/[email protected]:
resolution: {integrity: sha512-T1gkAiYYDWYx3V5Bmyu7HcfcvL7mUrTWiM6yOfa3PIphViJ/gFPbvidQ+veqSOHci/PxBcDabeUNCzpOODJZig==}
engines: {node: '>= 14'}
dependencies:
agent-base: 7.1.0
debug: 4.3.4
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-dFcAjpTQFgoLMzC2VwU+C/CbS7uRL0lWmxDITmqm7C+7F0Odmj6s9l6alZc6AELXhrnggM2CeWSXHGOdX2YtwA==}
engines: {node: '>= 6'}
dependencies:
agent-base: 6.0.2
debug: 4.3.4
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-wlwpilI7YdjSkWaQ/7omYBMTliDcmCN8OLihO6I9B86g06lMyAoqgoDpV0XqoaPOKj+0DIdAvnsWfyAAhmimcg==}
engines: {node: '>= 14'}
dependencies:
agent-base: 7.1.0
debug: 4.3.4
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-AXcZb6vzzrFAUE61HnN4mpLqd/cSIwNQjtNWR0euPm6y0iqx3G4gOXaIDdtdDwZmhwe82LA6+zinmW4UBWVePQ==}
engines: {node: '>=16.17.0'}
dev: false
/[email protected]:
resolution: {integrity: sha512-v3MXnZAcvnywkTUEZomIActle7RXXeedOR31wwl7VlyoXO4Qi9arvSenNQWne1TcRwhCL1HwLI21bEqdpj8/rA==}
engines: {node: '>=0.10.0'}
dependencies:
safer-buffer: 2.1.2
dev: true
/[email protected]:
resolution: {integrity: sha512-4fCk79wshMdzMp2rH06qWrJE4iolqLhCUH+OiuIgU++RB0+94NlDL81atO7GX55uUKueo0txHNtvEyI6D7WdMw==}
engines: {node: '>=0.10.0'}
requiresBuild: true
dependencies:
safer-buffer: 2.1.2
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-dcyqhDvX1C46lXZcVqCpK+FtMRQVdIMN6/Df5js2zouUsqG7I6sFxitIC+7KYK29KdXOLHdu9zL4sFnoVQnqaA==}
dev: true
/[email protected]:
resolution: {integrity: sha512-m7ZEHgtw69qOGw+jwxXkHlrlIPdTGkyh66zXZ1ajZbxkDBNjSY/LGbmjc7h0s2ELsUDTAhFr55TrPSSqJGPG0A==}
engines: {node: '>=4'}
dev: true
/[email protected]:
resolution: {integrity: sha512-JmXMZ6wuvDmLiHEml9ykzqO6lwFbof0GG4IkcGaENdCRDDmMVnny7s5HsIgHCbaq0w2MyPhDqkhTUgS2LU2PHA==}
engines: {node: '>=0.8.19'}
dev: true
/[email protected]:
resolution: {integrity: sha512-EdDDZu4A2OyIK7Lr/2zG+w5jmbuk1DVBnEwREQvBzspBJkCEbRa8GxU1lghYcaGJCnRWibjDXlq779X1/y5xwg==}
engines: {node: '>=8'}
requiresBuild: true
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-k92I/b08q4wvFscXCLvqfsHCrjrF7yiXsQuIVvVE7N82W3+aqpzuUdBbfhWcy/FZR3/4IgflMgKLOsvPDrGCJA==}
dependencies:
once: 1.4.0
wrappy: 1.0.2
dev: true
/[email protected]:
resolution: {integrity: sha512-k/vGaX4/Yla3WzyMCvTQOXYeIHvqOKtnqBduzTHpzpQZzAskKMhZ2K+EnBiSM9zGSoIFeMpXKxa4dYeZIQqewQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-JV/yugV2uzW5iMRSiZAyDtQd+nxtUnjeLt0acNdw98kKLrvuRVyB80tsREOE7yvGVgalhZ6RNXCmEHkUKBKxew==}
dev: true
/[email protected]:
resolution: {integrity: sha512-7PnF4oN3CvZF23ADhA5wRaYEQpJ8qygSkbtTXWBeXWXmEVRXK+1ITciHWwHhsjv1TmW0MgacIv6hEi5pX5NQdA==}
engines: {node: '>=10'}
dev: true
/[email protected]([email protected]):
resolution: {integrity: sha512-jUHrH0btO7j5r8DTQgANf2CBkTZChoVySD8zF/wp5fZCOLIuUbleXhf4ZY5jNBOc1owA3gdfWtfZuppfYBhcUg==}
engines: {node: '>=12'}
peerDependencies:
inquirer: ^8.0.0
dependencies:
ansi-escapes: 4.3.2
figures: 3.2.0
inquirer: 8.2.6
picocolors: 1.0.0
run-async: 2.4.1
rxjs: 7.8.1
dev: true
/[email protected]:
resolution: {integrity: sha512-M1WuAmb7pn9zdFRtQYk26ZBoY043Sse0wVDdk4Bppr+JOXyQYybdtvK+l9wUibhtjdjvtoiNy8tk+EgsYIUqKg==}
engines: {node: '>=12.0.0'}
dependencies:
ansi-escapes: 4.3.2
chalk: 4.1.2
cli-cursor: 3.1.0
cli-width: 3.0.0
external-editor: 3.1.0
figures: 3.2.0
lodash: 4.17.21
mute-stream: 0.0.8
ora: 5.4.1
run-async: 2.4.1
rxjs: 7.8.1
string-width: 4.2.3
strip-ansi: 6.0.1
through: 2.3.8
wrap-ansi: 6.2.0
dev: true
/[email protected]:
resolution: {integrity: sha512-gZHC7f/cJgXz7MXlHFBxPVMsvIbev1OQN1uKQYKVJDydGNm9oYf9JstbU4Atnh/eSvk41WtEovoRm+8IF686xg==}
hasBin: true
requiresBuild: true
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-zHtQzGojZXTwZTHQqra+ETKd4Sn3vgi7uBmlPoXVWZqYvuKmtI0l/VZTjqGmJY9x88GGOaZ9+G9ES8hC4T4X8g==}
engines: {node: '>= 12'}
dependencies:
jsbn: 1.1.0
sprintf-js: 1.1.3
dev: true
/[email protected]:
resolution: {integrity: sha512-B9ZWJxHHOHUhUjCPrMpLD4xEq35bUTClHM1S6CBU5ixQnkZmwipwgc96vAd7AAGM9TGHvJR+Uss+/Ak6UphK+Q==}
engines: {node: '>=8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-0KI/607xoxSToH7GjN1FfSbLoU0+btTicjsQSWQlh/hZykN8KpmMf7uYwPW3R+akZ6R/w18ZlXSHBYXiYUPO3g==}
engines: {node: '>= 0.10'}
dev: true
/[email protected]:
resolution: {integrity: sha512-eVRqCvVlZbuw3GrM63ovNSNAeA1K16kaR/LRY/92w0zxQ5/1YzwblUX652i4Xs9RwAGjW9d9y6X88t8OaAJfWQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-ZMERYes6pDydyuGidse7OsHxtbI7WVeUEozgR/g7rd0xUimYNlvZRE/K2MgZTjWy725IfelLeVcEM97mmtRGXw==}
engines: {node: '>=8'}
dependencies:
binary-extensions: 2.2.0
dev: true
/[email protected]:
resolution: {integrity: sha512-YfJT7rkpQB0updsdHLGWrvhBJfcfzNNawYDNIyQXJz0IViGf75O8EBPKSdvw2rF+LGCsX4FZ8tcr3b19LcZq4w==}
hasBin: true
dependencies:
ci-info: 2.0.0
dev: true
/[email protected]:
resolution: {integrity: sha512-eljcgEDlEns/7AXFosB5K/2nCM4P7FQPkGc/DWLy5rmFEWvZayGrik1d9/QIY5nJ4f9YsVvBkA6kJpHn9rISdQ==}
engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0}
hasBin: true
dev: false
/[email protected]:
resolution: {integrity: sha512-SbKbANkN603Vi4jEZv49LeVJMn4yGwsbzZworEoyEiutsN3nJYdbO36zfhGJ6QEDpOZIFkDtnq5JRxmvl3jsoQ==}
engines: {node: '>=0.10.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-zymm5+u+sCsSWyD9qNaejV3DFvhCKclKdizYaJUuHA83RLjb7nSuGnddCHGv0hk+KY7BMAlsWeK4Ueg6EV6XQg==}
engines: {node: '>=8'}
/[email protected]:
resolution: {integrity: sha512-xelSayHH36ZgE7ZWhli7pW34hNbNl8Ojv5KVmkJD4hBdD3th8Tfk9vYasLM+mXWOZhFkgZfxhLSnrwRr4elSSg==}
engines: {node: '>=0.10.0'}
dependencies:
is-extglob: 2.1.1
dev: true
/[email protected]:
resolution: {integrity: sha512-KIYLCCJghfHZxqjYBE7rEy0OBuTd5xCHS7tHVgvCLkx7StIoaxwNW3hCALgEUjFfeRk+MG/Qxmp/vtETEF3tRA==}
engines: {node: '>=14.16'}
hasBin: true
dependencies:
is-docker: 3.0.0
dev: false
/[email protected]:
resolution: {integrity: sha512-iwGqO3J21aaSkC7jWnHP/difazwS7SFeIqxv6wEtLU8Y5KlzFTjyqcSIT0d8s4+dDhKytsk9PJZ2BkS5eZwQRQ==}
engines: {node: '>=10'}
dependencies:
global-dirs: 3.0.1
is-path-inside: 3.0.3
dev: true
/[email protected]:
resolution: {integrity: sha512-2HvIEKRoqS62guEC+qBjpvRubdX910WCMuJTZ+I9yvqKU2/12eSL549HMwtabb4oupdj2sMP50k+XJfB/8JE6w==}
engines: {node: '>=8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-z7CMFGNrENq5iFB9Bqo64Xk6Y9sg+epq1myIcdHaGnbMTYOxvzsEtdYqQUylB7LxfkvgrrjP32T6Ywciio9UIQ==}
requiresBuild: true
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-WW/rQLOazUq+ST/bCAVBp/2oMERWLsR7OrKyt052dNDk4DHcDE0/7QSXITlmi+VBcV13DfIbysG3tZJm5RfdBA==}
engines: {node: '>=10'}
dev: true
/[email protected]:
resolution: {integrity: sha512-41Cifkg6e8TylSpdtTpeLVMqvSBEVzTttHvERD741+pnZ8ANv0004MRL43QKPDlK9cGvNp6NZWZUBlbGXYxxng==}
engines: {node: '>=0.12.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-drqDG3cbczxxEJRoOXcOjtdp1J/lyp1mNn0xaznRs8+muBhgQcrnbspox5X5fOw0HnMnbfDzvnEMEtqDEJEo8w==}
engines: {node: '>=8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-Fd4gABb+ycGAmKou8eMftCupSir5lRxqf4aD/vd0cD2qc4HL07OjCeuHMr8Ro4CoMaeCKDB0/ECBOVWjTwUvPQ==}
engines: {node: '>=8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-xj0XPvmr7bQFTvirqnFr50o0hQIh6ZItDqloxt5aJrR4NQsYeSsyFQERYGCAzfindAcnKjINnwEEgLx4IqVzQw==}
dev: true
/[email protected]:
resolution: {integrity: sha512-hFoiJiTl63nn+kstHGBtewWSKnQLpyb155KHheA1l39uvtO9nWIop1p3udqPcUd/xbF1VLMO4n7OI6p7RbngDg==}
engines: {node: '>=8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-LnQR4bZ9IADDRSkvpqMGvt/tEJWclzklNgSw48V5EAaAeDd6qGvN8ei6k5p0tvxSR171VmGyHuTiAOfxAbr8kA==}
engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0}
dev: false
/[email protected]:
resolution: {integrity: sha512-cyA56iCMHAh5CdzjJIa4aohJyeO1YbwLi3Jc35MmRU6poroFjIGZzUzupGiRPOjgHg9TLu43xbpwXk523fMxKA==}
dev: true
/[email protected]:
resolution: {integrity: sha512-knxG2q4UC3u8stRGyAVJCOdxFmv5DZiRcdlIaAQXAbSfJya+OhopNotLQrstBhququ4ZpuKbDc/8S6mgXgPFPw==}
engines: {node: '>=10'}
dev: true
/[email protected]:
resolution: {integrity: sha512-ITvGim8FhRiYe4IQ5uHSkj7pVaPDrCTkNd3yq3cV7iZAcJdHTUMPMEHcqSOy9xZ9qFenQCvi+2wjH9a1nXqHww==}
dev: true
/[email protected]:
resolution: {integrity: sha512-gfygJYZ2gLTDlmbWMI0CE2MwnFzSN/2SZfkMlItC4K/JBlsWVDB0bO6XhqcY13YXE7iMcAJnzTCJjPiTeJJ0Mw==}
engines: {node: '>=4'}
dev: true
/[email protected]:
resolution: {integrity: sha512-UcVfVfaK4Sc4m7X3dUSoHoozQGBEFeDC+zVo06t98xe8CzHSZZBekNXH+tu0NalHolcJ/QAGqS46Hef7QXBIMw==}
engines: {node: '>=16'}
dependencies:
is-inside-container: 1.0.0
dev: false
/[email protected]:
resolution: {integrity: sha512-VjSeb/lHmkoyd8ryPVIKvOCn4D1koMqY+vqyjjUfc3xyKtP4dYOxM44sZrnqQSzSds3xyOrUTLTC9LVCVgLngw==}
dev: true
/[email protected]:
resolution: {integrity: sha512-rZkHeBn9Zzq52sd9IUIV3a5mfwBY+o2HePMh0wkGBM4z4qjvy2GwVxQ6nNXSfw6MmVP6gf1QIlWjiOavhM3x5g==}
engines: {node: '>=v0.10.0'}
dependencies:
deep-is: 0.1.4
ip-regex: 4.3.0
is-url: 1.2.4
dev: true
/[email protected]:
resolution: {integrity: sha512-jv+8jaWCl0g2lSBkNSVXdzfBA0npK1HGC2KtWM9FumFRoGS94g3NbCCLVnCYHLjp4GrW2KZeeSTMo5ddtznmGw==}
engines: {node: '>=18'}
dependencies:
system-architecture: 0.1.0
dev: false
/[email protected]:
resolution: {integrity: sha512-D2S+3GLxWH+uhrNEcoh/fnmYeP8E8/zHl644d/jdA0g2uyXvy3sb0qxotE+ne0LtccHknQzWwZEzhak7oJ0COQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-VLghIWNM6ELQzo7zwmcg0NmTVyWKYjvIeM83yjp0wRDTmUnrM678fQbcKBo6n2CJEF0szoG//ytg+TKla89ALQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-RHxMLp9lnKHGHRng9QFhRCMbYAcVpn69smSGcq3f36xjgVVWThj4qqLbTLlq7Ssj8B+fIQ1EuCEGI2lKsyQeIw==}
/[email protected]:
resolution: {integrity: sha512-LpB/54B+/2J5hqQ7imZHfdU31OlgQqx7ZicVlkm9kzg9/w8GKLEcFfJl/t7DCEDueOyBAD6zCCwTO6Fzs0NoEQ==}
engines: {node: '>=16'}
requiresBuild: true
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-qvUtwJ3j6qwsF3jLxkZ72qCgjMysPzDfeV240JHiGZsANBYd+EEuu35v7dfrJ9Up0Ak07D7GGSkGhCHTqg/5wA==}
dependencies:
node-fetch: 2.7.0
whatwg-fetch: 3.6.20
transitivePeerDependencies:
- encoding
dev: true
/[email protected]:
resolution: {integrity: sha512-N3yCS/NegsOBokc8GAdM8UcmfsKiSS8cipheD/nivzr700H+nsMOxJjQnvwOcRYVuFkdH0wGUvW2WbXGmrZGbQ==}
engines: {node: '>=14'}
requiresBuild: true
dependencies:
'@isaacs/cliui': 8.0.2
optionalDependencies:
'@pkgjs/parseargs': 0.11.0
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-8wb9Yw966OSxApiCt0K3yNJL8pnNeIv+OEq2YMidz4FKP6nonSRoOXc80iXY4JaN2FC11B9qsNmDsm+ZOfMROA==}
dev: true
/[email protected]:
resolution: {integrity: sha512-jnt9OC34sLXMLJ6YfPQ2ZEKrR9mB5ZbSnQb4LPaOx1c5rTzxpR33L18jjp0r75mGGTJmsil3qwN1B5IBeTnSSA==}
dependencies:
as-array: 2.0.0
url-join: 0.0.1
valid-url: 1.0.9
dev: true
/[email protected]:
resolution: {integrity: sha512-okMH7OXXJ7YrN9Ok3/SXrnu4iX9yOk+25nqX4imS2npuvTYDmo/QEZoqwZkYaIDk3jVvBOTOIEgEhaLOynBS9g==}
hasBin: true
dependencies:
argparse: 1.0.10
esprima: 4.0.1
dev: true
/[email protected]:
resolution: {integrity: sha512-wpxZs9NoxZaJESJGIZTyDEaYpl0FKSA+FB9aJiyemKhMwkxQg63h4T1KJgUGHpTqPDNRcmmYLugrRjJlBtWvRA==}
hasBin: true
dependencies:
argparse: 2.0.1
dev: true
/[email protected]:
resolution: {integrity: sha512-6n4D8gLlLf1n5mNLQPRfViYzu9RATblzPEtm1SthMX1Pjao0r9YI9nw7ZIfRxQMERS87mcswrg+r/OYrPRX6jA==}
dependencies:
xmlcreate: 2.0.4
dev: true
/[email protected]:
resolution: {integrity: sha512-4bYVV3aAMtDTTu4+xsDYa6sy9GyJ69/amsu9sYF2zqjiEoZA5xJi3BrfX3uY+/IekIu7MwdObdbDWpoZdBv3/A==}
dev: true
/[email protected]:
resolution: {integrity: sha512-e8cIg2z62InH7azBBi3EsSEqrKx+nUtAS5bBcYTSpZFA+vhNPyhv8PTFZ0WsjOPDj04/dOLlm08EDcQJDqaGQg==}
engines: {node: '>=12.0.0'}
hasBin: true
dependencies:
'@babel/parser': 7.24.0
'@jsdoc/salty': 0.2.7
'@types/markdown-it': 12.2.3
bluebird: 3.7.2
catharsis: 0.9.0
escape-string-regexp: 2.0.0
js2xmlparser: 4.0.2
klaw: 3.0.0
markdown-it: 12.3.2
markdown-it-anchor: 8.6.7(@types/[email protected])([email protected])
marked: 4.3.0
mkdirp: 1.0.4
requizzle: 0.2.4
strip-json-comments: 3.1.1
underscore: 1.13.6
dev: true
/[email protected]:
resolution: {integrity: sha512-SiPv/8VpZuWbvLSMtTDU8hEfrZWg/mH/nV/b4o0CYbSxu1UIQPLdwKOCIyLQX+VIPO5vrLX3i8qtqFyhdPSUSQ==}
dependencies:
bignumber.js: 9.1.2
dev: true
/[email protected]:
resolution: {integrity: sha512-XgP0FGR77+QhUxjXkwOMkC94k3WtqEBfcnjWqhRd82qTat4SWKRE+9kUnynz/shm3I4ea2+qISvTIeGTNU7kJg==}
dependencies:
jju: 1.4.0
dev: true
/[email protected]:
resolution: {integrity: sha512-SiSJQ805W1sDUCD1+/t1/1BIrveq2Fe9HJqENxZmMCILmrPI7WhS/pePpIOx85v6/H2z1Vy7AI08GV2TzfXocg==}
dev: true
/[email protected]:
resolution: {integrity: sha512-xbbCH5dCYU5T8LcEhhuh7HJ88HXuW3qsI3Y0zOZFKfZEHcpWiHU/Jxzk629Brsab/mMiHQti9wMP+845RPe3Vg==}
dev: true
/[email protected]:
resolution: {integrity: sha512-NM8/P9n3XjXhIZn1lLhkFaACTOURQXjWhV4BA/RnOv8xvgqtqpAX9IO4mRQxSx1Rlo4tqzeqb0sOlruaOy3dug==}
dev: true
/[email protected]:
resolution: {integrity: sha512-5dgndWOriYSm5cnYaJNhalLNDKOqFwyDB/rr1E9ZsGciGvKPs8R2xYGCacuf3z6K1YKDz182fd+fY3cn3pMqXQ==}
dependencies:
universalify: 2.0.1
optionalDependencies:
graceful-fs: 4.2.11
dev: true
/[email protected]:
resolution: {integrity: sha512-PRp66vJ865SSqOlgqS8hujT5U4AOgMfhrwYIuIhfKaoSCZcirrmASQr8CX7cUg+RMih+hgznrjp99o+W4pJLHQ==}
engines: {node: '>=12', npm: '>=6'}
dependencies:
jws: 3.2.2
lodash.includes: 4.3.0
lodash.isboolean: 3.0.3
lodash.isinteger: 4.0.4
lodash.isnumber: 3.0.3
lodash.isplainobject: 4.0.6
lodash.isstring: 4.0.1
lodash.once: 4.1.1
ms: 2.1.3
semver: 7.6.0
dev: true
/[email protected]:
resolution: {integrity: sha512-qiLX/xhEEFKUAJ6FiBMbes3w9ATzyk5W7Hvzpa/SLYdxNtng+gcurvrI7TbACjIXlsJyr05/S1oUhZrc63evQA==}
dependencies:
buffer-equal-constant-time: 1.0.1
ecdsa-sig-formatter: 1.0.11
safe-buffer: 5.2.1
dev: true
/[email protected]:
resolution: {integrity: sha512-jrZ2Qx916EA+fq9cEAeCROWPTfCwi1IVHqT2tapuqLEVVDKFDENFw1oL+MwrTvH6msKxsd1YTDVw6uKEcsrLEA==}
dependencies:
buffer-equal-constant-time: 1.0.1
ecdsa-sig-formatter: 1.0.11
safe-buffer: 5.2.1
dev: true
/[email protected]:
resolution: {integrity: sha512-YHlZCB6lMTllWDtSPHz/ZXTsi8S00usEV6v1tjq8tOUZzw7DpSDWVXjXDre6ed1w/pd495ODpHZYSdkRTsa0HA==}
dependencies:
jwa: 1.4.1
safe-buffer: 5.2.1
dev: true
/[email protected]:
resolution: {integrity: sha512-KDncfTmOZoOMTFG4mBlG0qUIOlc03fmzH+ru6RgYVZhPkyiy/92Owlt/8UEN+a4TXR1FQetfIpJE8ApdvdVxTg==}
dependencies:
jwa: 2.0.0
safe-buffer: 5.2.1
dev: true
/[email protected]:
resolution: {integrity: sha512-0Fo5oir+O9jnXu5EefYbVK+mHMBeEVEy2cmctR1O1NECcCkPRreJKrS6Qt/j3KC2C148Dfo9i3pCmCMsdqGr0g==}
dependencies:
graceful-fs: 4.2.11
dev: true
/[email protected]:
resolution: {integrity: sha512-Xq9nH7KlWZmXAtodXDDRE7vs6DU1gTU8zYDHDiWLSip45Egwq3plLHzPn27NgvzL2r1LMPC1vdqh98sQxtqj4A==}
dev: true
/[email protected]:
resolution: {integrity: sha512-b94GiNHQNy6JNTrt5w6zNyffMrNkXZb3KTkCZJb2V1xaEGCk093vkZ2jk3tpaeP33/OiXC+WvK9AxUebnf5nbw==}
engines: {node: '>= 0.6.3'}
dependencies:
readable-stream: 2.3.8
dev: true
/[email protected]:
resolution: {integrity: sha512-qsda+H8jTaUaN/x5vzW2rzc+8Rw4TAQ/4KjB46IwK5VH+IlVeeeje/EoZRpiXvIqjFgK84QffqPztGI3VBLG1A==}
engines: {node: '>=6'}
dev: true
/[email protected]:
resolution: {integrity: sha512-0OO4y2iOHix2W6ujICbKIaEQXvFQHue65vUG3pb5EUomzPI90z9hsA1VsO/dbIIpC53J8gxM9Q4Oho0jrCM/yA==}
engines: {node: '>= 0.8.0'}
dependencies:
prelude-ls: 1.1.2
type-check: 0.3.2
dev: true
/[email protected]:
resolution: {integrity: sha512-kasvDsEi/r1fMzKouIDv7B8I6vNmknXwGiYodErGuESoFTohGSKZplFtVxZqHaoQ217AynyIFgnOVRitpHs0Qw==}
dependencies:
libsodium: 0.7.13
dev: true
/[email protected]:
resolution: {integrity: sha512-mK8ju0fnrKXXfleL53vtp9xiPq5hKM0zbDQtcxQIsSmxNgSxqCj6R7Hl9PkrNe2j29T4yoDaF7DJLK9/i5iWUw==}
dev: true
/[email protected]:
resolution: {integrity: sha512-ynTsyrFSdE5oZ/O9GEf00kPngmOfVwazR5GKDq6EYfhlpFug3J2zybX56a2PRRpc9P+FuSoGNAwjlbDs9jJBPQ==}
dependencies:
uc.micro: 1.0.6
dev: true
/[email protected]:
resolution: {integrity: sha512-XpqGh1e7hhkOzftBfWE7zt+Yn9mVHFkDhicVttvKLsoCMLVVL+xTQjfjB4X4vtznauxv0QZ5ZAeqjvat0dh62Q==}
dev: true
/[email protected]:
resolution: {integrity: sha512-TwuEnCnxbc3rAvhf/LbG7tJUDzhqXyFnv3dtzLOPgCG/hODL7WFnsbwktkD7yUV0RrreP/l1PALq/YSg6VvjlA==}
dev: true
/[email protected]:
resolution: {integrity: sha512-qjxPLHd3r5DnsdGacqOMU6pb/avJzdh9tFX2ymgoZE27BmjXrNy/y4LoaiTeAb+O3gL8AfpJGtqfX/ae2leYYQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-dS2j+W26TQ7taQBGN8Lbbq04ssV3emRw4NY58WErlTO29pIqS0HmoT5aJ9+TUQ1N3G+JOZSji4eugsWwGp9yPA==}
dev: true
/[email protected]:
resolution: {integrity: sha512-C5N2Z3DgnnKr0LOpv/hKCgKdb7ZZwafIrsesve6lmzvZIRZRGaZ/l6Q8+2W7NaT+ZwO3fFlSCzCzrDCFdJfZ4g==}
dev: true
/[email protected]:
resolution: {integrity: sha512-W3Bx6mdkRTGtlJISOvVD/lbqjTlPPUDTMnlXZFnVwi9NKJ6tiAk6LVdlhZMm17VZisqhKcgzpO5Wz91PCt5b0w==}
dev: true
/[email protected]:
resolution: {integrity: sha512-Bz5mupy2SVbPHURB98VAcw+aHh4vRV5IPNhILUCsOzRmsTmSQ17jIuqopAentWoehktxGd9e/hbIXq980/1QJg==}
dev: true
/[email protected]:
resolution: {integrity: sha512-DBwtEWN2caHQ9/imiNeEA5ys1JoRtRfY3d7V9wkqtbycnAmTvRRmbHKDV4a0EYc678/dia0jrte4tjYwVBaZUA==}
dev: true
/[email protected]:
resolution: {integrity: sha512-QYqzpfwO3/CWf3XP+Z+tkQsfaLL/EnUlXWVkIk5FUPc4sBdTehEqZONuyRt2P67PXAk+NXmTBcc97zw9t1FQrw==}
dev: true
/[email protected]:
resolution: {integrity: sha512-sTebg2a1PoicYEZXD5PBdQcTlIJ6hUslrlWr7iV0O7n+i4596s2NQ9I5CaZ5FbXSfya/9WQsrYLANUJv9paYVA==}
dependencies:
lodash._objecttypes: 2.4.1
dev: true
/[email protected]:
resolution: {integrity: sha512-oSXzaWypCMHkPC3NvBEaPHf0KsA5mvPrOPgQWDsbg8n7orZ290M0BmC/jgRZ4vcJ6DTAhjrsSYgdsW/F+MFOBA==}
dev: true
/[email protected]:
resolution: {integrity: sha512-0wJxfxH1wgO3GrbuP+dTTk7op+6L41QCXbGINEmD+ny/G/eCqGzxyCsh7159S+mgDDcoarnBw6PC1PS5+wUGgw==}
dev: true
/[email protected]:
resolution: {integrity: sha512-JPFqXFeZQ7BfS00H58kClY7SPVeHertPE0lNuCyZ26/XlN8TvakYD7b9bGyNmXbT/D3BbtPAAmq90gPWqLkxlQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-Sb487aTOCr9drQVL8pIxOzVhafOjZN9UU54hiN8PU3uAiSV7lx1yYNpbNmex2PK6dSJoNTSJUUswT651yww3Mg==}
dev: true
/[email protected]:
resolution: {integrity: sha512-QZ1d4xoBHYUeuouhEq3lk3Uq7ldgyFXGBhg04+oRLnIz8o9T65Eh+8YdroUwn846zchkA9yDsDl5CVVaV2nqYw==}
dev: true
/[email protected]:
resolution: {integrity: sha512-c4pB2CdGrGdjMKYLA+XiRDO7Y0PRQbm/Gzg8qMj+QH+pFVAoTp5sBpO0odL3FjoPCGjK96p6qsP+yQoiLoOBcw==}
dev: true
/[email protected]:
resolution: {integrity: sha512-v2kDEe57lecTulaDIuNTPy3Ry4gLGJ6Z1O3vE1krgXZNrsQ+LFTGHVxVjcXPs17LhbZVGedAJv8XZ1tvj5FvSg==}
dev: true
/[email protected]:
resolution: {integrity: sha512-8XPvpAA8uyhfteu8pIvQxpJZ7SYYdpUivZpGy6sFsBuKRY/7rQGavedeB8aK+Zkyq6upMFVL/9AW6vOYzfRyLg==}
engines: {node: '>=10'}
dependencies:
chalk: 4.1.2
is-unicode-supported: 0.1.0
dev: true
/[email protected]:
resolution: {integrity: sha512-1ulHeNPp6k/LD8H91o7VYFBng5i1BDE7HoKxVbZiGFidS1Rj65qcywLxX+pVfAPoQJEjRdvKcusKwOupHCVOVQ==}
engines: {node: '>= 12.0.0'}
dependencies:
'@colors/colors': 1.6.0
'@types/triple-beam': 1.3.5
fecha: 4.2.3
ms: 2.1.3
safe-stable-stringify: 2.4.3
triple-beam: 1.4.1
dev: true
/[email protected]:
resolution: {integrity: sha512-lcHwpNoggQTObv5apGNCTdJrO69eHOZMi4BNC+rTLER8iHAqGrUVeLh/irVIM7zTw2bOXA8T6uNPeujwOLg/2Q==}
dev: true
/[email protected]:
resolution: {integrity: sha512-2bIM8x+VAf6JT4bKAljS1qUWgMsqZRPGJS6FSahIMPVvctcNhyVp7AJu7quxOW9jwkryBReKZY5tY5JYv2n/7Q==}
engines: {node: 14 || >=16.14}
requiresBuild: true
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-Jo6dJ04CmSjuznwJSS3pUeWmd/H0ffTlkXXgwZi+eq1UCmqQwCh+eLsYOYCwY991i2Fah4h1BEMCx4qThGbsiA==}
engines: {node: '>=10'}
dependencies:
yallist: 4.0.0
dev: true
/[email protected]:
resolution: {integrity: sha512-jumlc0BIUrS3qJGgIkWZsyfAM7NCWiBcCDhnd+3NNM5KbBmLTgHVfWBcg6W+rLUsIpzpERPsvwUP7CckAQSOoA==}
engines: {node: '>=12'}
dev: true
/[email protected]:
resolution: {integrity: sha512-g3FeP20LNwhALb/6Cz6Dd4F2ngze0jz7tbzrD2wAV+o9FeNHe4rL+yK2md0J/fiSf1sa1ADhXqi5+oVwOM/eGw==}
engines: {node: '>=8'}
dependencies:
semver: 6.3.1
dev: true
/[email protected]:
resolution: {integrity: sha512-7ThobcL8brtGo9CavByQrQi+23aIfgYU++wg4B87AIS8Rb2ZBt/MEaDqzA00Xwv/jUjAjYkLHjVolYuTLKda2A==}
engines: {node: ^16.14.0 || >=18.0.0}
requiresBuild: true
dependencies:
'@npmcli/agent': 2.2.1
cacache: 18.0.2
http-cache-semantics: 4.1.1
is-lambda: 1.0.1
minipass: 7.0.4
minipass-fetch: 3.0.4
minipass-flush: 1.0.5
minipass-pipeline: 1.2.4
negotiator: 0.6.3
promise-retry: 2.0.1
ssri: 10.0.5
transitivePeerDependencies:
- supports-color
dev: true
optional: true
/[email protected](@types/[email protected])([email protected]):
resolution: {integrity: sha512-FlCHFwNnutLgVTflOYHPW2pPcl2AACqVzExlkGQNsi4CJgqOHN7YTgDd4LuhgN1BFO3TS0vLAruV1Td6dwWPJA==}
peerDependencies:
'@types/markdown-it': '*'
markdown-it: '*'
dependencies:
'@types/markdown-it': 12.2.3
markdown-it: 12.3.2
dev: true
/[email protected]:
resolution: {integrity: sha512-TchMembfxfNVpHkbtriWltGWc+m3xszaRD0CZup7GFFhzIgQqxIfn3eGj1yZpfuflzPvfkt611B2Q/Bsk1YnGg==}
hasBin: true
dependencies:
argparse: 2.0.1
entities: 2.1.0
linkify-it: 3.0.3
mdurl: 1.0.1
uc.micro: 1.0.6
dev: true
/[email protected]([email protected]):
resolution: {integrity: sha512-Piv6yNwAQXGFjZSaiNljyNFw7jKDdGrw70FSbtxEyldLsyeuV5ZHm/1wW++kWbrOF1VPnUgYOhB2oLL0ZpnekA==}
engines: {node: '>=14.13.1 || >=16.0.0'}
peerDependencies:
marked: ^1.0.0 || ^2.0.0 || ^3.0.0 || ^4.0.0 || ^5.0.0
dependencies:
ansi-escapes: 6.2.0
cardinal: 2.1.1
chalk: 5.3.0
cli-table3: 0.6.3
marked: 4.3.0
node-emoji: 1.11.0
supports-hyperlinks: 2.3.0
dev: true
/[email protected]:
resolution: {integrity: sha512-PRsaiG84bK+AMvxziE/lCFss8juXjNaWzVbN5tXAm4XjeaS9NAHhop+PjQxz2A9h8Q4M/xGmzP8vqNwy6JeK0A==}
engines: {node: '>= 12'}
hasBin: true
dev: true
/[email protected]:
resolution: {integrity: sha512-/sKlQJCBYVY9Ers9hqzKou4H6V5UWc/M59TH2dvkt+84itfnq7uFOMLpOiOS4ujvHP4etln18fmIxA5R5fll0g==}
dev: true
/[email protected]:
resolution: {integrity: sha512-dq+qelQ9akHpcOl/gUVRTxVIOkAJ1wR3QAvb4RsVjS8oVoFjDGTc679wJYmUmknUF5HwMLOgb5O+a3KxfWapPQ==}
engines: {node: '>= 0.6'}
dev: true
/[email protected]:
resolution: {integrity: sha512-cCi6g3/Zr1iqQi6ySbseM1Xvooa98N0w31jzUYrXPX2xqObmFGHJ0tQ5u74H3mVh7wLouTseZyYIq39g8cNp1w==}
dev: true
/[email protected]:
resolution: {integrity: sha512-abv/qOcuPfk3URPfDzmZU1LKmuw8kT+0nIHvKrKgFrwifol/doWcdA4ZqsWQ8ENrFKkd67Mfpo/LovbIUsbt3w==}
dev: false
/[email protected]:
resolution: {integrity: sha512-iclAHeNqNm68zFtnZ0e+1L2yUIdvzNoauKU4WBA3VvH/vPFieF7qfRlwUZU+DA9P9bPXIS90ulxoUoCH23sV2w==}
engines: {node: '>= 0.6'}
dev: true
/[email protected]:
resolution: {integrity: sha512-sPU4uV7dYlvtWJxwwxHD0PuihVNiE7TyAbQ5SWxDCB9mUYvOgroQOwYQQOKPJ8CIbE+1ETVlOoK1UC2nU3gYvg==}
engines: {node: '>= 0.6'}
dev: true
/[email protected]:
resolution: {integrity: sha512-ZDY+bPm5zTTF+YpCrAU9nK0UgICYPT0QtT1NZWFv4s++TNkcgVaT0g6+4R2uI4MjQjzysHB1zxuWL50hzaeXiw==}
engines: {node: '>= 0.6'}
dependencies:
mime-db: 1.52.0
dev: true
/[email protected]:
resolution: {integrity: sha512-x0Vn8spI+wuJ1O6S7gnbaQg8Pxh4NNHb7KSINmEWKiPE4RKOplvijn+NkmYmmRgP68mc70j2EbeTFRsrswaQeg==}
engines: {node: '>=4'}
hasBin: true
dev: true
/[email protected]:
resolution: {integrity: sha512-USPkMeET31rOMiarsBNIHZKLGgvKc/LrjofAnBlOttf5ajRvqiRA8QsenbcooctK6d6Ts6aqZXBA+XbkKthiQg==}
engines: {node: '>=4.0.0'}
hasBin: true
dev: true
/[email protected]:
resolution: {integrity: sha512-OqbOk5oEQeAZ8WXWydlu9HJjz9WVdEIvamMCcXmuqUYjTknH/sqsWvhQ3vgwKFRR1HpjvNBKQ37nbJgYzGqGcg==}
engines: {node: '>=6'}
dev: true
/[email protected]:
resolution: {integrity: sha512-vqiC06CuhBTUdZH+RYl8sFrL096vA45Ok5ISO6sE/Mr1jRbGH4Csnhi8f3wKVl7x8mO4Au7Ir9D3Oyv1VYMFJw==}
engines: {node: '>=12'}
dev: false
/[email protected]:
resolution: {integrity: sha512-J7p63hRiAjw1NDEww1W7i37+ByIrOWO5XQQAzZ3VOcL0PNybwpfmV/N05zFAzwQ9USyEcX6t3UO+K5aqBQOIHw==}
dependencies:
brace-expansion: 1.1.11
dev: true
/[email protected]:
resolution: {integrity: sha512-lKwV/1brpG6mBUFHtb7NUmtABCb2WZZmm2wNiOA5hAb8VdCS4B3dtMWyvcoViccwAW/COERjXLt0zP1zXUN26g==}
engines: {node: '>=10'}
dependencies:
brace-expansion: 2.0.1
dev: true
/[email protected]:
resolution: {integrity: sha512-sauLxniAmvnhhRjFwPNnJKaPFYyddAgbYdeUpHULtCT/GhzdCx/MDNy+Y40lBxTQUrMzDE8e0S43Z5uqfO0REg==}
engines: {node: '>=10'}
dependencies:
brace-expansion: 2.0.1
dev: true
/[email protected]:
resolution: {integrity: sha512-RHiac9mvaRw0x3AYRgDC1CxAP7HTcNrrECeA8YYJeWnpo+2Q5CegtZjaotWTWxDG3UeGA1coE05iH1mPjT/2mg==}
engines: {node: '>=16 || 14 >=14.17'}
requiresBuild: true
dependencies:
brace-expansion: 2.0.1
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-2yyAR8qBkN3YuheJanUpWC5U3bb5osDywNB8RzDVlDwDHbocAJveqqj1u8+SVD7jkWT4yvsHCpWqqWqAxb0zCA==}
dev: true
/[email protected]:
resolution: {integrity: sha512-D7V8PO9oaz7PWGLbCACuI1qEOsq7UKfLotx/C0Aet43fCUB/wfQ7DYeq2oR/svFJGYDHPr38SHATeaj/ZoKHKw==}
engines: {node: '>=16 || 14 >=14.17'}
requiresBuild: true
dependencies:
minipass: 7.0.4
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-jHAqnA728uUpIaFm7NWsCnqKT6UqZz7GcI/bDpPATuwYyKwJwW0remxSCxUlKiEty+eopHGa3oc8WxgQ1FFJqg==}
engines: {node: ^14.17.0 || ^16.13.0 || >=18.0.0}
requiresBuild: true
dependencies:
minipass: 7.0.4
minipass-sized: 1.0.3
minizlib: 2.1.2
optionalDependencies:
encoding: 0.1.13
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-JmQSYYpPUqX5Jyn1mXaRwOda1uQ8HP5KAT/oDSLCzt1BYRhQU0/hDtsB1ufZfEEzMZ9aAVmsBw8+FWsIXlClWw==}
engines: {node: '>= 8'}
requiresBuild: true
dependencies:
minipass: 3.3.6
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-xuIq7cIOt09RPRJ19gdi4b+RiNvDFYe5JH+ggNvBqGqpQXcru3PcRmOZuHBKWK1Txf9+cQ+HMVN4d6z46LZP7A==}
engines: {node: '>=8'}
requiresBuild: true
dependencies:
minipass: 3.3.6
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-MbkQQ2CTiBMlA2Dm/5cY+9SWFEN8pzzOXi6rlM5Xxq0Yqbda5ZQy9sU75a673FE9ZK0Zsbr6Y5iP6u9nktfg2g==}
engines: {node: '>=8'}
requiresBuild: true
dependencies:
minipass: 3.3.6
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-DxiNidxSEK+tHG6zOIklvNOwm3hvCrbUrdtzY74U6HKTJxvIDfOUL5W5P2Ghd3DTkhhKPYGqeNUIh5qcM4YBfw==}
engines: {node: '>=8'}
dependencies:
yallist: 4.0.0
dev: true
/[email protected]:
resolution: {integrity: sha512-3FnjYuehv9k6ovOEbyOswadCDPX1piCfhV8ncmYtHOjuPwylVWsghTLo7rabjC3Rx5xD4HDx8Wm1xnMF7S5qFQ==}
engines: {node: '>=8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-jYofLM5Dam9279rdkWzqHozUo4ybjdZmCsDHePy5V/PbBcVMiSZR97gmAy45aqi8CK1lG2ECd356FU86avfwUQ==}
engines: {node: '>=16 || 14 >=14.17'}
requiresBuild: true
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-bAxsR8BVfj60DWXHE3u30oHzfl4G7khkSuPW+qvpd7jFRHm7dLxOjUk1EHACJ/hxLY8phGJ0YhYHZo7jil7Qdg==}
engines: {node: '>= 8'}
dependencies:
minipass: 3.3.6
yallist: 4.0.0
dev: true
/[email protected]:
resolution: {integrity: sha512-OHsdUcVAQ6pOtg5JYWpCBo9W/GySVuwvP9hueRMW7UqshC0tbfzLv8wjySTPm3tfUZ/21CE9E1pJagOA91Pxew==}
deprecated: Legacy versions of mkdirp are no longer supported. Please update to mkdirp 1.x. (Note that the API surface has changed to use Promises in 1.x.)
dev: false
/[email protected]:
resolution: {integrity: sha512-FP+p8RB8OWpF3YZBCrP5gtADmtXApB5AMLn+vdyA+PyxCjrCs00mjyUozssO33cwDeT3wNGdLxJ5M//YqtHAJw==}
hasBin: true
dependencies:
minimist: 1.2.8
dev: true
/[email protected]:
resolution: {integrity: sha512-vVqVZQyf3WLx2Shd0qJ9xuvqgAyKPLAiqITEtqW0oIUjzo3PePDd6fW9iFz30ef7Ysp/oiWqbhszeGWW2T6Gzw==}
engines: {node: '>=10'}
hasBin: true
dev: true
/[email protected]:
resolution: {integrity: sha512-AbegBVI4sh6El+1gNwvD5YIck7nSA36weD7xvIxG4in80j/UoK8AEGaWnnz8v1GxonMCltmlNs5ZKbGvl9b1XQ==}
engines: {node: '>= 0.8.0'}
dependencies:
basic-auth: 2.0.1
debug: 2.6.9
depd: 2.0.0
on-finished: 2.3.0
on-headers: 1.0.2
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-Tpp60P6IUJDTuOq/5Z8cdskzJujfwqfOTkrwIwj7IRISpnkJnT6SyJ4PCPnGMoFjC9ddhal5KVIYtAt97ix05A==}
dev: true
/[email protected]:
resolution: {integrity: sha512-sGkPx+VjMtmA6MX27oA4FBFELFCZZ4S4XqeGOXCv68tT+jb3vk/RyaKWP0PTKyWtmLSM0b+adUTEvbs1PEaH2w==}
dev: true
/[email protected]:
resolution: {integrity: sha512-6FlzubTLZG3J2a/NVCAleEhjzq5oxgHyaCU9yYXvcLsvoVaHJq/s5xXI6/XXP6tz7R9xAOtHnSO/tXtF3WRTlA==}
dev: true
/[email protected]:
resolution: {integrity: sha512-nnbWWOkoWyUsTjKrhgD0dcz22mdkSnpYqbEjIm2nhwhuxlSkpywJmBo8h0ZqJdkp73mb90SssHkN4rsRaBAfAA==}
dev: true
/[email protected]:
resolution: {integrity: sha512-nO1xXxfh/RWNxfd/XPfbIfFk5vgLsAxUR9y5O0cHMJu/AW9U95JLXqthYHjEp+8gQ5p96K9jUp8nbVOxCdRbtw==}
requiresBuild: true
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-+EUsqGPLsM+j/zdChZjsnX51g4XrHFOIXwfnCVPGlQk/k5giakcKsuxCObBRu6DSm9opw/O6slWbJdghQM4bBg==}
engines: {node: '>= 0.6'}
dev: true
/[email protected]:
resolution: {integrity: sha512-dBpDMdxv9Irdq66304OLfEmQ9tbNRFnFTuZiLo+bD+r332bBmMJ8GBLXklIXXgxd3+v9+KUnZaUR5PJMa75Gsg==}
engines: {node: '>= 0.4.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-1nh45deeb5olNY7eX82BkPO7SSxR5SSYJiPTrTdFUVYwAl8CKMA5N9PjTYkHiRjisVcxcQ1HXdLhx2qxxJzLNQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-/jKZoMpw0F8GRwl4/eLROPA3cfcXtLApP0QzLmUT/HuPCZWyB7IY9ZrMeKw2O/nFIqPQB3PVM9aYm0F312AXDQ==}
engines: {node: '>=10.5.0'}
dev: false
/[email protected]:
resolution: {integrity: sha512-wo2DpQkQp7Sjm2A0cq+sN7EHKO6Sl0ctXeBdFZrL9T9+UywORbufTcTZxom8YqpLQt/FqNMUkOpkZrJVYSKD3A==}
dependencies:
lodash: 4.17.21
dev: true
/[email protected]:
resolution: {integrity: sha512-c4FRfUm/dbcWZ7U+1Wq0AwCyFL+3nt2bEw05wfxSz+DWpWsitgmSgYmy2dQdWyKC1694ELPqMs/YzUSNozLt8A==}
engines: {node: 4.x || >=6.0.0}
peerDependencies:
encoding: ^0.1.0
peerDependenciesMeta:
encoding:
optional: true
dependencies:
whatwg-url: 5.0.0
dev: true
/[email protected]:
resolution: {integrity: sha512-dRB78srN/l6gqWulah9SrxeYnxeddIG30+GOqK/9OlLVyLg3HPnr6SqOWTWOXKRwC2eGYCkZ59NNuSgvSrpgOA==}
engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0}
dependencies:
data-uri-to-buffer: 4.0.1
fetch-blob: 3.2.0
formdata-polyfill: 4.0.10
dev: false
/[email protected]:
resolution: {integrity: sha512-dPEtOeMvF9VMcYV/1Wb8CPoVAXtp6MKMlcbAt4ddqmGqUJ6fQZFXkNZNkNlfevtNkGtaSoXf/vNNNSvgrdXwtA==}
engines: {node: '>= 6.13.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-gg3/bHehQfZivQVfqIyy8wTdSymF9yTyP4CJifK73imyNMU8AIGQE2pUa7dNWfmMeG9cDVF2eehiRMv0LC1iAg==}
engines: {node: ^16.14.0 || >=18.0.0}
hasBin: true
requiresBuild: true
dependencies:
env-paths: 2.2.1
exponential-backoff: 3.1.1
glob: 10.3.10
graceful-fs: 4.2.11
make-fetch-happen: 13.0.0
nopt: 7.2.0
proc-log: 3.0.0
semver: 7.6.0
tar: 6.2.0
which: 4.0.0
transitivePeerDependencies:
- supports-color
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-NWmpvLSqUrgrAC9HCuxEvb+PSloHpqVu+FqcO4eeF2h5qYRhA7ev6KvelyQAKtegUbC6RypJnlEOhd8vloNKYg==}
hasBin: true
dependencies:
abbrev: 1.1.1
dev: false
/[email protected]:
resolution: {integrity: sha512-CVDtwCdhYIvnAzFoJ6NJ6dX3oga9/HyciQDnG1vQDjSLMeKLJ4A93ZqYKDrgYSr1FBY5/hMYC+2VCi24pgpkGA==}
engines: {node: ^14.17.0 || ^16.13.0 || >=18.0.0}
hasBin: true
requiresBuild: true
dependencies:
abbrev: 2.0.0
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-6eZs5Ls3WtCisHWp9S2GUy8dqkpGi4BVSz3GaqiE6ezub0512ESztXUwUB6C6IKbQkY2Pnb/mD4WYojCRwcwLA==}
engines: {node: '>=0.10.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-ppwTtiJZq0O/ai0z7yfudtBpWIoxM8yE6nHi1X47eFR2EWORqfbu6CnPlNsjeN683eT0qG6H/Pyf9fCcvjnnnQ==}
engines: {node: ^12.20.0 || ^14.13.1 || >=16.0.0}
dependencies:
path-key: 4.0.0
dev: false
/[email protected]:
resolution: {integrity: sha512-rJgTQnkUnH1sFw8yT6VSU3zD3sWmu6sZhIseY8VX+GRu3P6F7Fu+JNDoXfklElbLJSnc3FUQHVe4cU5hj+BcUg==}
engines: {node: '>=0.10.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-RSn9F68PjH9HqtltsSnqYC1XXoWe9Bju5+213R98cNGttag9q9yAOTzdbsqvIa7aNm5WffBZFpWYr2aWrklWAw==}
engines: {node: '>= 6'}
dev: true
/[email protected]:
resolution: {integrity: sha512-5qoj1RUiKOMsCCNLV1CBiPYE10sziTsnmNxkAI/rZhiD63CF7IqdFGC/XzjWjpSgLf0LxXX3bDFIh0E18f6UhQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-ikqdkGAAyf/X/gPhXGvfgAytDZtDbr+bkNUJ0N9h5MI/dmdgCs3l6hoHrcUv41sRKew3jIwrp4qQDXiK99Utww==}
engines: {node: '>= 0.8'}
dependencies:
ee-first: 1.1.1
dev: true
/[email protected]:
resolution: {integrity: sha512-oVlzkg3ENAhCk2zdv7IJwd/QUD4z2RxRwpkcGY8psCVcCYZNq4wYnVWALHM+brtuJjePWiYF/ClmuDr8Ch5+kg==}
engines: {node: '>= 0.8'}
dependencies:
ee-first: 1.1.1
dev: true
/[email protected]:
resolution: {integrity: sha512-pZAE+FJLoyITytdqK0U5s+FIpjN0JP3OzFi/u8Rx+EV5/W+JTWGXG8xFzevE7AjBfDqHv/8vL8qQsIhHnqRkrA==}
engines: {node: '>= 0.8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-lNaJgI+2Q5URQBkccEKHTQOPaXdUxnZZElQTZY0MFUAuaEqe1E+Nyvgdz/aIyNi6Z9MzO5dv1H8n58/GELp3+w==}
dependencies:
wrappy: 1.0.2
dev: true
/[email protected]:
resolution: {integrity: sha512-5DXOiRKwuSEcQ/l0kGCF6Q3jcADFv5tSmRaJck/OqkVFcOzutB134KRSfF0xDrL39MNnqxbHBbUUcjZIhTgb2g==}
dependencies:
fn.name: 1.1.0
dev: true
/[email protected]:
resolution: {integrity: sha512-kbpaSSGJTWdAY5KPVeMOKXSrPtr8C8C7wodJbcsd51jRnmD+GZu8Y0VoU6Dm5Z4vWr0Ig/1NKuWRKf7j5aaYSg==}
engines: {node: '>=6'}
dependencies:
mimic-fn: 2.1.0
dev: true
/[email protected]:
resolution: {integrity: sha512-1FlR+gjXK7X+AsAHso35MnyN5KqGwJRi/31ft6x0M194ht7S+rWAvd7PHss9xSKMzE0asv1pyIHaJYq+BbacAQ==}
engines: {node: '>=12'}
dependencies:
mimic-fn: 4.0.0
dev: false
/[email protected]:
resolution: {integrity: sha512-mnkeQ1qP5Ue2wd+aivTD3NHd/lZ96Lu0jgf0pwktLPtx6cTZiH7tyeGRRHs0zX0rbrahXPnXlUnbeXyaBBuIaw==}
engines: {node: '>=18'}
dependencies:
default-browser: 5.2.1
define-lazy-prop: 3.0.0
is-inside-container: 1.0.0
is-wsl: 3.1.0
dev: false
/[email protected]:
resolution: {integrity: sha512-IFenVPgF70fSm1keSd2iDBIDIBZkroLeuffXq+wKTzTJlBpesFWojV9lb8mzOfaAzM1sr7HQHuO0vtV0zYekGg==}
engines: {node: '>=8'}
dependencies:
is-wsl: 1.1.0
dev: true
/[email protected]:
resolution: {integrity: sha512-/ykNWRV5Qs0Nwq7Pc0nJ78fgILvOT/60OxEmB3v7yQ8a8Bwcm43D4diaYazG/KBn6czA+52XYy931WFLMCUeSg==}
dependencies:
yaml: 2.4.1
dev: true
/[email protected]:
resolution: {integrity: sha512-+IW9pACdk3XWmmTXG8m3upGUJst5XRGzxMRjXzAuJ1XnIFNvfhjjIuYkDvysnPQ7qzqVzLt78BCruntqRhWQbA==}
engines: {node: '>= 0.8.0'}
dependencies:
deep-is: 0.1.4
fast-levenshtein: 2.0.6
levn: 0.3.0
prelude-ls: 1.1.2
type-check: 0.3.2
word-wrap: 1.2.5
dev: true
/[email protected]:
resolution: {integrity: sha512-5b6Y85tPxZZ7QytO+BQzysW31HJku27cRIlkbAXaNx+BdcVi+LlRFmVXzeF6a7JCwJpyw5c4b+YSVImQIrBpuQ==}
engines: {node: '>=10'}
dependencies:
bl: 4.1.0
chalk: 4.1.2
cli-cursor: 3.1.0
cli-spinners: 2.9.2
is-interactive: 1.0.0
is-unicode-supported: 0.1.0
log-symbols: 4.1.0
strip-ansi: 6.0.1
wcwidth: 1.0.1
dev: true
/[email protected]:
resolution: {integrity: sha512-D2FR03Vir7FIu45XBY20mTb+/ZSWB00sjU9jdQXt83gDrI4Ztz5Fs7/yy74g2N5SVQY4xY1qDr4rNddwYRVX0g==}
engines: {node: '>=0.10.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-ugZxsxmtTln604yeYd29EGrNhazN2lywetzpKhfmQjW/VJmhpDmWbiX+h0zL8V91R0UXkhb3KtPmyq9PZw3aYw==}
engines: {node: '>=8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-TYOanM3wGwNGsZN2cVTYPArw454xnXj5qmWF1bEoAc4+cU/ol7GVh7odevjp1FNHduHc3KZMcFduxU5Xc6uJRQ==}
engines: {node: '>=10'}
dependencies:
yocto-queue: 0.1.0
dev: true
/[email protected]:
resolution: {integrity: sha512-/bjOqmgETBYB5BoEeGVea8dmvHb2m9GLy1E9W43yeyfP6QQCZGFNa+XRceJEuDB6zqr+gKpIAmlLebMpykw/MQ==}
engines: {node: '>=10'}
requiresBuild: true
dependencies:
aggregate-error: 3.1.0
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-ASV8yU4LLKBAjqIPMbrgtaKIvxQri/yh2OpI+S6hVa9JRkUI3Y3NPFbfngDtY7oFtSMD3w31Xns89mDa3Feo5A==}
engines: {node: '>= 14'}
dependencies:
'@tootallnate/quickjs-emscripten': 0.23.0
agent-base: 7.1.0
debug: 4.3.4
get-uri: 6.0.3
http-proxy-agent: 7.0.2
https-proxy-agent: 7.0.4
pac-resolver: 7.0.1
socks-proxy-agent: 8.0.2
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-5NPgf87AT2STgwa2ntRMr45jTKrYBGkVU36yT0ig/n/GMAa3oPqhZfIQ2kMEimReg0+t9kZViDVZ83qfVUlckg==}
engines: {node: '>= 14'}
dependencies:
degenerator: 5.0.1
netmask: 2.0.2
dev: true
/[email protected]:
resolution: {integrity: sha512-CiyeOxFT/JZyN5m0z9PfXw4SCBJ6Sygz1Dpl0wqjlhDEGGBP1GnsUVEL0p63hoG1fcj3fHynXi9NYO4nWOL+qQ==}
engines: {node: '>= 0.8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-AVbw3UJ2e9bq64vSaS9Am0fje1Pa8pbGqTTsmXfaIiMpnr5DlDhfJOuLj9Sf95ZPVDAUerDfEk88MPmPe7UCQg==}
engines: {node: '>=0.10.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-fEHGKCSmUSDPv4uoj8AlD+joPlq3peND+HRYyxFz4KPw4z926S/b8rIuFs2FYJg3BwsxJf6A9/3eIdLaYC+9Dw==}
engines: {node: '>=4'}
dev: true
/[email protected]:
resolution: {integrity: sha512-ojmeN0qd+y0jszEtoY48r0Peq5dwMEkIlCOu6Q5f41lfkswXuKtYrhgoTpLnyIcHm24Uhqx+5Tqm2InSwLhE6Q==}
engines: {node: '>=8'}
/[email protected]:
resolution: {integrity: sha512-haREypq7xkM7ErfgIyA0z+Bj4AGKlMSdlQE2jvJo6huWD1EdkKYV+G/T4nq0YEF2vgTT8kqMFKo1uHn950r4SQ==}
engines: {node: '>=12'}
dev: false
/[email protected]:
resolution: {integrity: sha512-MkhCqzzBEpPvxxQ71Md0b1Kk51W01lrYvlMzSUaIzNsODdd7mqhiimSZlr+VegAz5Z6Vzt9Xg2ttE//XBhH3EQ==}
engines: {node: '>=16 || 14 >=14.17'}
requiresBuild: true
dependencies:
lru-cache: 10.2.0
minipass: 7.0.4
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-5DFkuoqlv1uYQKxy8omFBeJPQcdoE07Kv2sferDCrAq1ohOU+MSDswDIbnx3YAM60qIOnYa53wBhXW0EbMonrQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-n43JRhlUKUAlibEJhPeir1ncUID16QnEjNpwzNdO3Lm4ywrBpBZ5oLD0I6br9evr1Y9JTqwRtAh7JLoOzAQdVA==}
dependencies:
isarray: 0.0.1
dev: true
/[email protected]:
resolution: {integrity: sha512-1fygroTLlHu66zi26VoTDv8yRgm0Fccecssto+MhsZ0D/DGW2sm8E8AjW7NU5VVTRt5GxbeZ5qBuJr+HyLYkjQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-JU3teHTNjmE2VCGFzuY8EXzCDVwEqB2a8fsIvwaStHhAWJEeVd1o1QD80CU6+ZdEXXSLbSsuLwJjkCBWqRQUVA==}
engines: {node: '>=8.6'}
dev: true
/[email protected]:
resolution: {integrity: sha512-on2ZJVVDXRADWE6jnQaX0ioEylzgBpQk8r55NE4wjXW1ZxO+BgDlY6DXwj20i0V8eB4SenDQ00WEaxfiIQPcxg==}
engines: {node: '>= 0.12.0'}
dependencies:
async: 2.6.4
debug: 3.2.7
mkdirp: 0.5.6
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-ESF23V4SKG6lVSGZgYNpbsiaAkdab6ZgOxe52p7+Kid3W3u3bxR4Vfd/o21dmN7jSt0IwgZ4v5MUd26FEtXE9w==}
engines: {node: '>= 0.8.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-++Vn7NS4Xf9NacaU9Xq3URUuqZETPsf8L4j5/ckhaRYsfPeRyzGw+iDjFhV/Jr3uNmTvvddEJFWh5R1gRgUH8A==}
engines: {node: ^14.17.0 || ^16.13.0 || >=18.0.0}
requiresBuild: true
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-3ouUOpQhtgrbOa17J7+uxOTpITYWaGP7/AhoR3+A+/1e9skrzelGi/dXzEYyvbxubEF6Wn2ypscTKiKJFFn1ag==}
dev: true
/[email protected]:
resolution: {integrity: sha512-7PiHtLll5LdnKIMw100I+8xJXR5gW2QwWYkT6iJva0bXitZKa/XMrSbdmg3r2Xnaidz9Qumd0VPaMrZlF9V9sA==}
engines: {node: '>=0.4.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-BthzO9yTPswGf7etOBiHCVuugs2N01/Q/94dIPls48z2zCmrnDptUUZzfIb+41xq0MnYZ/BzmOd6ikDR4ibNZA==}
dev: true
/[email protected]:
resolution: {integrity: sha512-y+WKFlBR8BGXnsNlIHFGPZmyDf3DFMoLhaflAnyZgV6rG6xu+JwesTo2Q9R6XwYmtmwAFCkAk3e35jEdoeh/3g==}
engines: {node: '>=10'}
requiresBuild: true
dependencies:
err-code: 2.0.3
retry: 0.12.0
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-vtK/94akxsTMhe0/cbfpR+syPuszcuwhqVjJq26CuNDgFGj682oRBXOP5MJpv2r7JtE8MsiepGIqvvOTBwn2vA==}
dev: true
/[email protected]:
resolution: {integrity: sha512-AwAuY4g9nxx0u52DnSMkqqgyLHaW/XaPLtaAo3y/ZCfeaQB/g4YDH4kb8Wc/mWzWvu0YjOznVnfn373MVZZrgw==}
engines: {node: '>=12.0.0'}
dependencies:
protobufjs: 7.2.4
dev: true
/[email protected]([email protected]):
resolution: {integrity: sha512-VPWMgIcRNyQwWUv8OLPyGQ/0lQY/QTQAVN5fh+XzfDwsVw1FZ2L3DM/bcBf8WPiRz2tNpaov9lPZfNcmNo6LXA==}
engines: {node: '>=12.0.0'}
hasBin: true
peerDependencies:
protobufjs: ^7.0.0
dependencies:
chalk: 4.1.2
escodegen: 1.14.3
espree: 9.6.1
estraverse: 5.3.0
glob: 8.1.0
jsdoc: 4.0.2
minimist: 1.2.8
protobufjs: 7.2.4
semver: 7.6.0
tmp: 0.2.3
uglify-js: 3.17.4
dev: true
/[email protected]:
resolution: {integrity: sha512-AT+RJgD2sH8phPmCf7OUZR8xGdcJRga4+1cOaXJ64hvcSkVhNcRHOwIxUatPH15+nj59WAGTDv3LSGZPEQbJaQ==}
engines: {node: '>=12.0.0'}
requiresBuild: true
dependencies:
'@protobufjs/aspromise': 1.1.2
'@protobufjs/base64': 1.1.2
'@protobufjs/codegen': 2.0.4
'@protobufjs/eventemitter': 1.1.0
'@protobufjs/fetch': 1.1.0
'@protobufjs/float': 1.0.2
'@protobufjs/inquire': 1.1.0
'@protobufjs/path': 1.1.2
'@protobufjs/pool': 1.1.0
'@protobufjs/utf8': 1.1.0
'@types/node': 20.11.25
long: 5.2.3
dev: true
/[email protected]:
resolution: {integrity: sha512-llQsMLSUDUPT44jdrU/O37qlnifitDP+ZwrmmZcoSKyLKvtZxpyV0n2/bD/N4tBAAZ/gJEdZU7KMraoK1+XYAg==}
engines: {node: '>= 0.10'}
dependencies:
forwarded: 0.2.0
ipaddr.js: 1.9.1
dev: true
/[email protected]:
resolution: {integrity: sha512-u0piLU+nCOHMgGjRbimiXmA9kM/L9EHh3zL81xCdp7m+Y2pHIsnmbdDoEDoAz5geaonNR6q6+yOPQs6n4T6sBQ==}
engines: {node: '>= 14'}
dependencies:
agent-base: 7.1.0
debug: 4.3.4
http-proxy-agent: 7.0.2
https-proxy-agent: 7.0.4
lru-cache: 7.18.3
pac-proxy-agent: 7.0.1
proxy-from-env: 1.1.0
socks-proxy-agent: 8.0.2
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-D+zkORCbA9f1tdWRK0RaCR3GPv50cMxcrz4X8k5LTSUD1Dkw47mKJEZQNunItRTkWwgtaUSo1RVFRIG9ZXiFYg==}
dev: true
/[email protected]:
resolution: {integrity: sha512-LwZy+p3SFs1Pytd/jYct4wpv49HiYCqd9Rlc5ZVdk0V+8Yzv6jR5Blk3TRmPL1ft69TxP0IMZGJ+WPFU2BFhww==}
dependencies:
end-of-stream: 1.4.4
once: 1.4.0
dev: true
/[email protected]:
resolution: {integrity: sha512-jmYNElW7yvO7TV33CjSmvSiE2yco3bV2czu/OzDKdMNVZQWfxCblURLhf+47syQRBntjfLdd/H0egrzIG+oaFQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-vYt7UD1U9Wg6138shLtLOvdAu+8DsC/ilFtEVHcH+wydcSpNE20AfSOduf6MkRFahL5FY7X1oU7nKVZFtfq8Fg==}
engines: {node: '>=6'}
dev: true
/[email protected]:
resolution: {integrity: sha512-l1jNAspIBSFqbT+y+5FosojNpVpF94nlI+wDUpqP9enwOTfHx9f0gh5nB96vl+6yTpsJsypeNrwfzPrKuHB41A==}
engines: {node: '>=8'}
dependencies:
escape-goat: 2.1.1
dev: true
/[email protected]:
resolution: {integrity: sha512-MvjoMCJwEarSbUYk5O+nmoSzSutSsTwF85zcHPQ9OrlFoZOYIjaqBAJIqIXjptyD5vThxGq52Xu/MaJzRkIk4Q==}
engines: {node: '>=0.6'}
dependencies:
side-channel: 1.0.6
dev: true
/[email protected]:
resolution: {integrity: sha512-trVZiI6RMOkO476zLGaBIzszOdFPnCCXHPG9kn0yuS1uz6xdVxPfZdB3vUig9pxPFDM9BRAgz/YUIVQ1/vuiUg==}
engines: {node: '>=0.6'}
dependencies:
side-channel: 1.0.6
dev: true
/[email protected]:
resolution: {integrity: sha512-Hrgsx+orqoygnmhFbKaHE6c296J+HTAQXoxEF6gNupROmmGJRoyzfG3ccAveqCBrwr/2yxQ5BVd/GTl5agOwSg==}
engines: {node: '>= 0.6'}
dev: true
/[email protected]:
resolution: {integrity: sha512-8zGqypfENjCIqGhgXToC8aB2r7YrBX+AQAfIPs/Mlk+BtPTztOvTS01NRW/3Eh60J+a48lt8qsCzirQ6loCVfA==}
engines: {node: '>= 0.8'}
dependencies:
bytes: 3.1.2
http-errors: 2.0.0
iconv-lite: 0.4.24
unpipe: 1.0.0
dev: true
/[email protected]:
resolution: {integrity: sha512-y3bGgqKj3QBdxLbLkomlohkvsA8gdAiUQlSBJnBhfn+BPxg4bc62d8TcBW15wavDfgexCgccckhcZvywyQYPOw==}
hasBin: true
dependencies:
deep-extend: 0.6.0
ini: 1.3.8
minimist: 1.2.8
strip-json-comments: 2.0.1
dev: true
/[email protected]:
resolution: {integrity: sha512-/5JjSPXobSDaKFL6rD5Gb4qD4CVBITQb7NAxfQ/NA7o0HER3SJAPV3lPO2kvzw0/PN1pVJNVATEUk4y9j7oIIA==}
requiresBuild: true
dependencies:
install-artifact-from-github: 1.3.5
nan: 2.19.0
node-gyp: 10.0.1
transitivePeerDependencies:
- supports-color
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-8p0AUk4XODgIewSi0l8Epjs+EVnWiK7NoDIEGU0HhE7+ZyY8D1IMY7odu5lRrFXGg71L15KG8QrPmum45RTtdA==}
dependencies:
core-util-is: 1.0.3
inherits: 2.0.4
isarray: 1.0.0
process-nextick-args: 2.0.1
safe-buffer: 5.1.2
string_decoder: 1.1.1
util-deprecate: 1.0.2
dev: true
/[email protected]:
resolution: {integrity: sha512-9u/sniCrY3D5WdsERHzHE4G2YCXqoG5FTHUiCC4SIbr6XcLZBY05ya9EKjYek9O5xOAwjGq+1JdGBAS7Q9ScoA==}
engines: {node: '>= 6'}
dependencies:
inherits: 2.0.4
string_decoder: 1.3.0
util-deprecate: 1.0.2
dev: true
/[email protected]:
resolution: {integrity: sha512-v05I2k7xN8zXvPD9N+z/uhXPaj0sUFCe2rcWZIpBsqxfP7xXFQ0tipAd/wjj1YxWyWtUS5IDJpOG82JKt2EAVA==}
dependencies:
minimatch: 5.1.6
dev: true
/[email protected]:
resolution: {integrity: sha512-hOS089on8RduqdbhvQ5Z37A0ESjsqz6qnRcffsMU3495FuTdqSm+7bhJ29JvIOsBDEEnan5DPu9t3To9VRlMzA==}
engines: {node: '>=8.10.0'}
dependencies:
picomatch: 2.3.1
dev: true
/[email protected]:
resolution: {integrity: sha512-FNpGGo1DycYAdnrKFxCMmKYgo/mILAqtRYbkdQD8Ep/Hk2PQ5+aEAEx+IU713RTDmuBaH0c8P5ZozurNu5ObRQ==}
dependencies:
esprima: 4.0.1
dev: true
/[email protected]:
resolution: {integrity: sha512-o/3ikDxtXaA59BmZuZrJZDJv8NMDGSj+6j6XaeBmHw8eY1i1qd9+6H+LjVvQXx3HN6aRCGa1cUdJ9RaJZUugnQ==}
engines: {node: '>=14'}
dependencies:
'@pnpm/npm-conf': 2.2.2
dev: true
/[email protected]:
resolution: {integrity: sha512-8acYXXTI0AkQv6RAOjE3vOaIXZkT9wo4LOFbBKYQEEnnMNBpKqdUrI6S4NT0KPIo/WVvJ5tE/X5LF/TQUf0ekw==}
engines: {node: '>=8'}
dependencies:
rc: 1.2.8
dev: true
/[email protected]:
resolution: {integrity: sha512-fGxEI7+wsG9xrvdjsrlmL22OMTTiHRwAMroiEeMgq8gzoLC/PQr7RsRDSTLUg/bZAZtF+TVIkHc6/4RIKrui+Q==}
engines: {node: '>=0.10.0'}
/[email protected]:
resolution: {integrity: sha512-Xf0nWe6RseziFMu+Ap9biiUbmplq6S9/p+7w7YXP/JBHhrUDDUhwa+vANyubuqfZWTveU//DYVGsDG7RKL/vEw==}
engines: {node: '>=0.10.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-JRrFk1D4OQ4SqovXOgdav+K8EAhSB/LJZqCz8tbX0KObcdeM15Ss59ozWMBWmmINMagCwmqn4ZNryUGpBsl6Jw==}
dependencies:
lodash: 4.17.21
dev: true
/[email protected]:
resolution: {integrity: sha512-l+sSefzHpj5qimhFSE5a8nufZYAM3sBSVMAPtYkmC+4EH2anSGaEMXSD0izRQbu9nfyQ9y5JrVmp7E8oZrUjvA==}
engines: {node: '>=8'}
dependencies:
onetime: 5.1.2
signal-exit: 3.0.7
dev: true
/[email protected]:
resolution: {integrity: sha512-wfI3pk7EE80lCIXprqh7ym48IHYdwmAAzESdbU8Q9l7pnRCk9LEhpbOTNKjz6FARLm/Bl5m+4F0ABxOkYUujSQ==}
engines: {node: '>=12'}
dependencies:
debug: 4.3.4
extend: 3.0.2
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-9LkiTwjUh6rT555DtE9rTX+BKByPfrMzEAtnlEtdEwr3Nkffwiihqe2bWADg+OQRjt9gl6ICdmB/ZFDCGAtSow==}
engines: {node: '>= 4'}
requiresBuild: true
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-XQBQ3I8W1Cge0Seh+6gjj03LbmRFWuoszgK9ooCpwYIrhhoO80pfq4cUkU5DkknwfOfFteRwlZ56PYOGYyFWdg==}
engines: {node: '>= 4'}
dev: true
/[email protected]:
resolution: {integrity: sha512-JZkJMZkAGFFPP2YqXZXPbMlMBgsxzE8ILs4lMIX/2o0L9UBw9O/Y3o6wFw/i9YLapcUJWwqbi3kdxIPdC62TIA==}
hasBin: true
dependencies:
glob: 7.2.3
dev: true
/[email protected]:
resolution: {integrity: sha512-461UFH44NtSfIlS83PUg2N7OZo86BC/kB3dY77gJdsODsBhhw7+2uE0tzTINxrY9CahCUVk1VhpWCA5i1yoIEg==}
engines: {node: '>= 0.8'}
dependencies:
array-flatten: 3.0.0
debug: 2.6.9
methods: 1.1.2
parseurl: 1.3.3
path-to-regexp: 0.1.7
setprototypeof: 1.2.0
utils-merge: 1.0.1
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-9by4Ij99JUr/MCFBUkDKLWK3G9HVXmabKz9U5MlIAIuvuzkiOicRYs8XJLxX+xahD+mLiiCYDqF9dKAgtzKP1A==}
engines: {node: '>=18'}
dev: false
/[email protected]:
resolution: {integrity: sha512-tvVnVv01b8c1RrA6Ep7JkStj85Guv/YrMcwqYQnwjsAS2cTmmPGBBjAjpCW7RrSodNSoE2/qg9O4bceNvUuDgQ==}
engines: {node: '>=0.12.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-AA3TVj+0A2iuIoQkWEK/tqFjBq2j+6PO6Y0zJcvzLAFhEFIO3HL0vls9hWLncZbAAbK0mar7oZ4V079I/qPMxg==}
dependencies:
tslib: 2.6.2
dev: true
/[email protected]:
resolution: {integrity: sha512-Gd2UZBJDkXlY7GbJxfsE8/nvKkUEU1G38c1siN6QP6a9PT9MmHB8GnpscSmMJSoF8LOIrt8ud/wPtojys4G6+g==}
dev: true
/[email protected]:
resolution: {integrity: sha512-rp3So07KcdmmKbGvgaNxQSJr7bGVSVk5S9Eq1F+ppbRo70+YeaDxkw5Dd8NPN+GD6bjnYm2VuPuCXmpuYvmCXQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-e2bDA2WJT0wxseVd4lsDP4+3ONX6HpMXQa1ZhFQ7SU+GjvORCmShbCMltrtIDfkYhVHrOcPtj+KhmDBdPdZD1g==}
engines: {node: '>=10'}
dev: true
/[email protected]:
resolution: {integrity: sha512-YZo3K82SD7Riyi0E1EQPojLz7kpepnSQI9IyPbHHg1XXXevb5dJI7tpyN2ADxGcQbHG7vcyRHk0cbwqcQriUtg==}
dev: true
/[email protected]:
resolution: {integrity: sha512-GX0Ix/CJcHyB8c4ykpHGIAvLyOwOobtM/8d+TQkAd81/bEjgPHrfba41Vpesr7jX/t8Uh+R3EX9eAS5be+jQYg==}
engines: {node: '>=8'}
dependencies:
semver: 6.3.1
dev: true
/[email protected]:
resolution: {integrity: sha512-cBznnQ9KjJqU67B52RMC65CMarK2600WFnbkcaiwWq3xy/5haFJlshgnpjovMVJ+Hff49d8GEn0b87C5pDQ10g==}
hasBin: true
dev: true
/[email protected]:
resolution: {integrity: sha512-BR7VvDCVHO+q2xBEWskxS6DJE1qRnb7DxzUrogb71CWoSficBxYsiAGd+Kl0mmq/MprG9yArRkyrQxTO6XjMzA==}
hasBin: true
dev: true
/[email protected]:
resolution: {integrity: sha512-EnwXhrlwXMk9gKu5/flx5sv/an57AkRplG3hTK68W7FRDN+k+OWBj65M7719OkA82XLBxrcX0KSHj+X5COhOVg==}
engines: {node: '>=10'}
hasBin: true
dependencies:
lru-cache: 6.0.0
dev: true
/[email protected]:
resolution: {integrity: sha512-qqWzuOjSFOuqPjFe4NOsMLafToQQwBSOEpS+FwEt3A2V3vKubTquT3vmLTQpFgMXp8AlFWFuP1qKaJZOtPpVXg==}
engines: {node: '>= 0.8.0'}
dependencies:
debug: 2.6.9
depd: 2.0.0
destroy: 1.2.0
encodeurl: 1.0.2
escape-html: 1.0.3
etag: 1.8.1
fresh: 0.5.2
http-errors: 2.0.0
mime: 1.6.0
ms: 2.1.3
on-finished: 2.4.1
range-parser: 1.2.1
statuses: 2.0.1
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-XGuRDNjXUijsUL0vl6nSD7cwURuzEgglbOaFuZM9g3kwDXOWVTck0jLzjPzGD+TazWbboZYu52/9/XPdUgne9g==}
engines: {node: '>= 0.8.0'}
dependencies:
encodeurl: 1.0.2
escape-html: 1.0.3
parseurl: 1.3.3
send: 0.18.0
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-pgRc4hJ4/sNjWCSS9AmnS40x3bNMDTknHgL5UaMBTMyJnU90EgWh1Rz+MC9eFu4BuN/UwZjKQuY/1v3rM7HMfg==}
engines: {node: '>= 0.4'}
dependencies:
define-data-property: 1.1.4
es-errors: 1.3.0
function-bind: 1.1.2
get-intrinsic: 1.2.4
gopd: 1.0.1
has-property-descriptors: 1.0.2
dev: true
/[email protected]:
resolution: {integrity: sha512-E5LDX7Wrp85Kil5bhZv46j8jOeboKq5JMmYM3gVGdGH8xFpPWXUMsNrlODCrkoxMEeNi/XZIwuRvY4XNwYMJpw==}
dev: true
/[email protected]:
resolution: {integrity: sha512-EV3L1+UQWGor21OmnvojK36mhg+TyIKDh3iFBKBohr5xeXIhNBcx8oWdgkTEEQ+BEFFYdLRuqMfd5L84N1V5Vg==}
engines: {node: '>=0.10.0'}
dependencies:
shebang-regex: 1.0.0
dev: true
/[email protected]:
resolution: {integrity: sha512-kHxr2zZpYtdmrN1qDjrrX/Z1rR1kG8Dx+gkpK1G4eXmvXswmcE1hTWBWYUzlraYw1/yZp6YuDY77YtvbN0dmDA==}
engines: {node: '>=8'}
dependencies:
shebang-regex: 3.0.0
/[email protected]:
resolution: {integrity: sha512-wpoSFAxys6b2a2wHZ1XpDSgD7N9iVjg29Ph9uV/uaP9Ex/KXlkTZTeddxDPSYQpgvzKLGJke2UU0AzoGCjNIvQ==}
engines: {node: '>=0.10.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-7++dFhtcx3353uBaq8DDR4NuxBetBzC7ZQOhmTQInHEd6bSrXdiEyzCvG07Z44UYdLShWUyXt5M/yhz8ekcb1A==}
engines: {node: '>=8'}
/[email protected]:
resolution: {integrity: sha512-fDW/EZ6Q9RiO8eFG8Hj+7u/oW+XrPTIChwCOM2+th2A6OblDtYYIpve9m+KvI9Z4C9qSEXlaGR6bTEYHReuglA==}
engines: {node: '>= 0.4'}
dependencies:
call-bind: 1.0.7
es-errors: 1.3.0
get-intrinsic: 1.2.4
object-inspect: 1.13.1
dev: true
/[email protected]:
resolution: {integrity: sha512-wnD2ZE+l+SPC/uoS0vXeE9L1+0wuaMqKlfz9AMUo38JsyLSBWSFcHR1Rri62LZc12vLr1gb3jl7iwQhgwpAbGQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-bzyZ1e88w9O1iNJbKnOlvYTrWPDl46O1bG0D3XInv+9tkPrxrN8jUUTiFlDkkmKWgn1M6CfIA13SuGqOa9Korw==}
engines: {node: '>=14'}
/[email protected]:
resolution: {integrity: sha512-JA//kQgZtbuY83m+xT+tXJkmJncGMTFT+C+g2h2R9uxkYIrE2yy9sgmcLhCnw57/WSD+Eh3J97FPEDFnbXnDUg==}
dependencies:
is-arrayish: 0.3.2
dev: true
/[email protected]:
resolution: {integrity: sha512-94hK0Hh8rPqQl2xXc3HsaBoOXKV20MToPkcXvwbISWLEs+64sBq5kFgn2kJDHb1Pry9yrP0dxrCI9RRci7RXKg==}
engines: {node: '>= 6.0.0', npm: '>= 3.0.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-8zuqoLv1aP/66PHF5TqwJ7Czm3Yv32urJQHrVyhD7mmA6d61Zv8cIXQYPTWwmg6qlupnPvs/QKDmfa4P/qct2g==}
engines: {node: '>= 14'}
dependencies:
agent-base: 7.1.0
debug: 4.3.4
socks: 2.8.1
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-B6w7tkwNid7ToxjZ08rQMT8M9BJAf8DKx8Ft4NivzH0zBUfd6jldGcisJn/RLgxcX3FPNDdNQCUEMMT79b+oCQ==}
engines: {node: '>= 10.0.0', npm: '>= 3.0.0'}
dependencies:
ip-address: 9.0.5
smart-buffer: 4.2.0
dev: true
/[email protected]:
resolution: {integrity: sha512-T9JoiDewQEmWcnmPn/s9h/PH9t3d/LSWi0RgVmXSuDYeZXTZOZ1/wrK2PHaptuR1VXe3clLLt0pD6sgVOwjNEA==}
dependencies:
lodash: 4.17.21
dev: true
/[email protected]:
resolution: {integrity: sha512-UjgapumWlbMhkBgzT7Ykc5YXUT46F0iKu8SGXq0bcwP5dz/h0Plj6enJqjz1Zbq2l5WaqYnrVbwWOWMyF3F47g==}
engines: {node: '>=0.10.0'}
requiresBuild: true
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-D9cPgkvLlV3t3IzL0D0YLvGA9Ahk4PcvVwUbN0dSGr1aP0Nrt4AEnTUbuGvquEC0mA64Gqt1fzirlRs5ibXx8g==}
dev: true
/[email protected]:
resolution: {integrity: sha512-Oo+0REFV59/rz3gfJNKQiBlwfHaSESl1pcGyABQsnnIfWOFt6JNj5gCog2U6MLZ//IGYD+nA8nI+mTShREReaA==}
dev: true
/[email protected]:
resolution: {integrity: sha512-bSf16tAFkGeRlUNDjXu8FzaMQt6g2HZJrun7mtMbIPOddxt3GLMSz5VWUWcqTJUPfLEaDIepGxv+bYQW49596A==}
engines: {node: ^14.17.0 || ^16.13.0 || >=18.0.0}
requiresBuild: true
dependencies:
minipass: 7.0.4
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-KGzahc7puUKkzyMt+IqAep+TVNbKP+k2Lmwhub39m1AsTSkaDutx56aDCo+HLDzf/D26BIHTJWNiTG1KAJiQCg==}
dev: true
/[email protected]:
resolution: {integrity: sha512-OpZ3zP+jT1PI7I8nemJX4AKmAX070ZkYPVWV/AaKTJl+tXCTGyVdC1a4SL8RUQYEwk/f34ZX8UTykN68FwrqAA==}
engines: {node: '>= 0.6'}
dev: true
/[email protected]:
resolution: {integrity: sha512-RwNA9Z/7PrK06rYLIzFMlaF+l73iwpzsqRIFgbMLbTcLD6cOao82TaWefPXQvB2fOC4AjuYSEndS7N/mTCbkdQ==}
engines: {node: '>= 0.8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-1TJmBx6aSWqZ4tx7aTpBDXK0/e2hhcNSTV8+CbFJtDjbb+I1mZ8lHit0Grw9GRT+6JbIrrDd8esncgBi8aBXGA==}
dev: true
/[email protected]:
resolution: {integrity: sha512-HZfXngYHUAr1exT4fxlbc1IOce1RYxp2ldeaf97LYCOPSoOqY/1Psp7iGvpb+6JIOgkra9zDYnPX01hGAHzEPw==}
dependencies:
stream-chain: 2.2.5
dev: true
/[email protected]:
resolution: {integrity: sha512-76ORR0DO1o1hlKwTbi/DM3EXWGf3ZJYO8cXX5RJwnul2DEg2oyoZyjLNoQM8WsvZiFKCRfC1O0J7iCvie3RZmQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-wKyQRQpjJ0sIp62ErSZdGsjMJWsap5oRNihHhu6G7JVO/9jIB6UyevL+tXuOqrng8j/cxKTWyWUwvSTriiZz/g==}
engines: {node: '>=8'}
dependencies:
emoji-regex: 8.0.0
is-fullwidth-code-point: 3.0.0
strip-ansi: 6.0.1
/[email protected]:
resolution: {integrity: sha512-HnLOCR3vjcY8beoNLtcjZ5/nxn2afmME6lhrDrebokqMap+XbeW8n9TXpPDOqdGK5qcI3oT0GKTW6wC7EMiVqA==}
engines: {node: '>=12'}
requiresBuild: true
dependencies:
eastasianwidth: 0.2.0
emoji-regex: 9.2.2
strip-ansi: 7.1.0
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-n/ShnvDi6FHbbVfviro+WojiFzv+s8MPMHBczVePfUpDJLwoLT0ht1l4YwBCbi8pJAveEEdnkHyPyTP/mzRfwg==}
dependencies:
safe-buffer: 5.1.2
dev: true
/[email protected]:
resolution: {integrity: sha512-hkRX8U1WjJFd8LsDJ2yQ/wWWxaopEsABU1XfkM8A+j0+85JAGppt16cr1Whg6KIbb4okU6Mql6BOj+uup/wKeA==}
dependencies:
safe-buffer: 5.2.1
dev: true
/[email protected]:
resolution: {integrity: sha512-Y38VPSHcqkFrCpFnQ9vuSXmquuv5oXOKpGeT6aGrr3o3Gc9AlVa6JBfUSOCnbxGGZF+/0ooI7KrPuUSztUdU5A==}
engines: {node: '>=8'}
dependencies:
ansi-regex: 5.0.1
/[email protected]:
resolution: {integrity: sha512-iq6eVVI64nQQTRYq2KtEg2d2uU7LElhTJwsH4YzIHZshxlgZms/wIc4VoDQTlG/IvVIrBKG06CrZnp0qv7hkcQ==}
engines: {node: '>=12'}
requiresBuild: true
dependencies:
ansi-regex: 6.0.1
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-dOESqjYr96iWYylGObzd39EuNTa5VJxyvVAEm5Jnh7KGo75V43Hk1odPQkNDyXNmUR6k+gEiDVXnjB8HJ3crXw==}
engines: {node: '>=12'}
dev: false
/[email protected]:
resolution: {integrity: sha512-4gB8na07fecVVkOI6Rs4e7T6NOTki5EmL7TUduTs6bu3EdnSycntVJ4re8kgZA+wx9IueI2Y11bfbgwtzuE0KQ==}
engines: {node: '>=0.10.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-6fPc+R4ihwqP6N/aIv2f1gMH8lOVtWQHoqC4yK6oSDVVocumAsfCqjkXnqiYMhmMwS/mEHLp7Vehlt3ql6lEig==}
engines: {node: '>=8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-e/tmW0bsnQ/33ivK6y3CapJT0Ovy4pk/ohNPGhIAGU2oasoNLRQ1cv6enua09NU9w6Y0H/fBu07cjzuiWvLXxw==}
engines: {node: ^14.18.0 || >=16.4.0}
hasBin: true
dependencies:
basic-auth-connect: 1.0.0
commander: 10.0.1
compression: 1.7.4
connect: 3.7.0
destroy: 1.2.0
fast-url-parser: 1.1.3
glob-slasher: 1.0.1
is-url: 1.2.4
join-path: 1.1.1
lodash: 4.17.21
mime-types: 2.1.35
minimatch: 6.2.0
morgan: 1.10.0
on-finished: 2.4.1
on-headers: 1.0.2
path-to-regexp: 1.8.0
router: 1.3.8
update-notifier-cjs: 5.1.6
optionalDependencies:
re2: 1.20.10
transitivePeerDependencies:
- encoding
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-qpCAvRl9stuOHveKsn7HncJRvv501qIacKzQlO/+Lwxc9+0q2wLyv4Dfvt80/DPn2pqOBsJdDiogXGR9+OvwRw==}
engines: {node: '>=8'}
dependencies:
has-flag: 4.0.0
dev: true
/[email protected]:
resolution: {integrity: sha512-RpsAZlpWcDwOPQA22aCH4J0t7L8JmAvsCxfOSEwm7cQs3LshN36QaTkwd70DnBOXDWGssw2eUoc8CaRWT0XunA==}
engines: {node: '>=8'}
dependencies:
has-flag: 4.0.0
supports-color: 7.2.0
dev: true
/[email protected]:
resolution: {integrity: sha512-ulAk51I9UVUyJgxlv9M6lFot2WP3e7t8Kz9+IS6D4rVba1tR9kON+Ey69f+1R4Q8cd45Lod6a4IcJIxnzGc/zA==}
engines: {node: '>=18'}
dev: false
/[email protected]:
resolution: {integrity: sha512-ujeqbceABgwMZxEJnk2HDY2DlnUZ+9oEcb1KzTVfYHio0UE6dG71n60d8D2I4qNvleWrrXpmjpt7vZeF1LnMZQ==}
engines: {node: '>=6'}
dependencies:
bl: 4.1.0
end-of-stream: 1.4.4
fs-constants: 1.0.0
inherits: 2.0.4
readable-stream: 3.6.2
dev: true
/[email protected]:
resolution: {integrity: sha512-/Wo7DcT0u5HUV486xg675HtjNd3BXZ6xDbzsCUZPt5iw8bTQ63bP0Raut3mvro9u+CUyq7YQd8Cx55fsZXxqLQ==}
engines: {node: '>=10'}
dependencies:
chownr: 2.0.0
fs-minipass: 2.1.0
minipass: 5.0.0
minizlib: 2.1.2
mkdirp: 1.0.4
yallist: 4.0.0
dev: true
/[email protected]:
resolution: {integrity: sha512-l7ar8lLUD3XS1V2lfoJlCBaeoaWo/2xfYt81hM7VlvR4RrMVFqfmzfhLVk40hAb368uitje5gPtBRL1m/DGvLA==}
dependencies:
debug: 4.3.1
is2: 2.0.9
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-uuVGNWzgJ4yhRaNSiubPY7OjISw4sw4E5Uv0wbjp+OzcbmVU/rsT8ujgcXJhn9ypzsgr5vlzpPqP+MBBKcGvbg==}
dev: true
/[email protected]:
resolution: {integrity: sha512-w89qg7PI8wAdvX60bMDP+bFoD5Dvhm9oLheFp5O4a2QF0cSBGsBX4qZmadPMvVqlLJBBci+WqGGOAPvcDeNSVg==}
dev: true
/[email protected]:
resolution: {integrity: sha512-jRCJlojKnZ3addtTOjdIqoRuPEKBvNXcGYqzO6zWZX8KfKEpnGY5jfggJQ3EjKuu8D4bJRr0y+cYJFmYbImXGw==}
engines: {node: '>=0.6.0'}
dependencies:
os-tmpdir: 1.0.2
dev: true
/[email protected]:
resolution: {integrity: sha512-nZD7m9iCPC5g0pYmcaxogYKggSfLsdxl8of3Q/oIbqCqLLIO9IAF0GWjX1z9NZRHPiXv8Wex4yDCaZsgEw0Y8w==}
engines: {node: '>=14.14'}
dev: true
/[email protected]:
resolution: {integrity: sha512-/OaKK0xYrs3DmxRYqL/yDc+FxFUVYhDlXMhRmv3z915w2HF1tnN1omB354j8VUGO/hbRzyD6Y3sA7v7GS/ceog==}
engines: {node: '>=4'}
dev: true
/[email protected]:
resolution: {integrity: sha512-65P7iz6X5yEr1cwcgvQxbbIw7Uk3gOy5dIdtZ4rDveLqhrdJP+Li/Hx6tyK0NEb+2GCyneCMJiGqrADCSNk8sQ==}
engines: {node: '>=8.0'}
dependencies:
is-number: 7.0.0
dev: true
/[email protected]:
resolution: {integrity: sha512-o5sSPKEkg/DIQNmH43V0/uerLrpzVedkUh8tGNvaeXpfpuwjKenlSox/2O/BTlZUtEe+JG7s5YhEz608PlAHRA==}
engines: {node: '>=0.6'}
dev: true
/[email protected]:
resolution: {integrity: sha512-WI3rIGdcaKULYg7KVoB0zcjikqvcYYvcuT6D89bFPz2rVR0Rl0PK6x8/X62rtdLtBKIE985NzVf/auTtGegIIg==}
dependencies:
lodash: 4.17.21
dev: true
/[email protected]:
resolution: {integrity: sha512-N3WMsuqV66lT30CrXNbEjx4GEwlow3v6rr4mCcv6prnfwhS01rkgyFdjPNBYd9br7LpXV1+Emh01fHnq2Gdgrw==}
dev: true
/[email protected]:
resolution: {integrity: sha512-aZbgViZrg1QNcG+LULa7nhZpJTZSLm/mXnHXnbAbjmN5aSa0y7V+wvv6+4WaBtpISJzThKy+PIPxc1Nq1EJ9mg==}
engines: {node: '>= 14.0.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-AEYxH93jGFPn/a2iVAwW87VuUIkR1FVUKB77NwMF7nBTDkDrrT/Hpt/IrCJ0QXhW27jTBDcf5ZY7w6RiqTMw2Q==}
dev: true
/[email protected]:
resolution: {integrity: sha512-ZCmOJdvOWDBYJlzAoFkC+Q0+bUyEOS1ltgp1MGU03fqHG+dbi9tBFU2Rd9QKiDZFAYrhPh2JUf7rZRIuHRKtOg==}
engines: {node: '>= 0.8.0'}
dependencies:
prelude-ls: 1.1.2
dev: true
/[email protected]:
resolution: {integrity: sha512-Ne+eE4r0/iWnpAxD852z3A+N0Bt5RN//NjJwRd2VFHEmrywxf5vsZlh4R6lixl6B+wz/8d+maTSAkN1FIkI3LQ==}
engines: {node: '>=10'}
dev: true
/[email protected]:
resolution: {integrity: sha512-t0rzBq87m3fVcduHDUFhKmyyX+9eo6WQjZvf51Ea/M0Q7+T374Jp1aUiyUl0GKxp8M/OETVHSDvmkyPgvX+X2w==}
engines: {node: '>=10'}
dev: true
/[email protected]:
resolution: {integrity: sha512-tLq3bSNx+xSpwvAJnzrK0Ep5CLNWjvFTOp71URMaAEWBfRb9nnJiBoUe0tF8bI4ZFO3omgBR6NvnbzVUT3Ly4g==}
engines: {node: '>=14.16'}
dev: true
/[email protected]:
resolution: {integrity: sha512-TkRKr9sUTxEH8MdfuCSP7VizJyzRNMjj2J2do2Jr3Kym598JVdEksuzPQCnlFPW4ky9Q+iA+ma9BGm06XQBy8g==}
engines: {node: '>= 0.6'}
dependencies:
media-typer: 0.3.0
mime-types: 2.1.35
dev: true
/[email protected]:
resolution: {integrity: sha512-zdu8XMNEDepKKR+XYOXAVPtWui0ly0NtohUscw+UmaHiAWT8hrV1rr//H6V+0DvJ3OQ19S979M0laLfX8rm82Q==}
dependencies:
is-typedarray: 1.0.0
dev: true
/[email protected]:
resolution: {integrity: sha512-8Y75pvTYkLJW2hWQHXxoqRgV7qb9B+9vFEtidML+7koHUFapnVJAZ6cKs+Qjz5Aw3aZWHMC6u0wJE3At+nSGwA==}
dev: true
/[email protected]:
resolution: {integrity: sha512-T9q82TJI9e/C1TAxYvfb16xO120tMVFZrGA3f9/P4424DNu6ypK103y0GPFVa17yotwSyZW5iYXgjYHkGrJW/g==}
engines: {node: '>=0.8.0'}
hasBin: true
dev: true
/[email protected]:
resolution: {integrity: sha512-+A5Sja4HP1M08MaXya7p5LvjuM7K6q/2EaC0+iovj/wOcMsTzMvDFbasi/oSapiwOlt252IqsKqPjCl7huKS0A==}
dev: true
/[email protected]:
resolution: {integrity: sha512-JlCMO+ehdEIKqlFxk6IfVoAUVmgz7cU7zD/h9XZ0qzeosSHmUJVOzSQvvYSYWXkFXC+IfLKSIffhv0sVZup6pA==}
dev: true
/[email protected]:
resolution: {integrity: sha512-afXhuC55wkAmZ0P18QsVE6kp8JaxrEokN2HGIoIVv2ijHQd419H0+6EigAFcIzXeMIkcIkNBpB3L/DXB3cTS/g==}
engines: {node: ^14.17.0 || ^16.13.0 || >=18.0.0}
requiresBuild: true
dependencies:
unique-slug: 4.0.0
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-WrcA6AyEfqDX5bWige/4NQfPZMtASNVxdmWR76WESYQVAACSgWcR6e9i0mofqqBxYFtL4oAxPIptY73/0YE1DQ==}
engines: {node: ^14.17.0 || ^16.13.0 || >=18.0.0}
requiresBuild: true
dependencies:
imurmurhash: 0.1.4
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-uNaeirEPvpZWSgzwsPGtU2zVSTrn/8L5q/IexZmH0eH6SA73CmAA5U4GwORTxQAZs95TAXLNqeLoPPNO5gZfWg==}
engines: {node: '>=8'}
dependencies:
crypto-random-string: 2.0.0
dev: true
/[email protected]:
resolution: {integrity: sha512-HXSMyIcf2XTvwZ6ZZQLfxfViRm/yTGoRgDeTbojtq6rezeyKB0sTBcKH2fhddnteAHRcHiKgr/ACpbgjGOC6RQ==}
engines: {node: '>=12.18.2'}
dependencies:
debug: 4.3.4
uuid: 8.3.2
transitivePeerDependencies:
- supports-color
dev: true
/[email protected]:
resolution: {integrity: sha512-gptHNQghINnc/vTGIk0SOFGFNXw7JVrlRUtConJRlvaw6DuX0wO5Jeko9sWrMBhh+PsYAZ7oXAiOnf/UKogyiw==}
engines: {node: '>= 10.0.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-pjy2bYhSsufwWlKwPc+l3cN7+wuJlK6uz0YdJEOlQDbl6jo/YlPi4mb8agUkVC8BF7V8NuzeyPNqRksA3hztKQ==}
engines: {node: '>= 0.8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-wgxdSBWv3x/YpMzsWz5G4p4ec7JWD0HCl8W6bmNB6E5Gwo+1ym5oN4hiXpLf0mPySVEJEIsYlkshnplkg2OP9A==}
engines: {node: '>=14'}
dependencies:
boxen: 5.1.2
chalk: 4.1.2
configstore: 5.0.1
has-yarn: 2.1.0
import-lazy: 2.1.0
is-ci: 2.0.0
is-installed-globally: 0.4.0
is-npm: 5.0.0
is-yarn-global: 0.3.0
isomorphic-fetch: 3.0.0
pupa: 2.1.1
registry-auth-token: 5.0.2
registry-url: 5.1.0
semver: 7.6.0
semver-diff: 3.1.1
xdg-basedir: 4.0.0
transitivePeerDependencies:
- encoding
dev: true
/[email protected]:
resolution: {integrity: sha512-7rKUyy33Q1yc98pQ1DAmLtwX109F7TIfWlW1Ydo8Wl1ii1SeHieeh0HHfPeL2fMXK6z0s8ecKs9frCuLJvndBg==}
dependencies:
punycode: 2.3.1
dev: true
/[email protected]:
resolution: {integrity: sha512-H6dnQ/yPAAVzMQRvEvyz01hhfQL5qRWSEt7BX8t9DqnPw9BjMb64fjIRq76Uvf1hkHp+mTZvEVJ5guXOT0Xqaw==}
dev: true
/[email protected]:
resolution: {integrity: sha512-EPD5q1uXyFxJpCrLnCc1nHnq3gOa6DZBocAIiI2TaSCA7VCJ1UJDMagCzIkXNsUYfD1daK//LTEQ8xiIbrHtcw==}
dev: true
/[email protected]:
resolution: {integrity: sha512-pMZTvIkT1d+TFGvDOqodOclx0QWkkgi6Tdoa8gC8ffGAAqz9pzPTZWAybbsHHoED/ztMtkv/VoYTYyShUn81hA==}
engines: {node: '>= 0.4.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-+NYs2QeMWy+GWFOEm9xnn6HCDp0l7QBD7ml8zLUmJ+93Q5NF0NocErnwkTkXVFNiX3/fpC6afS8Dhb/gz7R7eg==}
hasBin: true
dev: true
/[email protected]:
resolution: {integrity: sha512-QQDsV8OnSf5Uc30CKSwG9lnhMPe6exHtTXLRYX8uMwKENy640pU+2BgBL0LRbDh/eYRahNCS7aewCx0wf3NYVA==}
dev: true
/[email protected]:
resolution: {integrity: sha512-BNGbWLfd0eUPabhkXUVm0j8uuvREyTh5ovRa/dyow/BqAbZJyC+5fU+IzQOzmAKzYqYRAISoRhdQr3eIZ/PXqg==}
engines: {node: '>= 0.8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-XHPEwS0q6TaxcvG85+8EYkbiCux2XtWG2mkc47Ng2A77BQu9+DqIOJldST4HgPkuea7dvKSj5VgX3P1d4rW8Tg==}
dependencies:
defaults: 1.0.4
dev: true
/[email protected]:
resolution: {integrity: sha512-d2JWLCivmZYTSIoge9MsgFCZrt571BikcWGYkjC1khllbTeDlGqZ2D8vD8E/lJa8WGWbb7Plm8/XJYV7IJHZZw==}
engines: {node: '>= 8'}
dev: false
/[email protected]:
resolution: {integrity: sha512-2JAn3z8AR6rjK8Sm8orRC0h/bcl/DqL7tRPdGZ4I1CjdF+EaMLmYxBHyXuKL849eucPFhvBoxMsflfOb8kxaeQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-EqhiFU6daOA8kpjOWTL0olhVOF3i7OrFzSYiGsEMB8GcXS+RrzauAERX65xMeNWVqxA6HXH2m69Z9LaKKdisfg==}
dev: true
/[email protected]:
resolution: {integrity: sha512-saE57nupxk6v3HY35+jzBwYa0rKSy0XR8JSxZPwgLr7ys0IBzhGviA1/TUGJLmSVqs8pb9AnvICXEuOHLprYTw==}
dependencies:
tr46: 0.0.3
webidl-conversions: 3.0.1
dev: true
/[email protected]:
resolution: {integrity: sha512-HxJdYWq1MTIQbJ3nw0cqssHoTNU267KlrDuGZ1WYlxDStUtKUhOaJmh112/TZmHxxUfuJqPXSOm7tDyas0OSIQ==}
hasBin: true
dependencies:
isexe: 2.0.0
dev: true
/[email protected]:
resolution: {integrity: sha512-BLI3Tl1TW3Pvl70l3yq3Y64i+awpwXqsGBYWkkqMtnbXgrMD+yj7rhW0kuEDxzJaYXGjEW5ogapKNMEKNMjibA==}
engines: {node: '>= 8'}
hasBin: true
dependencies:
isexe: 2.0.0
/[email protected]:
resolution: {integrity: sha512-GlaYyEb07DPxYCKhKzplCWBJtvxZcZMrL+4UkrTSJHHPyZU4mYYTv3qaOe77H7EODLSSopAUFAc6W8U4yqvscg==}
engines: {node: ^16.13.0 || >=18.0.0}
hasBin: true
requiresBuild: true
dependencies:
isexe: 3.1.1
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-NsmoXalsWVDMGupxZ5R08ka9flZjjiLvHVAWYOKtiKM8ujtZWr9cRffak+uSE48+Ob8ObalXpwyeUiyDD6QFgg==}
engines: {node: '>=8'}
dependencies:
string-width: 4.2.3
dev: true
/[email protected]:
resolution: {integrity: sha512-ajBj65K5I7denzer2IYW6+2bNIVqLGDHqDw3Ow8Ohh+vdW+rv4MZ6eiDvHoKhfJFZ2auyN8byXieDDJ96ViONg==}
engines: {node: '>= 12.0.0'}
dependencies:
logform: 2.6.0
readable-stream: 3.6.2
triple-beam: 1.4.1
dev: true
/[email protected]:
resolution: {integrity: sha512-OwbxKaOlESDi01mC9rkM0dQqQt2I8DAUMRLZ/HpbwvDXm85IryEHgoogy5fziQy38PntgZsLlhAYHz//UPHZ5w==}
engines: {node: '>= 12.0.0'}
dependencies:
'@colors/colors': 1.6.0
'@dabh/diagnostics': 2.0.3
async: 3.2.5
is-stream: 2.0.1
logform: 2.6.0
one-time: 1.0.0
readable-stream: 3.6.2
safe-stable-stringify: 2.4.3
stack-trace: 0.0.10
triple-beam: 1.4.1
winston-transport: 4.7.0
dev: true
/[email protected]:
resolution: {integrity: sha512-BN22B5eaMMI9UMtjrGd5g5eCYPpCPDUy0FJXbYsaT5zYxjFOckS53SQDE3pWkVoWpHXVb3BrYcEN4Twa55B5cA==}
engines: {node: '>=0.10.0'}
dev: true
/[email protected]:
resolution: {integrity: sha512-r6lPcBGxZXlIcymEu7InxDMhdW0KDxpLgoFLcguasxCaJ/SOIZwINatK9KY/tf+ZrlywOKU0UDj3ATXUBfxJXA==}
engines: {node: '>=8'}
dependencies:
ansi-styles: 4.3.0
string-width: 4.2.3
strip-ansi: 6.0.1
dev: true
/[email protected]:
resolution: {integrity: sha512-YVGIj2kamLSTxw6NsZjoBxfSwsn0ycdesmc4p+Q21c5zPuZ1pl+NfxVdxPtdHvmNVOQ6XSYG4AUtyt/Fi7D16Q==}
engines: {node: '>=10'}
dependencies:
ansi-styles: 4.3.0
string-width: 4.2.3
strip-ansi: 6.0.1
/[email protected]:
resolution: {integrity: sha512-si7QWI6zUMq56bESFvagtmzMdGOtoxfR+Sez11Mobfc7tm+VkUckk9bW2UeffTGVUbOksxmSw0AA2gs8g71NCQ==}
engines: {node: '>=12'}
requiresBuild: true
dependencies:
ansi-styles: 6.2.1
string-width: 5.1.2
strip-ansi: 7.1.0
dev: true
optional: true
/[email protected]:
resolution: {integrity: sha512-l4Sp/DRseor9wL6EvV2+TuQn63dMkPjZ/sp9XkghTEbV9KlPS1xUsZ3u7/IQO4wxtcFB4bgpQPRcR3QCvezPcQ==}
dev: true
/[email protected]:
resolution: {integrity: sha512-AvHcyZ5JnSfq3ioSyjrBkH9yW4m7Ayk8/9My/DD9onKeu/94fwrMocemO2QAJFAlnnDN+ZDS+ZjAR5ua1/PV/Q==}
dependencies:
imurmurhash: 0.1.4
is-typedarray: 1.0.0
signal-exit: 3.0.7
typedarray-to-buffer: 3.1.5
dev: true
/[email protected]:
resolution: {integrity: sha512-F+P9Jil7UiSKSkppIiD94dN07AwvFixvLIj1Og1Rl9GGMuNipJnV9JzjD6XuqmAeiswGvUmNLjr5cFuXwNS77Q==}
engines: {node: '>=8.3.0'}
peerDependencies:
bufferutil: ^4.0.1
utf-8-validate: ^5.0.2
peerDependenciesMeta:
bufferutil:
optional: true
utf-8-validate:
optional: true
dev: true
/[email protected]:
resolution: {integrity: sha512-PSNhEJDejZYV7h50BohL09Er9VaIefr2LMAf3OEmpCkjOi34eYyQYAXUTjEQtZJTKcF0E2UKTh+osDLsgNim9Q==}
engines: {node: '>=8'}
dev: true
/[email protected]:
resolution: {integrity: sha512-nquOebG4sngPmGPICTS5EnxqhKbCmz5Ox5hsszI2T6U5qdrJizBc+0ilYSEjTSzU0yZcmvppztXe/5Al5fUwdg==}
dev: true
/[email protected]:
resolution: {integrity: sha512-0pfFzegeDWJHJIAmTLRP2DwHjdF5s7jo9tuztdQxAhINCdvS+3nGINqPd00AphqJR/0LhANUS6/+7SCb98YOfA==}
engines: {node: '>=10'}
/[email protected]:
resolution: {integrity: sha512-3wdGidZyq5PB084XLES5TpOSRA3wjXAlIWMhum2kRcv/41Sn2emQ0dycQW4uZXLejwKvg6EsvbdlVL+FYEct7A==}
dev: true
/[email protected]:
resolution: {integrity: sha512-pIXzoImaqmfOrL7teGUBt/T7ZDnyeGBWyXQBvOVhLkWLN37GXv8NMLK406UY6dS51JfcQHsmcW5cJ441bHg6Lg==}
engines: {node: '>= 14'}
hasBin: true
dev: true
/[email protected]:
resolution: {integrity: sha512-tVpsJW7DdjecAiFpbIB1e3qxIQsE6NoPc5/eTdrbbIC4h0LVsWhnoa3g+m2HclBIujHzsxZ4VJVA+GUuc2/LBw==}
engines: {node: '>=12'}
/[email protected]:
resolution: {integrity: sha512-7dSzzRQ++CKnNI/krKnYRV7JKKPUXMEh61soaHKg9mrWEhzFWhFnxPxGl+69cD1Ou63C13NUPCnmIcrvqCuM6w==}
engines: {node: '>=12'}
dependencies:
cliui: 8.0.1
escalade: 3.1.2
get-caller-file: 2.0.5
require-directory: 2.1.1
string-width: 4.2.3
y18n: 5.0.8
yargs-parser: 21.1.1
/[email protected]:
resolution: {integrity: sha512-rVksvsnNCdJ/ohGc6xgPwyN8eheCxsiLM8mxuE/t/mOVqJewPuO1miLpTHQiRgTKCLexL4MeAFVagts7HmNZ2Q==}
engines: {node: '>=10'}
dev: true
/[email protected]:
resolution: {integrity: sha512-9qv4rlDiopXg4E69k+vMHjNN63YFMe9sZMrdlvKnCjlCRWeCBswPPMPUfx+ipsAWq1LXHe70RcbaHdJJpS6hyQ==}
engines: {node: '>= 10'}
dependencies:
archiver-utils: 3.0.4
compress-commons: 4.1.2
readable-stream: 3.6.2
dev: true
| website/pnpm-lock.yaml/0 | {
"file_path": "website/pnpm-lock.yaml",
"repo_id": "website",
"token_count": 91411
} | 1,467 |
{{site.alert.tip}}
Each render object in any tree includes the first five
hexadecimal digits of its [`hashCode`][].
This hash serves as a unique identifier for that render object.
{{site.alert.end}}
[`hashCode`]: {{site.api}}/flutter/rendering/TextSelectionPoint/hashCode.html | website/src/_includes/docs/admonitions/tip-hashCode-tree.md/0 | {
"file_path": "website/src/_includes/docs/admonitions/tip-hashCode-tree.md",
"repo_id": "website",
"token_count": 86
} | 1,468 |
#### Build the macOS version of the Flutter app in the Terminal
To generate the needed macOS platform dependencies,
run the `flutter build` command.
```terminal
flutter build macos --debug
```
```terminal
Building macOS application...
```
{% comment %} Nav tabs {% endcomment -%}
<ul class="nav nav-tabs" id="vscode-to-xcode-macos-setup" role="tablist">
<li class="nav-item">
<a class="nav-link active" id="from-vscode-to-xcode-macos-tab" href="#from-vscode-to-xcode-macos" role="tab" aria-controls="from-vscode-to-xcode-macos" aria-selected="true">Start from VS Code</a>
</li>
<li class="nav-item">
<a class="nav-link" id="from-xcode-macos-tab" href="#from-xcode-macos" role="tab" aria-controls="from-xcode-macos" 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-macos" role="tabpanel" aria-labelledby="from-vscode-to-xcode-macos-tab" markdown="1">
#### Start debugging with VS Code first {#vscode-macos}
##### Start the 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-macos" role="tabpanel" aria-labelledby="from-xcode-macos-tab" markdown="1">
#### Start debugging with Xcode first {#xcode-macos}
##### Start the debugger in Xcode
1. Open `macos/Runner.xcworkspace` from your Flutter app directory.
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** > **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-macos.md/0 | {
"file_path": "website/src/_includes/docs/debug/debug-flow-macos.md",
"repo_id": "website",
"token_count": 1188
} | 1,469 |
#### Set up your target physical iOS device
To deploy your Flutter app to a physical iPhone or iPad,
you need to do the following:
- Create an [Apple Developer][] account.
- Set up physical device deployment in Xcode.
- Create a development provisioning profile to self-sign certificates.
- Install the third-party CocoaPods dependency manager
if your app uses Flutter plugins.
##### Create your Apple ID and Apple Developer account
To test deploying to a physical iOS device, you need an Apple ID.
To distribute your app to the App Store,
you must enroll in the Apple Developer Program.
If you only need to test deploying your app,
complete the first step and move on to the next section.
1. If you don't have an [Apple ID][], create one.
1. If you haven't enrolled in the [Apple Developer][] program, enroll now.
To learn more about membership types,
check out [Choosing a Membership][].
[Apple ID]: https://support.apple.com/en-us/HT204316
##### Attach your physical iOS device to your Mac {#attach}
Configure your physical iOS device to connect to Xcode.
1. Attach your iOS device to the USB port on your Mac.
1. On first connecting your iOS device to your Mac,
your iOS device displays the **Trust this computer?** dialog.
1. Click **Trust**.
![Trust Mac][]{:.mw-100}
1. When prompted, unlock your iOS device.
##### Enable Developer Mode on iOS 16 or later
Starting with iOS 16, Apple requires you to enable **[Developer Mode][]**
to protect against malicious software.
Enable Developer Mode before deploying to a device running iOS 16 or later.
1. Tap on **Settings** <span aria-label="and then">></span>
**Privacy & Security** <span aria-label="and then">></span>
**Developer Mode**.
1. Tap to toggle **Developer Mode** to **On**.
1. Tap **Restart**.
1. After the iOS device restarts, unlock your iOS device.
1. When the **Turn on Developer Mode?** dialog appears, tap **Turn On**.
The dialog explains that Developer Mode requires reducing the security
of the iOS device.
1. Unlock your iOS device.
##### Enable developer code signing certificates
To deploy to a physical iOS device, you need to establish trust with your
Mac and the iOS device.
This requires you to load signed developer certificates to your iOS device.
To sign an app in Xcode,
you need to create a development provisioning profile.
Follow the Xcode signing flow to provision your project.
1. Open Xcode.
1. Sign in to Xcode with your Apple ID.
{: type="a"}
1. Go to **Xcode** <span aria-label="and then">></span>
**Settings...*
1. Click **Accounts**.
. Click **+**.
. Select **Apple ID** and click **Continue**.
. When prompted, enter your **Apple ID** and **Password**.
. Close the **Settings** dialog.
Development and testing supports any Apple ID.
1. Go to **File** <span aria-label="and then">></span> **Open...**
You can also press <kbd>Cmd</kbd> + <kbd>O</kbd>.
1. Navigate to your Flutter project directory.
1. Open the default Xcode workspace in your project: `ios/Runner.xcworkspace`.
1. Select the physical iOS device you intend to deploy to in the device
drop-down menu to the right of the run button.
It should appear under the **iOS devices** heading.
1. In the left navigation panel under **Targets**, select **Runner**.
1. In the **Runner** settings pane, click **Signing & Capabilities**.
1. Select **All** at the top.
1. Select **Automatically manage signing**.
1. Select a team from the **Team** dropdown menu.
Teams are created in the **App Store Connect** section of your
[Apple Developer Account][] page.
If you have not created a team, you can choose a _personal team_.
The **Team** dropdown displays that option as **Your Name (Personal Team)**.
![Xcode account add][]{:.mw-100}
After you select a team, Xcode performs the following tasks:
{: type="a"}
1. Creates and downloads a Development Certificate
1. Registers your device with your account,
1. Creates and downloads a provisioning profile if needed
If automatic signing fails in Xcode, verify that the project's
**General** <span aria-label="and then">></span>
**Identity** <span aria-label="and then">></span>
**Bundle Identifier** value is unique.
![Check the app's Bundle ID][]{:.mw-100}
##### Enable trust of your Mac and iOS device {#trust}
When you attach your physical iOS device for the first time,
enable trust for both your Mac and the Development Certificate
on the iOS device.
You should enabled trust of your Mac on your iOS device when
you [attached the device to your Mac](#attach).
###### Enable developer certificate for your iOS devices
Enabling certificates varies in different versions of iOS.
{% comment %} Nav tabs {% endcomment -%}
<ul class="nav nav-tabs" id="ios-versions" role="tablist">
<li class="nav-item">
<a class="nav-link" id="ios14-tab" href="#ios14" role="tab" aria-controls="ios14" aria-selected="true">iOS 14</a>
</li>
<li class="nav-item">
<a class="nav-link" id="ios15-tab" href="#ios15" role="tab" aria-controls="ios15" aria-selected="false">iOS 15</a>
</li>
<li class="nav-item">
<a class="nav-link active" id="ios16-tab" href="#ios16" role="tab" aria-controls="ios16" aria-selected="false">iOS 16 or later</a>
</li>
</ul>
{% comment %} Tab panes {% endcomment -%}
<div class="tab-content">
<div class="tab-pane" id="ios14" role="tabpanel" aria-labelledby="ios14-tab" markdown="1">
1. Open the **Settings** app on the iOS device.
1. Tap on **General** <span aria-label="and then">></span>
**Profiles & Device Management**.
1. Tap to toggle your Certificate to **Enable**
</div>
<div class="tab-pane" id="ios15" role="tabpanel" aria-labelledby="ios15-tab" markdown="1">
1. Open the **Settings** app on the iOS device.
1. Tap on **General** <span aria-label="and then">></span>
**VPN & Device Management**.
1. Tap to toggle your Certificate to **Enable**.
</div>
<div class="tab-pane active" id="ios16" role="tabpanel" aria-labelledby="ios16-tab" markdown="1">
1. Open the **Settings** app on the iOS device.
1. Tap on **General** <span aria-label="and then">></span>
**VPN & Device Management**.
1. Under the **Developer App** heading, you should find your certificate.
1. Tap your Certificate.
1. Tap **Trust "\<certificate\>"**.
1. When the dialog displays, tap **Trust**.
</div>
</div>{% comment %} End: Tab panes. {% endcomment -%}
If prompted, enter your Mac password into the
**codesign wants to access key...** dialog and tap **Always Allow**.
#### Set up wireless debugging on your iOS device (Optional)
To debug your device using a Wi-Fi connection, follow this procedure.
1. Connect your iOS device to the same network as your macOS device.
1. Set a passcode for your iOS device.
1. Open **Xcode**.
1. Go to **Window** <span aria-label="and then">></span>
**Devices and Simulators**.
You can also press <kbd>Shift</kbd> + <kbd>Cmd</kbd> + <kbd>2</kbd>.
1. Select your iOS device.
1. Select **Connect via Network**.
1. Once the network icon appears next to the device name,
unplug your iOS device from your Mac.
If you don't see your device listed when using `flutter run`,
extend the timeout. The timeout defaults to 10 seconds.
To extend the timeout, change the value to an integer greater than 10.
```terminal
$ flutter run --device-timeout 60
```
{{site.alert.secondary}}
**Learn more about wireless debugging**
* To learn more, check out
[Apple's documentation on pairing a wireless device with Xcode][].
* To troubleshoot, check out [Apple's Developer Forums][].
* To learn how to configure wireless debugging with `flutter attach`,
check out [Debugging your add-to-app module][].
{{site.alert.end}}
[Check the app's Bundle ID]: /assets/images/docs/setup/xcode-unique-bundle-id.png
[Choosing a Membership]: {{site.apple-dev}}/support/compare-memberships
[Trust Mac]: /assets/images/docs/setup/trust-computer.png
[Xcode account add]: /assets/images/docs/setup/xcode-account.png
[Developer Mode]: {{site.apple-dev}}/documentation/xcode/enabling-developer-mode-on-a-device
[Apple's Developer Forums]: {{site.apple-dev}}/forums/
[Debugging your add-to-app module]: /add-to-app/debugging/#wireless-debugging
[Apple's documentation on pairing a wireless device with Xcode]: https://help.apple.com/xcode/mac/9.0/index.html?localePath=en.lproj#/devbc48d1bad
[Apple Developer]: {{site.apple-dev}}/programs/
[Apple Developer Account]: {{site.apple-dev}}/account
| website/src/_includes/docs/install/devices/ios-physical.md/0 | {
"file_path": "website/src/_includes/docs/install/devices/ios-physical.md",
"repo_id": "website",
"token_count": 2663
} | 1,470 |
Some Flutter components require the
[Rosetta 2 translation process][need-rosetta]
on Macs running [Apple silicon][].
To run all Flutter components on Apple silicon,
install [Rosetta 2][rosetta].
```terminal
$ sudo softwareupdate --install-rosetta --agree-to-license
```
[Apple silicon]: https://support.apple.com/en-us/HT211814
[rosetta]: https://support.apple.com/en-us/HT211861
[need-rosetta]: {{site.repo.this}}/pull/7119#issuecomment-1124537969
| website/src/_includes/docs/install/reqs/macos/apple-silicon.md/0 | {
"file_path": "website/src/_includes/docs/install/reqs/macos/apple-silicon.md",
"repo_id": "website",
"token_count": 153
} | 1,471 |
<div class="tab-pane" id="terminal" role="tabpanel" aria-labelledby="terminal-tab" markdown="1">
### Create your sample Flutter app {#create-app}
To create a new Flutter app, run the following commands in your shell or Terminal.
1. Run the `flutter create` command.
```terminal
flutter create test_drive
```
The command creates a Flutter project directory called `test_drive`
that contains a simple demo app that uses [Material Components][].
1. Change to the Flutter project directory.
```terminal
cd test_drive
```
### Run your sample Flutter app
1. To verify that you have a running target device,
run the following command.
```terminal
flutter devices
```
You created your target device in the **Install** section.
2. To run your app, run the following command.
```terminal
flutter run
```
{% capture save_changes -%}
.
1. Type <kbd>r</kbd> in the terminal window.
{% endcapture %}
{% include docs/install/test-drive/try-hot-reload.md save_changes=save_changes ide="VS Code" %}
</div>
| website/src/_includes/docs/install/test-drive/terminal.md/0 | {
"file_path": "website/src/_includes/docs/install/test-drive/terminal.md",
"repo_id": "website",
"token_count": 347
} | 1,472 |
{% comment %}
Include parameters:
- toc_content: The HTML toc content
- class: CSS classes to add to toc element.
- header: header text, default 'Contents'
If you don't want the back-to-top button style `site-toc__back-to-top` as `display: none`.
{% endcomment -%}
{% assign toc = include.toc_content -%}
{% comment %}
A TOC without <li> elements is empty. Only generate a TOC <div> for non-empty TOCs.
{% endcomment -%}
{% if toc contains "<li" -%}
{% assign toc = toc | replace: 'id="toc" ', '' %}
{% assign toc = toc | replace: '<ul>', '<ul class="nav">' %}
{% assign toc = toc | replace: '<ul class="section-nav">', '<ul class="section-nav nav">' %}
{% assign toc = toc | replace: 'class="toc-entry', 'class="toc-entry nav-item' %}
{% assign toc = toc | replace: '<a href="#', '<a class="nav-link" href="#' %}
<div
id="site-toc--side"
class="site-toc site-toc--side fixed-col col-xl-2 order-3 {{include.class}}"
data-fixed-column
>
<header class="site-toc__title">
{{include.header | default: 'Contents'}}
{% comment %}
Uncomment to enable 'page top' button
<button type="button" class="btn site-toc--button__page-top" aria-label="Page top"></button>
{% endcomment -%}
</header>
{{ toc }}
</div>
{% endif -%}
| website/src/_includes/side-toc.html/0 | {
"file_path": "website/src/_includes/side-toc.html",
"repo_id": "website",
"token_count": 511
} | 1,473 |
# Copyright (c) 2019, the Dart 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 'liquid/tag/parser' # https://github.com/envygeeks/liquid-tag-parser
require_relative 'prettify_core'
module Jekyll
module Tags
# A Ruby plugin equivalent of the <?code-excerpt?> instruction.
class CodeExcerpt < Liquid::Block
def initialize(tag_name, string_of_args, tokens)
super
@args = Liquid::Tag::Parser.new(string_of_args).args
end
def render(context)
helper = DartSite::PrettifyCore.new
lang = 'dart' # TODO: set dynamically
argv1 = @args[:argv1] # TODO: extract title and region
# Don't add a copy button here since we're currently adding
# it dynamically to all <pre> elements.
#
# id = 'code-excerpt-1' # xTODO: autogenerate id
#
# Extra template code was:
#
# <button class="code-excerpt__copy-btn" type="button"
# data-toggle="tooltip" title="Copy code"
# data-clipboard-target="##{id}">
# <i class="material-symbols">content_copy</i>
# </button>
# <div id="#{id}">
# #{super(context)}
# </div>
# TODO: only add header if there is a title
%(
<div class="code-excerpt">
<div class="code-excerpt__header">
#{CGI.escapeHTML(argv1)}
</div>
<div class="code-excerpt__code">
#{helper.code2html(super, lang: lang)}
</div>
</div>).strip
end
end
end
end
Liquid::Template.register_tag('code_excerpt', Jekyll::Tags::CodeExcerpt)
| website/src/_plugins/code_excerpt.rb/0 | {
"file_path": "website/src/_plugins/code_excerpt.rb",
"repo_id": "website",
"token_count": 696
} | 1,474 |
// THIS IS DOCS ONLY
#animation_1_play_button_ {
position: absolute;
width: 464px;
height: 192px;
z-index: 100000;
background-position: center center;
background-repeat: no-repeat;
display: block;
background-image: url("/assets/images/docs/play_button.svg");
} | website/src/_sass/components/_animations.scss/0 | {
"file_path": "website/src/_sass/components/_animations.scss",
"repo_id": "website",
"token_count": 98
} | 1,475 |
// -- Vars/config
@use 'base/variables';
@use 'base/material-colors';
// -- Vendor
@use 'vendor/bootstrap';
@use 'vendor/prettify';
// -- Base
@use 'base/base';
// -- Components
// (alpha ordered)
@use 'components/animations';
@use 'components/banner';
@use 'components/books';
@use 'components/code';
@use 'components/content';
@use 'components/cookie-notice';
@use 'components/d2h';
@use 'components/footer';
@use 'components/header';
@use 'components/juicy-button';
@use 'components/next-prev-nav';
@use 'components/sidebar';
@use 'components/snackbar';
@use 'components/toc';
// -- Pages (alpha ordered)
@use 'pages/landing-page';
@use 'pages/not-found';
// -- Overrides
@use 'base/print-overrides';
| website/src/_sass/site.scss/0 | {
"file_path": "website/src/_sass/site.scss",
"repo_id": "website",
"token_count": 269
} | 1,476 |
---
title: Load sequence, performance, and memory
description: What are the steps involved when showing a Flutter UI.
---
This page describes the breakdown of the steps involved
to show a Flutter UI. Knowing this, you can make better,
more informed decisions about when to pre-warm the Flutter engine,
which operations are possible at which stage,
and the latency and memory costs of those operations.
## Loading Flutter
Android and iOS apps (the two supported platforms for
integrating into existing apps), full Flutter apps,
and add-to-app patterns have a similar sequence of
conceptual loading steps when displaying the Flutter UI.
### Finding the Flutter resources
Flutter's engine runtime and your application's compiled
Dart code are both bundled as shared libraries on Android
and iOS. The first step of loading Flutter is to find those
resources in your .apk/.ipa/.app (along with other Flutter
assets such as images, fonts, and JIT code, if applicable).
This happens when you construct a `FlutterEngine` for the
first time on both **[Android][android-engine]**
and **[iOS][ios-engine]** APIs.
### Loading the Flutter library
After it's found, the engine's shared libraries are memory loaded
once per process.
On **Android**, this also happens when the
[`FlutterEngine`][android-engine] is constructed because the
JNI connectors need to reference the Flutter C++ library.
On **iOS**, this happens when the
[`FlutterEngine`][ios-engine] is first run,
such as by running [`runWithEntrypoint:`][].
### Starting the Dart VM
The Dart runtime is responsible for managing Dart memory and
concurrency for your Dart code. In JIT mode,
it's additionally responsible for compiling
the Dart source code into machine code during runtime.
A single Dart runtime exists per application session on
Android and iOS.
A one-time Dart VM start is done when constructing the
[`FlutterEngine`][android-engine] for the first time on
**Android** and when [running a Dart entrypoint][ios-engine]
for the first time on **iOS**.
At this point, your Dart code's [snapshot][]
is also loaded into memory from your application's files.
This is a generic process that also occurs if you used the
[Dart SDK][] directly, without the Flutter engine.
The Dart VM never shuts down after it's started.
### Creating and running a Dart Isolate
After the Dart runtime is initialized,
the Flutter engine's usage of the Dart
runtime is the next step.
This is done by starting a [Dart `Isolate`][] in the Dart runtime.
The isolate is Dart's container for memory and threads.
A number of [auxiliary threads][] on the host platform are
also created at this point to support the isolate, such
as a thread for offloading GPU handling and another for image decoding.
One isolate exists per `FlutterEngine` instance, and multiple isolates
can be hosted by the same Dart VM.
On **Android**, this happens when you call
[`DartExecutor.executeDartEntrypoint()`][]
on a `FlutterEngine` instance.
On **iOS**, this happens when you call [`runWithEntrypoint:`][]
on a `FlutterEngine`.
At this point, your Dart code's selected entrypoint
(the `main()` function of your Dart library's `main.dart` file,
by default) is executed. If you called the
Flutter function [`runApp()`][] in your `main()` function,
then your Flutter app or your library's widget tree is also created
and built. If you need to prevent certain functionalities from executing
in your Flutter code, then the `AppLifecycleState.detached`
enum value indicates that the `FlutterEngine` isn't attached
to any UI components such as a `FlutterViewController`
on iOS or a `FlutterActivity` on Android.
### Attaching a UI to the Flutter engine
A standard, full Flutter app moves to reach this state as
soon as the app is launched.
In an add-to-app scenario,
this happens when you attach a `FlutterEngine`
to a UI component such as by calling [`startActivity()`][]
with an [`Intent`][] built using [`FlutterActivity.withCachedEngine()`][]
on **Android**. Or, by presenting a [`FlutterViewController`][]
initialized by using [`initWithEngine: nibName: bundle:`][]
on **iOS**.
This is also the case if a Flutter UI component was launched without
pre-warming a `FlutterEngine` such as with
[`FlutterActivity.createDefaultIntent()`][] on **Android**,
or with [`FlutterViewController initWithProject: nibName: bundle:`][]
on **iOS**. An implicit `FlutterEngine` is created in these cases.
Behind the scene, both platform's UI components provide the
`FlutterEngine` with a rendering surface such as a
[`Surface`][] on **Android** or a [CAEAGLLayer][] or [CAMetalLayer][]
on **iOS**.
At this point, the [`Layer`][] tree generated by your Flutter
program, per frame, is converted into
OpenGL (or Vulkan or Metal) GPU instructions.
## Memory and latency
Showing a Flutter UI has a non-trivial latency cost.
This cost can be lessened by starting the Flutter engine
ahead of time.
The most relevant choice for add-to-app scenarios is for you
to decide when to pre-load a `FlutterEngine`
(that is, to load the Flutter library, start the Dart VM,
and run entrypoint in an isolate), and what the memory and latency
cost is of that pre-warm. You also need to know how the pre-warm
affects the memory and latency cost of rendering a first Flutter
frame when the UI component is subsequently attached
to that `FlutterEngine`.
As of Flutter v1.10.3, and testing on a low-end 2015 class device
in release-AOT mode, pre-warming the `FlutterEngine` costs:
* 42 MB and 1530 ms to prewarm on **Android**.
330 ms of it is a blocking call on the main thread.
* 22 MB and 860 ms to prewarm on **iOS**.
260 ms of it is a blocking call on the main thread.
A Flutter UI can be attached during the pre-warm.
The remaining time is joined to the time-to-first-frame latency.
Memory-wise, a cost sample (variable,
depending on the use case) could be:
* ~4 MB OS's memory usage for creating pthreads.
* ~10 MB GPU driver memory.
* ~1 MB for Dart runtime-managed memory.
* ~5 MB for Dart-loaded font maps.
Latency-wise,
a cost sample (variable, depending on the use case) could be:
* ~20 ms to collect the Flutter assets from the application package.
* ~15 ms to dlopen the Flutter engine library.
* ~200 ms to create the Dart VM and load the AOT snapshot.
* ~200 ms to load Flutter-dependent fonts and assets.
* ~400 ms to run the entrypoint, create the first widget tree,
and compile the needed GPU shader programs.
The `FlutterEngine` should be pre-warmed late enough to delay the
memory consumption needed but early enough to avoid combining the
Flutter engine start-up time with the first frame latency of
showing Flutter.
The exact timing depends on the app's structure and heuristics.
An example would be to load the Flutter engine in the screen
before the screen is drawn by Flutter.
Given an engine pre-warm, the first frame cost on UI attach is:
* 320 ms on **Android** and an additional 12 MB
(highly dependent on the screen's physical pixel size).
* 200 ms on **iOS** and an additional 16 MB
(highly dependent on the screen's physical pixel size).
Memory-wise, the cost is primarily the graphical memory buffer used for
rendering and is dependent on the screen size.
Latency-wise, the cost is primarily waiting for the OS callback to provide
Flutter with a rendering surface and compiling the remaining shader programs
that are not pre-emptively predictable. This is a one-time cost.
When the Flutter UI component is released, the UI-related memory is freed.
This doesn't affect the Flutter state, which lives in the `FlutterEngine`
(unless the `FlutterEngine` is also released).
For performance details on creating more than one `FlutterEngine`,
see [multiple Flutters][].
[android-engine]: {{site.api}}/javadoc/io/flutter/embedding/engine/FlutterEngine.html
[auxiliary threads]: {{site.repo.flutter}}/wiki/The-Engine-architecture#threading
[CAEAGLLayer]: {{site.apple-dev}}/documentation/quartzcore/caeagllayer
[CAMetalLayer]: {{site.apple-dev}}/documentation/quartzcore/cametallayer
[Dart `Isolate`]: {{site.dart.api}}/stable/dart-isolate/Isolate-class.html
[Dart SDK]: {{site.dart-site}}/tools/sdk
[`DartExecutor.executeDartEntrypoint()`]: {{site.api}}/javadoc/io/flutter/embedding/engine/dart/DartExecutor.html#executeDartEntrypoint-io.flutter.embedding.engine.dart.DartExecutor.DartEntrypoint-
[`FlutterActivity.createDefaultIntent()`]: {{site.api}}/javadoc/io/flutter/embedding/android/FlutterActivity.html#createDefaultIntent-android.content.Context-
[`FlutterActivity.withCachedEngine()`]: {{site.api}}/javadoc/io/flutter/embedding/android/FlutterActivity.html#withCachedEngine-java.lang.String-
[`FlutterViewController`]: {{site.api}}/ios-embedder/interface_flutter_view_controller.html
[`FlutterViewController initWithProject: nibName: bundle:`]: {{site.api}}/ios-embedder/interface_flutter_view_controller.html#aa3aabfb89e958602ce6a6690c919f655
[`initWithEngine: nibName: bundle:`]: {{site.api}}/ios-embedder/interface_flutter_view_controller.html#a0aeea9525c569d5efbd359e2d95a7b31
[`Intent`]: {{site.android-dev}}/reference/android/content/Intent.html
[ios-engine]: {{site.api}}/ios-embedder/interface_flutter_engine.html
[`Layer`]: {{site.api}}/flutter/rendering/Layer-class.html
[multiple Flutters]: /add-to-app/multiple-flutters
[`runApp()`]: {{site.api}}/flutter/widgets/runApp.html
[`runWithEntrypoint:`]: {{site.api}}/ios-embedder/interface_flutter_engine.html#a019d6b3037eff6cfd584fb2eb8e9035e
[snapshot]: {{site.github}}/dart-lang/sdk/wiki/Snapshots
[`startActivity()`]: {{site.android-dev}}/reference/android/content/Context.html#startActivity(android.content.Intent
[`Surface`]: {{site.android-dev}}/reference/android/view/Surface
| website/src/add-to-app/performance.md/0 | {
"file_path": "website/src/add-to-app/performance.md",
"repo_id": "website",
"token_count": 2802
} | 1,477 |
const animation1PlayButton =
document.getElementById('animation_1_play_button_');
const animation1 =
document.getElementById("animation_1");
if (animation1PlayButton && animation1) {
animation1PlayButton.addEventListener('click', function (_) {
if (animation1.paused) {
animation1.play();
this.style.display = 'none';
} else {
animation1.pause();
this.style.display = 'block';
}
}, false);
animation1.addEventListener('click', function (_) {
if (this.paused) {
this.play();
animation1PlayButton.style.display = 'none';
} else {
this.pause();
animation1PlayButton.style.display = 'block';
}
});
}
| website/src/assets/js/codelabs/animations_examples.js/0 | {
"file_path": "website/src/assets/js/codelabs/animations_examples.js",
"repo_id": "website",
"token_count": 261
} | 1,478 |
---
title: Animate a page route transition
description: How to animate from one page to another.
js:
- defer: true
url: https://old-dartpad-3ce3f.web.app/inject_embed.dart.js
---
<?code-excerpt path-base="cookbook/animation/page_route_animation/"?>
A design language, such as Material, defines standard behaviors when
transitioning between routes (or screens). Sometimes, though, a custom
transition between screens can make an app more unique. To help,
[`PageRouteBuilder`][] provides an [`Animation`] object.
This `Animation` can be used with [`Tween`][] and
[`Curve`][] objects to customize the transition animation.
This recipe shows how to transition between
routes by animating the new route into view from
the bottom of the screen.
To create a custom page route transition, this recipe uses the following steps:
1. Set up a PageRouteBuilder
2. Create a `Tween`
3. Add an `AnimatedWidget`
4. Use a `CurveTween`
5. Combine the two `Tween`s
## 1. Set up a PageRouteBuilder
To start, use a [`PageRouteBuilder`][] to create a [`Route`][].
`PageRouteBuilder` has two callbacks, one to build the content of the route
(`pageBuilder`), and one to build the route's transition (`transitionsBuilder`).
{{site.alert.note}}
The `child` parameter in transitionsBuilder is the widget returned from
pageBuilder. The `pageBuilder` function is only called the first time the
route is built. The framework can avoid extra work because `child` stays the
same throughout the transition.
{{site.alert.end}}
The following example creates two routes: a home route with a "Go!" button, and
a second route titled "Page 2".
<?code-excerpt "lib/starter.dart (Starter)"?>
```dart
import 'package:flutter/material.dart';
void main() {
runApp(
const MaterialApp(
home: Page1(),
),
);
}
class Page1 extends StatelessWidget {
const Page1({super.key});
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(),
body: Center(
child: ElevatedButton(
onPressed: () {
Navigator.of(context).push(_createRoute());
},
child: const Text('Go!'),
),
),
);
}
}
Route _createRoute() {
return PageRouteBuilder(
pageBuilder: (context, animation, secondaryAnimation) => const Page2(),
transitionsBuilder: (context, animation, secondaryAnimation, child) {
return child;
},
);
}
class Page2 extends StatelessWidget {
const Page2({super.key});
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(),
body: const Center(
child: Text('Page 2'),
),
);
}
}
```
## 2. Create a Tween
To make the new page animate in from the bottom, it should animate from
`Offset(0,1)` to `Offset(0, 0)` (usually defined using the `Offset.zero`
constructor). In this case, the Offset is a 2D vector for the
['FractionalTranslation'][] widget.
Setting the `dy` argument to 1 represents a vertical translation one
full height of the page.
The `transitionsBuilder` callback has an `animation` parameter. It's an
`Animation<double>` that produces values between 0 and 1. Convert the
Animation<double> into an Animation<Offset> using a Tween:
<?code-excerpt "lib/starter.dart (step1)"?>
```dart
transitionsBuilder: (context, animation, secondaryAnimation, child) {
const begin = Offset(0.0, 1.0);
const end = Offset.zero;
final tween = Tween(begin: begin, end: end);
final offsetAnimation = animation.drive(tween);
return child;
},
```
## 3. Use an AnimatedWidget
Flutter has a set of widgets extending [`AnimatedWidget`][]
that rebuild themselves when the value of the animation changes. For instance,
SlideTransition takes an `Animation<Offset>` and translates its child (using a
FractionalTranslation widget) whenever the value of the animation changes.
AnimatedWidget Return a [`SlideTransition`][]
with the `Animation<Offset>` and the child widget:
<?code-excerpt "lib/starter.dart (step2)"?>
```dart
transitionsBuilder: (context, animation, secondaryAnimation, child) {
const begin = Offset(0.0, 1.0);
const end = Offset.zero;
final tween = Tween(begin: begin, end: end);
final offsetAnimation = animation.drive(tween);
return SlideTransition(
position: offsetAnimation,
child: child,
);
},
```
## 4. Use a CurveTween
Flutter provides a selection of easing curves that
adjust the rate of the animation over time.
The [`Curves`][] class
provides a predefined set of commonly used curves.
For example, `Curves.easeOut`
makes the animation start quickly and end slowly.
To use a Curve, create a new [`CurveTween`][]
and pass it a Curve:
<?code-excerpt "lib/starter.dart (step3)"?>
```dart
var curve = Curves.ease;
var curveTween = CurveTween(curve: curve);
```
This new Tween still produces values from 0 to 1. In the next step, it will be
combined the `Tween<Offset>` from step 2.
## 5. Combine the two Tweens
To combine the tweens,
use [`chain()`][]:
<?code-excerpt "lib/main.dart (Tween)"?>
```dart
const begin = Offset(0.0, 1.0);
const end = Offset.zero;
const curve = Curves.ease;
var tween = Tween(begin: begin, end: end).chain(CurveTween(curve: curve));
```
Then use this tween by passing it to `animation.drive()`. This creates a new
`Animation<Offset>` that can be given to the `SlideTransition` widget:
<?code-excerpt "lib/main.dart (SlideTransition)"?>
```dart
return SlideTransition(
position: animation.drive(tween),
child: child,
);
```
This new Tween (or Animatable) produces `Offset` values by first evaluating the
`CurveTween`, then evaluating the `Tween<Offset>.` When the animation runs, the
values are computed in this order:
1. The animation (provided to the transitionsBuilder callback) produces values
from 0 to 1.
2. The CurveTween maps those values to new values between 0 and 1 based on its
curve.
3. The `Tween<Offset>` maps the `double` values to `Offset` values.
Another way to create an `Animation<Offset>` with an easing curve is to use a
`CurvedAnimation`:
<?code-excerpt "lib/starter.dart (step4)" replace="/,$//g"?>
```dart
transitionsBuilder: (context, animation, secondaryAnimation, child) {
const begin = Offset(0.0, 1.0);
const end = Offset.zero;
const curve = Curves.ease;
final tween = Tween(begin: begin, end: end);
final curvedAnimation = CurvedAnimation(
parent: animation,
curve: curve,
);
return SlideTransition(
position: tween.animate(curvedAnimation),
child: child,
);
}
```
## 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 MaterialApp(
home: Page1(),
),
);
}
class Page1 extends StatelessWidget {
const Page1({super.key});
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(),
body: Center(
child: ElevatedButton(
onPressed: () {
Navigator.of(context).push(_createRoute());
},
child: const Text('Go!'),
),
),
);
}
}
Route _createRoute() {
return PageRouteBuilder(
pageBuilder: (context, animation, secondaryAnimation) => const Page2(),
transitionsBuilder: (context, animation, secondaryAnimation, child) {
const begin = Offset(0.0, 1.0);
const end = Offset.zero;
const curve = Curves.ease;
var tween = Tween(begin: begin, end: end).chain(CurveTween(curve: curve));
return SlideTransition(
position: animation.drive(tween),
child: child,
);
},
);
}
class Page2 extends StatelessWidget {
const Page2({super.key});
@override
Widget build(BuildContext context) {
return Scaffold(
appBar: AppBar(),
body: const Center(
child: Text('Page 2'),
),
);
}
}
```
<noscript>
<img src="/assets/images/docs/cookbook/page-route-animation.gif" alt="Demo showing a custom page route transition animating up from the bottom of the screen" class="site-mobile-screenshot" />
</noscript>
[`AnimatedWidget`]: {{site.api}}/flutter/widgets/AnimatedWidget-class.html
[`Animation`]: {{site.api}}/flutter/animation/Animation-class.html
[`chain()`]: {{site.api}}/flutter/animation/Animatable/chain.html
[`Curve`]: {{site.api}}/flutter/animation/Curve-class.html
[`Curves`]: {{site.api}}/flutter/animation/Curves-class.html
[`CurveTween`]: {{site.api}}/flutter/animation/CurveTween-class.html
['FractionalTranslation']: {{site.api}}/flutter/widgets/FractionalTranslation-class.html
[`PageRouteBuilder`]: {{site.api}}/flutter/widgets/PageRouteBuilder-class.html
[`Route`]: {{site.api}}/flutter/widgets/Route-class.html
[`SlideTransition`]: {{site.api}}/flutter/widgets/SlideTransition-class.html
[`Tween`]: {{site.api}}/flutter/animation/Tween-class.html
| website/src/cookbook/animation/page-route-animation.md/0 | {
"file_path": "website/src/cookbook/animation/page-route-animation.md",
"repo_id": "website",
"token_count": 3057
} | 1,479 |
---
title: Create a scrolling parallax effect
description: How to implement a scrolling parallax effect.
js:
- defer: true
url: https://old-dartpad-3ce3f.web.app/inject_embed.dart.js
---
<?code-excerpt path-base="cookbook/effects/parallax_scrolling"?>
When you scroll a list of cards (containing images,
for example) in an app, you might notice that those
images appear to scroll more slowly than the rest of the
screen. It almost looks as if the cards in the list
are in the foreground, but the images themselves sit
far off in the distant background. This effect is
known as parallax.
In this recipe, you create the parallax effect by building
a list of cards (with rounded corners containing some text).
Each card also contains an image.
As the cards slide up the screen,
the images within each card slide down.
The following animation shows the app's behavior:
{:.site-mobile-screenshot}
## Create a list to hold the parallax items
To display a list of parallax scrolling images,
you must first display a list.
Create a new stateless widget called `ParallaxRecipe`.
Within `ParallaxRecipe`, build a widget tree with a
`SingleChildScrollView` and a `Column`, which forms
a list.
<?code-excerpt "lib/excerpt1.dart (ParallaxRecipe)"?>
```dart
class ParallaxRecipe extends StatelessWidget {
const ParallaxRecipe({super.key});
@override
Widget build(BuildContext context) {
return const SingleChildScrollView(
child: Column(
children: [],
),
);
}
}
```
## Display items with text and a static image
Each list item displays a rounded-rectangle background
image, representing one of seven locations in the world.
Stacked on top of that background image is the
name of the location and its country,
positioned in the lower left. Between the
background image and the text is a dark gradient,
which improves the legibility
of the text against the background.
Implement a stateless widget called `LocationListItem`
that consists of the previously mentioned visuals.
For now, use a static `Image` widget for the background.
Later, you'll replace that widget with a parallax version.
<?code-excerpt "lib/excerpt2.dart (LocationListItem)"?>
```dart
@immutable
class LocationListItem extends StatelessWidget {
const LocationListItem({
super.key,
required this.imageUrl,
required this.name,
required this.country,
});
final String imageUrl;
final String name;
final String country;
@override
Widget build(BuildContext context) {
return Padding(
padding: const EdgeInsets.symmetric(horizontal: 24, vertical: 16),
child: AspectRatio(
aspectRatio: 16 / 9,
child: ClipRRect(
borderRadius: BorderRadius.circular(16),
child: Stack(
children: [
_buildParallaxBackground(context),
_buildGradient(),
_buildTitleAndSubtitle(),
],
),
),
),
);
}
Widget _buildParallaxBackground(BuildContext context) {
return Positioned.fill(
child: Image.network(
imageUrl,
fit: BoxFit.cover,
),
);
}
Widget _buildGradient() {
return Positioned.fill(
child: DecoratedBox(
decoration: BoxDecoration(
gradient: LinearGradient(
colors: [Colors.transparent, Colors.black.withOpacity(0.7)],
begin: Alignment.topCenter,
end: Alignment.bottomCenter,
stops: const [0.6, 0.95],
),
),
),
);
}
Widget _buildTitleAndSubtitle() {
return Positioned(
left: 20,
bottom: 20,
child: Column(
mainAxisSize: MainAxisSize.min,
crossAxisAlignment: CrossAxisAlignment.start,
children: [
Text(
name,
style: const TextStyle(
color: Colors.white,
fontSize: 20,
fontWeight: FontWeight.bold,
),
),
Text(
country,
style: const TextStyle(
color: Colors.white,
fontSize: 14,
),
),
],
),
);
}
}
```
Next, add the list items to your `ParallaxRecipe` widget.
<?code-excerpt "lib/excerpt3.dart (ParallaxRecipeItems)"?>
```dart
class ParallaxRecipe extends StatelessWidget {
const ParallaxRecipe({super.key});
@override
Widget build(BuildContext context) {
return SingleChildScrollView(
child: Column(
children: [
for (final location in locations)
LocationListItem(
imageUrl: location.imageUrl,
name: location.name,
country: location.place,
),
],
),
);
}
}
```
You now have a typical, scrollable list of cards
that displays seven unique locations in the world.
In the next step, you add a parallax effect to the
background image.
## Implement the parallax effect
A parallax scrolling effect is achieved by slightly
pushing the background image in the opposite direction
of the rest of the list. As the list items slide up
the screen, each background image slides slightly downward.
Conversely, as the list items slide down the screen,
each background image slides slightly upward.
Visually, this results in parallax.
The parallax effect depends on the list item's
current position within its ancestor `Scrollable`.
As the list item's scroll position changes, the position
of the list item's background image must also change.
This is an interesting problem to solve. The position
of a list item within the `Scrollable` isn't
available until Flutter's layout phase is complete.
This means that the position of the background image
must be determined in the paint phase, which comes after
the layout phase. Fortunately, Flutter provides a widget
called `Flow`, which is specifically designed to give you
control over the transform of a child widget immediately
before the widget is painted. In other words,
you can intercept the painting phase and take control
to reposition your child widgets however you want.
{{site.alert.note}}
To learn more, check out this short
Widget of the Week video on the Flow widget:
<iframe class="full-width" src="{{site.yt.embed}}/NG6pvXpnIso" title="Learn about the Flow Flutter Widget" {{site.yt.set}}></iframe>
{{site.alert.end}}
{{site.alert.note}}
In cases where you need control over what a child paints,
rather than where a child is painted,
consider using a [`CustomPaint`][] widget.
In cases where you need control over the layout,
painting, and hit testing, consider defining a
custom [`RenderBox`][].
{{site.alert.end}}
Wrap your background `Image` widget with a
[`Flow`][] widget.
<?code-excerpt "lib/excerpt4.dart (BuildParallaxBackground)" replace="/\n delegate: ParallaxFlowDelegate\(\),//g"?>
```dart
Widget _buildParallaxBackground(BuildContext context) {
return Flow(
children: [
Image.network(
imageUrl,
fit: BoxFit.cover,
),
],
);
}
```
Introduce a new `FlowDelegate` called `ParallaxFlowDelegate`.
<?code-excerpt "lib/excerpt4.dart (BuildParallaxBackground)"?>
```dart
Widget _buildParallaxBackground(BuildContext context) {
return Flow(
delegate: ParallaxFlowDelegate(),
children: [
Image.network(
imageUrl,
fit: BoxFit.cover,
),
],
);
}
```
<?code-excerpt "lib/excerpt4.dart (ParallaxFlowDelegate)" replace="/\n return constraints;//g"?>
```dart
class ParallaxFlowDelegate extends FlowDelegate {
ParallaxFlowDelegate();
@override
BoxConstraints getConstraintsForChild(int i, BoxConstraints constraints) {
// TODO: We'll add more to this later.
}
@override
void paintChildren(FlowPaintingContext context) {
// TODO: We'll add more to this later.
}
@override
bool shouldRepaint(covariant FlowDelegate oldDelegate) {
// TODO: We'll add more to this later.
return true;
}
}
```
A `FlowDelegate` controls how its children are sized
and where those children are painted. In this case,
your `Flow` widget has only one child: the background image.
That image must be exactly as wide as the `Flow` widget.
Return tight width constraints for your background image child.
<?code-excerpt "lib/main.dart (TightWidth)"?>
```dart
@override
BoxConstraints getConstraintsForChild(int i, BoxConstraints constraints) {
return BoxConstraints.tightFor(
width: constraints.maxWidth,
);
}
```
Your background images are now sized appropriately,
but you still need to calculate the vertical position
of each background image based on its scroll
position, and then paint it.
There are three critical pieces of information that
you need to compute the desired position of a
background image:
* The bounds of the ancestor `Scrollable`
* The bounds of the individual list item
* The size of the image after it's scaled down
to fit in the list item
To look up the bounds of the `Scrollable`,
you pass a `ScrollableState` into your `FlowDelegate`.
To look up the bounds of your individual list item,
pass your list item's `BuildContext` into your `FlowDelegate`.
To look up the final size of your background image,
assign a `GlobalKey` to your `Image` widget,
and then you pass that `GlobalKey` into your
`FlowDelegate`.
Make this information available to `ParallaxFlowDelegate`.
<?code-excerpt "lib/excerpt5.dart (GlobalKey)" replace="/\/\/ code-excerpt-closing-bracket/}/g"?>
```dart
@immutable
class LocationListItem extends StatelessWidget {
final GlobalKey _backgroundImageKey = GlobalKey();
Widget _buildParallaxBackground(BuildContext context) {
return Flow(
delegate: ParallaxFlowDelegate(
scrollable: Scrollable.of(context),
listItemContext: context,
backgroundImageKey: _backgroundImageKey,
),
children: [
Image.network(
imageUrl,
key: _backgroundImageKey,
fit: BoxFit.cover,
),
],
);
}
}
```
<?code-excerpt "lib/excerpt5.dart (ParallaxFlowDelegateGK)" replace="/\/\/ code-excerpt-closing-bracket/}/g"?>
```dart
class ParallaxFlowDelegate extends FlowDelegate {
ParallaxFlowDelegate({
required this.scrollable,
required this.listItemContext,
required this.backgroundImageKey,
});
final ScrollableState scrollable;
final BuildContext listItemContext;
final GlobalKey backgroundImageKey;
}
```
Having all the information needed to implement
parallax scrolling, implement the `shouldRepaint()` method.
<?code-excerpt "lib/main.dart (ShouldRepaint)"?>
```dart
@override
bool shouldRepaint(ParallaxFlowDelegate oldDelegate) {
return scrollable != oldDelegate.scrollable ||
listItemContext != oldDelegate.listItemContext ||
backgroundImageKey != oldDelegate.backgroundImageKey;
}
```
Now, implement the layout calculations for the parallax effect.
First, calculate the pixel position of a list
item within its ancestor `Scrollable`.
<?code-excerpt "lib/excerpt5.dart (PaintChildren)" replace="/ \/\/ code-excerpt-closing-bracket/}/g"?>
```dart
@override
void paintChildren(FlowPaintingContext context) {
// Calculate the position of this list item within the viewport.
final scrollableBox = scrollable.context.findRenderObject() as RenderBox;
final listItemBox = listItemContext.findRenderObject() as RenderBox;
final listItemOffset = listItemBox.localToGlobal(
listItemBox.size.centerLeft(Offset.zero),
ancestor: scrollableBox);
}
```
Use the pixel position of the list item to calculate its
percentage from the top of the `Scrollable`.
A list item at the top of the scrollable area should
produce 0%, and a list item at the bottom of the
scrollable area should produce 100%.
<?code-excerpt "lib/excerpt5.dart (PaintChildrenPt2)" replace="/ \/\/ code-excerpt-closing-bracket//g"?>
```dart
@override
void paintChildren(FlowPaintingContext context) {
// Calculate the position of this list item within the viewport.
final scrollableBox = scrollable.context.findRenderObject() as RenderBox;
final listItemBox = listItemContext.findRenderObject() as RenderBox;
final listItemOffset = listItemBox.localToGlobal(
listItemBox.size.centerLeft(Offset.zero),
ancestor: scrollableBox);
// Determine the percent position of this list item within the
// scrollable area.
final viewportDimension = scrollable.position.viewportDimension;
final scrollFraction =
(listItemOffset.dy / viewportDimension).clamp(0.0, 1.0);
```
Use the scroll percentage to calculate an `Alignment`.
At 0%, you want `Alignment(0.0, -1.0)`,
and at 100%, you want `Alignment(0.0, 1.0)`.
These coordinates correspond to top and bottom
alignment, respectively.
<?code-excerpt "lib/excerpt5.dart (PaintChildrenPt3)" replace="/ \/\/ code-excerpt-closing-bracket//g"?>
```dart
@override
void paintChildren(FlowPaintingContext context) {
// Calculate the position of this list item within the viewport.
final scrollableBox = scrollable.context.findRenderObject() as RenderBox;
final listItemBox = listItemContext.findRenderObject() as RenderBox;
final listItemOffset = listItemBox.localToGlobal(
listItemBox.size.centerLeft(Offset.zero),
ancestor: scrollableBox);
// Determine the percent position of this list item within the
// scrollable area.
final viewportDimension = scrollable.position.viewportDimension;
final scrollFraction =
(listItemOffset.dy / viewportDimension).clamp(0.0, 1.0);
// Calculate the vertical alignment of the background
// based on the scroll percent.
final verticalAlignment = Alignment(0.0, scrollFraction * 2 - 1);
```
Use `verticalAlignment`, along with the size of the
list item and the size of the background image,
to produce a `Rect` that determines where the
background image should be positioned.
<?code-excerpt "lib/excerpt5.dart (PaintChildrenPt4)" replace="/ \/\/ code-excerpt-closing-bracket//g"?>
```dart
@override
void paintChildren(FlowPaintingContext context) {
// Calculate the position of this list item within the viewport.
final scrollableBox = scrollable.context.findRenderObject() as RenderBox;
final listItemBox = listItemContext.findRenderObject() as RenderBox;
final listItemOffset = listItemBox.localToGlobal(
listItemBox.size.centerLeft(Offset.zero),
ancestor: scrollableBox);
// Determine the percent position of this list item within the
// scrollable area.
final viewportDimension = scrollable.position.viewportDimension;
final scrollFraction =
(listItemOffset.dy / viewportDimension).clamp(0.0, 1.0);
// Calculate the vertical alignment of the background
// based on the scroll percent.
final verticalAlignment = Alignment(0.0, scrollFraction * 2 - 1);
// Convert the background alignment into a pixel offset for
// painting purposes.
final backgroundSize =
(backgroundImageKey.currentContext!.findRenderObject() as RenderBox)
.size;
final listItemSize = context.size;
final childRect =
verticalAlignment.inscribe(backgroundSize, Offset.zero & listItemSize);
```
Using `childRect`, paint the background image with
the desired translation transformation.
It's this transformation over time that gives you the
parallax effect.
<?code-excerpt "lib/excerpt5.dart (PaintChildrenPt5)" replace="/ \/\/ code-excerpt-closing-bracket//g"?>
```dart
@override
void paintChildren(FlowPaintingContext context) {
// Calculate the position of this list item within the viewport.
final scrollableBox = scrollable.context.findRenderObject() as RenderBox;
final listItemBox = listItemContext.findRenderObject() as RenderBox;
final listItemOffset = listItemBox.localToGlobal(
listItemBox.size.centerLeft(Offset.zero),
ancestor: scrollableBox);
// Determine the percent position of this list item within the
// scrollable area.
final viewportDimension = scrollable.position.viewportDimension;
final scrollFraction =
(listItemOffset.dy / viewportDimension).clamp(0.0, 1.0);
// Calculate the vertical alignment of the background
// based on the scroll percent.
final verticalAlignment = Alignment(0.0, scrollFraction * 2 - 1);
// Convert the background alignment into a pixel offset for
// painting purposes.
final backgroundSize =
(backgroundImageKey.currentContext!.findRenderObject() as RenderBox)
.size;
final listItemSize = context.size;
final childRect =
verticalAlignment.inscribe(backgroundSize, Offset.zero & listItemSize);
// Paint the background.
context.paintChild(
0,
transform:
Transform.translate(offset: Offset(0.0, childRect.top)).transform,
);
```
You need one final detail to achieve the parallax effect.
The `ParallaxFlowDelegate` repaints when the inputs change,
but the `ParallaxFlowDelegate` doesn't repaint every time
the scroll position changes.
Pass the `ScrollableState`'s `ScrollPosition` to
the `FlowDelegate` superclass so that the `FlowDelegate`
repaints every time the `ScrollPosition` changes.
<?code-excerpt "lib/main.dart (SuperScrollPosition)" replace="/;\n/;\n}/g"?>
```dart
class ParallaxFlowDelegate extends FlowDelegate {
ParallaxFlowDelegate({
required this.scrollable,
required this.listItemContext,
required this.backgroundImageKey,
}) : super(repaint: scrollable.position);
}
```
Congratulations!
You now have a list of cards with parallax,
scrolling background images.
## Interactive example
Run the app:
* Scroll up and down to observe the parallax effect.
<!-- 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';
import 'package:flutter/rendering.dart';
const Color darkBlue = Color.fromARGB(255, 18, 32, 47);
void main() {
runApp(const MyApp());
}
class MyApp extends StatelessWidget {
const MyApp({super.key});
@override
Widget build(BuildContext context) {
return MaterialApp(
theme: ThemeData.dark().copyWith(scaffoldBackgroundColor: darkBlue),
debugShowCheckedModeBanner: false,
home: const Scaffold(
body: Center(
child: ExampleParallax(),
),
),
);
}
}
class ExampleParallax extends StatelessWidget {
const ExampleParallax({
super.key,
});
@override
Widget build(BuildContext context) {
return SingleChildScrollView(
child: Column(
children: [
for (final location in locations)
LocationListItem(
imageUrl: location.imageUrl,
name: location.name,
country: location.place,
),
],
),
);
}
}
class LocationListItem extends StatelessWidget {
LocationListItem({
super.key,
required this.imageUrl,
required this.name,
required this.country,
});
final String imageUrl;
final String name;
final String country;
final GlobalKey _backgroundImageKey = GlobalKey();
@override
Widget build(BuildContext context) {
return Padding(
padding: const EdgeInsets.symmetric(horizontal: 24, vertical: 16),
child: AspectRatio(
aspectRatio: 16 / 9,
child: ClipRRect(
borderRadius: BorderRadius.circular(16),
child: Stack(
children: [
_buildParallaxBackground(context),
_buildGradient(),
_buildTitleAndSubtitle(),
],
),
),
),
);
}
Widget _buildParallaxBackground(BuildContext context) {
return Flow(
delegate: ParallaxFlowDelegate(
scrollable: Scrollable.of(context),
listItemContext: context,
backgroundImageKey: _backgroundImageKey,
),
children: [
Image.network(
imageUrl,
key: _backgroundImageKey,
fit: BoxFit.cover,
),
],
);
}
Widget _buildGradient() {
return Positioned.fill(
child: DecoratedBox(
decoration: BoxDecoration(
gradient: LinearGradient(
colors: [Colors.transparent, Colors.black.withOpacity(0.7)],
begin: Alignment.topCenter,
end: Alignment.bottomCenter,
stops: const [0.6, 0.95],
),
),
),
);
}
Widget _buildTitleAndSubtitle() {
return Positioned(
left: 20,
bottom: 20,
child: Column(
mainAxisSize: MainAxisSize.min,
crossAxisAlignment: CrossAxisAlignment.start,
children: [
Text(
name,
style: const TextStyle(
color: Colors.white,
fontSize: 20,
fontWeight: FontWeight.bold,
),
),
Text(
country,
style: const TextStyle(
color: Colors.white,
fontSize: 14,
),
),
],
),
);
}
}
class ParallaxFlowDelegate extends FlowDelegate {
ParallaxFlowDelegate({
required this.scrollable,
required this.listItemContext,
required this.backgroundImageKey,
}) : super(repaint: scrollable.position);
final ScrollableState scrollable;
final BuildContext listItemContext;
final GlobalKey backgroundImageKey;
@override
BoxConstraints getConstraintsForChild(int i, BoxConstraints constraints) {
return BoxConstraints.tightFor(
width: constraints.maxWidth,
);
}
@override
void paintChildren(FlowPaintingContext context) {
// Calculate the position of this list item within the viewport.
final scrollableBox = scrollable.context.findRenderObject() as RenderBox;
final listItemBox = listItemContext.findRenderObject() as RenderBox;
final listItemOffset = listItemBox.localToGlobal(
listItemBox.size.centerLeft(Offset.zero),
ancestor: scrollableBox);
// Determine the percent position of this list item within the
// scrollable area.
final viewportDimension = scrollable.position.viewportDimension;
final scrollFraction =
(listItemOffset.dy / viewportDimension).clamp(0.0, 1.0);
// Calculate the vertical alignment of the background
// based on the scroll percent.
final verticalAlignment = Alignment(0.0, scrollFraction * 2 - 1);
// Convert the background alignment into a pixel offset for
// painting purposes.
final backgroundSize =
(backgroundImageKey.currentContext!.findRenderObject() as RenderBox)
.size;
final listItemSize = context.size;
final childRect =
verticalAlignment.inscribe(backgroundSize, Offset.zero & listItemSize);
// Paint the background.
context.paintChild(
0,
transform:
Transform.translate(offset: Offset(0.0, childRect.top)).transform,
);
}
@override
bool shouldRepaint(ParallaxFlowDelegate oldDelegate) {
return scrollable != oldDelegate.scrollable ||
listItemContext != oldDelegate.listItemContext ||
backgroundImageKey != oldDelegate.backgroundImageKey;
}
}
class Parallax extends SingleChildRenderObjectWidget {
const Parallax({
super.key,
required Widget background,
}) : super(child: background);
@override
RenderObject createRenderObject(BuildContext context) {
return RenderParallax(scrollable: Scrollable.of(context));
}
@override
void updateRenderObject(
BuildContext context, covariant RenderParallax renderObject) {
renderObject.scrollable = Scrollable.of(context);
}
}
class ParallaxParentData extends ContainerBoxParentData<RenderBox> {}
class RenderParallax extends RenderBox
with RenderObjectWithChildMixin<RenderBox>, RenderProxyBoxMixin {
RenderParallax({
required ScrollableState scrollable,
}) : _scrollable = scrollable;
ScrollableState _scrollable;
ScrollableState get scrollable => _scrollable;
set scrollable(ScrollableState value) {
if (value != _scrollable) {
if (attached) {
_scrollable.position.removeListener(markNeedsLayout);
}
_scrollable = value;
if (attached) {
_scrollable.position.addListener(markNeedsLayout);
}
}
}
@override
void attach(covariant PipelineOwner owner) {
super.attach(owner);
_scrollable.position.addListener(markNeedsLayout);
}
@override
void detach() {
_scrollable.position.removeListener(markNeedsLayout);
super.detach();
}
@override
void setupParentData(covariant RenderObject child) {
if (child.parentData is! ParallaxParentData) {
child.parentData = ParallaxParentData();
}
}
@override
void performLayout() {
size = constraints.biggest;
// Force the background to take up all available width
// and then scale its height based on the image's aspect ratio.
final background = child!;
final backgroundImageConstraints =
BoxConstraints.tightFor(width: size.width);
background.layout(backgroundImageConstraints, parentUsesSize: true);
// Set the background's local offset, which is zero.
(background.parentData as ParallaxParentData).offset = Offset.zero;
}
@override
void paint(PaintingContext context, Offset offset) {
// Get the size of the scrollable area.
final viewportDimension = scrollable.position.viewportDimension;
// Calculate the global position of this list item.
final scrollableBox = scrollable.context.findRenderObject() as RenderBox;
final backgroundOffset =
localToGlobal(size.centerLeft(Offset.zero), ancestor: scrollableBox);
// Determine the percent position of this list item within the
// scrollable area.
final scrollFraction =
(backgroundOffset.dy / viewportDimension).clamp(0.0, 1.0);
// Calculate the vertical alignment of the background
// based on the scroll percent.
final verticalAlignment = Alignment(0.0, scrollFraction * 2 - 1);
// Convert the background alignment into a pixel offset for
// painting purposes.
final background = child!;
final backgroundSize = background.size;
final listItemSize = size;
final childRect =
verticalAlignment.inscribe(backgroundSize, Offset.zero & listItemSize);
// Paint the background.
context.paintChild(
background,
(background.parentData as ParallaxParentData).offset +
offset +
Offset(0.0, childRect.top));
}
}
class Location {
const Location({
required this.name,
required this.place,
required this.imageUrl,
});
final String name;
final String place;
final String imageUrl;
}
const urlPrefix =
'https://docs.flutter.dev/cookbook/img-files/effects/parallax';
const locations = [
Location(
name: 'Mount Rushmore',
place: 'U.S.A',
imageUrl: '$urlPrefix/01-mount-rushmore.jpg',
),
Location(
name: 'Gardens By The Bay',
place: 'Singapore',
imageUrl: '$urlPrefix/02-singapore.jpg',
),
Location(
name: 'Machu Picchu',
place: 'Peru',
imageUrl: '$urlPrefix/03-machu-picchu.jpg',
),
Location(
name: 'Vitznau',
place: 'Switzerland',
imageUrl: '$urlPrefix/04-vitznau.jpg',
),
Location(
name: 'Bali',
place: 'Indonesia',
imageUrl: '$urlPrefix/05-bali.jpg',
),
Location(
name: 'Mexico City',
place: 'Mexico',
imageUrl: '$urlPrefix/06-mexico-city.jpg',
),
Location(
name: 'Cairo',
place: 'Egypt',
imageUrl: '$urlPrefix/07-cairo.jpg',
),
];
```
[`CustomPaint`]: {{site.api}}/flutter/widgets/CustomPaint-class.html
[`Flow`]: {{site.api}}/flutter/widgets/Flow-class.html
[`RenderBox`]: {{site.api}}/flutter/rendering/RenderBox-class.html
| website/src/cookbook/effects/parallax-scrolling.md/0 | {
"file_path": "website/src/cookbook/effects/parallax-scrolling.md",
"repo_id": "website",
"token_count": 9729
} | 1,480 |
---
title: Gestures
description: A catalog of Flutter recipes for supporting gestures.
---
{% include docs/cookbook-group-index.md %}
| website/src/cookbook/gestures/index.md/0 | {
"file_path": "website/src/cookbook/gestures/index.md",
"repo_id": "website",
"token_count": 39
} | 1,481 |
---
title: Report errors to a service
description: How to keep track of errors that users encounter.
---
<?code-excerpt path-base="cookbook/maintenance/error_reporting/"?>
While one always tries to create apps that are free of bugs,
they're sure to crop up from time to time.
Since buggy apps lead to unhappy users and customers,
it's important to understand how often your users
experience bugs and where those bugs occur.
That way, you can prioritize the bugs with the
highest impact and work to fix them.
How can you determine how often your users experiences bugs?
Whenever an error occurs, create a report containing the
error that occurred and the associated stacktrace.
You can then send the report to an error tracking
service, such as [Bugsnag][], [Datadog][],
[Firebase Crashlytics][], [Rollbar][], or Sentry.
The error tracking service aggregates all of the crashes your users
experience and groups them together. This allows you to know how often your
app fails and where the users run into trouble.
In this recipe, learn how to report errors to the
[Sentry][] crash reporting service using
the following steps:
1. Get a DSN from Sentry.
2. Import the Flutter Sentry package
3. Initialize the Sentry SDK
4. Capture errors programmatically
## 1. Get a DSN from Sentry
Before reporting errors to Sentry, you need a "DSN" to uniquely identify
your app with the Sentry.io service.
To get a DSN, use the following steps:
1. [Create an account with Sentry][].
2. Log in to the account.
3. Create a new Flutter project.
4. Copy the code snippet that includes the DSN.
## 2. Import the Sentry package
Import the [`sentry_flutter`][] package into the app.
The sentry package makes it easier to send
error reports to the Sentry error tracking service.
To add the `sentry_flutter` package as a dependency,
run `flutter pub add`:
```terminal
$ flutter pub add sentry_flutter
```
## 3. Initialize the Sentry SDK
Initialize the SDK to capture different unhandled errors automatically:
<?code-excerpt "lib/main.dart (InitializeSDK)"?>
```dart
import 'package:flutter/widgets.dart';
import 'package:sentry_flutter/sentry_flutter.dart';
Future<void> main() async {
await SentryFlutter.init(
(options) => options.dsn = 'https://[email protected]/example',
appRunner: () => runApp(const MyApp()),
);
}
```
Alternatively, you can pass the DSN to Flutter using the `dart-define` tag:
```sh
--dart-define SENTRY_DSN=https://[email protected]/example
```
### What does that give me?
This is all you need for Sentry to capture unhandled errors in Dart and native layers.
This includes Swift, Objective-C, C, and C++ on iOS, and Java, Kotlin, C, and C++ on Android.
## 4. Capture errors programmatically
Besides the automatic error reporting that Sentry generates by
importing and initializing the SDK,
you can use the API to report errors to Sentry:
<?code-excerpt "lib/main.dart (CaptureException)"?>
```dart
await Sentry.captureException(exception, stackTrace: stackTrace);
```
For more information, see the [Sentry API][] docs on pub.dev.
## Learn more
Extensive documentation about using the Sentry SDK can be found on [Sentry's site][].
## Complete example
To view a working example,
see the [Sentry flutter example][] app.
[Sentry flutter example]: {{site.github}}/getsentry/sentry-dart/tree/main/flutter/example
[Create an account with Sentry]: https://sentry.io/signup/
[Bugsnag]: https://www.bugsnag.com/platforms/flutter
[Datadog]: https://docs.datadoghq.com/real_user_monitoring/flutter/
[Rollbar]: https://rollbar.com/
[Sentry]: https://sentry.io/welcome/
[`sentry_flutter`]: {{site.pub-pkg}}/sentry_flutter
[Sentry API]: {{site.pub-api}}/sentry_flutter/latest/sentry_flutter/sentry_flutter-library.html
[Sentry's site]: https://docs.sentry.io/platforms/flutter/
[Firebase Crashlytics]: {{site.firebase}}/docs/crashlytics
| website/src/cookbook/maintenance/error-reporting.md/0 | {
"file_path": "website/src/cookbook/maintenance/error-reporting.md",
"repo_id": "website",
"token_count": 1184
} | 1,482 |
---
title: Send data to the internet
description: How to use the http package to send data over the internet.
---
<?code-excerpt path-base="cookbook/networking/send_data/"?>
Sending data to the internet is necessary for most apps.
The `http` package has got that covered, too.
This recipe uses the following steps:
1. Add the `http` package.
2. Send data to a server using the `http` package.
3. Convert the response into a custom Dart object.
4. Get a `title` from user input.
5. Display the response on screen.
## 1. Add the `http` package
To add the `http` package as a dependency,
run `flutter pub add`:
```terminal
$ flutter pub add http
```
Import the `http` package.
<?code-excerpt "lib/main.dart (Http)"?>
```dart
import 'package:http/http.dart' as http;
```
If you develop for android,
add the following permission inside the manifest tag
in the `AndroidManifest.xml` file located at `android/app/src/main`.
```xml
<uses-permission android:name="android.permission.INTERNET"/>
```
## 2. Sending data to server
This recipe covers how to create an `Album`
by sending an album title to the
[JSONPlaceholder][] using the
[`http.post()`][] method.
Import `dart:convert` for access to `jsonEncode` to encode the data:
<?code-excerpt "lib/create_album.dart (convert-import)"?>
```dart
import 'dart:convert';
```
Use the `http.post()` method to send the encoded data:
<?code-excerpt "lib/create_album.dart (CreateAlbum)"?>
```dart
Future<http.Response> createAlbum(String title) {
return 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,
}),
);
}
```
The `http.post()` method returns a `Future` that contains a `Response`.
* [`Future`][] is a core Dart class for working with
asynchronous operations. A Future object represents a potential
value or error that will be available at some time in the future.
* The `http.Response` class contains the data received from a successful
http call.
* The `createAlbum()` method takes an argument `title`
that is sent to the server to create an `Album`.
## 3. Convert the `http.Response` to a custom Dart object
While it's easy to make a network request,
working with a raw `Future<http.Response>`
isn't very convenient. To make your life easier,
convert the `http.Response` into a Dart object.
### Create an Album class
First, create an `Album` class that contains
the data from the network request.
It includes a factory constructor that
creates an `Album` from JSON.
Converting JSON with [pattern matching][] is only one option.
For more information, see the full article on
[JSON and serialization][].
<?code-excerpt "lib/main.dart (Album)"?>
```dart
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.'),
};
}
}
```
### Convert the `http.Response` to an `Album`
Use the following steps to update the `createAlbum()`
function to return a `Future<Album>`:
1. Convert the response body into a JSON `Map` with the
`dart:convert` package.
2. If the server returns a `CREATED` response with a status
code of 201, then convert the JSON `Map` into an `Album`
using the `fromJson()` factory method.
3. If the server doesn't return a `CREATED` response with a
status code of 201, then throw an exception.
(Even in the case of a "404 Not Found" server response,
throw an exception. Do not return `null`.
This is important when examining
the data in `snapshot`, as shown below.)
<?code-excerpt "lib/main.dart (createAlbum)"?>
```dart
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.');
}
}
```
Hooray! Now you've got a function that sends the title to a
server to create an album.
## 4. Get a title from user input
Next, create a `TextField` to enter a title and
a `ElevatedButton` to send data to server.
Also define a `TextEditingController` to read the
user input from a `TextField`.
When the `ElevatedButton` is pressed, the `_futureAlbum`
is set to the value returned by `createAlbum()` method.
<?code-excerpt "lib/main.dart (Column)" replace="/^return //g;/;$//g"?>
```dart
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'),
),
],
)
```
On pressing the **Create Data** button, make the network request,
which sends the data in the `TextField` to the server
as a `POST` request.
The Future, `_futureAlbum`, is used in the next step.
## 5. Display the response on screen
To display the data on screen, use the
[`FutureBuilder`][] widget.
The `FutureBuilder` widget comes with Flutter and
makes it easy to work with asynchronous data sources.
You must provide two parameters:
1. The `Future` you want to work with. In this case,
the future returned from the `createAlbum()` function.
2. A `builder` function that tells Flutter what to render,
depending on the state of the `Future`: loading,
success, or error.
Note that `snapshot.hasData` only returns `true` when
the snapshot contains a non-null data value.
This is why the `createAlbum()` function should throw an exception
even in the case of a "404 Not Found" server response.
If `createAlbum()` returns `null`, then
`CircularProgressIndicator` displays indefinitely.
<?code-excerpt "lib/main.dart (FutureBuilder)" replace="/^return //g;/;$//g"?>
```dart
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();
},
)
```
## Complete example
<?code-excerpt "lib/main.dart"?>
```dart
import 'dart:async';
import 'dart:convert';
import 'package:flutter/material.dart';
import 'package:http/http.dart' as http;
Future<Album> 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.');
}
}
class Album {
final int id;
final String title;
const Album({required this.id, required this.title});
factory Album.fromJson(Map<String, dynamic> json) {
return switch (json) {
{
'id': int id,
'title': String title,
} =>
Album(
id: id,
title: title,
),
_ => throw const FormatException('Failed to load album.'),
};
}
}
void main() {
runApp(const MyApp());
}
class MyApp extends StatefulWidget {
const MyApp({super.key});
@override
State<MyApp> createState() {
return _MyAppState();
}
}
class _MyAppState extends State<MyApp> {
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() {
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'),
),
],
);
}
FutureBuilder<Album> buildFutureBuilder() {
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();
},
);
}
}
```
[ConnectionState]: {{site.api}}/flutter/widgets/ConnectionState-class.html
[`didChangeDependencies()`]: {{site.api}}/flutter/widgets/State/didChangeDependencies.html
[Fetch Data]: /cookbook/networking/fetch-data
[`Future`]: {{site.api}}/flutter/dart-async/Future-class.html
[`FutureBuilder`]: {{site.api}}/flutter/widgets/FutureBuilder-class.html
[`http`]: {{site.pub-pkg}}/http
[`http.post()`]: {{site.pub-api}}/http/latest/http/post.html
[`http` package]: {{site.pub-pkg}}/http/install
[`InheritedWidget`]: {{site.api}}/flutter/widgets/InheritedWidget-class.html
[Introduction to unit testing]: /cookbook/testing/unit/introduction
[`initState()`]: {{site.api}}/flutter/widgets/State/initState.html
[JSONPlaceholder]: https://jsonplaceholder.typicode.com/
[JSON and serialization]: /data-and-backend/serialization/json
[Mock dependencies using Mockito]: /cookbook/testing/unit/mocking
[pattern matching]: {{site.dart-site}}/language/patterns
[`State`]: {{site.api}}/flutter/widgets/State-class.html
| website/src/cookbook/networking/send-data.md/0 | {
"file_path": "website/src/cookbook/networking/send-data.md",
"repo_id": "website",
"token_count": 3934
} | 1,483 |
---
title: An introduction to unit testing
description: How to write unit tests.
short-title: Introduction
---
<?code-excerpt path-base="cookbook/testing/unit/counter_app"?>
How can you ensure that your app continues to work as you
add more features or change existing functionality?
By writing tests.
Unit tests are handy for verifying the behavior of a single function,
method, or class. The [`test`][] package provides the
core framework for writing unit tests, and the [`flutter_test`][]
package provides additional utilities for testing widgets.
This recipe demonstrates the core features provided by the `test` package
using the following steps:
1. Add the `test` or `flutter_test` dependency.
2. Create a test file.
3. Create a class to test.
4. Write a `test` for our class.
5. Combine multiple tests in a `group`.
6. Run the tests.
For more information about the test package,
see the [test package documentation][].
## 1. Add the test dependency
The `test` package provides the core functionality for
writing tests in Dart. This is the best approach when
writing packages consumed by web, server, and Flutter apps.
To add the `test` package as a dev dependency,
run `flutter pub add`:
```terminal
$ flutter pub add dev:test
```
## 2. Create a test file
In this example, create two files: `counter.dart` and `counter_test.dart`.
The `counter.dart` file contains a class that you want to test and
resides in the `lib` folder. The `counter_test.dart` file contains
the tests themselves and lives inside the `test` folder.
In general, test files should reside inside a `test` folder
located at the root of your Flutter application or package.
Test files should always end with `_test.dart`,
this is the convention used by the test runner when searching for tests.
When you're finished, the folder structure should look like this:
```nocode
counter_app/
lib/
counter.dart
test/
counter_test.dart
```
## 3. Create a class to test
Next, you need a "unit" to test. Remember: "unit" is another name for a
function, method, or class. For this example, create a `Counter` class
inside the `lib/counter.dart` file. It is responsible for incrementing
and decrementing a `value` starting at `0`.
<?code-excerpt "lib/counter.dart"?>
```dart
class Counter {
int value = 0;
void increment() => value++;
void decrement() => value--;
}
```
**Note:** For simplicity, this tutorial does not follow the "Test Driven
Development" approach. If you're more comfortable with that style of
development, you can always go that route.
## 4. Write a test for our class
Inside the `counter_test.dart` file, write the first unit test. Tests are
defined using the top-level `test` function, and you can check if the results
are correct by using the top-level `expect` function.
Both of these functions come from the `test` package.
<?code-excerpt "test/counter_test.dart"?>
```dart
// Import the test package and Counter class
import 'package:counter_app/counter.dart';
import 'package:test/test.dart';
void main() {
test('Counter value should be incremented', () {
final counter = Counter();
counter.increment();
expect(counter.value, 1);
});
}
```
## 5. Combine multiple tests in a `group`
If you want to run a series of related tests,
use the `flutter_test` package [`group`][] function to categorize the tests.
Once put into a group, you can call `flutter test` on all tests in
that group with one command.
<?code-excerpt "test/group.dart"?>
```dart
import 'package:counter_app/counter.dart';
import 'package:test/test.dart';
void main() {
group('Test start, increment, decrement', () {
test('value should start at 0', () {
expect(Counter().value, 0);
});
test('value should be incremented', () {
final counter = Counter();
counter.increment();
expect(counter.value, 1);
});
test('value should be decremented', () {
final counter = Counter();
counter.decrement();
expect(counter.value, -1);
});
});
}
```
## 6. Run the tests
Now that you have a `Counter` class with tests in place,
you can run the tests.
### Run tests using IntelliJ or VSCode
The Flutter plugins for IntelliJ and VSCode support running tests.
This is often the best option while writing tests because it provides the
fastest feedback loop as well as the ability to set breakpoints.
- **IntelliJ**
1. Open the `counter_test.dart` file
1. Go to **Run** > **Run 'tests in counter_test.dart'**.
You can also press the appropriate keyboard shortcut for your platform.
- **VSCode**
1. Open the `counter_test.dart` file
1. Go to **Run** > **Start Debugging**.
You can also press the appropriate keyboard shortcut for your platform.
### Run tests in a terminal
To run the all tests from the terminal,
run the following command from the root of the project:
```terminal
flutter test test/counter_test.dart
```
To run all tests you put into one `group`,
run the following command from the root of the project:
```terminal
flutter test --plain-name "Test start, increment, decrement"
```
This example uses the `group` created in **section 5**.
To learn more about unit tests, you can execute this command:
```terminal
flutter test --help
```
[`group`]: {{site.api}}/flutter/flutter_test/group.html
[`flutter_test`]: {{site.api}}/flutter/flutter_test/flutter_test-library.html
[`test`]: {{site.pub-pkg}}/test
[test package documentation]: {{site.pub}}/packages/test
| website/src/cookbook/testing/unit/introduction.md/0 | {
"file_path": "website/src/cookbook/testing/unit/introduction.md",
"repo_id": "website",
"token_count": 1654
} | 1,484 |
---
title: Differentiate between ephemeral state and app state
description: How to tell the difference between ephemeral and app state.
prev:
title: Start thinking declaratively
path: /development/data-and-backend/state-mgmt/declarative
next:
title: Simple app state management
path: /development/data-and-backend/state-mgmt/simple
---
_This doc introduces app state, ephemeral state,
and how you might manage each in a Flutter app._
In the broadest possible sense, the state of an app is everything that
exists in memory when the app is running. This includes the app's assets,
all the variables that the Flutter framework keeps about the UI,
animation state, textures, fonts, and so on. While this broadest
possible definition of state is valid, it's not very useful for
architecting an app.
First, you don't even manage some state (like textures).
The framework handles those for you. So a more useful definition of
state is "whatever data you need in order to rebuild your UI at any
moment in time". Second, the state that you _do_ manage yourself can
be separated into two conceptual types: ephemeral state and app state.
## Ephemeral state
Ephemeral state (sometimes called _UI state_ or _local state_)
is the state you can neatly contain in a single widget.
This is, intentionally, a vague definition, so here are a few examples.
* current page in a [`PageView`][]
* current progress of a complex animation
* current selected tab in a `BottomNavigationBar`
Other parts of the widget tree seldom need to access this kind of state.
There is no need to serialize it, and it doesn't change in complex ways.
In other words, there is no need to use state management techniques
(ScopedModel, Redux, etc.) on this kind of state.
All you need is a `StatefulWidget`.
Below, you see how the currently selected item in a bottom navigation bar is
held in the `_index` field of the `_MyHomepageState` class.
In this example, `_index` is ephemeral state.
<?code-excerpt "state_mgmt/simple/lib/src/set_state.dart (Ephemeral)" plaster="// ... items ..."?>
```dart
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;
});
},
// ... items ...
);
}
}
```
Here, using `setState()` and a field inside the StatefulWidget's State
class is completely natural. No other part of your app needs to access
`_index`. The variable only changes inside the `MyHomepage` widget.
And, if the user closes and restarts the app,
you don't mind that `_index` resets to zero.
## App state
State that is not ephemeral,
that you want to share across many parts of your app,
and that you want to keep between user sessions,
is what we call application state
(sometimes also called shared state).
Examples of application state:
* User preferences
* Login info
* Notifications in a social networking app
* The shopping cart in an e-commerce app
* Read/unread state of articles in a news app
For managing app state, you'll want to research your options.
Your choice depends on the complexity and nature of your app,
your team's previous experience, and many other aspects. Read on.
## There is no clear-cut rule
To be clear, you _can_ use `State` and `setState()` to manage all of
the state in your app. In fact, the Flutter team does this in many
simple app samples (including the starter app that you get with every
`flutter create`).
It goes the other way, too. For example, you might decide that—in
the context of your particular app—the selected tab in a bottom
navigation bar is _not_ ephemeral state. You might need to change it
from outside the class, keep it between sessions, and so on.
In that case, the `_index` variable is app state.
There is no clear-cut, universal rule to distinguish
whether a particular variable is ephemeral or app state.
Sometimes, you'll have to refactor one into another.
For example, you'll start with some clearly ephemeral state,
but as your application grows in features,
it might need to be moved to app state.
For that reason, take the following diagram with a large grain of salt:
<img src='/assets/images/docs/development/data-and-backend/state-mgmt/ephemeral-vs-app-state.png' width="100%" alt="A flow chart. Start with 'Data'. 'Who needs it?'. Three options: 'Most widgets', 'Some widgets' and 'Single widget'. The first two options both lead to 'App state'. The 'Single widget' option leads to 'Ephemeral state'.">
{% comment %}
Source drawing for the png above: : https://docs.google.com/drawings/d/1p5Bvuagin9DZH8bNrpGfpQQvKwLartYhIvD0WKGa64k/edit?usp=sharing
{% endcomment %}
When asked about React's setState versus Redux's store, the author of Redux,
Dan Abramov, replied:
> "The rule of thumb is: [Do whatever is less awkward][]."
In summary, there are two conceptual types of state in any Flutter app.
Ephemeral state can be implemented using `State` and `setState()`,
and is often local to a single widget. The rest is your app state.
Both types have their place in any Flutter app, and the split between
the two depends on your own preference and the complexity of the app.
[Do whatever is less awkward]: {{site.github}}/reduxjs/redux/issues/1287#issuecomment-175351978
[`PageView`]: {{site.api}}/flutter/widgets/PageView-class.html
| website/src/data-and-backend/state-mgmt/ephemeral-vs-app.md/0 | {
"file_path": "website/src/data-and-backend/state-mgmt/ephemeral-vs-app.md",
"repo_id": "website",
"token_count": 1591
} | 1,485 |
{
"_comments": [
"uniqueId must be updated with each new survey so DevTools knows to re-prompt users.",
"title should not exceed 45 characters.",
"startDate and endDate should follow ISO 8601 standard with a timezone offset."
],
"uniqueId": "2023-Q4",
"title": "Take our survey to help us improve DevTools!",
"url": "https://google.qualtrics.com/jfe/form/SV_bkqzW25DzKz56nA",
"startDate": "2023-10-25T09:00:00-07:00",
"endDate": "2023-11-08T09:00:00-07:00"
}
| website/src/f/dart-devtools-survey-metadata.json/0 | {
"file_path": "website/src/f/dart-devtools-survey-metadata.json",
"repo_id": "website",
"token_count": 187
} | 1,486 |
---
title: Local caching
description: Learn how to persist data locally.
prev:
title: Networking and data
next:
title: JSON serialization
---
Now that you've learned about how to load data from servers
over the network, your Flutter app should feel more alive.
However, just because you *can* load data from remote servers
doesn't mea you always *should*. Sometimes, it's better to
re-render the data you received from the previous network
request rather than repeat it and make your user wait until
it completes again. This technique of retaining application
data to show again at a future time is called *caching*, and
this page covers how to approach this task in your Flutter app.
## Introduction to caching
At its most basic, all caching strategies amount to the same
three-step operation, represented with the following pseudocode:
```dart
Data? _cachedData;
Future<Data> get data async {
// Step 1: Check whether your cache already contains the desired data
if (_cachedData == null) {
// Step 2: Load the data if the cache was empty
_cachedData = await _readData();
}
// Step 3: Return the value in the cache
return _cachedData!;
}
```
There are many interesting ways to vary this strategy,
including the location of the cache, the extent to which you
preemptively write values to, or "warm", the cache; and others.
## Common caching terminology
Caching comes with its own terminology, some of which is
defined and explained below.
**Cache hit**
: An app is said to have had a cache hit when the cache already
contained their desired information and loading it from the
real source of truth was unnecessary.
**Cache miss**
: An app is said to have had a cache miss when the cache was
empty and the desired data is loaded from the real source
of truth, and then saved to the cache for future reads.
## Risks of caching data
An app is said to have a **stale cache** when the data within
the source of truth has changed, which puts the app at risk
of rendering old, outdated information.
All caching strategies run the risk of holding onto stale data.
Unfortunately, the action of verifying the freshness of a cache
often takes as much time to complete as fully loading the data
in question. This means that most apps tend to only benefit
from caching data if they trust the data to be fresh at runtime
without verification.
To deal with this, most caching systems include a time limit
on any individual piece of cached data. After this time limit
is exceeded, would-be cache hits are treated as cache misses
until fresh data is loaded.
A popular joke among computer scientists is that "The two
hardest things in computer science are cache invalidation,
naming things, and off-by-one errors." 😄
Despite the risks, almost every app in the world makes heavy
use of data caching. The rest of this page explores multiple
approaches to caching data in your Flutter app, but know that
all of these approaches can be tweaked or combined for your
situation.
## Caching data in local memory
The simplest and most performant caching strategy is an
in-memory cache. The downside of this strategy is that,
because the cache is only held in system memory, no data is
retained beyond the session in which it is originally cached.
(Of course, this "downside" also has the upside of automatically
solving most stale cache problems!)
Due to their simplicity, in-memory caches closely mimic
the pseudocode seen above. That said, it is best to use proven
design principles, like the [repository pattern][],
to organize your code and prevent cache checks like the above
from appearing all over your code base.
Imagine a `UserRepository` class that is also tasked with
caching users in memory to avoid duplicate network requests.
Its implementation might look like this:
```dart
class UserRepository {
UserRepository(this.api);
final Api api;
final Map<int, User?> _userCache = {};
Future<User?> loadUser(int id) async {
if (!_userCache.containsKey(id)) {
final response = await api.get(id);
if (response.statusCode == 200) {
_userCache[id] = User.fromJson(response.body);
} else {
_userCache[id] = null;
}
}
return _userCache[id];
}
}
```
This `UserRepository` follows multiple proven design
principles including:
* [dependency injection][], which helps with testing
* [loose coupling][], which protects surrounding code from
its implementation details, and
* [separation of concerns][], which prevents its implementation
from juggling too many concerns.
And best of all, no matter how many times within a single session
a user visits pages in your Flutter app that load a given user,
the `UserRepository` class only loads that data over the network *once*.
However, your users might eventually tire of waiting for data
to load every time they relaunch your app. For that, you should
choose from one of the persistent caching strategies found below.
## Persistent caches
Caching data in memory will never see your precious cache
outlive a user single session.
To enjoy the performance benefits of cache hits on fresh
launches of your application, you need to cache data somewhere
on the device's hard drive.
### Caching data with `shared_preferences`
[`shared_preferences`][] is a Flutter plugin that wraps
platform-specific [key-value storage][] on all six of Flutter's
target platforms.
Although these underlying platform key-value stores were designed
for small data sizes, they are still suitable for a caching
strategy for most applications.
For a complete guide, see our other resources on using key-value stores.
* Cookbook: [Store key-value data on disk][]
* Video: [Package of the Week: `shared_preferences`][]
### Caching data with the file system
If your Flutter app outgrows the low-throughput scenarios
ideal for `shared_preferences`, you might be ready to explore
caching data with your device's file system.
For a more thorough guide, see our other resources on
file system caching.
* Cookbook: [Read and write files][]
### Caching data with an on-device database
The final boss of local data caching is any strategy
that uses a proper database to read and write data.
Multiple flavors exist, including relational and
non-relational databases.
All approaches offer dramatically improved performance over
simple files - especially for large datasets.
For a more thorough guide, see the following resources:
* Cookbook: [Persist data with SQLite][]
* SQLite alternate: [`sqlite3` package][]
* Drift, a relational database: [`drift` package][]
* Hive, a non-relational database: [`hive` package][]
* Isar, a non-relational database: [`isar` package][]
## Caching images
Caching images is a similar problem space to caching regular data,
though with a one-size-fits-all solution.
To direct your Flutter app to use the file system to store images,
use the [`cached_network_image` package][].
* Video: [Package of the Week: `cached_network_image`][]
[PENDING: My understanding is that we now recommend `Image.network` instead of cache_network_image.
## State restoration
Along with application data, you might also want to persist other
aspects of a user's session, like their navigation stack, scroll
positions, and even partial progress filling out forms. This
pattern is called "state restoration", and is built in to Flutter.
State restoration works by instructing the Flutter framework
to sync data from its Element tree with the Flutter engine,
which then caches it in platform-specific storage for future
sessions. To enable state restoration on Flutter for Android
and iOS, see the following documentation:
* Android documentation: [Android state restoration][]
* iOS documentation: [iOS state restoration][]
## Feedback
As this section of the website is evolving,
we [welcome your feedback][]!
[welcome your feedback]: {{site.url}}/get-started/fwe
[Android state restoration]: /platform-integration/android/restore-state-android
[`cached_network_image` package]: {{site.pub-pkg}}/cached_network_image
[dependency injection]: https://en.wikipedia.org/wiki/Dependency_injection
[`drift` package]: {{site.pub-pkg}}/drift
[`hive` package]: {{site.pub-pkg}}/hive
[iOS state restoration]: /platform-integration/ios/restore-state-ios
[`isar` package]: {{site.pub-pkg}}/isar
[key-value storage]: https://en.wikipedia.org/wiki/Key%E2%80%93value_database
[loose coupling]: https://en.wikipedia.org/wiki/Loose_coupling
[Package of the Week: `cached_network_image`]: https://www.youtube.com/watch?v=fnHr_rsQwDA
[Package of the Week: `shared_preferences`]: https://www.youtube.com/watch?v=sa_U0jffQII
[Persist data with SQLite]: /cookbook/persistence/sqlite
[Read and write files]: /cookbook/persistence/reading-writing-files
[repository Pattern]: https://medium.com/@pererikbergman/repository-design-pattern-e28c0f3e4a30
[separation of concerns]: https://en.wikipedia.org/wiki/Separation_of_concerns
[`shared_preferences`]: {{site.pub-pkg}}/shared_preferences
[`sqlite3` package]: {{site.pub-pkg}}/sqlite3
[Store key-value data on disk]: /cookbook/persistence/key-value
| website/src/get-started/fwe/local-caching.md/0 | {
"file_path": "website/src/get-started/fwe/local-caching.md",
"repo_id": "website",
"token_count": 2473
} | 1,487 |
### Update your path
You can update your PATH variable for the current session at
the command line, as shown in step 3 of [Get the Flutter SDK][].
To update this variable permanently so you can run
`flutter` commands in _any_ terminal session,
use the following instructions.
The steps for modifying the `PATH` variable
_all_ subsequent terminal sessions are machine-specific.
Typically, you add a line to a shell script file that
executes whenever you open a new window. For example:
1. Determine the path of your clone of the Flutter SDK.
You need this in Step 3.
2. Open (or create) the `rc` file for your shell.
Typing `echo $SHELL` in your Terminal tells you
which shell you're using.
If you're using Bash,
edit `$HOME/.bash_profile` or `$HOME/.bashrc`.
If you're using Z shell, edit `$HOME/.zshrc`.
If you're using a different shell, the file path
and filename will be different on your machine.
3. Add the following line and change
`[PATH_OF_FLUTTER_GIT_DIRECTORY]` to be
the path of your clone of the Flutter git repo:
```terminal
$ export PATH="$PATH:[PATH_OF_FLUTTER_GIT_DIRECTORY]/bin"
```
4. Run `source $HOME/.<rc file>`
to refresh the current window,
or open a new terminal window to
automatically source the file.
5. Verify that the `flutter/bin` directory
is now in your PATH by running:
```terminal
$ echo $PATH
```
Verify that the `flutter` command is available by running:
```terminal
$ which flutter
```
[Get the Flutter SDK]: #get-sdk
| website/src/get-started/install/_deprecated/_path-mac.md/0 | {
"file_path": "website/src/get-started/install/_deprecated/_path-mac.md",
"repo_id": "website",
"token_count": 501
} | 1,488 |
---
title: Start building Flutter web apps on macOS
description: Configure your system to develop Flutter web apps on macOS.
short-title: Make web apps
target: web
config: macOSWeb
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/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/web.md/0 | {
"file_path": "website/src/get-started/install/macos/web.md",
"repo_id": "website",
"token_count": 257
} | 1,489 |
---
title: Measuring your app's size
description: How to measure app size for iOS and Android.
---
Many developers are concerned with the size of their compiled app.
As the APK, app bundle, or IPA version of a Flutter app is
self-contained and holds all the code and assets needed to run the app,
its size can be a concern. The larger an app,
the more space it requires on a device,
the longer it takes to download,
and it might break the limit of useful
features like Android instant apps.
## Debug builds are not representative
By default, launching your app with `flutter run`,
or by clicking the **Play** button in your IDE
(as used in [Test drive][] and
[Write your first Flutter app][]),
generates a _debug_ build of the Flutter app.
The app size of a debug build is large due to
the debugging overhead that allows for hot reload
and source-level debugging. As such, it is not representative of a production
app end users download.
## Checking the total size
A default release build, such as one created by `flutter build apk` or
`flutter build ios`, is built to conveniently assemble your upload package
to the Play Store and App Store. As such, they're also not representative of
your end-users' download size. The stores generally reprocess and split
your upload package to target the specific downloader and the downloader's
hardware, such as filtering for assets targeting the phone's DPI, filtering
native libraries targeting the phone's CPU architecture.
### Estimating total size
To get the closest approximate size on each platform, use the following
instructions.
#### Android
Follow the Google [Play Console's instructions][] for checking app download and
install sizes.
Produce an upload package for your application:
```terminal
flutter build appbundle
```
Log into your [Google Play Console][]. Upload your application binary by drag
dropping the .aab file.
View the application's download and install size in the **Android vitals** ->
**App size** tab.
{% include docs/app-figure.md image="perf/vital-size.png" alt="App size tab in Google Play Console" %}
The download size is calculated based on an XXXHDPI (~640dpi) device on an
arm64-v8a architecture. Your end users' download sizes might vary depending on
their hardware.
The top tab has a toggle for download size and install size. The page also
contains optimization tips further below.
#### iOS
Create an [Xcode App Size Report][].
First, by configuring the app version and build as described in the
[iOS create build archive instructions][].
Then:
1. Run `flutter build ipa --export-method development`.
1. Run `open build/ios/archive/*.xcarchive` to open the archive in Xcode.
1. Click **Distribute App**.
1. Select a method of distribution. **Development** is the simplest if you don't
intend to distribute the application.
1. In **App Thinning**, select 'all compatible device variants'.
1. Select **Strip Swift symbols**.
Sign and export the IPA. The exported directory contains
`App Thinning Size Report.txt` with details about your projected
application size on different devices and versions of iOS.
The App Size Report for the default demo app in Flutter 1.17 shows:
```
Variant: Runner-7433FC8E-1DF4-4299-A7E8-E00768671BEB.ipa
Supported variant descriptors: [device: iPhone12,1, os-version: 13.0] and [device: iPhone11,8, os-version: 13.0]
App + On Demand Resources size: 5.4 MB compressed, 13.7 MB uncompressed
App size: 5.4 MB compressed, 13.7 MB uncompressed
On Demand Resources size: Zero KB compressed, Zero KB uncompressed
```
In this example, the app has an approximate
download size of 5.4 MB and an approximate
installation size of 13.7 MB on an iPhone12,1 ([Model ID / Hardware
number][] for iPhone 11)
and iPhone11,8 (iPhone XR) running iOS 13.0.
To measure an iOS app exactly,
you have to upload a release IPA to Apple's
App Store Connect ([instructions][])
and obtain the size report from there.
IPAs are commonly larger than APKs as explained
in [How big is the Flutter engine?][], a
section in the Flutter [FAQ][].
## Breaking down the size
Starting in Flutter version 1.22 and DevTools version 0.9.1,
a size analysis tool is included to help developers understand the breakdown
of the release build of their application.
{{site.alert.warning}}
As stated in the [checking total size](#checking-the-total-size) section
above, an upload package is not representative of your end users' download
size. Be aware that redundant native library architectures and asset densities
seen in the breakdown tool can be filtered by the Play Store and App Store.
{{site.alert.end}}
The size analysis tool is invoked by passing the `--analyze-size` flag when
building:
- `flutter build apk --analyze-size`
- `flutter build appbundle --analyze-size`
- `flutter build ios --analyze-size`
- `flutter build linux --analyze-size`
- `flutter build macos --analyze-size`
- `flutter build windows --analyze-size`
This build is different from a standard release build in two ways.
1. The tool compiles Dart in a way that records code size usage of Dart
packages.
2. The tool displays a high level summary of the size breakdown
in the terminal, and leaves a `*-code-size-analysis_*.json` file for more
detailed analysis in DevTools.
In addition to analyzing a single build, two builds can also be diffed by
loading two `*-code-size-analysis_*.json` files into DevTools. See
[DevTools documentation][] for details.
{% include docs/app-figure.md image="perf/size-summary.png" alt="Size summary of an Android application in terminal" %}
Through the summary, you can get a quick idea of the size usage per category
(such as asset, native code, Flutter libraries, etc). The compiled Dart
native library is further broken down by package for quick analysis.
{{site.alert.warning}}
This tool on iOS creates a .app rather than an IPA. Use this tool to
evaluate the relative size of the .app's content. To get
a closer estimate of the download size, reference the
[Estimating total size](#estimating-total-size) section above.
{{site.alert.end}}
### Deeper analysis in DevTools
The `*-code-size-analysis_*.json` file produced above can be further
analyzed in deeper detail in DevTools where a tree or a treemap view can
break down the contents of the application into the individual file level and
up to function level for the Dart AOT artifact.
This can be done by `flutter pub global run devtools`, selecting
`Open app size tool` and uploading the JSON file.
{% include docs/app-figure.md image="perf/devtools-size.png" alt="Example breakdown of app in DevTools" %}
For further information on using the DevTools app size tool, see
[DevTools documentation][].
## Reducing app size
When building a release version of your app,
consider using the `--split-debug-info` tag.
This tag can dramatically reduce code size.
For an example of using this tag, see
[Obfuscating Dart code][].
Some other things you can do to make your app smaller are:
* Remove unused resources
* Minimize resource imported from libraries
* Compress PNG and JPEG files
[FAQ]: /resources/faq
[How big is the Flutter engine?]: /resources/faq#how-big-is-the-flutter-engine
[instructions]: /deployment/ios
[Xcode App Size Report]: {{site.apple-dev}}/documentation/xcode/reducing_your_app_s_size#3458589
[iOS create build archive instructions]: /deployment/ios#update-the-apps-build-and-version-numbers
[Model ID / Hardware number]: https://en.wikipedia.org/wiki/List_of_iOS_devices#Models
[Obfuscating Dart code]: /deployment/obfuscate
[Test drive]: /get-started/test-drive
[Write your first Flutter app]: /get-started/codelab
[Play Console's instructions]: https://support.google.com/googleplay/android-developer/answer/9302563?hl=en
[Google Play Console]: https://play.google.com/apps/publish/
[DevTools documentation]: /tools/devtools/app-size
| website/src/perf/app-size.md/0 | {
"file_path": "website/src/perf/app-size.md",
"repo_id": "website",
"token_count": 2131
} | 1,490 |
---
title: Add Android devtools for Flutter
description: Configure your system to develop Flutter for Android.
short-title: Add Android DevTools
target-list: [Windows, 'Web on Windows', Linux, 'Web on Linux', macOS, 'Web on macOS', iOS, Web on ChromeOS]
---
To choose the guide to add Android Studio to your Flutter configuration,
click the [Getting Started path][] you followed.
{% for target in page.target-list %}
{% capture index0Modulo2 %}{{ forloop.index0 | modulo:2 }}{% endcapture %}
{% capture indexModulo2 %}{{ forloop.index | modulo:2 }}{% endcapture %}
{% assign
targetlink='/platform-integration/android/install-android/install-android-from-'
| append: target | downcase | replace: " ", "-" %}
{% if index0Modulo2 == '0' %}
<div class="card-deck mb-8">
{% endif %}
{% if target contains 'macOS' or target contains 'iOS' %}
{% assign bug = 'card-macos' %}
{% elsif target contains 'Windows' %}
{% assign bug = 'card-windows' %}
{% elsif target contains 'Linux' %}
{% assign bug = 'card-linux' %}
{% elsif target contains 'ChromeOS' %}
{% assign bug = 'card-chromeos' %}
{% endif %}
<a class="card card-app-type {{bug}}"
id="install-{{target | downcase}}"
href="{{targetlink}}">
<div class="card-body">
<header class="card-title text-center m-0">
<span class="d-block h1">
{% assign icon = target | downcase | replace: " ", "-" -%}
{% case icon %}
{% when 'macos' -%}
<span class="material-symbols">laptop_mac</span>
{% when 'windows','linux' -%}
<span class="material-symbols">desktop_windows</span>
{% when 'ios' -%}
<span class="material-symbols">phone_iphone</span>
{% else -%}
<span class="material-symbols">web</span>
{% endcase %}
<span class="material-symbols">add</span>
<span class="material-symbols">phone_android</span>
</span>
<span class="text-muted">
Make Android and
{% if target contains "iOS" %}
{{target}} apps on macOS
{% elsif target contains "on" %}
{{ target | replace: "on", "apps on" }}
{% else %}
{{target}} desktop apps
{% endif %}
</span>
</header>
</div>
</a>
{% if indexModulo2 == '0' %}
</div>
{% endif %}
{% endfor %}
[Getting Started path]: /get-started/install
| website/src/platform-integration/android/install-android/index.md/0 | {
"file_path": "website/src/platform-integration/android/install-android/index.md",
"repo_id": "website",
"token_count": 1010
} | 1,491 |
---
title: "Binding to native iOS code using dart:ffi"
description: "To use C code in your Flutter program, use the dart:ffi library."
---
<?code-excerpt path-base="development/platform_integration"?>
Flutter mobile and desktop apps can use the
[dart:ffi][] library to call native C APIs.
_FFI_ stands for [_foreign function interface._][FFI]
Other terms for similar functionality include
_native interface_ and _language bindings._
{{site.alert.note}}
This page describes using the `dart:ffi` library
in iOS apps. For information on Android, see
[Binding to native Android code using dart:ffi][android-ffi].
For information in macOS, see
[Binding to native macOS code using dart:ffi][macos-ffi].
This feature is not yet supported for web plugins.
{{site.alert.end}}
[android-ffi]: /platform-integration/android/c-interop
[macos-ffi]: /platform-integration/macos/c-interop
[dart:ffi]: {{site.dart.api}}/dev/dart-ffi/dart-ffi-library.html
[FFI]: https://en.wikipedia.org/wiki/Foreign_function_interface
Before your library or program can use the FFI library
to bind to native code, you must ensure that the
native code is loaded and its symbols are visible to Dart.
This page focuses on compiling, packaging,
and loading iOS native code within a Flutter plugin or app.
This tutorial demonstrates how to bundle C/C++
sources in a Flutter plugin and bind to them using
the Dart FFI library on iOS.
In this walkthrough, you'll create a C function
that implements 32-bit addition and then
exposes it through a Dart plugin named "native_add".
### Dynamic vs static linking
A native library can be linked into an app either
dynamically or statically. A statically linked library
is embedded into the app's executable image,
and is loaded when the app starts.
Symbols from a statically linked library can be
loaded using `DynamicLibrary.executable` or
`DynamicLibrary.process`.
A dynamically linked library, by contrast, is distributed
in a separate file or folder within the app,
and loaded on-demand. On iOS, the dynamically linked
library is distributed as a `.framework` folder.
A dynamically linked library can be loaded into
Dart using `DynamicLibrary.open`.
API documentation is available from the Dart dev channel:
[Dart API reference documentation][].
[Dart API reference documentation]: {{site.dart.api}}/dev/
## Create an FFI plugin
To create an FFI plugin called "native_add",
do the following:
```terminal
$ flutter create --platforms=android,ios,macos,windows,linux --template=plugin_ffi native_add
$ cd native_add
```
{{site.alert.note}}
You can exclude platforms from `--platforms` that you don't want
to build to. However, you need to include the platform of
the device you are testing on.
{{site.alert.end}}
This will create a plugin with C/C++ sources in `native_add/src`.
These sources are built by the native build files in the various
os build folders.
The FFI library can only bind against C symbols,
so in C++ these symbols are marked `extern "C"`.
You should also add attributes to indicate that the
symbols are referenced from Dart,
to prevent the linker from discarding the symbols
during link-time optimization.
`__attribute__((visibility("default"))) __attribute__((used))`.
On iOS, the `native_add/ios/native_add.podspec` links the code.
The native code is invoked from dart in `lib/native_add_bindings_generated.dart`.
The bindings are generated with [package:ffigen]({{site.pub-pkg}}/ffigen).
## Other use cases
### iOS and macOS
Dynamically linked libraries are automatically loaded by
the dynamic linker when the app starts. Their constituent
symbols can be resolved using [`DynamicLibrary.process`][].
You can also get a handle to the library with
[`DynamicLibrary.open`][] to restrict the scope of
symbol resolution, but it's unclear how Apple's
review process handles this.
Symbols statically linked into the application binary
can be resolved using [`DynamicLibrary.executable`][] or
[`DynamicLibrary.process`][].
[`DynamicLibrary.executable`]: {{site.dart.api}}/dev/dart-ffi/DynamicLibrary/DynamicLibrary.executable.html
[`DynamicLibrary.open`]: {{site.dart.api}}/dev/dart-ffi/DynamicLibrary/DynamicLibrary.open.html
[`DynamicLibrary.process`]: {{site.dart.api}}/dev/dart-ffi/DynamicLibrary/DynamicLibrary.process.html
#### Platform library
To link against a platform library,
use the following instructions:
1. In Xcode, open `Runner.xcworkspace`.
1. Select the target platform.
1. Click **+** in the **Linked Frameworks and Libraries**
section.
1. Select the system library to link against.
#### First-party library
A first-party native library can be included either
as source or as a (signed) `.framework` file.
It's probably possible to include statically linked
archives as well, but it requires testing.
#### Source code
To link directly to source code,
use the following instructions:
1. In Xcode, open `Runner.xcworkspace`.
2. Add the C/C++/Objective-C/Swift
source files to the Xcode project.
3. Add the following prefix to the
exported symbol declarations to ensure they
are visible to Dart:
**C/C++/Objective-C**
```objective-c
extern "C" /* <= C++ only */ __attribute__((visibility("default"))) __attribute__((used))
```
**Swift**
```swift
@_cdecl("myFunctionName")
```
#### Compiled (dynamic) library
To link to a compiled dynamic library,
use the following instructions:
1. If a properly signed `Framework` file is present,
open `Runner.xcworkspace`.
1. Add the framework file to the **Embedded Binaries**
section.
1. Also add it to the **Linked Frameworks & Libraries**
section of the target in Xcode.
#### Open-source third-party library
To create a Flutter plugin that includes both
C/C++/Objective-C _and_ Dart code,
use the following instructions:
1. In your plugin project,
open `ios/<myproject>.podspec`.
1. Add the native code to the `source_files`
field.
The native code is then statically linked into
the application binary of any app that uses
this plugin.
#### Closed-source third-party library
To create a Flutter plugin that includes Dart
source code, but distribute the C/C++ library
in binary form, use the following instructions:
1. In your plugin project,
open `ios/<myproject>.podspec`.
1. Add a `vendored_frameworks` field.
See the [CocoaPods example][].
{{site.alert.warning}}
**Do not** upload this plugin
(or any plugin containing binary code) to pub.dev.
Instead, this plugin should be downloaded
from a trusted third-party,
as shown in the CocoaPods example.
{{site.alert.end}}
[CocoaPods example]: {{site.github}}/CocoaPods/CocoaPods/blob/master/examples/Vendored%20Framework%20Example/Example%20Pods/VendoredFrameworkExample.podspec
## Stripping iOS symbols
When creating a release archive (IPA),
the symbols are stripped by Xcode.
1. In Xcode, go to **Target Runner > Build Settings > Strip Style**.
2. Change from **All Symbols** to **Non-Global Symbols**.
{% include docs/resource-links/ffi-video-resources.md %} | website/src/platform-integration/ios/c-interop.md/0 | {
"file_path": "website/src/platform-integration/ios/c-interop.md",
"repo_id": "website",
"token_count": 2052
} | 1,492 |
---
title: Building macOS apps with Flutter
description: Platform-specific considerations for building for macOS with Flutter.
toc: true
short-title: macOS development
---
This page discusses considerations unique to building
macOS apps with Flutter, including shell integration
and distribution of macOS apps through the Apple Store.
## Integrating with macOS look and feel
While you can use any visual style or theme you choose
to build a macOS app, you might want to adapt your app
to more fully align with the macOS look and feel.
Flutter includes the [Cupertino] widget set,
which provides a set of widgets for
the current iOS design language.
Many of these widgets, including sliders,
switches and segmented controls,
are also appropriate for use on macOS.
Alternatively, you might find the [macos_ui][]
package a good fit for your needs.
This package provides widgets and themes that
implement the macOS design language,
including a `MacosWindow` frame and scaffold,
toolbars, pulldown and
pop-up buttons, and modal dialogs.
[Cupertino]: /ui/widgets/cupertino
[macos_ui]: {{site.pub}}/packages/macos_ui
## Building macOS apps
To distribute your macOS application, you can either
[distribute it through the macOS App Store][],
or you can distribute the `.app` itself,
perhaps from your own website.
As of macOS 10.14.5, you need to notarize
your macOS application before distributing
it outside of the macOS App Store.
The first step in both of the above processes
involves working with your application inside of Xcode.
To be able to compile your application from inside of
Xcode you first need to build the application for release
using the `flutter build` command, then open the
Flutter macOS Runner application.
```bash
flutter build macos
open macos/Runner.xcworkspace
```
Once inside of Xcode, follow either Apple's
[documentation on notarizing macOS Applications][], or
[on distributing an application through the App Store][].
You should also read through the
[macOS-specific support](#entitlements-and-the-app-sandbox)
section below to understand how entitlements,
the App Sandbox, and the Hardened Runtime
impact your distributable application.
[Build and release a macOS app][] provides a more detailed
step-by-step walkthrough of releasing a Flutter app to the
App Store.
[distribute it through the macOS App Store]: {{site.apple-dev}}/macos/submit/
[documentation on notarizing macOS Applications]:{{site.apple-dev}}/documentation/xcode/notarizing_macos_software_before_distribution
[on distributing an application through the App Store]: https://help.apple.com/xcode/mac/current/#/dev067853c94
[Build and release a macOS app]: /deployment/macos
## Entitlements and the App Sandbox
macOS builds are configured by default to be signed,
and sandboxed with App Sandbox.
This means that if you want to confer specific
capabilities or services on your macOS app,
such as the following:
* Accessing the internet
* Capturing movies and images from the built-in camera
* Accessing files
Then you must set up specific _entitlements_ in Xcode.
The following section tells you how to do this.
### Setting up entitlements
Managing sandbox settings is done in the
`macos/Runner/*.entitlements` files. When editing
these files, you shouldn't remove the original
`Runner-DebugProfile.entitlements` exceptions
(that support incoming network connections and JIT),
as they're necessary for the `debug` and `profile`
modes to function correctly.
If you're used to managing entitlement files through
the **Xcode capabilities UI**, be aware that the capabilities
editor updates only one of the two files or,
in some cases, it creates a whole new entitlements
file and switches the project to use it for all configurations.
Either scenario causes issues. We recommend that you
edit the files directly. Unless you have a very specific
reason, you should always make identical changes to both files.
If you keep the App Sandbox enabled (which is required if you
plan to distribute your application in the [App Store][]),
you need to manage entitlements for your application
when you add certain plugins or other native functionality.
For instance, using the [`file_chooser`][] plugin
requires adding either the
`com.apple.security.files.user-selected.read-only` or
`com.apple.security.files.user-selected.read-write` entitlement.
Another common entitlement is
`com.apple.security.network.client`,
which you must add if you make any network requests.
Without the `com.apple.security.network.client` entitlement,
for example, network requests fail with a message such as:
```terminal
flutter: SocketException: Connection failed
(OS Error: Operation not permitted, errno = 1),
address = example.com, port = 443
```
{{site.alert.secondary}}
**Important:** The `com.apple.security.network.server`
entitlement, which allows incoming network connections,
is enabled by default only for `debug` and `profile`
builds to enable communications between Flutter tools
and a running app. If you need to allow incoming
network requests in your application,
you must add the `com.apple.security.network.server`
entitlement to `Runner-Release.entitlements` as well,
otherwise your application will work correctly for debug or
profile testing, but will fail with release builds.
{{site.alert.end}}
For more information on these topics,
see [App Sandbox][] and [Entitlements][]
on the Apple Developer site.
[App Sandbox]: {{site.apple-dev}}/documentation/security/app_sandbox
[App Store]: {{site.apple-dev}}/app-store/submissions/
[Entitlements]: {{site.apple-dev}}/documentation/bundleresources/entitlements
[`file_chooser`]: {{site.github}}/google/flutter-desktop-embedding/tree/master/plugins/file_chooser
## Hardened Runtime
If you choose to distribute your application outside
of the App Store, you need to notarize your application
for compatibility with macOS 10.15+.
This requires enabling the Hardened Runtime option.
Once you have enabled it, you need a valid signing
certificate in order to build.
By default, the entitlements file allows JIT for
debug builds but, as with App Sandbox, you might
need to manage other entitlements.
If you have both App Sandbox and Hardened
Runtime enabled, you might need to add multiple
entitlements for the same resource.
For instance, microphone access would require both
`com.apple.security.device.audio-input` (for Hardened Runtime)
and `com.apple.security.device.microphone` (for App Sandbox).
For more information on this topic,
see [Hardened Runtime][] on the Apple Developer site.
[Hardened Runtime]: {{site.apple-dev}}/documentation/security/hardened_runtime
| website/src/platform-integration/macos/building.md/0 | {
"file_path": "website/src/platform-integration/macos/building.md",
"repo_id": "website",
"token_count": 1706
} | 1,493 |
---
title: Add Web devtools to Flutter from Android on macOS start
description: Configure your system to develop Flutter web apps on macOS.
short-title: Starting from Android on macOS
---
To add Web as a Flutter app target for macOS with Android,
follow this procedure.
## Configure Chrome as the web DevTools tools
{% include docs/install/reqs/add-web.md devos='macOS' %}
{% include docs/install/flutter-doctor.md
target='Web'
devos='macOS'
config='macOSDesktopAndroidWeb' %}
| website/src/platform-integration/web/install-web/install-web-from-android-on-macos.md/0 | {
"file_path": "website/src/platform-integration/web/install-web/install-web-from-android-on-macos.md",
"repo_id": "website",
"token_count": 147
} | 1,494 |
---
title: "flutter: The Flutter command-line tool"
description: "The reference page for using 'flutter' in a terminal window."
---
The `flutter` command-line tool is how developers (or IDEs on behalf of
developers) interact with Flutter. For Dart related commands,
you can use the [`dart`][] command-line tool.
Here's how you might use the `flutter` tool to create, analyze, test, and run an
app:
```terminal
$ flutter create my_app
$ cd my_app
$ flutter analyze
$ flutter test
$ flutter run lib/main.dart
```
To run [`pub`][`dart pub`] commands using the `flutter` tool:
```terminal
$ flutter pub get
$ flutter pub outdated
$ flutter pub upgrade
```
To view all commands that `flutter` supports:
```terminal
$ flutter --help --verbose
```
To get the current version of the Flutter SDK, including its framework, engine,
and tools:
```terminal
$ flutter --version
```
## `flutter` commands
The following table shows which commands you can use with the `flutter` tool:
|---------+--------------------------------+-----------------------------------|
| Command | Example of use | More information |
|---------|--------------------------------|-----------------------------------|
| analyze | `flutter analyze -d <DEVICE_ID>` | Analyzes the project's Dart source code.<br>Use instead of [`dart analyze`][]. |
| assemble | `flutter assemble -o <DIRECTORY>` | Assemble and build flutter resources. |
| attach | `flutter attach -d <DEVICE_ID>` | Attach to a running application. |
| bash-completion | `flutter bash-completion` | Output command line shell completion setup scripts. |
| build | `flutter build <DIRECTORY>` | Flutter build commands. |
| channel | `flutter channel <CHANNEL_NAME>` | List or switch flutter channels. |
| clean | `flutter clean` | Delete the `build/` and `.dart_tool/` directories. |
| config | `flutter config --build-dir=<DIRECTORY>` | Configure Flutter settings. To remove a setting, configure it to an empty string. |
| create | `flutter create <DIRECTORY>` | Creates a new project. |
| custom-devices | `flutter custom-devices list` | Add, delete, list, and reset custom devices. |
| devices | `flutter devices -d <DEVICE_ID>` | List all connected devices. |
| doctor | `flutter doctor` | Show information about the installed tooling. |
| downgrade | `flutter downgrade` | Downgrade Flutter to the last active version for the current channel. |
| drive | `flutter drive` | Runs Flutter Driver tests for the current project. |
| emulators | `flutter emulators` | List, launch and create emulators. |
| gen-l10n | `flutter gen-l10n <DIRECTORY>` | Generate localizations for the Flutter project. |
| install | `flutter install -d <DEVICE_ID>` | Install a Flutter app on an attached device. |
| logs | `flutter logs` | Show log output for running Flutter apps. |
| precache | `flutter precache <ARGUMENTS>` | Populates the Flutter tool's cache of binary artifacts. |
| pub | `flutter pub <PUB_COMMAND>` | Works with packages.<br>Use instead of [`dart pub`][]. |
| run | `flutter run <DART_FILE>` | Runs a Flutter program. |
| screenshot | `flutter screenshot` | Take a screenshot of a Flutter app from a connected device. |
| symbolize | `flutter symbolize --input=<STACK_TRACK_FILE>` | Symbolize a stack trace from the AOT compiled flutter application. |
| test | `flutter test [<DIRECTORY|DART_FILE>]` | Runs tests in this package.<br>Use instead of [`dart test`][`dart test`]. |
| upgrade | `flutter upgrade` | Upgrade your copy of Flutter. |
{:.table .table-striped .nowrap}
For additional help on any of the commands, enter `flutter help <command>`
or follow the links in the **More information** column.
You can also get details on `pub` commands — for example,
`flutter help pub outdated`.
[`dart`]: {{site.dart-site}}/tools/dart-tool
[`dart analyze`]: {{site.dart-site}}/tools/dart-analyze
[`dart format`]: {{site.dart-site}}/tools/dart-format
[`dart pub`]: {{site.dart-site}}/tools/dart-pub
[`dart test`]: {{site.dart-site}}/tools/dart-test
| website/src/reference/flutter-cli.md/0 | {
"file_path": "website/src/reference/flutter-cli.md",
"repo_id": "website",
"token_count": 1282
} | 1,495 |
---
title: Deprecated API removed after v3.3
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.3 stable release have been removed.
All affected APIs have been compiled into this
primary source to aid in migration. A
[quick reference sheet][] is available as well.
[Deprecation Policy]: {{site.repo.flutter}}/wiki/Tree-hygiene#deprecation
[quick reference sheet]: /go/deprecations-removed-after-3-3
## Changes
This section lists the deprecations, listed by the affected class.
### `RenderUnconstrainedBox`
Supported by Flutter Fix: no
`RenderUnconstrainedBox` was deprecated in v2.1.
Use `RenderConstraintsTransformBox` instead.
Where unconstrained in both axes, provide `ConstraintsTransformBox.unconstrained`
to `constraintsTransform`.
If `RenderUnconstrainedBox.constrainedAxis` was previously set,
replace respectively:
- Where `constrainedAxis` was previously `Axis.horizontal`, set
`constraintsTransform` to `ConstraintsTransformBox.widthUnconstrained`.
- Where `constrainedAxis` was previously `Axis.vertical`, set
`constraintsTransform` to `ConstraintsTransformBox.heightUnconstrained`.
This change allowed for the introduction of several more types of constraint
transformations through `ConstraintsTransformBox`. Other parameters of the old
API are compatible with the new API.
**Migration guide**
Code before migration:
```dart
// Unconstrained
final RenderUnconstrainedBox unconstrained = RenderUnconstrainedBox(
textDirection: TextDirection.ltr,
child: RenderConstrainedBox(
additionalConstraints: const BoxConstraints.tightFor(height: 200.0),
),
alignment: Alignment.center,
);
// Constrained in horizontal axis
final RenderUnconstrainedBox unconstrained = RenderUnconstrainedBox(
constrainedAxis: Axis.horizontal,
textDirection: TextDirection.ltr,
child: RenderConstrainedBox(
additionalConstraints: const BoxConstraints.tightFor(width: 200.0, height: 200.0),
),
alignment: Alignment.center,
);
// Constrained in vertical axis
final RenderUnconstrainedBox unconstrained = RenderUnconstrainedBox(
constrainedAxis: Axis.vertical,
textDirection: TextDirection.ltr,
child: RenderFlex(
direction: Axis.vertical,
textDirection: TextDirection.ltr,
children: <RenderBox>[flexible],
),
alignment: Alignment.center,
);
```
Code after migration:
```dart
// Unconstrained
final RenderConstraintsTransformBox unconstrained = RenderConstraintsTransformBox(
constraintsTransform: ConstraintsTransformBox.unconstrained,
textDirection: TextDirection.ltr,
child: RenderConstrainedBox(
additionalConstraints: const BoxConstraints.tightFor(height: 200.0),
),
alignment: Alignment.center,
);
// Constrained in horizontal axis
final RenderConstraintsTransformBox unconstrained = RenderConstraintsTransformBox(
constraintsTransform: ConstraintsTransformBox.widthUnconstrained,
textDirection: TextDirection.ltr,
child: RenderConstrainedBox(
additionalConstraints: const BoxConstraints.tightFor(width: 200.0, height: 200.0),
),
alignment: Alignment.center,
);
// Constrained in vertical axis
final RenderConstraintsTransformBox unconstrained = RenderConstraintsTransformBox(
constraintsTransform: ConstraintsTransformBox.widthUnconstrained,
textDirection: TextDirection.ltr,
child: RenderFlex(
direction: Axis.vertical,
textDirection: TextDirection.ltr,
children: <RenderBox>[flexible],
),
alignment: Alignment.center,
);
```
**References**
API documentation:
* [`RenderConstraintsTransformBox`][]
* [`ConstraintsTransformBox`][]
Relevant PRs:
* Deprecated in [#78673][]
* Removed in [#111711][]
[`RenderConstraintsTransformBox`]: {{site.api}}/flutter/rendering/RenderConstraintsTransformBox-class.html
[`ConstraintsTransformBox`]: {{site.api}}/flutter/widgets/ConstraintsTransformBox-class.html
[#78673]: {{site.repo.flutter}}/pull/78673
[#111711]: {{site.repo.flutter}}/pull/111711
---
### `DragAnchor`, `Draggable.dragAnchor` & `LongPressDraggable.dragAnchor`
Supported by Flutter Fix: yes
The enum `DragAnchor`, and its uses in `Draggable.dragAnchor` &
`LongPressDraggable.dragAnchor` were deprecated in v2.1.
Use `dragAnchorStrategy` instead.
This change allowed for more accurate feedback of the draggable widget when used
in conjunction with other widgets like `Stack` and `InteractiveViewer`.
**Migration guide**
Code before migration:
```dart
Draggable draggable = Draggable();
draggable = Draggable(dragAnchor: DragAnchor.child);
draggable = Draggable(dragAnchor: DragAnchor.pointer);
LongPressDraggable longPressDraggable = LongPressDraggable();
longPressDraggable = LongPressDraggable(dragAnchor: DragAnchor.child);
longPressDraggable = LongPressDraggable(dragAnchor: DragAnchor.pointer);
```
Code after migration:
```dart
Draggable draggable = Draggable();
draggable = Draggable(dragAnchorStrategy: childDragAnchorStrategy);
draggable = Draggable(dragAnchorStrategy: pointerDragAnchorStrategy);
LongPressDraggable longPressDraggable = LongPressDraggable();
longPressDraggable = LongPressDraggable(dragAnchorStrategy: childDragAnchorStrategy);
longPressDraggable = LongPressDraggable(dragAnchorStrategy: pointerDragAnchorStrategy);
```
**References**
API documentation:
* [`Draggable`][]
* [`LongPressDraggable`][]
* [`DragAnchorStrategy`][]
Relevant issues:
* [#73143][]
Relevant PRs:
* Deprecated in [#79160][]
* Removed in [#111713][]
[`Draggable`]: {{site.api}}/flutter/widgets/Draggable-class.html
[`LongPressDraggable`]: {{site.api}}/flutter/widgets/LongPressDraggable-class.html
[`DragAnchorStrategy`]: {{site.api}}/flutter/widgets/DragAnchorStrategy.html
[#73143]: {{site.repo.flutter}}/pull/73143
[#79160]: {{site.repo.flutter}}/pull/79160
[#111713]: {{site.repo.flutter}}/pull/111713
---
### `ScrollBehavior.buildViewportChrome`
Supported by Flutter Fix: yes
The method `ScrollBehavior.buildViewportChrome` was deprecated in v2.1.
This method was used by the `Scrollable` widget to apply an overscroll
indicator, like `GlowingOverscrollIndicator`, by default on the appropriate
platforms. As more default decorators have been added, like `Scrollbar`s, each
has instead been split into individual methods to replace `buildViewportChrome`.
This allows extending classes to only override the specific decorator, through
`buildScrollbar` or `buildOverscrollIndicator`, rather than needing to rewrite
code in order to maintain one or the other.
**Migration guide**
[In-depth migration guide available][]
Code before migration:
```dart
final ScrollBehavior scrollBehavior = ScrollBehavior();
scrollBehavior.buildViewportChrome(context, child, axisDirection);
```
Code after migration:
```dart
final ScrollBehavior scrollBehavior = ScrollBehavior();
scrollBehavior.buildOverscrollIndicator(context, child, axisDirection);
```
**References**
Design document:
* [Exposing & Updating ScrollBehaviors][]
API documentation:
* [`ScrollBehavior`][]
Relevant issues:
* [Scrollbars should be always visible and instantiated by default on web and desktop][]
Relevant PRs:
* [#76739][]
* Deprecated in [#78588][]
* Removed in [#111715][]
[In-depth migration guide available]: /release/breaking-changes/default-desktop-scrollbars
[Exposing & Updating ScrollBehaviors]: /go/exposing-scroll-behaviors
[`ScrollBehavior`]: {{site.api}}/flutter/widgets/ScrollBehavior-class.html
[Scrollbars should be always visible and instantiated by default on web and desktop]: {{site.repo.flutter}}/issues/40107
[#76739]: {{site.repo.flutter}}/pull/76739
[#78588]: {{site.repo.flutter}}/pull/78588
[#111715]: {{site.repo.flutter}}/pull/111715
---
## Timeline
In stable release: 3.7
| website/src/release/breaking-changes/3-3-deprecations.md/0 | {
"file_path": "website/src/release/breaking-changes/3-3-deprecations.md",
"repo_id": "website",
"token_count": 2520
} | 1,496 |
---
title: At least one clipboard data variant must be provided
description: >
In preparation for supporting multiple clipboard data variants,
at least one clipboard data variant must be provided.
---
## Summary
The [`ClipboardData constructor`][]'s `text` argument is no longer nullable.
Code that provides `null` to the `text` argument must be migrated to provide
an empty string `''`.
## Context
In preparation for supporting multiple clipboard data variants, the
`ClipboardData` constructor now requires that at least one data variant is
provided.
Previously, platforms were inconsistent in how they handled `null`.
The behavior is now consistent across platforms. If you are interested
in the low-level details, see [PR 122446][].
## Description of change
The [`ClipboardData constructor`][]'s `text` argument is no longer nullable.
## Migration guide
To reset the text clipboard, use an empty string `''` instead of `null`.
Code before migration:
```dart
void resetClipboard() {
Clipboard.setData(ClipboardData(text: null));
}
```
Code after migration:
```dart
void resetClipboard() {
Clipboard.setData(ClipboardData(text: ''));
}
```
## Timeline
Landed in version: 3.10.0-9.0.pre<br>
In stable release: 3.10.0
## References
API documentation:
* [`Clipboard.setData`][]
* [`ClipboardData constructor`][]
Relevant PRs:
* [Assert at least one clipboard data variant is provided][]
[`ClipboardData constructor`]: {{site.api}}/flutter/services/ClipboardData/ClipboardData.html
[`Clipboard.setData`]: {{site.api}}/flutter/services/Clipboard/setData.html
[PR 122446]: {{site.repo.flutter}}/pull/122446
[Assert at least one clipboard data variant is provided]: {{site.repo.flutter}}/pull/122446
| website/src/release/breaking-changes/clipboard-data-required.md/0 | {
"file_path": "website/src/release/breaking-changes/clipboard-data-required.md",
"repo_id": "website",
"token_count": 520
} | 1,497 |
---
title: Migrating from flutter_driver
description: >
Learn how to migrate existing flutter_driver tests to integration_test.
---
<?code-excerpt path-base="integration_test_migration/"?>
This page describes how to migrate an existing project using
`flutter_driver` to the `integration_test` package,
in order to run integration tests.
Tests with `integration_test` use the same methods that are
used in [widget testing][].
For an introduction to the `integration_test` package,
check out the [Integration testing][] guide.
## Starter example project
The project in this guide is a small example desktop application with this
functionality:
* On the left, there's a list of plants that the user can scroll,
tap and select.
* On the right, there's a details screen that displays the plant name
and species.
* On app start, when no plant is selected, a text asking the user to select
a plant is displayed
* The list of plants is loaded from a local JSON file located in the
assets folder.
<img src='/assets/images/docs/integration-test/migration-1.png'
class="mw-100"
alt="Starter project screenshot">
You can find the full code example in the [Example Project][] folder.
## Existing tests
The project contains the three `flutter_driver` tests
performing the following checks:
* Verifying the initial status of the app.
* Selecting the first item on the list of plants.
* Scrolling and selecting the last item on the list of plants.
The tests are contained in the `test_driver` folder,
inside the `main_test.dart` file.
In this folder there's also a file named `main.dart`,
which contains a call to the method `enableFlutterDriverExtension()`.
This file won't be necessary anymore when using `integration_test`.
## Setup
To start using the `integration_test` package,
add the `integration_test` to
your pubspec.yaml file if you haven't yet:
```yaml
dev_dependencies:
integration_test:
sdk: flutter
```
Next, in your project, create a new directory
`integration_test/`, create your tests files there
with the format: `<name>_test.dart`.
## Test migration
This section contains different examples on how to migrate existing
`flutter_driver` tests to `integration_test` tests.
### Example: Verifying a widget is displayed
When the app starts the screen on the right displays
a text asking the user to select one of the plants on the list.
This test verifies that the text is displayed.
**flutter_driver**
In `flutter_driver`, the test uses `waitFor`,
which waits until the `finder` can locate the widget.
The test fail if the widget can't be found.
<?code-excerpt "test_driver/main_test.dart (Test1)"?>
```dart
test('do not select any item, verify please select text is displayed',
() async {
// Wait for 'please select' text is displayed
await driver.waitFor(find.text('Please select a plant from the list.'));
});
```
**integration_test**
In `integration_test` you have to perform two steps:
1. First load the main app widget using
the `tester.pumpWidget` method.
2. Then, use `expect` with the matcher `findsOneWidget` to verify
that the widget is displayed.
<?code-excerpt "integration_test/main_test.dart (Test1)"?>
```dart
testWidgets('do not select any item, verify please select text is displayed',
(tester) async {
// load the PlantsApp widget
await tester.pumpWidget(const PlantsApp());
// wait for data to load
await tester.pumpAndSettle();
// Find widget with 'please select'
final finder = find.text('Please select a plant from the list.');
// Check if widget is displayed
expect(finder, findsOneWidget);
});
```
### Example: Tap actions
This test performs a tap action on the first item on the list,
which is a `ListTile` with the text "Alder".
After the tap, the test waits for the details to appear.
In this case, it waits for the widget with the text "Alnus" to
be displayed.
Also , the test verifies that the text
"Please select a plant from the list."
is no longer displayed.
**flutter_driver**
In `flutter_driver`, use the `driver.tap` method to perform
a tap over a widget using a finder.
To verify that a widget is not displayed,
use the `waitForAbsent` method.
<?code-excerpt "test_driver/main_test.dart (Test2)"?>
```dart
test('tap on the first item (Alder), verify selected', () async {
// find the item by text
final item = find.text('Alder');
// Wait for the list item to appear.
await driver.waitFor(item);
// Emulate a tap on the tile item.
await driver.tap(item);
// Wait for species name to be displayed
await driver.waitFor(find.text('Alnus'));
// 'please select' text should not be displayed
await driver
.waitForAbsent(find.text('Please select a plant from the list.'));
});
```
**integration_test**
In `integration_test`, use `tester.tap` to perform the tap actions.
After the tap action, you must call to `tester.pumpAndSettle` to wait
until the action has finished, and all the UI changes have happened.
To verify that a widget is not displayed, use the same `expect`
function with the `findsNothing` matcher.
<?code-excerpt "integration_test/main_test.dart (Test2)"?>
```dart
testWidgets('tap on the first item (Alder), verify selected', (tester) async {
await tester.pumpWidget(const PlantsApp());
// wait for data to load
await tester.pumpAndSettle();
// find the item by text
final item = find.text('Alder');
// assert item is found
expect(item, findsOneWidget);
// Emulate a tap on the tile item.
await tester.tap(item);
await tester.pumpAndSettle();
// Species name should be displayed
expect(find.text('Alnus'), findsOneWidget);
// 'please select' text should not be displayed
expect(find.text('Please select a plant from the list.'), findsNothing);
});
```
### Example: Scrolling
This test is similar to the previous test,
but it scrolls down and taps the last item instead.
**flutter_driver**
To scroll down with `flutter_driver`,
use the `driver.scroll` method.
You must provide the widget to perform the scrolling action,
as well as a duration for the scroll.
You also have to provide the total offset for the scrolling action.
<?code-excerpt "test_driver/main_test.dart (Test3)"?>
```dart
test('scroll, tap on the last item (Zedoary), verify selected', () async {
// find the list of plants, by Key
final listFinder = find.byValueKey('listOfPlants');
// Scroll to the last position of the list
// a -100,000 pixels is enough to reach the bottom of the list
await driver.scroll(
listFinder,
0,
-100000,
const Duration(milliseconds: 500),
);
// find the item by text
final item = find.text('Zedoary');
// Wait for the list item to appear.
await driver.waitFor(item);
// Emulate a tap on the tile item.
await driver.tap(item);
// Wait for species name to be displayed
await driver.waitFor(find.text('Curcuma zedoaria'));
// 'please select' text should not be displayed
await driver
.waitForAbsent(find.text('Please select a plant from the list.'));
});
```
**integration_test**
With `integration_test`, can use the method `tester.scrollUntilVisible`.
Instead of providing the widget to scroll,
provide the item that you're searching for.
In this case, you're searching for the
item with the text "Zedoary",
which is the last item on the list.
The method searches for any `Scrollable` widget
and performs the scrolling action using the given offset.
The action repeats until the item is visible.
<?code-excerpt "integration_test/main_test.dart (Test3)"?>
```dart
testWidgets('scroll, tap on the last item (Zedoary), verify selected',
(tester) async {
await tester.pumpWidget(const PlantsApp());
// wait for data to load
await tester.pumpAndSettle();
// find the item by text
final item = find.text('Zedoary');
// finds Scrollable widget and scrolls until item is visible
// a 100,000 pixels is enough to reach the bottom of the list
await tester.scrollUntilVisible(
item,
100000,
);
// assert item is found
expect(item, findsOneWidget);
// Emulate a tap on the tile item.
await tester.tap(item);
await tester.pumpAndSettle();
// Wait for species name to be displayed
expect(find.text('Curcuma zedoaria'), findsOneWidget);
// 'please select' text should not be displayed
expect(find.text('Please select a plant from the list.'), findsNothing);
});
```
[Integration testing]: /testing/integration-tests
[widget testing]: /testing/overview#widget-tests
[Example Project]: {{site.repo.this}}/tree/{{site.branch}}/examples/integration_test_migration
| website/src/release/breaking-changes/flutter-driver-migration.md/0 | {
"file_path": "website/src/release/breaking-changes/flutter-driver-migration.md",
"repo_id": "website",
"token_count": 2557
} | 1,498 |
---
title: Required Kotlin version
description: >
Flutter apps built for the Android platform
require Kotlin 1.5.31 or greater.
---
## Summary
To build a Flutter app for Android, Kotlin 1.5.31 or greater is required.
If your app uses a lower version,
you will receive the following error message:
```nocode
┌─ Flutter Fix ────────────────────────────────────────────────────────────┐
│ │
│ [!] Your project requires a newer version of the Kotlin Gradle plugin. │
│ Find the latest version on │
│ https://kotlinlang.org/docs/gradle.html#plugin-and-versions, then update │
│ <path-to-app>/android/build.gradle: │
│ ext.kotlin_version = '<latest-version>' │
│ │
└──────────────────────────────────────────────────────────────────────────┘
```
## Context
Flutter added support for [foldable devices][1] on Android.
This required adding an AndroidX dependency to the Flutter embedding that
requires apps to use Kotlin 1.5.31 or greater.
## Description of change
A Flutter app compiled for Android now includes the Gradle dependency
`androidx.window:window-java`.
## Migration guide
Open `<app-src>/android/build.gradle`, and change `ext.kotlin_version`:
```diff
buildscript {
- ext.kotlin_version = '1.3.50'
+ ext.kotlin_version = '1.5.31'
```
## Timeline
Landed in version: v2.9.0 beta<br>
In stable release: 2.10
## References
Relevant PR:
* [PR 29585: Display Features support][]
[PR 29585: Display Features support]: {{site.repo.engine}}/pull/29585
[1]: {{site.android-dev}}/guide/topics/large-screens/learn-about-foldables
| website/src/release/breaking-changes/kotlin-version.md/0 | {
"file_path": "website/src/release/breaking-changes/kotlin-version.md",
"repo_id": "website",
"token_count": 775
} | 1,499 |
---
title: Page transitions replaced by ZoomPageTransitionsBuilder
description: Using the latest page transition instead of the old one.
---
## Summary
In order to ensure that libraries follow the latest OEM behavior,
the default page transition builders now use
`ZoomPageTransitionsBuilder` on all platforms (excluding iOS and macOS)
instead of `FadeUpwardsPageTransitionsBuilder`.
## Context
The `FadeUpwardsPageTransitionsBuilder` (provided with the first
Flutter release), defined a page transition that's
similar to the one provided by Android O. This page transitions builder
will eventually be deprecated on Android, as per Flutter's
[deprecation policy](/release/compatibility-policy#deprecation-policy).
`ZoomPageTransitionsBuilder`, the new page transition builder for
Android, Linux, and Windows, defines a page transition that's similar to
the one provided by Android Q and R.
According to the [Style guide for Flutter repo][],
the framework will follow the latest OEM behavior.
Page transition builders using `FadeUpwardsPageTransitionsBuilder`
are all switched to the `ZoomPageTransitionsBuilder`.
When the current `TargetPlatform` doesn't have
`PageTransitionsBuilder` defined in the `ThemeData.pageTransitionsTheme`,
`ZoomPageTransitionsBuilder` is used as the default.
[Style guide for Flutter repo]: {{site.repo.flutter}}/wiki/Style-guide-for-Flutter-repo
## Description of change
`PageTransitionsBuilder`s defined in
`PageTransitionsTheme._defaultBuilders` have changed from
`FadeUpwardsPageTransitionsBuilder` to
`ZoomPageTransitionsBuilder` for `TargetPlatform.android`,
`TargetPlatform.linux` and `TargetPlatform.windows`.
## Migration guide
If you want to switch back to the previous page transition builder
(`FadeUpwardsPageTransitionsBuilder`), you should define builders
explicitly for the target platforms.
Code before migration:
```dart
MaterialApp(
theme: ThemeData(colorScheme: ColorScheme.fromSeed(seedColor: Colors.deepPurple)),
)
```
Code after migration:
```dart
MaterialApp(
theme: ThemeData(
pageTransitionsTheme: const PageTransitionsTheme(
builders: <TargetPlatform, PageTransitionsBuilder>{
TargetPlatform.android: FadeUpwardsPageTransitionsBuilder(), // Apply this to every platforms you need.
},
),
),
)
```
If you want to apply the same page transition builder to all platforms:
```dart
MaterialApp(
theme: ThemeData(
pageTransitionsTheme: PageTransitionsTheme(
builders: Map<TargetPlatform, PageTransitionsBuilder>.fromIterable(
TargetPlatform.values,
value: (dynamic _) => const FadeUpwardsPageTransitionsBuilder(),
),
),
),
)
```
### Tests migration
If you used to try to find widgets but failed with *Too many elements*
using the new transition, and saw errors similar to the following:
```nocode
══╡ EXCEPTION CAUGHT BY FLUTTER TEST FRAMEWORK ╞════════════════════════════════════════════════════
The following StateError was thrown running a test:
Bad state: Too many elements
When the exception was thrown, this was the stack:
#0 Iterable.single (dart:core/iterable.dart:656:24)
#1 WidgetController.widget (package:flutter_test/src/controller.dart:69:30)
#2 main.<anonymous closure> (file:///path/to/your/test.dart:1:2)
```
You should migrate your tests by using the
`descendant` scope for `Finder`s with the specific widget type.
Below is the example of `DataTable`'s test:
Test before migration:
```dart
final Finder finder = find.widgetWithIcon(Transform, Icons.arrow_upward);
```
Test after migration:
```dart
final Finder finder = find.descendant(
of: find.byType(DataTable),
matching: find.widgetWithIcon(Transform, Icons.arrow_upward),
);
```
Widgets that typically need to migrate the finder scope are:
`Transform`, `FadeTransition`, `ScaleTransition`, and `ColoredBox`.
## Timeline
Landed in version: v2.13.0-1.0.pre<br>
In stable release: v3.0.0
## References
API documentation:
* [`ZoomPageTransitionsBuilder`][]
* [`FadeUpwardsPageTransitionsBuilder`][]
* [`PageTransitionsTheme`][]
Relevant issues:
* [Issue 43277][]
Relevant PR:
* [PR 100812][]
[`ZoomPageTransitionsBuilder`]: {{site.api}}/flutter/material/ZoomPageTransitionsBuilder-class.html
[`FadeUpwardsPageTransitionsBuilder`]: {{site.api}}/flutter/material/FadeUpwardsPageTransitionsBuilder-class.html
[`PageTransitionsTheme`]: {{site.api}}/flutter/material/PageTransitionsTheme-class.html
[Issue 43277]: {{site.repo.flutter}}/issues/43277
[PR 100812]: {{site.repo.flutter}}/pull/100812
| website/src/release/breaking-changes/page-transition-replaced-by-ZoomPageTransitionBuilder.md/0 | {
"file_path": "website/src/release/breaking-changes/page-transition-replaced-by-ZoomPageTransitionBuilder.md",
"repo_id": "website",
"token_count": 1395
} | 1,500 |
---
title: Scribble Text Input Client
description: >
Add new methods to the TextInputClient interface to allow Scribble
to insert or remove text placeholders and show the toolbar.
---
## Summary
Adds three methods, `showToolbar`, `insertTextPlaceholder`, and
`removeTextPlaceholder` to the `TextInputClient` interface to allow the iOS 14
Scribble feature to insert and remove text placeholders and show the toolbar.
## Context
As of iOS 14, iPads support the Scribble feature when using the Apple Pencil.
This feature allows users to use the pencil to interact with text fields to
add, delete, select, and modify text.
## Description of change
In native text widgets, the text toolbar is shown when a user uses the pencil
to select text on an iPad running iOS 14 or higher.
To replicate this behavior, the platform sends a `textInput` channel message
called `TextInputClient.showToolbar`.
This notifies the Dart code that the toolbar should be shown.
When a user holds the pencil down, a visual gap in the text is shown to allow
the user extra space to write.
To replicate this behavior, the platform sends `textInput` channel messages
called `TextInputClient.insertTextPlaceholder` and
`TextInputClient.removeTextPlaceholder`.
Multiline text inputs should have placeholders that provide vertical space,
while single line inputs should provide horizontal space.
## Migration guide
If you previously implemented `TextEditingClient`, you must override
`showToolbar`, `insertTextPlaceholder`, and `removeTextPlaceholder` to either
support these Scribble features or provide an empty implementation.
To migrate, implement `showToolbar`, `insertTextPlaceholder`, and
`removeTextPlaceholder`.
Code before migration:
```dart
class MyCustomTextInputClient implements TextInputClient {
...
}
```
Code after migration:
```dart
class MyCustomTextInputClient implements TextInputClient {
...
@override
void showToolbar() {
...
}
@override
void insertTextPlaceholder(Size size) {
...
}
@override
void removeTextPlaceholder() {
...
}
}
```
## Timeline
Landed in version: 2.9.0-1.0.pre<br>
In stable release: 2.10
## References
API documentation:
* [`TextInputClient`]({{site.api}}/flutter/services/TextInputClient-class.html)
Relevant issues:
* [Issue 61278]({{site.repo.flutter}}/issues/61278)
Relevant PRs:
* [24224: Support Scribble Handwriting (engine)][]
* [75472: Support Scribble Handwriting][]
* [97437: Re-land Support Scribble Handwriting][]
[24224: Support Scribble Handwriting (engine)]: {{site.repo.engine}}/pull/24224
[97437: Re-land Support Scribble Handwriting]: {{site.repo.flutter}}/pull/97437
[75472: Support Scribble Handwriting]: {{site.repo.flutter}}/pull/75472
| website/src/release/breaking-changes/scribble-text-input-client.md/0 | {
"file_path": "website/src/release/breaking-changes/scribble-text-input-client.md",
"repo_id": "website",
"token_count": 780
} | 1,501 |
---
title: Accessibility traversal order of tooltip changed
description: >-
The Tooltip widget's message now immediately follows the
Tooltip widget's child during accessibility traversal.
---
## Summary
During accessibility focus traversal, `Tooltip.message` is
visited immediately after `Tooltip.child`.
## Background
The `Tooltip` widget usually wraps an interactive UI component such as a button,
and shows a help message when long pressed.
When the message is visible, assistive technologies should announce it after
the button.
The `Tooltip` widget originally put `Tooltip.message` on
an `OverlayEntry` when long pressed.
As a result, `Tooltip.message` was not immediately after
`Tooltip.child` in the semantics tree.
## Migration guide
This change moved the tooltip message in the semantics tree.
You might see accessibility test failures if
your tests expect a tooltip message to appear in a
specific location in the semantics tree, when it is visible.
Update any failing accessibility tests to adopt the new tooltip semantics order.
For example, if you constructed the following widget tree in your test:
```dart
Directionality(
textDirection: TextDirection.ltr,
child: Overlay(
initialEntries: <OverlayEntry>[
OverlayEntry(
builder: (BuildContext context) {
return ListView(
children: <Widget>[
const Text('before'),
Tooltip(
key: tooltipKey,
showDuration: const Duration(days: 365),
message: 'message',
child: const Text('child'),
),
const Text('after'),
],
);
},
),
],
),
);
```
When the tooltip message is visible, the corresponding semantics tree before
this change should look like this:
```dart
SemanticsNode#0
│
├─SemanticsNode#1
│ │
│ └─SemanticsNode#5
│ │ flags: hasImplicitScrolling
│ │ scrollChildren: 3
│ │
│ ├─SemanticsNode#2
│ │ tags: RenderViewport.twoPane
│ │ label: "before"
│ │ textDirection: ltr
│ │
│ ├─SemanticsNode#3
│ │ tags: RenderViewport.twoPane
│ │ label: "child"
│ │ tooltip: "message"
│ │ textDirection: ltr
│ │
│ └─SemanticsNode#4
│ tags: RenderViewport.twoPane
│ label: "after"
│ textDirection: ltr
│
└─SemanticsNode#6
label: "message"
textDirection: ltr
```
After this change, the same widget tree generates a
slightly different semantics tree, as shown below.
Node #6 becomes a child of node #3, instead of node #0.
```dart
SemanticsNode#0
│
└─SemanticsNode#1
│
└─SemanticsNode#5
│ flags: hasImplicitScrolling
│ scrollChildren: 3
│
├─SemanticsNode#2
│ tags: RenderViewport.twoPane
│ label: "before"
│ textDirection: ltr
│
├─SemanticsNode#3
│ │ tags: RenderViewport.twoPane
│ │ label: "child"
│ │ tooltip: "message"
│ │ textDirection: ltr
│ │
│ └─SemanticsNode#6
│ label: "message"
│ textDirection: ltr
│
└─SemanticsNode#4
tags: RenderViewport.twoPane
label: "after"
textDirection: ltr
```
## Timeline
Landed in version: 3.16.0-11.0.pre<br>
In stable release: 3.19.0
## References
API documentation:
* [`Tooltip`][]
Relevant PRs:
* [OverlayPortal.overlayChild contributes semantics to OverlayPortal instead of Overlay][]
[`Tooltip`]: {{site.api}}/flutter/material/Tooltip-class.html
[OverlayPortal.overlayChild contributes semantics to OverlayPortal instead of Overlay]: {{site.repo.flutter}}/pull/134921
| website/src/release/breaking-changes/tooltip-semantics-order.md/0 | {
"file_path": "website/src/release/breaking-changes/tooltip-semantics-order.md",
"repo_id": "website",
"token_count": 1381
} | 1,502 |
---
title: Change log for Flutter 1.7.8
short-title: 1.7.8 change log
description: Change log for Flutter 1.7.8 containing a list of all PRs merged for this release.
---
## PRs closed in this release of flutter/flutter
From Wed May 1 16:56:00 2019 -0700 to Thu Jul 18 08:04:00 2019 -0700
[28808](https://github.com/flutter/flutter/pull/28808) updated tearDownAll function (cla: yes, t: flutter driver, team, tool, waiting for tree to go green)
[28834](https://github.com/flutter/flutter/pull/28834) Sliver animated list (cla: yes, framework, waiting for tree to go green)
[29683](https://github.com/flutter/flutter/pull/29683) Show/hide toolbar and handles based on device kind (a: desktop, a: text input, cla: yes, framework, severe: API break)
[29809](https://github.com/flutter/flutter/pull/29809) Fix text selection toolbar appearing under obstructions (cla: yes, f: cupertino, f: material design, framework)
[29954](https://github.com/flutter/flutter/pull/29954) Cupertino localization step 9: add tests (cla: yes, f: cupertino, framework)
[30076](https://github.com/flutter/flutter/pull/30076) Implements FocusTraversalPolicy and DefaultFocusTraversal features. (a: desktop, cla: yes, framework)
[30224](https://github.com/flutter/flutter/pull/30224) Cupertino localization step 10: update the flutter_localizations README (cla: yes, f: cupertino, framework)
[30388](https://github.com/flutter/flutter/pull/30388) Add hintStyle in SearchDelegate (cla: yes, f: material design, framework)
[30406](https://github.com/flutter/flutter/pull/30406) Add binaryMessenger constructor argument to platform channels (cla: yes, framework, p: framework)
[30874](https://github.com/flutter/flutter/pull/30874) Redo "Remove pressure customization from some pointer events" (cla: yes, framework, severe: API break)
[30979](https://github.com/flutter/flutter/pull/30979) fix issue 30526: rounding error (cla: yes, framework, waiting for tree to go green)
[30983](https://github.com/flutter/flutter/pull/30983) Refactor core uses of FlutterError. (cla: yes, framework)
[30988](https://github.com/flutter/flutter/pull/30988) Tight Paragraph Width (cla: yes, framework)
[31018](https://github.com/flutter/flutter/pull/31018) [Material] selected/unselected label styles + icon themes on BottomNavigationBar (cla: yes, f: material design, framework)
[31025](https://github.com/flutter/flutter/pull/31025) added `scrimColor` property in Scaffold widget (cla: yes, f: material design, framework)
[31028](https://github.com/flutter/flutter/pull/31028) Adds support for generating projects that use AndroidX support libraries (cla: yes, tool, waiting for tree to go green)
[31039](https://github.com/flutter/flutter/pull/31039) Fix bundle id on iOS launch using flutter run (cla: yes, tool)
[31095](https://github.com/flutter/flutter/pull/31095) Add buttons customization to WidgetController and related testing classes (cla: yes, framework)
[31227](https://github.com/flutter/flutter/pull/31227) Adding CupertinoTabController (cla: yes, f: cupertino, framework, severe: API break)
[31308](https://github.com/flutter/flutter/pull/31308) Added font bold when isDefaultAction is true in CupertinoDialogAction (cla: yes, f: cupertino)
[31317](https://github.com/flutter/flutter/pull/31317) Add docs to AppBar (cla: yes, d: api docs, f: material design, framework)
[31318](https://github.com/flutter/flutter/pull/31318) Add BottomSheetTheme to enable theming color, elevation, shape of BottomSheet (cla: yes, f: material design, framework)
[31333](https://github.com/flutter/flutter/pull/31333) Clean up flutter_test/test/controller_test.dart (a: tests, cla: yes, framework)
[31438](https://github.com/flutter/flutter/pull/31438) Implements focus handling and hover for Material buttons. (cla: yes, f: material design, framework)
[31485](https://github.com/flutter/flutter/pull/31485) Prevent exception being thrown on hasScrolledBody (cla: yes, f: scrolling, framework)
[31514](https://github.com/flutter/flutter/pull/31514) Date picker layout exceptions (cla: yes, f: material design, framework)
[31574](https://github.com/flutter/flutter/pull/31574) Improve RadioListTile Callback Behavior Consistency (cla: yes, f: material design, framework, severe: API break)
[31581](https://github.com/flutter/flutter/pull/31581) Fix Exception on Nested TabBarView disposal (cla: yes, f: material design, framework, severe: crash)
[31631](https://github.com/flutter/flutter/pull/31631) Teach Linux to use local engine (cla: yes, tool)
[31644](https://github.com/flutter/flutter/pull/31644) Cupertino localization step 12: push translation for all supported languages (a: internationalization, cla: yes, f: cupertino, f: material design, framework)
[31662](https://github.com/flutter/flutter/pull/31662) added shape property to SliverAppBar (cla: yes, f: material design, framework)
[31681](https://github.com/flutter/flutter/pull/31681) [Material] Create a themable Range Slider (continuous and discrete) (cla: yes, f: material design, framework)
[31699](https://github.com/flutter/flutter/pull/31699) Re-land: Add support for Tooltip hover (cla: yes, f: material design, framework)
[31701](https://github.com/flutter/flutter/pull/31701) Add more asserts to check matrix validity (cla: yes, framework)
[31763](https://github.com/flutter/flutter/pull/31763) Fix ScrollbarPainter thumbExtent calculation and add padding (cla: yes, d: api docs, f: cupertino, f: material design, f: scrolling, framework)
[31798](https://github.com/flutter/flutter/pull/31798) Fix tab indentation (cla: yes, framework, tool, waiting for tree to go green)
[31822](https://github.com/flutter/flutter/pull/31822) remove unnecessary artificial delay in catalog example (cla: yes, d: examples, framework)
[31824](https://github.com/flutter/flutter/pull/31824) fix FlutterDriver timeout (cla: yes, framework, t: flutter driver)
[31825](https://github.com/flutter/flutter/pull/31825) Fix missing return statements on function literals (cla: yes, team, tool)
[31850](https://github.com/flutter/flutter/pull/31850) Make Gradle error message more specific (cla: yes, tool)
[31851](https://github.com/flutter/flutter/pull/31851) Add documentation to Navigator (cla: yes, framework)
[31852](https://github.com/flutter/flutter/pull/31852) Text selection handles are sometimes not interactive (cla: yes, f: cupertino, f: material design, framework)
[31861](https://github.com/flutter/flutter/pull/31861) Add Horizontal Padding to Constrained Chip Label Calculations (cla: yes, f: material design, framework)
[31873](https://github.com/flutter/flutter/pull/31873) Add basic desktop linux checks (cla: yes, tool)
[31885](https://github.com/flutter/flutter/pull/31885) Fix commit message UTF issue for deploy_gallery shard too (cla: yes, team)
[31889](https://github.com/flutter/flutter/pull/31889) Start abstracting platform logic builds behind a shared interface (cla: yes, tool)
[31890](https://github.com/flutter/flutter/pull/31890) apply fp hack to Flex (cla: yes, framework)
[31894](https://github.com/flutter/flutter/pull/31894) Introduce separate HitTestResults for Box and Sliver (cla: yes, framework)
[31895](https://github.com/flutter/flutter/pull/31895) Report CompileTime metric in flutter build aot --report-timings. (cla: yes, tool)
[31902](https://github.com/flutter/flutter/pull/31902) Updated primaryColor docs to refer to colorScheme properties (cla: yes, d: api docs, f: material design, framework)
[31903](https://github.com/flutter/flutter/pull/31903) Extract TODO comment from Image.asset dardoc (cla: yes, d: api docs, framework)
[31909](https://github.com/flutter/flutter/pull/31909) Change unfocus to unfocus the entire chain, not just the primary focus (cla: yes, framework)
[31910](https://github.com/flutter/flutter/pull/31910) [fuchsia] Add support for the 'device' command using the SDK (cla: yes)
[31912](https://github.com/flutter/flutter/pull/31912) Revert "Redo: Add buttons to gestures" (cla: yes)
[31923](https://github.com/flutter/flutter/pull/31923) Reland #31623 - fix edge swiping and dropping back at starting point (cla: yes)
[31925](https://github.com/flutter/flutter/pull/31925) Add commands to swap dart imports for local development (cla: yes)
[31926](https://github.com/flutter/flutter/pull/31926) Avoid NPE (cla: yes)
[31929](https://github.com/flutter/flutter/pull/31929) Sample Code & Animation for Flow Widget (cla: yes, d: api docs, d: examples, framework)
[31935](https://github.com/flutter/flutter/pull/31935) Redo#2: Add buttons to gestures (a: desktop, cla: yes, framework)
[31936](https://github.com/flutter/flutter/pull/31936) make windows/mac consistent with linux (cla: yes)
[31938](https://github.com/flutter/flutter/pull/31938) Update scrimDrawerColor with proper const format (cla: yes, f: material design, framework)
[31944](https://github.com/flutter/flutter/pull/31944) Performance issue template (cla: yes, team)
[31947](https://github.com/flutter/flutter/pull/31947) Simplify drawer scrimColor defaults, update tests (cla: yes)
[31954](https://github.com/flutter/flutter/pull/31954) Fix MediaQueryData.toString() to generate readable output (cla: yes)
[31960](https://github.com/flutter/flutter/pull/31960) Fix bug handling cyclic diagnostics. (cla: yes)
[31967](https://github.com/flutter/flutter/pull/31967) cherry-pick: fix edge swiping and dropping back at starting point (#31623) (cla: yes)
[31978](https://github.com/flutter/flutter/pull/31978) Reland fix 25807 implement move for sliver multibox widget (cla: yes)
[31979](https://github.com/flutter/flutter/pull/31979) Revert "Tight Paragraph Width" (cla: yes)
[31987](https://github.com/flutter/flutter/pull/31987) Text wrap width (a: typography, cla: yes, framework)
[31998](https://github.com/flutter/flutter/pull/31998) [flutter_tool] Pull the right Fuchsia SDK for the platform (cla: yes)
[32003](https://github.com/flutter/flutter/pull/32003) Revert "Start abstracting platform logic builds behind a shared interface" (cla: yes)
[32013](https://github.com/flutter/flutter/pull/32013) Cupertino Turkish Translation (a: internationalization, cla: yes, f: cupertino, framework)
[32025](https://github.com/flutter/flutter/pull/32025) Make Hover Listener respect transforms (cla: yes, framework, waiting for tree to go green)
[32041](https://github.com/flutter/flutter/pull/32041) Remove deprecated decodedCacheRatioCap (cla: yes, framework)
[32043](https://github.com/flutter/flutter/pull/32043) Rollback caret change for Android (cla: yes)
[32050](https://github.com/flutter/flutter/pull/32050) Test Material buttons against a11y contrast guidelines (cla: yes)
[32053](https://github.com/flutter/flutter/pull/32053) Increase TimePicker touch targets (cla: yes, f: material design, framework)
[32059](https://github.com/flutter/flutter/pull/32059) fix issue 14014 read only text field (a: text input, cla: yes, framework, severe: API break)
[32060](https://github.com/flutter/flutter/pull/32060) make hotfix use a plus instead of minus (cla: yes, tool)
[32066](https://github.com/flutter/flutter/pull/32066) update packages and unpin build (cla: yes)
[32070](https://github.com/flutter/flutter/pull/32070) rename foreground and background to light and dark (a: tests, cla: yes, framework)
[32071](https://github.com/flutter/flutter/pull/32071) [flutter_tool] In 'attach' use platform dill etc from the Fuchsia SDK (cla: yes, tool)
[32072](https://github.com/flutter/flutter/pull/32072) don't NPE with empty pubspec (cla: yes, tool)
[32086](https://github.com/flutter/flutter/pull/32086) Fix CupertinoSliverRefreshControl onRefresh callback (cla: yes, f: cupertino, framework)
[32126](https://github.com/flutter/flutter/pull/32126) Bump multicast_dns version (cla: yes, tool)
[32135](https://github.com/flutter/flutter/pull/32135) Revert "Sliver animated list" (cla: yes)
[32142](https://github.com/flutter/flutter/pull/32142) Fix RenderPointerListener so that callbacks aren't called at the wrong time. (cla: yes, framework)
[32147](https://github.com/flutter/flutter/pull/32147) Added state management docs/sample to SwitchListTile (cla: yes, d: api docs, f: material design, framework)
[32155](https://github.com/flutter/flutter/pull/32155) Revert "added shape property to SliverAppBar" (cla: yes)
[32177](https://github.com/flutter/flutter/pull/32177) Tab Animation Sample Video (cla: yes, d: api docs, f: material design, framework)
[32192](https://github.com/flutter/flutter/pull/32192) Transform PointerEvents to the local coordinate system of the event receiver (cla: yes, framework)
[32256](https://github.com/flutter/flutter/pull/32256) fix issue 32212 Text field keyboard selection crashes (cla: yes)
[32266](https://github.com/flutter/flutter/pull/32266) Add reference to Runner-Bridging-Header.h to iOS profile config (cla: yes, t: xcode, waiting for tree to go green)
[32302](https://github.com/flutter/flutter/pull/32302) Add geometry getters to Flutter Driver (cla: yes)
[32328](https://github.com/flutter/flutter/pull/32328) Add breadcrumbs to TextOverflow (cla: yes, framework, waiting for tree to go green)
[32335](https://github.com/flutter/flutter/pull/32335) Teach flutter msbuild for Windows (cla: yes, tool)
[32340](https://github.com/flutter/flutter/pull/32340) make immutables const (cla: yes, framework)
[32345](https://github.com/flutter/flutter/pull/32345) Add master channel to performance issue template (cla: yes, team)
[32350](https://github.com/flutter/flutter/pull/32350) Fix nested listeners so that ancestor listeners can also receive enter/exit/move events. (cla: yes)
[32360](https://github.com/flutter/flutter/pull/32360) Allow flutter web to be compiled with flutter (cla: yes, framework, tool)
[32380](https://github.com/flutter/flutter/pull/32380) const everything in Driver (cla: yes, framework, t: flutter driver, waiting for tree to go green)
[32404](https://github.com/flutter/flutter/pull/32404) Comment out .vscode/ in gitignore for templates (cla: yes, tool)
[32406](https://github.com/flutter/flutter/pull/32406) Fix assignment in macos_build_flutter_assets.sh (cla: yes)
[32408](https://github.com/flutter/flutter/pull/32408) More const conversions (cla: yes, framework)
[32410](https://github.com/flutter/flutter/pull/32410) Add ancestor and descendant finders to Driver (cla: yes, framework, waiting for tree to go green)
[32425](https://github.com/flutter/flutter/pull/32425) Fix benchmark regression in layer.find<S>(Offset) (cla: yes)
[32434](https://github.com/flutter/flutter/pull/32434) Support for replacing the TabController, after disposing the old one (cla: yes, f: material design, framework)
[32437](https://github.com/flutter/flutter/pull/32437) Add assert that the root widget has been attached. (a: tests, cla: yes, framework)
[32444](https://github.com/flutter/flutter/pull/32444) Updated some links (cla: yes, framework, tool)
[32469](https://github.com/flutter/flutter/pull/32469) Let CupertinoNavigationBarBackButton take a custom onPressed (cla: yes, f: cupertino, framework)
[32470](https://github.com/flutter/flutter/pull/32470) Revert "Cupertino localization step 12: push translation for all supported languages" (cla: yes)
[32487](https://github.com/flutter/flutter/pull/32487) Add a more meaningful message to the assertion on children (cla: yes, framework)
[32496](https://github.com/flutter/flutter/pull/32496) Revert "Add more asserts to check matrix validity" (cla: yes)
[32499](https://github.com/flutter/flutter/pull/32499) Use precisionErrorTolerance (cla: yes)
[32503](https://github.com/flutter/flutter/pull/32503) Add more missing returns (cla: yes, team, tool)
[32511](https://github.com/flutter/flutter/pull/32511) Rendering errors with root causes in the widget layer should have a reference to the widget (cla: yes, customer: countless, customer: headline, framework)
[32513](https://github.com/flutter/flutter/pull/32513) Cupertino localization step 12 try 2: push translation for all supported languages (a: internationalization, cla: yes, f: cupertino)
[32515](https://github.com/flutter/flutter/pull/32515) Remove appbundle build steps that are required for APKs but not AABs (cla: yes)
[32519](https://github.com/flutter/flutter/pull/32519) [flutter_tool] Build a Fuchsia package (cla: yes)
[32520](https://github.com/flutter/flutter/pull/32520) Fixing accidental merge from working branch (cla: yes)
[32521](https://github.com/flutter/flutter/pull/32521) Reland matrix check (cla: yes)
[32527](https://github.com/flutter/flutter/pull/32527) Added 'enabled' property to the PopupMenuButton (cla: yes, f: material design, framework)
[32528](https://github.com/flutter/flutter/pull/32528) Tapping a modal bottom sheet should not dismiss it by default (cla: yes, f: material design, framework)
[32530](https://github.com/flutter/flutter/pull/32530) Add Actions to AppBar Sample Doc (cla: yes, d: api docs, f: material design, framework)
[32535](https://github.com/flutter/flutter/pull/32535) Fix transforms for things with RenderPointerListeners (cla: yes)
[32538](https://github.com/flutter/flutter/pull/32538) Adjust macOS build flow (cla: yes)
[32620](https://github.com/flutter/flutter/pull/32620) Added ScrollController to TextField (cla: yes, f: cupertino, f: material design, f: scrolling, framework)
[32638](https://github.com/flutter/flutter/pull/32638) Fix apidocs in _WidgetsAppState.basicLocaleListResolution (cla: yes, d: api docs, framework)
[32641](https://github.com/flutter/flutter/pull/32641) Updating dart.dev related links (cla: yes, d: api docs, framework)
[32654](https://github.com/flutter/flutter/pull/32654) Tabs code/doc cleanup (cla: yes, f: material design, framework)
[32656](https://github.com/flutter/flutter/pull/32656) Add diagnostics around needsCompositing (cla: yes)
[32686](https://github.com/flutter/flutter/pull/32686) enable lint prefer_null_aware_operators (cla: yes, framework)
[32702](https://github.com/flutter/flutter/pull/32702) Revert "Show/hide toolbar and handles based on device kind" (cla: yes)
[32703](https://github.com/flutter/flutter/pull/32703) Add Doc Samples For CheckboxListTile, RadioListTile and SwitchListTile (cla: yes, d: api docs, f: material design, framework)
[32704](https://github.com/flutter/flutter/pull/32704) Redo: Show/hide toolbar and handles based on device kind (cla: yes)
[32706](https://github.com/flutter/flutter/pull/32706) Change the way macOS app names are located (cla: yes)
[32710](https://github.com/flutter/flutter/pull/32710) Ignore some JSON RPC errors (cla: yes)
[32711](https://github.com/flutter/flutter/pull/32711) use null aware operators (cla: yes, framework)
[32717](https://github.com/flutter/flutter/pull/32717) Fix RenderPointerListener needsCompositing propagation from child widgets. (cla: yes)
[32724](https://github.com/flutter/flutter/pull/32724) Correct platform reference in UiKitViewController (cla: yes)
[32726](https://github.com/flutter/flutter/pull/32726) Material should not prevent ScrollNotifications from bubbling upwards (cla: yes, f: material design, f: scrolling, framework)
[32727](https://github.com/flutter/flutter/pull/32727) [Material] Remove inherit: false on default TextStyles in BottomNavigationBar (cla: yes)
[32730](https://github.com/flutter/flutter/pull/32730) Add reverseDuration to AnimationController (a: animation, cla: yes, framework)
[32773](https://github.com/flutter/flutter/pull/32773) Add a FocusNode for AndroidView widgets. (cla: yes)
[32776](https://github.com/flutter/flutter/pull/32776) Text field focus and hover support. (cla: yes, f: material design, framework)
[32783](https://github.com/flutter/flutter/pull/32783) Streamline Windows build process (cla: yes)
[32787](https://github.com/flutter/flutter/pull/32787) Support 32 and 64 bit (cla: yes, dependency: dart, t: gradle, tool)
[32816](https://github.com/flutter/flutter/pull/32816) Add initial implementation of flutter assemble (cla: yes, tool)
[32817](https://github.com/flutter/flutter/pull/32817) Skip flaky date picker tests on Windows (cla: yes)
[32823](https://github.com/flutter/flutter/pull/32823) Add enableInteractiveSelection to CupertinoTextField (a: text input, cla: yes, f: cupertino, framework)
[32825](https://github.com/flutter/flutter/pull/32825) Remove debug logging in _handleSingleLongTapEnd (cla: yes)
[32826](https://github.com/flutter/flutter/pull/32826) Fix Focus.of to not find FocusScope nodes. (cla: yes)
[32832](https://github.com/flutter/flutter/pull/32832) Visual selection is not adjusted when changing text selection with Ta… (cla: yes)
[32833](https://github.com/flutter/flutter/pull/32833) reduce retry attempts for flutter create --list-samples (cla: yes)
[32834](https://github.com/flutter/flutter/pull/32834) Prepare for API addition to HttpClientResponse (cla: yes)
[32838](https://github.com/flutter/flutter/pull/32838) Handles hidden by keyboard (a: text input, cla: yes, f: material design, framework)
[32842](https://github.com/flutter/flutter/pull/32842) Allow "from" hero state to survive hero animation in a push transition (a: animation, cla: yes, f: scrolling, framework, severe: API break)
[32843](https://github.com/flutter/flutter/pull/32843) Added a missing dispose of an AnimationController that was leaking a ticker. (cla: yes, f: date/time picker, f: material design, framework)
[32849](https://github.com/flutter/flutter/pull/32849) [flutter_tool] Adds support for 'run' for Fuchsia devices (cla: yes, tool, ○ platform-fuchsia)
[32853](https://github.com/flutter/flutter/pull/32853) Add onBytesReceived callback to consolidateHttpClientResponseBytes() (a: images, cla: yes, framework)
[32857](https://github.com/flutter/flutter/pull/32857) Add debugNetworkImageHttpClientProvider (a: images, cla: yes, framework)
[32904](https://github.com/flutter/flutter/pull/32904) Use reverseDuration on Tooltip and InkWell (cla: yes, f: material design, framework)
[32909](https://github.com/flutter/flutter/pull/32909) Documentation fix for debugProfileBuildsEnabled (cla: yes, d: api docs, framework)
[32911](https://github.com/flutter/flutter/pull/32911) Material Long Press Text Handle Flash (cla: yes, f: material design, framework)
[32914](https://github.com/flutter/flutter/pull/32914) Make hover and focus not respond when buttons and fields are disabled. (cla: yes, f: material design, framework)
[32936](https://github.com/flutter/flutter/pull/32936) Add some sanity to the ImageStream listener API (a: images, cla: yes, framework)
[32950](https://github.com/flutter/flutter/pull/32950) Material allows "select all" when not collapsed (cla: yes, f: material design, ▣ platform-android)
[32974](https://github.com/flutter/flutter/pull/32974) Fix disabled CupertinoTextField style (a: text input, cla: yes, f: cupertino, framework)
[32982](https://github.com/flutter/flutter/pull/32982) Add widget of the week videos (cla: yes)
[33026](https://github.com/flutter/flutter/pull/33026) fix bad lint commented out (cla: yes)
[33041](https://github.com/flutter/flutter/pull/33041) Rename `flutter packages` to `flutter pub` (cla: yes, tool)
[33058](https://github.com/flutter/flutter/pull/33058) Add more missing returns (cla: yes, framework)
[33062](https://github.com/flutter/flutter/pull/33062) Turn off container focus highlight for filled text fields. (cla: yes)
[33068](https://github.com/flutter/flutter/pull/33068) Revert "Add assert that the root widget has been attached." (cla: yes)
[33073](https://github.com/flutter/flutter/pull/33073) SliverAppBar shape property (cla: yes, f: material design, framework)
[33078](https://github.com/flutter/flutter/pull/33078) don't send crash reports if on a user branch (cla: yes, tool)
[33080](https://github.com/flutter/flutter/pull/33080) Fixed several issues with confirmDismiss handling on the LeaveBehindItem demo. (cla: yes, f: material design, framework)
[33083](https://github.com/flutter/flutter/pull/33083) Update enabled color for outlined text fields. (cla: yes)
[33084](https://github.com/flutter/flutter/pull/33084) Re-apply "Add assert that the root widget has been attached" (cla: yes)
[33090](https://github.com/flutter/flutter/pull/33090) [Material] Add support for hovered, pressed, and focused text color on Buttons. (cla: yes, f: material design, framework)
[33092](https://github.com/flutter/flutter/pull/33092) Add support for ImageStreamListener.onChunk() (cla: yes)
[33135](https://github.com/flutter/flutter/pull/33135) A minor bug fix and comment cleanups for focus (cla: yes)
[33140](https://github.com/flutter/flutter/pull/33140) flutter/tests support (cla: yes, team)
[33146](https://github.com/flutter/flutter/pull/33146) [flutter_tool] Don't look for Fuchsia artifacts on Windows (cla: yes, tool)
[33148](https://github.com/flutter/flutter/pull/33148) ExpandIcon Custom Colors (cla: yes, f: material design, framework, severe: API break, severe: new feature)
[33152](https://github.com/flutter/flutter/pull/33152) ModalRoute resumes previous focus on didPopNext (cla: yes, framework, waiting for tree to go green)
[33157](https://github.com/flutter/flutter/pull/33157) Engine roll 75963dbb0ba6..135a140591f3 (cla: yes)
[33163](https://github.com/flutter/flutter/pull/33163) Clean up some flutter_tools tests and roll dependencies (cla: yes)
[33164](https://github.com/flutter/flutter/pull/33164) remove Layer.replaceWith due to no usage and no tests (cla: yes, framework, severe: API break)
[33191](https://github.com/flutter/flutter/pull/33191) Remove colon from Gradle task name since it's deprecated (cla: yes, t: gradle, tool, ▣ platform-android)
[33195](https://github.com/flutter/flutter/pull/33195) Slight clarification in the ImageCache docs (cla: yes, framework)
[33197](https://github.com/flutter/flutter/pull/33197) Wire up hot restart and incremental rebuilds for web (cla: yes, tool, ☸ platform-web)
[33198](https://github.com/flutter/flutter/pull/33198) Build macOS via workspace, rather than project (cla: yes)
[33206](https://github.com/flutter/flutter/pull/33206) Revert "Clean up some flutter_tools tests and roll dependencies" (cla: yes)
[33217](https://github.com/flutter/flutter/pull/33217) Fix ImageStreamListener's hashCode & operator== (cla: yes)
[33224](https://github.com/flutter/flutter/pull/33224) manual engine roll (cla: yes)
[33225](https://github.com/flutter/flutter/pull/33225) Reland "Clean up some flutter_tools tests and roll dependencies" (cla: yes, tool)
[33226](https://github.com/flutter/flutter/pull/33226) Explain hairline rendering in BorderSide.width docs (cla: yes, d: api docs, framework)
[33228](https://github.com/flutter/flutter/pull/33228) Make Paths absolute in settings.gradle (cla: yes, t: gradle, tool)
[33230](https://github.com/flutter/flutter/pull/33230) Framework support for font features in text styles (cla: yes, framework)
[33232](https://github.com/flutter/flutter/pull/33232) use the --disable-server-feature-completion cli arg to the analysis server (cla: yes)
[33248](https://github.com/flutter/flutter/pull/33248) [ci] use Windows Container 2019 (cla: yes)
[33260](https://github.com/flutter/flutter/pull/33260) Pass an async callback to testWidgets. (cla: yes, framework)
[33263](https://github.com/flutter/flutter/pull/33263) [flutter_tool] Improve Fuchsia 'run' tests (cla: yes, tool)
[33264](https://github.com/flutter/flutter/pull/33264) Add local overrides to testbed and provide more defaults (cla: yes, tool)
[33267](https://github.com/flutter/flutter/pull/33267) Add unpublish_package script. (cla: yes, team)
[33268](https://github.com/flutter/flutter/pull/33268) Add cast to prepare for package:file update (cla: yes)
[33269](https://github.com/flutter/flutter/pull/33269) Mark non-flaky test as such (cla: yes)
[33271](https://github.com/flutter/flutter/pull/33271) No longer necessary with ddc fix (cla: yes, tool)
[33272](https://github.com/flutter/flutter/pull/33272) Add mustRunAfter on mergeAssets task to force task ordering (cla: yes, engine, t: gradle, tool, waiting for tree to go green)
[33277](https://github.com/flutter/flutter/pull/33277) Implement macOS support in `flutter doctor` (cla: yes, tool)
[33279](https://github.com/flutter/flutter/pull/33279) Fix a problem in first focus determination. (cla: yes, framework)
[33281](https://github.com/flutter/flutter/pull/33281) Update TextStyle and StrutStyle height docs (a: typography, cla: yes, d: api docs, framework, severe: API break)
[33282](https://github.com/flutter/flutter/pull/33282) [flutter_tool] Use product runner in Fuchsia release build (cla: yes, tool)
[33283](https://github.com/flutter/flutter/pull/33283) Fix relative paths and snapshot logic in tool (cla: yes, tool)
[33284](https://github.com/flutter/flutter/pull/33284) make sure we build test targets too (cla: yes, tool)
[33285](https://github.com/flutter/flutter/pull/33285) disable flaky devfs test (cla: yes)
[33287](https://github.com/flutter/flutter/pull/33287) Add macosPrefix to the pubspec schema for plugins (cla: yes)
[33295](https://github.com/flutter/flutter/pull/33295) Add stateful_widget_animation snippet template (cla: yes)
[33297](https://github.com/flutter/flutter/pull/33297) Instrument add to app flows (a: existing-apps, cla: yes, tool)
[33298](https://github.com/flutter/flutter/pull/33298) Add actions and keyboard shortcut map support (a: desktop, cla: yes, framework)
[33322](https://github.com/flutter/flutter/pull/33322) Correct typos (cla: yes)
[33323](https://github.com/flutter/flutter/pull/33323) Americanise spellings (cla: yes)
[33349](https://github.com/flutter/flutter/pull/33349) Compatibility pass on flutter/foundation tests for JavaScript compilation. (1) (a: tests, cla: yes, ☸ platform-web)
[33350](https://github.com/flutter/flutter/pull/33350) Compatibility pass on flutter/scheduler tests for JavaScript compilation. (2) (a: tests, cla: yes, ☸ platform-web)
[33352](https://github.com/flutter/flutter/pull/33352) Compatibility pass on flutter/painting tests for JavaScript compilation. (3) (a: tests, cla: yes, ☸ platform-web)
[33354](https://github.com/flutter/flutter/pull/33354) Compatibility pass on flutter/services tests for JavaScript compilation. (4) (a: tests, cla: yes, ☸ platform-web)
[33355](https://github.com/flutter/flutter/pull/33355) Compatibility pass on flutter/rendering tests for JavaScript compilation. (5) (a: tests, cla: yes, ☸ platform-web)
[33359](https://github.com/flutter/flutter/pull/33359) Compatibility pass on flutter/physics tests for JavaScript compilation. (6) (a: tests, cla: yes, ☸ platform-web)
[33360](https://github.com/flutter/flutter/pull/33360) Compatibility pass on flutter/semantics tests for JavaScript compilation. (7) (a: tests, cla: yes, ☸ platform-web)
[33361](https://github.com/flutter/flutter/pull/33361) (trivial) Rename test file (a: tests, cla: yes, f: material design, framework)
[33363](https://github.com/flutter/flutter/pull/33363) Add clarification in Animation's listener API docs (cla: yes)
[33369](https://github.com/flutter/flutter/pull/33369) Add loading support to Image (cla: yes, framework)
[33370](https://github.com/flutter/flutter/pull/33370) Update FadeInImage to use new Image APIs (cla: yes, framework, severe: API break)
[33374](https://github.com/flutter/flutter/pull/33374) Devfs cleanup and testing (cla: yes, tool)
[33377](https://github.com/flutter/flutter/pull/33377) Compatibility pass on flutter/widgets tests for JavaScript compilation. (8) (a: tests, cla: yes, ☸ platform-web)
[33378](https://github.com/flutter/flutter/pull/33378) Compatibility pass on flutter/material tests for JavaScript compilation. (9) (a: tests, cla: yes, ☸ platform-web)
[33403](https://github.com/flutter/flutter/pull/33403) Add blank newline after Dartdoc bulleted list. (cla: yes)
[33406](https://github.com/flutter/flutter/pull/33406) Add web safe indirection to Platform.isPlatform getters (a: tests, cla: yes, framework)
[33431](https://github.com/flutter/flutter/pull/33431) Expose service client and app isolate in driver (cla: yes, framework, t: flutter driver)
[33442](https://github.com/flutter/flutter/pull/33442) fix GridView documentation (cla: yes, d: api docs, framework, waiting for tree to go green)
[33443](https://github.com/flutter/flutter/pull/33443) Wrap Windows build invocation in a batch script (a: desktop, cla: yes, tool, ❖ platform-windows)
[33444](https://github.com/flutter/flutter/pull/33444) Revert "Framework support for font features in text styles" (cla: yes)
[33448](https://github.com/flutter/flutter/pull/33448) Use vswhere to find Visual Studio (cla: yes, tool)
[33449](https://github.com/flutter/flutter/pull/33449) Revert "Instrument add to app flows" (cla: yes)
[33450](https://github.com/flutter/flutter/pull/33450) Do not return null from IosProject.isSwift (a: existing-apps, cla: yes, tool)
[33454](https://github.com/flutter/flutter/pull/33454) ensure unpack declares required artifacts (a: desktop, cla: yes, tool)
[33458](https://github.com/flutter/flutter/pull/33458) Add to app measurement (cla: yes, tool)
[33459](https://github.com/flutter/flutter/pull/33459) make sure version check includes hotfixes (a: tests, cla: yes, team)
[33461](https://github.com/flutter/flutter/pull/33461) Various code cleanup improvements (cla: yes, framework, waiting for tree to go green)
[33462](https://github.com/flutter/flutter/pull/33462) Fix text scaling of strut style (cla: yes, framework)
[33463](https://github.com/flutter/flutter/pull/33463) Pin previous build_daemon (cla: yes)
[33466](https://github.com/flutter/flutter/pull/33466) [flutter_tool] Misc. fixes for Fuchsia (cla: yes, tool)
[33467](https://github.com/flutter/flutter/pull/33467) fixed 33347 fill the gap during performLayout in SliverGrid and Slive… (cla: yes, framework)
[33468](https://github.com/flutter/flutter/pull/33468) Fix a missing_return analyzer error in a code example (cla: yes)
[33472](https://github.com/flutter/flutter/pull/33472) add daemon command to enumerate supported platforms (cla: yes, tool)
[33473](https://github.com/flutter/flutter/pull/33473) fix 23723 rounding error (cla: yes, framework)
[33474](https://github.com/flutter/flutter/pull/33474) Fixed for DropdownButton crashing when a style was used that didn't include a fontSize (cla: yes, f: material design, framework)
[33475](https://github.com/flutter/flutter/pull/33475) Move declaration of semantic handlers from detectors to recognizers (cla: yes, framework)
[33477](https://github.com/flutter/flutter/pull/33477) Fix onExit calling when the mouse is removed. (cla: yes, framework)
[33488](https://github.com/flutter/flutter/pull/33488) use toFixedAsString and DoubleProperty in diagnosticProperties (cla: yes, framework)
[33489](https://github.com/flutter/flutter/pull/33489) Remove empty file (cla: yes, framework)
[33525](https://github.com/flutter/flutter/pull/33525) Add capability to flutter test --platform=chrome (cla: yes, tool)
[33526](https://github.com/flutter/flutter/pull/33526) Update Fuchsia SDK (cla: yes, tool)
[33528](https://github.com/flutter/flutter/pull/33528) Build the solution on Windows (cla: yes)
[33529](https://github.com/flutter/flutter/pull/33529) Revert "Wire up hot restart and incremental rebuilds for web" (cla: yes)
[33531](https://github.com/flutter/flutter/pull/33531) Fixed broken link in debugProfileBuildsEnabled documentation (cla: yes, framework)
[33533](https://github.com/flutter/flutter/pull/33533) Reland - Wire up hot restart and incremental rebuilds for web (cla: yes, tool)
[33535](https://github.com/flutter/flutter/pull/33535) Custom height parameters for DataTable header and data rows (cla: yes, f: material design, framework, severe: new feature)
[33539](https://github.com/flutter/flutter/pull/33539) Fix/update several HTML links (cla: yes, team)
[33540](https://github.com/flutter/flutter/pull/33540) Pass local engine variables to Windows build (cla: yes, tool)
[33549](https://github.com/flutter/flutter/pull/33549) Mark flutter_gallery__back_button_memory as flaky (cla: yes)
[33554](https://github.com/flutter/flutter/pull/33554) Remove obsolete TODOs (cla: yes, team)
[33595](https://github.com/flutter/flutter/pull/33595) Add DiagnosticableMixin (cla: yes)
[33596](https://github.com/flutter/flutter/pull/33596) Un-mark uncaught_image_error_linux as flaky (cla: yes)
[33602](https://github.com/flutter/flutter/pull/33602) Remove assert from Image._handleImageFrame() (cla: yes)
[33608](https://github.com/flutter/flutter/pull/33608) Restructure macOS project files (cla: yes, tool)
[33611](https://github.com/flutter/flutter/pull/33611) Use Dart's new direct ELF generator to package AOT blobs as shared libraries in Android APKs (cla: yes, tool)
[33620](https://github.com/flutter/flutter/pull/33620) Document that offsets are returned in logical pixels (cla: yes, d: api docs, framework)
[33624](https://github.com/flutter/flutter/pull/33624) CupertinoTabScaffold crash fix (cla: yes, f: cupertino)
[33627](https://github.com/flutter/flutter/pull/33627) SliverFillRemaining flag for different use cases (cla: yes, f: scrolling, framework)
[33628](https://github.com/flutter/flutter/pull/33628) DataTable Custom Horizontal Padding (cla: yes, f: material design, framework, severe: new feature)
[33629](https://github.com/flutter/flutter/pull/33629) Add real-er restart for web using webkit inspection protocol (cla: yes, tool, ☸ platform-web)
[33632](https://github.com/flutter/flutter/pull/33632) Update the keycodes from source (cla: yes, framework)
[33634](https://github.com/flutter/flutter/pull/33634) Let there be scroll bars (a: fidelity, cla: yes, f: cupertino, f: material design, f: scrolling, framework, team: gallery)
[33636](https://github.com/flutter/flutter/pull/33636) Implement plugin tooling support for macOS (a: desktop, cla: yes, tool, ⌘ platform-mac)
[33653](https://github.com/flutter/flutter/pull/33653) Include advice about dispose in TextEditingController api (cla: yes, d: api docs, f: cupertino, f: material design, framework)
[33662](https://github.com/flutter/flutter/pull/33662) Prep for engine roll (cla: yes, engine, framework)
[33663](https://github.com/flutter/flutter/pull/33663) Use conditional imports for flutter foundation libraries (cla: yes, framework)
[33665](https://github.com/flutter/flutter/pull/33665) [Trivial] Move dropdownValue into State in DropdownButton sample docs (cla: yes, d: api docs, f: material design, framework)
[33666](https://github.com/flutter/flutter/pull/33666) Change screenshot observatory port flag to a URI that can include the authentication code (cla: yes)
[33673](https://github.com/flutter/flutter/pull/33673) Revert "Devfs cleanup and testing" (cla: yes)
[33674](https://github.com/flutter/flutter/pull/33674) Add documentation to ImplicitlyAnimatedWidgetState (cla: yes, framework)
[33676](https://github.com/flutter/flutter/pull/33676) Removing old golden checkout for integration test (a: tests, cla: yes, tool)
[33677](https://github.com/flutter/flutter/pull/33677) Roll pub dependencies (cla: yes, team)
[33684](https://github.com/flutter/flutter/pull/33684) Disable CocoaPods input and output paths in Xcode build phase and adopt new Xcode build system (cla: yes, t: xcode, tool, ⌺ platform-ios)
[33688](https://github.com/flutter/flutter/pull/33688) Part 1: Skia Gold Testing (a: tests, cla: yes, framework)
[33695](https://github.com/flutter/flutter/pull/33695) Add pseudo-key synonyms for keys like shift, meta, alt, and control. (a: desktop, cla: yes, framework)
[33696](https://github.com/flutter/flutter/pull/33696) Generate ELF shared libraries and allow multi-abi libs in APKs and App bundles (cla: yes, t: gradle, tool, ▣ platform-android)
[33697](https://github.com/flutter/flutter/pull/33697) Roll engine a32df2c92800..153416e554ef (2 commits) (#33680) (cla: yes)
[33698](https://github.com/flutter/flutter/pull/33698) fix devicelab manfiest (cla: yes)
[33703](https://github.com/flutter/flutter/pull/33703) Revert "Add real-er restart for web using webkit inspection protocol … (cla: yes)
[33704](https://github.com/flutter/flutter/pull/33704) Default optional bool param to false (cla: yes)
[33729](https://github.com/flutter/flutter/pull/33729) Update consolidateHttpClientResponseBytes() to use compressionState (a: images, cla: yes, framework)
[33739](https://github.com/flutter/flutter/pull/33739) fixed cupertinoTextField placeholder textAlign (cla: yes, f: cupertino, framework)
[33772](https://github.com/flutter/flutter/pull/33772) Remove ios_add2app Pods directory and add to gitignore (cla: yes)
[33776](https://github.com/flutter/flutter/pull/33776) Revert "Add web safe indirection to Platform.isPlatform getters" (cla: yes)
[33780](https://github.com/flutter/flutter/pull/33780) Add web safe indirection to Platform.isPlatform getters (2) (cla: yes)
[33781](https://github.com/flutter/flutter/pull/33781) wire in fuchsiaApp (cla: yes)
[33782](https://github.com/flutter/flutter/pull/33782) [flutter_tool] Log an Android X related failure to analytics (cla: yes)
[33786](https://github.com/flutter/flutter/pull/33786) Add a real-er web restart, doctor, workflow (a: tests, cla: yes, t: flutter driver, team)
[33787](https://github.com/flutter/flutter/pull/33787) Add chrome stable to dockerfile and web shard (cla: yes, team)
[33790](https://github.com/flutter/flutter/pull/33790) Revert "Update consolidateHttpClientResponseBytes() to use compressionState" (cla: yes)
[33792](https://github.com/flutter/flutter/pull/33792) Remove references to HttpClientResponseCompressionState (cla: yes)
[33794](https://github.com/flutter/flutter/pull/33794) Text inline widgets, TextSpan rework (a: text input, a: typography, cla: yes, framework, severe: API break, severe: new feature)
[33800](https://github.com/flutter/flutter/pull/33800) Revert "Add capability to flutter test --platform=chrome" (cla: yes)
[33802](https://github.com/flutter/flutter/pull/33802) Double double tap toggles instead of error (a: text input, cla: yes, f: material design, framework)
[33805](https://github.com/flutter/flutter/pull/33805) Fixing duplicate golden test names (a: tests, cla: yes, framework)
[33808](https://github.com/flutter/flutter/pull/33808) fix ExpansionPanelList merge the header semantics when it is not nece… (a: accessibility, cla: yes, f: material design, framework)
[33814](https://github.com/flutter/flutter/pull/33814) Added a benchmark for ImageCache (a: images, cla: yes, framework)
[33815](https://github.com/flutter/flutter/pull/33815) Revert "ModalRoute resumes previous focus on didPopNext" (cla: yes)
[33825](https://github.com/flutter/flutter/pull/33825) Revert "Use conditional imports for flutter foundation libraries" (cla: yes)
[33828](https://github.com/flutter/flutter/pull/33828) Reland https://github.com/flutter/flutter/pull/33663 (cla: yes)
[33842](https://github.com/flutter/flutter/pull/33842) Don't print warning message when running benchmarks test. (a: tests, cla: yes, framework)
[33846](https://github.com/flutter/flutter/pull/33846) [flutter_tool] Fix 'q' for Fuchsia profile/debug mode (cla: yes, tool)
[33851](https://github.com/flutter/flutter/pull/33851) Revert "Move declaration of semantic handlers from detectors to recognizers" (cla: yes)
[33852](https://github.com/flutter/flutter/pull/33852) Disable CocoaPods input and output paths in Xcode build phase and adopt new Xcode build system (cla: yes, tool)
[33859](https://github.com/flutter/flutter/pull/33859) Reland support flutter test on platform chrome (cla: yes, tool)
[33861](https://github.com/flutter/flutter/pull/33861) Unmark flutter_gallery__back_button_memory as flaky (cla: yes, team)
[33865](https://github.com/flutter/flutter/pull/33865) Correct version name for BottomNavigationBar golden test (a: tests, cla: yes, f: material design, framework, waiting for tree to go green)
[33867](https://github.com/flutter/flutter/pull/33867) Remove environment variable guards for command line desktop and web (cla: yes, tool)
[33868](https://github.com/flutter/flutter/pull/33868) Game controller button support (a: desktop, cla: yes, framework)
[33872](https://github.com/flutter/flutter/pull/33872) Add 'doctor' support for Windows (cla: yes, tool)
[33874](https://github.com/flutter/flutter/pull/33874) Prevent windows web doctor from launching chrome (cla: yes, tool)
[33876](https://github.com/flutter/flutter/pull/33876) Reland "Framework support for font features in text styles" (cla: yes, framework)
[33880](https://github.com/flutter/flutter/pull/33880) Splitting golden file versioning out as an argument of matchesGoldenFile (a: tests, cla: yes, framework, waiting for tree to go green)
[33882](https://github.com/flutter/flutter/pull/33882) Revert "Disable CocoaPods input and output paths in Xcode build phase and adopt new Xcode build system" (cla: yes)
[33883](https://github.com/flutter/flutter/pull/33883) Updated localizations (cla: yes)
[33886](https://github.com/flutter/flutter/pull/33886) Add currentSystemFrameTimeStamp to SchedulerBinding (cla: yes, framework)
[33892](https://github.com/flutter/flutter/pull/33892) add benchmarks to track web size (cla: yes, tool)
[33901](https://github.com/flutter/flutter/pull/33901) Respond to AndroidView focus events. (cla: yes, framework)
[33917](https://github.com/flutter/flutter/pull/33917) 'the the' doc fix (cla: yes, d: api docs, framework)
[33923](https://github.com/flutter/flutter/pull/33923) [flutter_tool] Track APK sha calculation time (cla: yes, tool)
[33924](https://github.com/flutter/flutter/pull/33924) Added --dart-flags option to flutter run (cla: yes, tool)
[33928](https://github.com/flutter/flutter/pull/33928) Revert "Text inline widgets, TextSpan rework" (cla: yes)
[33932](https://github.com/flutter/flutter/pull/33932) More removing of timeouts. (a: tests, cla: yes, team, team: flakes, waiting for tree to go green)
[33936](https://github.com/flutter/flutter/pull/33936) New parameter for RawGestureDetector to customize semantics mapping (cla: yes, f: gestures, framework)
[33946](https://github.com/flutter/flutter/pull/33946) Reland "Text inline widgets, TextSpan rework" (a: text input, a: typography, cla: yes, framework, severe: API break, severe: new feature)
[33949](https://github.com/flutter/flutter/pull/33949) Fix a bug in Shortcuts with synonyms, and add tests. (cla: yes)
[33951](https://github.com/flutter/flutter/pull/33951) Whitelist adb.exe heap corruption exit code. (cla: yes, tool)
[33955](https://github.com/flutter/flutter/pull/33955) Add localFocalPoint to ScaleDetector (cla: yes, framework, waiting for tree to go green)
[33956](https://github.com/flutter/flutter/pull/33956) Codegen an entrypoint for flutter web applications (cla: yes, tool, ☸ platform-web)
[33980](https://github.com/flutter/flutter/pull/33980) Increase daemon protocol version for getSupportedPlatforms (cla: yes, tool)
[33982](https://github.com/flutter/flutter/pull/33982) Revert engine back to afb9d510c3bb0f1b97980434b41200a2d3491697 (cla: yes)
[33987](https://github.com/flutter/flutter/pull/33987) Add use_frameworks to macOS Podfile template (cla: yes)
[33989](https://github.com/flutter/flutter/pull/33989) Manually roll the engine to land the timing API (cla: yes)
[33990](https://github.com/flutter/flutter/pull/33990) Add device category for daemon (cla: yes, tool)
[33996](https://github.com/flutter/flutter/pull/33996) Remove unused/dead code from WidgetInspector (cla: yes, framework)
[33997](https://github.com/flutter/flutter/pull/33997) Make plugins Swift-first on macOS (cla: yes)
[33999](https://github.com/flutter/flutter/pull/33999) Updating MediaQuery with viewPadding (cla: yes, framework)
[34002](https://github.com/flutter/flutter/pull/34002) Revert "Text inline widgets, TextSpan rework (#33946)" (cla: yes)
[34004](https://github.com/flutter/flutter/pull/34004) Remove print (cla: yes)
[34006](https://github.com/flutter/flutter/pull/34006) Re-add deprecated method for plugin migration compatibility. (cla: yes)
[34012](https://github.com/flutter/flutter/pull/34012) Extract DiagnosticsNode serializer from WidgetInspector (a: tests, cla: yes, customer: espresso, framework)
[34017](https://github.com/flutter/flutter/pull/34017) Skip web test on crazy import (a: tests, cla: yes)
[34018](https://github.com/flutter/flutter/pull/34018) Add flutter create for the web (cla: yes, tool, ☸ platform-web)
[34022](https://github.com/flutter/flutter/pull/34022) Revert "Re-add deprecated method for plugin migration compatibility." (cla: yes)
[34032](https://github.com/flutter/flutter/pull/34032) Enable web foundation tests (a: tests, cla: yes, team)
[34049](https://github.com/flutter/flutter/pull/34049) [flutter_tool] Send build timing to analytics (cla: yes)
[34050](https://github.com/flutter/flutter/pull/34050) limit open files on macOS when copying assets (cla: yes, tool)
[34051](https://github.com/flutter/flutter/pull/34051) Reland "Text inline widgets, TextSpan rework (#30069)" with improved backwards compatibility (a: text input, a: typography, cla: yes, severe: API break, severe: new feature)
[34054](https://github.com/flutter/flutter/pull/34054) Make it easier to pass local engine flags when running devicelab tests (a: tests, cla: yes, team)
[34055](https://github.com/flutter/flutter/pull/34055) Toggle toolbar exception fix (a: text input, cla: yes, f: material design)
[34056](https://github.com/flutter/flutter/pull/34056) fix devicelab test for chrome reload worklow (cla: yes)
[34057](https://github.com/flutter/flutter/pull/34057) Add endIndent property to Divider and VerticalDivider (cla: yes, f: material design, framework)
[34061](https://github.com/flutter/flutter/pull/34061) Revert "Prevent exception being thrown on hasScrolledBody" (cla: yes)
[34062](https://github.com/flutter/flutter/pull/34062) Roll engine to 086b5a48d6acdb64dd7b2a4cbf9dd620c54812b9 (cla: yes)
[34063](https://github.com/flutter/flutter/pull/34063) Fix web size test for new world (cla: yes)
[34066](https://github.com/flutter/flutter/pull/34066) Adds the androidX flag to a modules pubspec.yaml template so it is se… (cla: yes, tool)
[34068](https://github.com/flutter/flutter/pull/34068) fix empty selection arrow when double clicked on empty read only text… (a: text input, cla: yes, framework)
[34073](https://github.com/flutter/flutter/pull/34073) Dartdoc Generation README Improvements (cla: yes, d: api docs, framework)
[34074](https://github.com/flutter/flutter/pull/34074) add analytics fields for attached device os version & run mode (cla: yes, tool)
[34079](https://github.com/flutter/flutter/pull/34079) don't warn on CHROME_EXECUTABLE missing if we've already located it. (cla: yes)
[34081](https://github.com/flutter/flutter/pull/34081) Report async callback errors that currently go unreported. (cla: yes, tool)
[34084](https://github.com/flutter/flutter/pull/34084) make running on web spooky (cla: yes, tool)
[34085](https://github.com/flutter/flutter/pull/34085) Revert "Roll engine to 086b5a48d6acdb64dd7b2a4cbf9dd620c54812b9" (cla: yes)
[34086](https://github.com/flutter/flutter/pull/34086) Add recognizer compatibility API (cla: yes)
[34088](https://github.com/flutter/flutter/pull/34088) Revert "Roll engine 0602dbb27547..06dbe28e33e5 (13 commits)" (cla: yes)
[34090](https://github.com/flutter/flutter/pull/34090) More verification on flutter build web, add tests and cleanup (cla: yes, tool)
[34092](https://github.com/flutter/flutter/pull/34092) Revert "Added --dart-flags option to flutter run" (cla: yes)
[34094](https://github.com/flutter/flutter/pull/34094) Roll engine 0602dbb27547..ddd36e8338ab (17 commits) (cla: yes)
[34095](https://github.com/flutter/flutter/pull/34095) Cupertino text edit tooltip, reworked (a: text input, cla: yes, f: cupertino, severe: API break)
[34099](https://github.com/flutter/flutter/pull/34099) Roll engine to e8ee6acf8de3613fdd9f431fff5c4c37b65c3335 (cla: yes)
[34112](https://github.com/flutter/flutter/pull/34112) Separate web and io implementations of network image (cla: yes, framework, team, tool, ☸ platform-web)
[34114](https://github.com/flutter/flutter/pull/34114) roll engine to c5b55e9a6783ca811dd7b401332e9db8d4d54076 (cla: yes)
[34121](https://github.com/flutter/flutter/pull/34121) Revert "Generate ELF shared libraries and allow multi-abi libs in APKs and App bundles" (cla: yes)
[34123](https://github.com/flutter/flutter/pull/34123) Generate ELF shared libraries and allow multi-abi libs in APKs and App bundles (cla: yes, t: gradle, tool)
[34137](https://github.com/flutter/flutter/pull/34137) Added tool sample for PageController (cla: yes, d: api docs, framework)
[34159](https://github.com/flutter/flutter/pull/34159) Use product define for flutter web and remove extra asset server (cla: yes, tool, ☸ platform-web)
[34162](https://github.com/flutter/flutter/pull/34162) Update the Fuchsia SDK (cla: yes, tool, ○ platform-fuchsia)
[34163](https://github.com/flutter/flutter/pull/34163) update CupertinoDialogAction docs (cla: yes, d: api docs, f: cupertino)
[34166](https://github.com/flutter/flutter/pull/34166) Revert "More verification on flutter build web, add tests and cleanup" (cla: yes)
[34167](https://github.com/flutter/flutter/pull/34167) Disable CocoaPods input and output paths in Xcode build phase and adopt new Xcode build system (cla: yes)
[34173](https://github.com/flutter/flutter/pull/34173) Reland: More verification on flutter build web, add tests and cleanup (cla: yes)
[34175](https://github.com/flutter/flutter/pull/34175) Don't show scrollbar if there isn't enough content (cla: yes, f: scrolling, framework)
[34178](https://github.com/flutter/flutter/pull/34178) [Material] Fix slider track shape to rounded (cla: yes)
[34179](https://github.com/flutter/flutter/pull/34179) Consider all non-interactive terminals to be bots (cla: yes)
[34181](https://github.com/flutter/flutter/pull/34181) Reland "Added --dart-flags option to flutter run (#33924)" (cla: yes, tool)
[34189](https://github.com/flutter/flutter/pull/34189) Instrument usage of include_flutter.groovy and xcode_backend.sh (a: existing-apps, cla: yes, tool)
[34199](https://github.com/flutter/flutter/pull/34199) make sure this test doesn't run for real (a: tests, cla: yes, team, team: flakes)
[34202](https://github.com/flutter/flutter/pull/34202) Remove `_debugWillReattachChildren` assertions from `_TableElement` (cla: yes, customer: payouts, framework)
[34243](https://github.com/flutter/flutter/pull/34243) update the Flutter.Frame event to use new engine APIs (cla: yes, framework)
[34250](https://github.com/flutter/flutter/pull/34250) Strip debug symbols from ELF library snapshots (cla: yes)
[34255](https://github.com/flutter/flutter/pull/34255) [flutter_tool] Don't truncate verbose logs from _flutter.listViews (cla: yes, tool)
[34276](https://github.com/flutter/flutter/pull/34276) [flutter_tool,fuchsia] Prefetch tiles when starting an app (cla: yes, engine, tool, ○ platform-fuchsia)
[34282](https://github.com/flutter/flutter/pull/34282) Split gradle_plugin_test.dart (cla: yes, tool)
[34285](https://github.com/flutter/flutter/pull/34285) fix Applying decoration for a table row widget will cause render exce… (cla: yes, framework)
[34288](https://github.com/flutter/flutter/pull/34288) Report commands that resulted in success or failure (cla: yes, tool)
[34291](https://github.com/flutter/flutter/pull/34291) Check whether FLUTTER_ROOT and FLUTTER_ROOT/bin are writable. (cla: yes, tool)
[34293](https://github.com/flutter/flutter/pull/34293) Change Xcode developmentRegion to 'en' and CFBundleDevelopmentRegion to DEVELOPMENT_LANGUAGE (cla: yes, t: xcode, tool)
[34295](https://github.com/flutter/flutter/pull/34295) Prepare for Uint8List SDK breaking changes (cla: yes, dependency: dart, tool)
[34298](https://github.com/flutter/flutter/pull/34298) Preserving SafeArea : Part 2 (cla: yes, customer: solaris, framework, severe: customer critical, waiting for tree to go green)
[34301](https://github.com/flutter/flutter/pull/34301) Make it possible to override the FLUTTER_TEST env variable (a: tests, cla: yes, customer: mulligan (g3), team, tool)
[34341](https://github.com/flutter/flutter/pull/34341) Re-apply compressionState changes. (cla: yes)
[34352](https://github.com/flutter/flutter/pull/34352) Revert "update the Flutter.Frame event to use new engine APIs" (cla: yes)
[34353](https://github.com/flutter/flutter/pull/34353) Refactor Gradle plugin (cla: yes, t: gradle, tool)
[34355](https://github.com/flutter/flutter/pull/34355) Text field vertical align (cla: yes, f: material design, framework)
[34356](https://github.com/flutter/flutter/pull/34356) Add widget of the week videos (cla: yes, d: api docs)
[34365](https://github.com/flutter/flutter/pull/34365) redux of a change to use new engine APIs for Flutter.Frame events (cla: yes, framework)
[34368](https://github.com/flutter/flutter/pull/34368) Fix semantics_tester (a: accessibility, a: tests, cla: yes, framework)
[34369](https://github.com/flutter/flutter/pull/34369) Remove unused flag `--target-platform` from `flutter run` (cla: yes, tool)
[34374](https://github.com/flutter/flutter/pull/34374) Update flakiness of tests (cla: yes)
[34376](https://github.com/flutter/flutter/pull/34376) Add missing pieces for 'driver' support on macOS (cla: yes, tool)
[34388](https://github.com/flutter/flutter/pull/34388) Change API doc link to api.dart.dev (cla: yes, d: api docs, framework)
[34417](https://github.com/flutter/flutter/pull/34417) Include raw value in Diagnostics json for basic types (a: tests, cla: yes, framework)
[34419](https://github.com/flutter/flutter/pull/34419) Disable flaky tests (cla: yes)
[34424](https://github.com/flutter/flutter/pull/34424) SizedBox documentation minor update (cla: yes, d: api docs, framework)
[34430](https://github.com/flutter/flutter/pull/34430) skip bottom_sheet (cla: yes)
[34434](https://github.com/flutter/flutter/pull/34434) Semantics fixes (a: accessibility, cla: yes, framework)
[34436](https://github.com/flutter/flutter/pull/34436) Allow web tests to fail (cla: yes)
[34440](https://github.com/flutter/flutter/pull/34440) Add Driver command to get diagnostics tree (a: tests, cla: yes, customer: espresso, framework, waiting for tree to go green)
[34447](https://github.com/flutter/flutter/pull/34447) [flutter_tool,fuchsia] Update the install flow for packaging migration. (cla: yes, tool)
[34456](https://github.com/flutter/flutter/pull/34456) Allow flaky tests to pass or fail and mark web tests as flaky (cla: yes)
[34457](https://github.com/flutter/flutter/pull/34457) Dont depend on web sdk unless running tests on chrome (cla: yes)
[34460](https://github.com/flutter/flutter/pull/34460) Add back ability to override the local engine in Gradle (cla: yes, engine, severe: crash, t: gradle, tool)
[34464](https://github.com/flutter/flutter/pull/34464) Skip flaky test on Windows (cla: yes)
[34474](https://github.com/flutter/flutter/pull/34474) Release diagnostics (a: size, cla: yes, customer: google, framework, waiting for tree to go green)
[34501](https://github.com/flutter/flutter/pull/34501) [Material] Fix TextDirection and selected thumb for RangeSliderThumbShape and RangeSliderValueIndicatorShape (cla: yes, f: material design, framework, severe: API break)
[34508](https://github.com/flutter/flutter/pull/34508) add route information to Flutter.Navigation events (cla: yes, framework)
[34512](https://github.com/flutter/flutter/pull/34512) Make sure fab semantics end up on top (cla: yes, framework)
[34514](https://github.com/flutter/flutter/pull/34514) Revert "redux of a change to use new engine APIs for Flutter.Frame events" (cla: yes)
[34515](https://github.com/flutter/flutter/pull/34515) OutlineInputBorder adjusts for borderRadius that is too large (a: text input, cla: yes, f: material design, framework)
[34516](https://github.com/flutter/flutter/pull/34516) [flutter_tool] Fill in Fuchsia version string (cla: yes, tool)
[34517](https://github.com/flutter/flutter/pull/34517) pass .packages path to snapshot invocation (cla: yes, tool)
[34519](https://github.com/flutter/flutter/pull/34519) fix page scroll position rounding error (cla: yes, framework, severe: customer critical)
[34521](https://github.com/flutter/flutter/pull/34521) redux of a change to use new engine APIs for Flutter.Frame events (cla: yes)
[34526](https://github.com/flutter/flutter/pull/34526) retry on HttpException during cache download (cla: yes, tool)
[34527](https://github.com/flutter/flutter/pull/34527) Don't crash on invalid .packages file (cla: yes, tool)
[34529](https://github.com/flutter/flutter/pull/34529) Remove compilation trace and dynamic support code (cla: yes, tool)
[34530](https://github.com/flutter/flutter/pull/34530) Reland "redux of a change to use new engine APIs for Flutter.Frame events" (cla: yes)
[34535](https://github.com/flutter/flutter/pull/34535) Handles parsing APK manifests with additional namespaces or attributes (cla: yes)
[34555](https://github.com/flutter/flutter/pull/34555) Added customizable padding for the segmented controll (cla: yes)
[34573](https://github.com/flutter/flutter/pull/34573) Ensures flutter jar is added to all build types on plugin projects (cla: yes, t: gradle, tool, waiting for tree to go green)
[34584](https://github.com/flutter/flutter/pull/34584) fix a typo (cla: yes, tool)
[34587](https://github.com/flutter/flutter/pull/34587) Do not copy paths, rects, and rrects when layer offset is zero (cla: yes, framework)
[34589](https://github.com/flutter/flutter/pull/34589) Remove most of the target logic for build web, cleanup rules (cla: yes, tool)
[34592](https://github.com/flutter/flutter/pull/34592) Config lib dependencies for flavors (cla: yes, t: gradle, waiting for tree to go green)
[34597](https://github.com/flutter/flutter/pull/34597) [Material] Update slider gallery demo, including range slider (cla: yes, f: material design, framework)
[34600](https://github.com/flutter/flutter/pull/34600) Remove @protected annotation on ImageProvider.obtainKey (cla: yes)
[34606](https://github.com/flutter/flutter/pull/34606) Remove portions of the Gradle script related to dynamic patching (cla: yes, tool, waiting for tree to go green)
[34616](https://github.com/flutter/flutter/pull/34616) Kill compiler process when test does not exit cleanly (a: tests, cla: yes, tool)
[34618](https://github.com/flutter/flutter/pull/34618) Temporarily allow failures on the docs shard (cla: yes)
[34624](https://github.com/flutter/flutter/pull/34624) Break down flutter doctor validations and results (cla: yes, t: flutter doctor, tool)
[34654](https://github.com/flutter/flutter/pull/34654) Disable the docs shard to get the build green (cla: yes)
[34655](https://github.com/flutter/flutter/pull/34655) Revert "Config lib dependencies for flavors" (cla: yes, waiting for tree to go green)
[34660](https://github.com/flutter/flutter/pull/34660) Add --target support for Windows and Linux (cla: yes, tool)
[34664](https://github.com/flutter/flutter/pull/34664) Adjust defaults in docs to match new defaults in code. (cla: yes, framework)
[34665](https://github.com/flutter/flutter/pull/34665) Selection handles position is off (a: text input, cla: yes, framework, severe: API break)
[34668](https://github.com/flutter/flutter/pull/34668) Re-land config lib dependencies for flavors (cla: yes, t: gradle)
[34669](https://github.com/flutter/flutter/pull/34669) Bundle ios dependencies (cla: yes, tool)
[34674](https://github.com/flutter/flutter/pull/34674) Revert "Roll engine 20d3861ac8e1..05c034e5bb0a (10 commits)" (cla: yes)
[34679](https://github.com/flutter/flutter/pull/34679) Fix-up code sample for TweenSequence (cla: yes, d: api docs, framework)
[34681](https://github.com/flutter/flutter/pull/34681) Re-enable docs with new container (cla: yes)
[34683](https://github.com/flutter/flutter/pull/34683) add read only semantics flag (cla: yes, framework)
[34684](https://github.com/flutter/flutter/pull/34684) Add more structure to errors. (cla: yes, framework)
[34685](https://github.com/flutter/flutter/pull/34685) Close platform when tests are complete (dispose compiler and delete font files) (a: tests, cla: yes, tool, waiting for tree to go green)
[34686](https://github.com/flutter/flutter/pull/34686) unpin build daemon and roll dependencies (cla: yes, tool)
[34712](https://github.com/flutter/flutter/pull/34712) Fix FocusTraversalPolicy makes focus lost (a: desktop, cla: yes, framework)
[34721](https://github.com/flutter/flutter/pull/34721) Add category/platformType to emulators (cla: yes)
[34723](https://github.com/flutter/flutter/pull/34723) CupertinoTextField vertical alignment (cla: yes, f: cupertino, framework)
[34725](https://github.com/flutter/flutter/pull/34725) Fix NPE in flutter tools (cla: yes, tool)
[34736](https://github.com/flutter/flutter/pull/34736) Remove flags related to dynamic patching (cla: yes, tool)
[34738](https://github.com/flutter/flutter/pull/34738) Update Xcode projects to recommended Xcode 10 project settings (cla: yes, t: xcode, team, waiting for tree to go green)
[34739](https://github.com/flutter/flutter/pull/34739) Disable widgets and material web tests (cla: yes, team)
[34750](https://github.com/flutter/flutter/pull/34750) Revert "Check whether FLUTTER_ROOT and FLUTTER_ROOT/bin are writable." (cla: yes)
[34753](https://github.com/flutter/flutter/pull/34753) Revert "Add basic desktop linux checks" (cla: yes)
[34754](https://github.com/flutter/flutter/pull/34754) Move hacky flag to common (cla: yes)
[34755](https://github.com/flutter/flutter/pull/34755) Add linux doctor implementation (cla: yes, t: flutter doctor, tool)
[34757](https://github.com/flutter/flutter/pull/34757) Backup docs to GCS (cla: yes)
[34758](https://github.com/flutter/flutter/pull/34758) Added some Widgets of the Week Videos to documentation (cla: yes, d: api docs, framework)
[34761](https://github.com/flutter/flutter/pull/34761) Revert "Backup docs to GCS" (cla: yes)
[34785](https://github.com/flutter/flutter/pull/34785) Tweak the display name of emulators (cla: yes, tool)
[34794](https://github.com/flutter/flutter/pull/34794) Add `emulatorID` field to devices in daemon (cla: yes, tool)
[34802](https://github.com/flutter/flutter/pull/34802) Prefer ephemeral devices from command line run (cla: yes, tool)
[34812](https://github.com/flutter/flutter/pull/34812) Shard framework tests (cla: yes, team)
[34818](https://github.com/flutter/flutter/pull/34818) Make docs do less work/be less flaky (cla: yes, team)
[34823](https://github.com/flutter/flutter/pull/34823) Introduce image loading performance test. (a: tests, cla: yes, framework)
[34831](https://github.com/flutter/flutter/pull/34831) Fix source-links (cla: yes)
[34856](https://github.com/flutter/flutter/pull/34856) set device name to Chrome (cla: yes, tool)
[34857](https://github.com/flutter/flutter/pull/34857) More shards (cla: yes, team)
[34859](https://github.com/flutter/flutter/pull/34859) Fix Vertical Alignment Regression (a: text input, cla: yes, f: material design, framework)
[34863](https://github.com/flutter/flutter/pull/34863) Prepare for HttpClientResponse Uint8List SDK change (a: tests, cla: yes, framework)
[34869](https://github.com/flutter/flutter/pull/34869) [Material] Properly call onChangeStart and onChangeEnd in Range Slider (cla: yes, f: material design, framework)
[34870](https://github.com/flutter/flutter/pull/34870) Add test case for Flutter Issue #27677 as a benchmark. (cla: yes, engine, framework, severe: performance)
[34872](https://github.com/flutter/flutter/pull/34872) [Material] Support for hovered, focused, and pressed border color on `OutlineButton`s (cla: yes, f: material design, framework)
[34877](https://github.com/flutter/flutter/pull/34877) More shards (a: tests, cla: yes, team, waiting for tree to go green)
[34884](https://github.com/flutter/flutter/pull/34884) Revert "set device name to Chrome" (cla: yes)
[34885](https://github.com/flutter/flutter/pull/34885) Reland: rename web device (cla: yes, tool)
[34895](https://github.com/flutter/flutter/pull/34895) Remove flutter_tools support for old AOT snapshotting (cla: yes)
[34896](https://github.com/flutter/flutter/pull/34896) Allow multi-root web builds (cla: yes, tool)
[34906](https://github.com/flutter/flutter/pull/34906) Fix unused [applicationIcon] property on [showLicensePage] (cla: yes, f: material design, framework)
[34907](https://github.com/flutter/flutter/pull/34907) Fixed LicensePage to close page before loaded the License causes an error (cla: yes, f: material design, framework, severe: crash)
[34919](https://github.com/flutter/flutter/pull/34919) Remove duplicate error parts (cla: yes, framework, waiting for tree to go green)
[34932](https://github.com/flutter/flutter/pull/34932) Added onChanged property to TextFormField (cla: yes, f: material design, framework)
[34964](https://github.com/flutter/flutter/pull/34964) CupertinoTextField.onTap (cla: yes, f: cupertino)
[35017](https://github.com/flutter/flutter/pull/35017) sync lint list (cla: yes)
[35046](https://github.com/flutter/flutter/pull/35046) Add generated Icon diagram to api docs (cla: yes, d: api docs, d: examples, framework)
[35055](https://github.com/flutter/flutter/pull/35055) enable lint avoid_bool_literals_in_conditional_expressions (cla: yes)
[35056](https://github.com/flutter/flutter/pull/35056) enable lint use_full_hex_values_for_flutter_colors (cla: yes)
[35059](https://github.com/flutter/flutter/pull/35059) prepare for lint update of prefer_final_fields (cla: yes)
[35063](https://github.com/flutter/flutter/pull/35063) add documentation for conic path not supported (a: platform-views, cla: yes, d: api docs, framework, plugin)
[35066](https://github.com/flutter/flutter/pull/35066) Manual engine roll, Update goldens, improved wavy text decoration 0f9e297ad..185087a65f (a: typography, cla: yes, engine)
[35074](https://github.com/flutter/flutter/pull/35074) Attempt to enable tool coverage redux (a: tests, cla: yes, tool)
[35075](https://github.com/flutter/flutter/pull/35075) Allow for customizing SnackBar's content TextStyle in its theme (cla: yes, f: material design, framework)
[35084](https://github.com/flutter/flutter/pull/35084) Move findTargetDevices to DeviceManager (cla: yes, tool)
[35092](https://github.com/flutter/flutter/pull/35092) Add FlutterProjectFactory so that it can be overridden internally. (cla: yes, tool)
[35110](https://github.com/flutter/flutter/pull/35110) Always test semantics (a: accessibility, a: tests, cla: yes, framework, severe: API break)
[35129](https://github.com/flutter/flutter/pull/35129) [Material] Wrap Flutter Gallery's Expansion Panel Slider in padded Container to make room for Value Indicator. (cla: yes, f: material design, framework, severe: regression)
[35130](https://github.com/flutter/flutter/pull/35130) pass new users for release_smoke_tests (a: tests, cla: yes, team)
[35132](https://github.com/flutter/flutter/pull/35132) Reduce allocations by reusing a matrix for transient transforms in _transformRect (cla: yes)
[35136](https://github.com/flutter/flutter/pull/35136) Update Dark Theme disabledColor to White38 (cla: yes, f: material design, framework, severe: API break)
[35143](https://github.com/flutter/flutter/pull/35143) More HttpClientResponse Uint8List fixes (cla: yes)
[35149](https://github.com/flutter/flutter/pull/35149) More `HttpClientResponse implements Stream<Uint8List>` fixes (cla: yes)
[35150](https://github.com/flutter/flutter/pull/35150) Change didUpdateConfig to didUpdateWidget (cla: yes, d: api docs, framework)
[35157](https://github.com/flutter/flutter/pull/35157) Remove skip clause on tools coverage (cla: yes, team)
[35160](https://github.com/flutter/flutter/pull/35160) Move usage flutter create tests into memory filesystem. (a: tests, cla: yes, tool)
[35164](https://github.com/flutter/flutter/pull/35164) Update reassemble doc (cla: yes, customer: product, d: api docs, framework, severe: customer critical)
[35186](https://github.com/flutter/flutter/pull/35186) Make tool coverage collection resilient to sentinel coverage data (cla: yes, tool)
[35188](https://github.com/flutter/flutter/pull/35188) ensure test isolate is paused before collecting coverage (cla: yes, tool)
[35189](https://github.com/flutter/flutter/pull/35189) enable lints prefer_spread_collections and prefer_inlined_adds (cla: yes)
[35192](https://github.com/flutter/flutter/pull/35192) don't block any presubmit on coverage (cla: yes, tool)
[35197](https://github.com/flutter/flutter/pull/35197) [flutter_tool] Update Fuchsia SDK (cla: yes, tool)
[35206](https://github.com/flutter/flutter/pull/35206) Force-upgrade package deps (cla: yes)
[35207](https://github.com/flutter/flutter/pull/35207) refactor out selection handlers (a: text input, cla: yes, customer: amplify, customer: fuchsia, framework)
[35211](https://github.com/flutter/flutter/pull/35211) `child` param doc update in Ink and Ink.image (cla: yes, d: api docs, f: material design, framework)
[35219](https://github.com/flutter/flutter/pull/35219) Text selection menu show/hide cases (a: text input, cla: yes, f: material design, framework)
[35221](https://github.com/flutter/flutter/pull/35221) Twiggle bit to exclude dev and beta from desktop and web (cla: yes, tool)
[35223](https://github.com/flutter/flutter/pull/35223) Navigator pushAndRemoveUntil Fix (a: animation, cla: yes, customer: mulligan (g3), f: routes, framework, severe: crash, waiting for tree to go green)
[35225](https://github.com/flutter/flutter/pull/35225) add sample code for AnimatedContainer (a: animation, cla: yes, d: api docs, d: examples, framework)
[35231](https://github.com/flutter/flutter/pull/35231) Fix coverage collection (cla: yes, tool)
[35232](https://github.com/flutter/flutter/pull/35232) New benchmark: Gesture semantics (cla: yes, waiting for tree to go green)
[35233](https://github.com/flutter/flutter/pull/35233) Attempt skipping coverage shard if tools did not change (cla: yes)
[35237](https://github.com/flutter/flutter/pull/35237) Revert "Manual engine roll, Update goldens, improved wavy text decoration 0f9e297ad..185087a65f" (cla: yes)
[35242](https://github.com/flutter/flutter/pull/35242) Reland "Manual engine roll, Update goldens, improved wavy text decoration 0f9e297ad..185087a65f"" (cla: yes)
[35245](https://github.com/flutter/flutter/pull/35245) More preparation for HttpClientResponse implements Uint8List (cla: yes)
[35246](https://github.com/flutter/flutter/pull/35246) attempt to not skip coverage on post commit (cla: yes)
[35263](https://github.com/flutter/flutter/pull/35263) remove unnecessary ..toList() (cla: yes)
[35276](https://github.com/flutter/flutter/pull/35276) Revert "[Material] Support for hovered, focused, and pressed border color on `OutlineButton`s" (cla: yes)
[35278](https://github.com/flutter/flutter/pull/35278) Re-land "[Material] Support for hovered, focused, and pressed border color on `OutlineButton`s" (cla: yes)
[35280](https://github.com/flutter/flutter/pull/35280) benchmarkWidgets.semanticsEnabled default false. (cla: yes)
[35282](https://github.com/flutter/flutter/pull/35282) Add Container fallback to Ink build method (cla: yes, f: material design, framework)
[35288](https://github.com/flutter/flutter/pull/35288) Apply coverage skip math correctly (cla: yes)
[35290](https://github.com/flutter/flutter/pull/35290) tests for about page (cla: yes)
[35303](https://github.com/flutter/flutter/pull/35303) fix default artifacts to exclude ios and android (cla: yes, tool)
[35307](https://github.com/flutter/flutter/pull/35307) Clean up host_app_ephemeral Profile build settings (a: existing-apps, cla: yes, t: xcode, tool, ⌺ platform-ios)
[35335](https://github.com/flutter/flutter/pull/35335) Using custom exception class for network loading error (a: images, cla: yes, framework)
[35367](https://github.com/flutter/flutter/pull/35367) Add type to StreamChannel in generated test code. (cla: yes, tool)
[35392](https://github.com/flutter/flutter/pull/35392) Add timer checking and Fake http client to testbed (cla: yes, tool)
[35393](https://github.com/flutter/flutter/pull/35393) more ui-as-code (cla: yes, team)
[35406](https://github.com/flutter/flutter/pull/35406) Refactor signal and command line handler from resident runner (cla: yes, team, tool)
[35407](https://github.com/flutter/flutter/pull/35407) Manual engine roll (cla: yes, engine, team)
[35408](https://github.com/flutter/flutter/pull/35408) Remove print (cla: yes)
[35423](https://github.com/flutter/flutter/pull/35423) v1.7.8 hotfixes (cla: yes)
[35424](https://github.com/flutter/flutter/pull/35424) Introduce image_list performance benchmark that runs on jit(debug) build. (a: images, a: tests, cla: yes, framework)
[35464](https://github.com/flutter/flutter/pull/35464) Manual roll of engine 45b66b7...ffba2f6 (cla: yes, team)
[35465](https://github.com/flutter/flutter/pull/35465) Mark update-packages as non-experimental (cla: yes, tool)
[35467](https://github.com/flutter/flutter/pull/35467) Mark update-packages as non-experimental (cla: yes, tool)
[35468](https://github.com/flutter/flutter/pull/35468) Add colorFilterLayer/Widget (a: accessibility, cla: yes, customer: octopod, framework, waiting for tree to go green)
[35477](https://github.com/flutter/flutter/pull/35477) Update macrobenchmarks README and app name (a: tests, cla: yes, team)
[35480](https://github.com/flutter/flutter/pull/35480) Update the help message on precache command for less confusion (cla: yes, tool)
[35481](https://github.com/flutter/flutter/pull/35481) add APK build time benchmarks (cla: yes, tool)
[35482](https://github.com/flutter/flutter/pull/35482) Use the new service protocol message names (cla: yes)
[35487](https://github.com/flutter/flutter/pull/35487) Fix RenderFittedBox when child.size.isEmpty (a: accessibility, cla: yes, framework)
[35491](https://github.com/flutter/flutter/pull/35491) Include tags in SemanticsNode debug properties (cla: yes, framework)
[35492](https://github.com/flutter/flutter/pull/35492) Re-apply 'Add currentSystemFrameTimeStamp to SchedulerBinding' (cla: yes, framework)
[35493](https://github.com/flutter/flutter/pull/35493) Do not use ideographic baseline for RenderPargraph baseline (a: typography, cla: yes, engine, framework)
[35495](https://github.com/flutter/flutter/pull/35495) mark windows and macos chrome dev mode as flaky (cla: yes, team)
[35496](https://github.com/flutter/flutter/pull/35496) [Material] Text scale and wide label fixes for Slider and Range Slider value indicator shape (cla: yes, f: material design)
[35499](https://github.com/flutter/flutter/pull/35499) Added MaterialApp.themeMode to control which theme is used. (cla: yes, f: material design, framework)
[35548](https://github.com/flutter/flutter/pull/35548) Various doc fixes (cla: yes, framework)
[35556](https://github.com/flutter/flutter/pull/35556) ios (iPhone6) and iPhone XS tiles_scroll_perf tests (cla: yes, severe: performance, team, ⌺ platform-ios)
[35560](https://github.com/flutter/flutter/pull/35560) Support for elevation based dark theme overlay color in the Material widget (cla: yes, f: material design, framework)
[35573](https://github.com/flutter/flutter/pull/35573) update packages (cla: yes, team)
[35574](https://github.com/flutter/flutter/pull/35574) Fix semantics for floating pinned sliver app bar (a: accessibility, cla: yes, f: scrolling, framework, waiting for tree to go green)
[35646](https://github.com/flutter/flutter/pull/35646) Prepare for Socket implements Stream<Uint8List> (cla: yes)
[35657](https://github.com/flutter/flutter/pull/35657) Remove paused check for tooling tests (cla: yes, tool)
[35681](https://github.com/flutter/flutter/pull/35681) Disable incremental compiler in dartdevc (cla: yes, tool)
[35684](https://github.com/flutter/flutter/pull/35684) Fix typo in main.dart templates (cla: yes, d: api docs, framework)
[35708](https://github.com/flutter/flutter/pull/35708) disable a test case in xcode_backend.sh (cla: yes, tool)
[35709](https://github.com/flutter/flutter/pull/35709) Remove web, fuchsia, and unsupported devices from all (cla: yes, tool)
[35725](https://github.com/flutter/flutter/pull/35725) Update annotated region findAll implementation to use Iterables directly. (cla: yes, framework)
[35731](https://github.com/flutter/flutter/pull/35731) Keep LLDB connection to iOS device alive while running from CLI. (cla: yes, tool)
[35743](https://github.com/flutter/flutter/pull/35743) Simple Doc Fixes (cla: yes, d: api docs, framework)
[35745](https://github.com/flutter/flutter/pull/35745) enable lint prefer_if_null_operators (cla: yes, team)
[35749](https://github.com/flutter/flutter/pull/35749) add iOS build benchmarks (cla: yes, team, tool)
[35756](https://github.com/flutter/flutter/pull/35756) Remove @objc inference build setting (cla: yes, t: xcode, tool)
[35762](https://github.com/flutter/flutter/pull/35762) Refactor keymapping for resident_runner (cla: yes)
[35763](https://github.com/flutter/flutter/pull/35763) UIApplicationLaunchOptionsKey -> UIApplication.LaunchOptionsKey (cla: yes, t: xcode, tool, ⌺ platform-ios)
[35765](https://github.com/flutter/flutter/pull/35765) Use public _registerService RPC in flutter_tools (cla: yes, tool)
[35767](https://github.com/flutter/flutter/pull/35767) set targets of zero percent for tools codecoverage (cla: yes, tool)
[35775](https://github.com/flutter/flutter/pull/35775) Add platform_interaction_test_swift to devicelab (a: tests, cla: yes, framework, p: framework, plugin, ⌺ platform-ios)
[35777](https://github.com/flutter/flutter/pull/35777) Fixed logLevel filter bug so that filter now works as expected (cla: yes, team)
[35778](https://github.com/flutter/flutter/pull/35778) Build all example projects in CI build smoke test (a: tests, cla: yes, team)
[35780](https://github.com/flutter/flutter/pull/35780) Remove CoocaPods support from layers example app (a: tests, cla: yes, d: examples, team)
[35785](https://github.com/flutter/flutter/pull/35785) Remove reverseDuration from implicitly animated widgets, since it's ignored. (a: animation, cla: yes, framework, severe: API break)
[35792](https://github.com/flutter/flutter/pull/35792) disable web tests (cla: yes)
[35814](https://github.com/flutter/flutter/pull/35814) Roll engine e695a516f..75387dbc1 (8 commits) (cla: yes, team)
[35825](https://github.com/flutter/flutter/pull/35825) Fixed build of example code to use new binary messenger API. (cla: yes, team)
[35828](https://github.com/flutter/flutter/pull/35828) Cleanup widgets/sliver_persistent_header.dart with resolution of dart-lang/sdk#31543 (cla: yes, framework)
[35833](https://github.com/flutter/flutter/pull/35833) Disable CocoaPods input and output paths in Xcode build phase for ephemeral add-to-app project (a: existing-apps, cla: yes, tool, ⌺ platform-ios)
[35839](https://github.com/flutter/flutter/pull/35839) use pub run for create test and remove [INFO] logs (cla: yes, tool)
[35846](https://github.com/flutter/flutter/pull/35846) move reload and restart handling into terminal (cla: yes, tool)
[35878](https://github.com/flutter/flutter/pull/35878) Add flag to use root navigator for showModalBottomSheet (cla: yes, f: material design, framework)
[35892](https://github.com/flutter/flutter/pull/35892) Doc fixes (cla: yes, d: api docs, d: examples, framework)
[35906](https://github.com/flutter/flutter/pull/35906) Add anchors to samples (cla: yes, team)
[35913](https://github.com/flutter/flutter/pull/35913) Change focus example to be more canonical (and correct) (cla: yes, framework)
[35926](https://github.com/flutter/flutter/pull/35926) Add example showing how to move from one field to the next. (cla: yes, d: api docs, d: examples, framework)
[35932](https://github.com/flutter/flutter/pull/35932) Upgraded framework packages with 'flutter update-packages --force-upgrade'. (cla: yes, framework)
[35942](https://github.com/flutter/flutter/pull/35942) Use test instead of test_api package in platform_channel_swift example tests (a: tests, cla: yes, d: examples, team)
[35971](https://github.com/flutter/flutter/pull/35971) [ImgBot] Optimize images (cla: yes, team)
[35979](https://github.com/flutter/flutter/pull/35979) Optimizes gesture recognizer fixes #35658 (cla: yes, f: gestures, framework)
[35991](https://github.com/flutter/flutter/pull/35991) Enable widget load assets in its own package in test (a: tests, cla: yes, tool)
[35996](https://github.com/flutter/flutter/pull/35996) Revert "Keep LLDB connection to iOS device alive while running from CLI." (cla: yes)
[35999](https://github.com/flutter/flutter/pull/35999) Deflake ImageProvider.evict test (a: images, a: tests, cla: yes, team: flakes)
[36006](https://github.com/flutter/flutter/pull/36006) fix linesplitter (cla: yes, team)
[36017](https://github.com/flutter/flutter/pull/36017) Move reporting files to reporting/ (cla: yes, tool)
[36026](https://github.com/flutter/flutter/pull/36026) add the transformPoint and transformRect benchmarks (cla: yes, team)
[36071](https://github.com/flutter/flutter/pull/36071) Revert "Bundle ios dependencies" (cla: yes, team, tool)
[36082](https://github.com/flutter/flutter/pull/36082) Add better handling of JSON-RPC exception (cla: yes, tool)
[36084](https://github.com/flutter/flutter/pull/36084) handle google3 version of pb (cla: yes, tool)
[36089](https://github.com/flutter/flutter/pull/36089) Fix flaky peer connection (a: tests, cla: yes, framework)
[36090](https://github.com/flutter/flutter/pull/36090) don't require diffs to have a percentage coverage greater (cla: yes, team)
[36093](https://github.com/flutter/flutter/pull/36093) Reland bundle ios deps (cla: yes, team, tool)
[36094](https://github.com/flutter/flutter/pull/36094) Revert "Part 1: Skia Gold Testing" (cla: yes, f: cupertino, f: material design, framework, team)
[36096](https://github.com/flutter/flutter/pull/36096) Revert "Merge branches 'master' and 'master' of github.com:flutter/fl… (cla: yes, tool)
[36097](https://github.com/flutter/flutter/pull/36097) Fix nested scroll view can rebuild without layout (cla: yes, f: scrolling, framework, severe: crash)
[36098](https://github.com/flutter/flutter/pull/36098) Be clearer about errors in customer testing script (cla: yes, team)
[36102](https://github.com/flutter/flutter/pull/36102) Move buildable module test to a module test (cla: yes, team)
[36105](https://github.com/flutter/flutter/pull/36105) [flutter_tool] Catch a yaml parse failure during project creation (cla: yes, team, tool)
[36108](https://github.com/flutter/flutter/pull/36108) Move tools tests into a general.shard directory in preparation to changing how we shard tools tests (cla: yes, tool)
[36122](https://github.com/flutter/flutter/pull/36122) Make sure add-to-app build bundle from outer xcodebuild/gradlew sends analytics (cla: yes, team, tool)
[36123](https://github.com/flutter/flutter/pull/36123) Attempt to re-enable integration_tests-macos (a: tests, cla: yes, team, team: flakes)
[36135](https://github.com/flutter/flutter/pull/36135) add a kIsWeb constant to foundation (cla: yes, framework)
[36138](https://github.com/flutter/flutter/pull/36138) Implement feature flag system for flutter tools (cla: yes, tool)
[36174](https://github.com/flutter/flutter/pull/36174) [cupertino_icons] Add glyph refs for brightness #16102 (cla: yes, f: cupertino, framework)
[36194](https://github.com/flutter/flutter/pull/36194) Keep LLDB connection to iOS device alive while running from CLI. (cla: yes, tool)
[36197](https://github.com/flutter/flutter/pull/36197) Fix windows, exclude widgets from others (cla: yes, team)
[36199](https://github.com/flutter/flutter/pull/36199) Don't try to flutterExit if isolate is still paused (cla: yes, tool)
[36200](https://github.com/flutter/flutter/pull/36200) Refactoring the Android_views tests app to prepare for adding the iOS platform view tests (a: platform-views, a: tests, cla: yes, team)
[36202](https://github.com/flutter/flutter/pull/36202) Add clarifying docs on MaterialButton.colorBrightness (cla: yes, d: api docs, f: material design, framework)
[36208](https://github.com/flutter/flutter/pull/36208) [flutter_tool] Allow analytics without a terminal attached (cla: yes, tool)
[36213](https://github.com/flutter/flutter/pull/36213) Use DeviceManager instead of device to determine if device supports project. (cla: yes, tool)
[36243](https://github.com/flutter/flutter/pull/36243) Allow semantics labels to be shorter or longer than raw text (a: accessibility, cla: yes, customer: money (g3), framework, waiting for tree to go green)
[36289](https://github.com/flutter/flutter/pull/36289) FakeHttpClientResponse improvements (cla: yes, tool)
[36293](https://github.com/flutter/flutter/pull/36293) Revert "Keep LLDB connection to iOS device alive while running from CLI. " (cla: yes, tool)
[36302](https://github.com/flutter/flutter/pull/36302) Issues/30526 gc (cla: yes, framework)
[36303](https://github.com/flutter/flutter/pull/36303) Add sync star benchmark cases (a: accessibility, cla: yes, team)
[36317](https://github.com/flutter/flutter/pull/36317) Disable flaky tests on Windows (cla: yes, f: material design, framework)
[36319](https://github.com/flutter/flutter/pull/36319) Revert "Fix semantics for floating pinned sliver app bar" (cla: yes, framework)
[36327](https://github.com/flutter/flutter/pull/36327) Fix invocations of ideviceinstaller not passing DYLD_LIBRARY_PATH (cla: yes, tool)
[36331](https://github.com/flutter/flutter/pull/36331) Minor fixes to precache help text (attempt #2) (cla: yes, tool)
[36384](https://github.com/flutter/flutter/pull/36384) rename the test app android_views to platform_views (cla: yes, team)
[36394](https://github.com/flutter/flutter/pull/36394) Add missing protobuf dependency (cla: yes, tool)
[36413](https://github.com/flutter/flutter/pull/36413) Revert "Roll engine f3482700474a..1af19ae67dd1 (4 commits)" (cla: yes, engine)
## PRs closed in this release of flutter/engine
From Wed May 1 16:56:00 2019 -0700 to Thu Jul 18 08:04:00 2019 -0700
[7847](https://github.com/flutter/engine/pull/7847) Extracted PlatformViewsChannel from PlatformViewsController. (cla: yes)
[8207](https://github.com/flutter/engine/pull/8207) Text inline widget LibTxt/dart:ui implementation (cla: yes)
[8596](https://github.com/flutter/engine/pull/8596) Expose API to decode images to specified dimensions (cla: yes)
[8685](https://github.com/flutter/engine/pull/8685) Platform_views gesture: let flutter view controller be the media to pass the touches. (cla: yes)
[8731](https://github.com/flutter/engine/pull/8731) Fix the iOS accessibility tree structure of platform views. (cla: yes)
[8794](https://github.com/flutter/engine/pull/8794) Download the Fuchsia SDK and toolchain in a gclient hook. (cla: yes)
[8800](https://github.com/flutter/engine/pull/8800) Reformat dart dependencies in DEPS. (cla: yes)
[8804](https://github.com/flutter/engine/pull/8804) Roll buildroot to pick up updated tools/dart/create_updated_flutter_deps.py (cla: yes)
[8806](https://github.com/flutter/engine/pull/8806) Provide access to GLFW window in plugins (cla: yes)
[8808](https://github.com/flutter/engine/pull/8808) Allow FlutterEngine to be used on back-to-back screens (#31264). (cla: yes)
[8810](https://github.com/flutter/engine/pull/8810) Add flutter settings channel and window brightness to macOS shell (cla: yes)
[8817](https://github.com/flutter/engine/pull/8817) Fix api conformance check (cla: yes)
[8820](https://github.com/flutter/engine/pull/8820) remove legacy build deps (cla: yes)
[8821](https://github.com/flutter/engine/pull/8821) Remove asserts and add BuildConfig (cla: yes)
[8823](https://github.com/flutter/engine/pull/8823) Add font features (such as tabular numbers) as an option in text styles (cla: yes)
[8824](https://github.com/flutter/engine/pull/8824) Guard Android logs (cla: yes)
[8825](https://github.com/flutter/engine/pull/8825) Remove static leaks (cla: yes)
[8826](https://github.com/flutter/engine/pull/8826) New Plugin API PR1: Introduces PluginRegistry and FlutterPlugin, adds support for plugin registration to FlutterEngine. (cla: yes)
[8830](https://github.com/flutter/engine/pull/8830) Cause crash in FlutterJNI if invoked on non-main thread in debug mode (#31263). (cla: yes)
[8833](https://github.com/flutter/engine/pull/8833) Default the animated frame cache to 0 when unset (cla: yes)
[8837](https://github.com/flutter/engine/pull/8837) Only cache required frames (cla: yes)
[8841](https://github.com/flutter/engine/pull/8841) Update buildroot, libjpeg-turbo and googletest to pull in Fuchsia SDK patches. (cla: yes)
[8843](https://github.com/flutter/engine/pull/8843) Dynamically add certain AppDelegate methods. (cla: yes)
[8844](https://github.com/flutter/engine/pull/8844) remove unnecessary usage of runtimeType in dart:ui (cla: yes)
[8846](https://github.com/flutter/engine/pull/8846) Add asserts to semantics.dart (cla: yes)
[8848](https://github.com/flutter/engine/pull/8848) Preserve safe area (cla: yes)
[8849](https://github.com/flutter/engine/pull/8849) new lints (cla: yes)
[8851](https://github.com/flutter/engine/pull/8851) fix assert (cla: yes)
[8859](https://github.com/flutter/engine/pull/8859) Get prebuilt Dart via CIPD (cla: yes)
[8864](https://github.com/flutter/engine/pull/8864) Add resize functions to GLFW shell (cla: yes)
[8867](https://github.com/flutter/engine/pull/8867) Prevent redundant layouts when floor(width) is the same (cla: yes)
[8869](https://github.com/flutter/engine/pull/8869) Wire up Fuchsia SDK related updated for shell dependencies. (cla: yes)
[8870](https://github.com/flutter/engine/pull/8870) Roll buildroot to pull in Fuchsia SDK flag updates. (cla: yes)
[8871](https://github.com/flutter/engine/pull/8871) Copy //runtime/dart/utils from Topaz into the engine. (cla: yes)
[8873](https://github.com/flutter/engine/pull/8873) Synthesize buttons for embedders (cla: yes)
[8881](https://github.com/flutter/engine/pull/8881) Log instead of throwing (cla: yes)
[8884](https://github.com/flutter/engine/pull/8884) Copy //dart-pkg/zircon|fuchsia from Topaz into the engine. (cla: yes)
[8886](https://github.com/flutter/engine/pull/8886) Copy the Flutter Runner from //topaz into the engine. (cla: yes)
[8888](https://github.com/flutter/engine/pull/8888) Remove absolute path in new Fuchsia SDK based runner target dependency. (cla: yes)
[8889](https://github.com/flutter/engine/pull/8889) Roll buildroot to bb316a9e. (cla: yes)
[8891](https://github.com/flutter/engine/pull/8891) Add web sdk implementation. (cla: yes)
[8894](https://github.com/flutter/engine/pull/8894) Prevent iOS from autofilling password into wrong text box (cla: yes)
[8895](https://github.com/flutter/engine/pull/8895) Provide a resource context in the GLFW shell (cla: yes)
[8896](https://github.com/flutter/engine/pull/8896) Remove more asserts and fix a11y check (cla: yes)
[8910](https://github.com/flutter/engine/pull/8910) Fix TimePoint on Windows (cla: yes)
[8912](https://github.com/flutter/engine/pull/8912) Make sure Window.dpr still has a setter (cla: yes)
[8913](https://github.com/flutter/engine/pull/8913) Standardize TimePoint implementaion on std::chrono (cla: yes)
[8920](https://github.com/flutter/engine/pull/8920) Replace Skia font macros with enums. (cla: yes)
[8923](https://github.com/flutter/engine/pull/8923) [fuchsia] Guard out-of-tree Fuchsia targets to fix in-tree build (cla: yes)
[8927](https://github.com/flutter/engine/pull/8927) libtxt: add a BoxHeightStyle option based on the height of the strut (cla: yes)
[8928](https://github.com/flutter/engine/pull/8928) Update skew Docs (cla: yes)
[8930](https://github.com/flutter/engine/pull/8930) Fix iOS crash when in background for 3 minutes (cla: yes)
[8936](https://github.com/flutter/engine/pull/8936) Wire up the Skia Metal backend on iOS. (cla: yes)
[8937](https://github.com/flutter/engine/pull/8937) Add a minimal set of symbols to the dynamic symbol table for Linux executables (cla: yes)
[8939](https://github.com/flutter/engine/pull/8939) Move the Fuchsia Flutter Runner to //flutter/shell/platform/fuchsia/flutter (cla: yes)
[8940](https://github.com/flutter/engine/pull/8940) Roll Tonic (cla: yes)
[8943](https://github.com/flutter/engine/pull/8943) New Plugin API PR2: Introduces ActivityAware, ActivityControlSurface, and ActivityPluginBinding. (cla: yes)
[8947](https://github.com/flutter/engine/pull/8947) Add @UiThread to MethodChannel and related classes/calls (#32642). (cla: yes)
[8949](https://github.com/flutter/engine/pull/8949) Copy the Dart Runner from //topaz into the engine. (cla: yes)
[8950](https://github.com/flutter/engine/pull/8950) Roll tonic and update #includes (cla: yes)
[8952](https://github.com/flutter/engine/pull/8952) Rename frame_time and engine_time (cla: yes)
[8954](https://github.com/flutter/engine/pull/8954) Avoid disabling sources assignment filters are these have been removed. (cla: yes)
[8956](https://github.com/flutter/engine/pull/8956) Use Android text selection shifting API to delete (cla: yes)
[8962](https://github.com/flutter/engine/pull/8962) New Plugin API PR3: Introduces Service, BroadcastReceiver, and ContentProvider awareness, control surfaces, and plugin bindings. (cla: yes)
[8975](https://github.com/flutter/engine/pull/8975) Replace arraysize macro with fml::size function (cla: yes)
[8977](https://github.com/flutter/engine/pull/8977) Add support for the Fontconfig-based Skia font manager (cla: yes)
[8979](https://github.com/flutter/engine/pull/8979) Add mode to load AOT snapshots as a native lib (cla: yes)
[8983](https://github.com/flutter/engine/pull/8983) Add onReportTimings and FrameRasterizedCallback API (cla: yes)
[8985](https://github.com/flutter/engine/pull/8985) Add matrix4 param to Linear gradients (cla: yes)
[8986](https://github.com/flutter/engine/pull/8986) remove `[new` from docs (cla: yes)
[8987](https://github.com/flutter/engine/pull/8987) add observatoryUrl property to FlutterEngine (cla: yes)
[8990](https://github.com/flutter/engine/pull/8990) Minor fixes/adjustments to the GLFW shell (cla: yes)
[8991](https://github.com/flutter/engine/pull/8991) Enable hover by default for desktop shells (cla: yes)
[8996](https://github.com/flutter/engine/pull/8996) Roll Buildroot (cla: yes)
[8998](https://github.com/flutter/engine/pull/8998) [fuchsia] Update zx_clock_get callers (cla: yes)
[8999](https://github.com/flutter/engine/pull/8999) Do nothing if the params didn't change when compositing platform views. (cla: yes)
[9003](https://github.com/flutter/engine/pull/9003) Rename Fuchsia Dart and Flutter runners (cla: yes)
[9019](https://github.com/flutter/engine/pull/9019) Macos systemnavigator pop (cla: yes)
[9020](https://github.com/flutter/engine/pull/9020) Remove m prefix from fields in the Android PlatformViews code (cla: yes)
[9022](https://github.com/flutter/engine/pull/9022) Fix horizontal scroll direction for macOS (cla: yes)
[9023](https://github.com/flutter/engine/pull/9023) Forward custom IDE flags to GN. (cla: yes)
[9025](https://github.com/flutter/engine/pull/9025) Correct the return type of addRetained (cla: yes)
[9026](https://github.com/flutter/engine/pull/9026) Initialize next_pointer_flow_id_ to 0 (cla: yes)
[9033](https://github.com/flutter/engine/pull/9033) Avoid unnecessary copying of vectors in AccessibilityBridge (cla: yes)
[9034](https://github.com/flutter/engine/pull/9034) Expose pointer type and buttons in embedder.h (cla: yes)
[9036](https://github.com/flutter/engine/pull/9036) Fix dartdevc build (cla: yes)
[9039](https://github.com/flutter/engine/pull/9039) Update FlutterDevCompilerTarget for the new superclass constructor in the Dart SDK (cla: yes)
[9041](https://github.com/flutter/engine/pull/9041) TextStyle.height property as a multiple of font size instead of multiple of ascent+descent+leading. (affects: text input, cla: yes, prod: API break)
[9045](https://github.com/flutter/engine/pull/9045) remove over-optimistic assert (cla: yes)
[9049](https://github.com/flutter/engine/pull/9049) New Plugin API PR4: Adds Lifecycle support to the new plugin system. (cla: yes)
[9054](https://github.com/flutter/engine/pull/9054) Add mouse button support to the macOS shell (cla: yes)
[9058](https://github.com/flutter/engine/pull/9058) libtxt: have GetRectsForRange(strut) fall back to tight bounds if layout isn't forcing use of the strut (cla: yes)
[9060](https://github.com/flutter/engine/pull/9060) Add missing top level to stub_ui (cla: yes)
[9061](https://github.com/flutter/engine/pull/9061) [scene_host] Cleanup scene_host closures (cla: yes)
[9062](https://github.com/flutter/engine/pull/9062) Add a podspec for FlutterMacOS.framework (cla: yes)
[9072](https://github.com/flutter/engine/pull/9072) Roll third_party/dart/tools/sdks to 2.3.0 (cla: yes)
[9073](https://github.com/flutter/engine/pull/9073) Fix unchecked operation warnings in FlutterMain (cla: yes)
[9074](https://github.com/flutter/engine/pull/9074) Rename macOS FLEPlugin* to FlutterPlugin* (cla: yes)
[9075](https://github.com/flutter/engine/pull/9075) IOS Platform view transform/clipping (cla: yes)
[9077](https://github.com/flutter/engine/pull/9077) Update macOS podspec version requirement (cla: yes)
[9078](https://github.com/flutter/engine/pull/9078) Fix internal break since listing contents can return null (cla: yes)
[9081](https://github.com/flutter/engine/pull/9081) Correct typos, adopt US spellings (cla: yes)
[9083](https://github.com/flutter/engine/pull/9083) New Plugin API PR5: Integrates plugin lifecycle control with FlutterFragment. (cla: yes)
[9085](https://github.com/flutter/engine/pull/9085) Jacobs - Use track-widget-creation transformer included in the sdk (cla: yes)
[9086](https://github.com/flutter/engine/pull/9086) Delete BSDiff sources (cla: yes)
[9087](https://github.com/flutter/engine/pull/9087) Removed outdated deprecation comments (cla: yes)
[9088](https://github.com/flutter/engine/pull/9088) Apply minor cleanups to Android embedding (cla: yes)
[9089](https://github.com/flutter/engine/pull/9089) Wire up custom event loop interop for the GLFW embedder. (cla: yes)
[9097](https://github.com/flutter/engine/pull/9097) Better help message. (cla: yes)
[9106](https://github.com/flutter/engine/pull/9106) Add checks to constructors and add missing constructor members (cla: yes)
[9107](https://github.com/flutter/engine/pull/9107) Fix unopt variants of profile and release builds. (cla: yes)
[9108](https://github.com/flutter/engine/pull/9108) Removing unused imports (cla: yes)
[9110](https://github.com/flutter/engine/pull/9110) Change the virtual display size restriction to warning (cla: yes)
[9112](https://github.com/flutter/engine/pull/9112) Fix type mismatches in C++ standard codec (cla: yes)
[9113](https://github.com/flutter/engine/pull/9113) Allow specifying both Dart and non-Dart fixtures in engine unit-tests. (cla: yes)
[9114](https://github.com/flutter/engine/pull/9114) Remove outdated TODOs (cla: yes)
[9115](https://github.com/flutter/engine/pull/9115) Added support for transparent FlutterActivitys (#32740). (cla: yes)
[9120](https://github.com/flutter/engine/pull/9120) Add plugin shim to facilitate old plugins in new embedding (#33478). (cla: yes)
[9122](https://github.com/flutter/engine/pull/9122) Implemented Log proxy that only logs in BuildConfig.DEBUG (#25391). (cla: yes)
[9129](https://github.com/flutter/engine/pull/9129) Roll buildroot to pick up fixed create_updated_flutter.deps.py (cla: yes)
[9132](https://github.com/flutter/engine/pull/9132) Reduce pipeline depth when GPU and Platform are same thread (cla: yes)
[9134](https://github.com/flutter/engine/pull/9134) Revert "Use track-widget-creation transformer included in the sdk. (#9085)" (cla: yes)
[9143](https://github.com/flutter/engine/pull/9143) Add missing ifndef guard for count_down_latch.h (cla: yes)
[9145](https://github.com/flutter/engine/pull/9145) Suppress an unchecked cast warning in ShimPluginRegistry (cla: yes)
[9146](https://github.com/flutter/engine/pull/9146) Roll web sdk (cla: yes)
[9148](https://github.com/flutter/engine/pull/9148) Allow for whitelisted flags to be passed to the Dart VM (cla: yes)
[9149](https://github.com/flutter/engine/pull/9149) Always run the resource extractor in FlutterMain (cla: yes)
[9156](https://github.com/flutter/engine/pull/9156) Eliminate deprecated super_goes_last lint (cla: yes)
[9157](https://github.com/flutter/engine/pull/9157) Remove references to Fuchsia's ContextWriter (cla: yes)
[9158](https://github.com/flutter/engine/pull/9158) Copy the macOS podspec during builds (cla: yes)
[9172](https://github.com/flutter/engine/pull/9172) Use shared library when libapp.so is found (cla: yes, platform-android)
[9176](https://github.com/flutter/engine/pull/9176) Make flow layers' attributes immutable (cla: yes)
[9180](https://github.com/flutter/engine/pull/9180) Revert change by mistake: extract resources (cla: yes)
[9185](https://github.com/flutter/engine/pull/9185) Fix platform views channel regression (cla: yes)
[9186](https://github.com/flutter/engine/pull/9186) Add the key event source, vendorId, and productId from Android (cla: yes)
[9187](https://github.com/flutter/engine/pull/9187) Compile the physical_shape_layer_unittests.cc TU. (cla: yes)
[9189](https://github.com/flutter/engine/pull/9189) Allow the task queues to be swapped in MessageLoops (cla: yes)
[9190](https://github.com/flutter/engine/pull/9190) [engine] Fix builds targeting Android from a Windows host gen_snapshot (cla: yes)
[9192](https://github.com/flutter/engine/pull/9192) Fix rare crash on HuaWei device when use AndroidView. (cla: yes)
[9193](https://github.com/flutter/engine/pull/9193) Switch PlatformViewsController from Activity ref to Application ref. (cla: yes)
[9198](https://github.com/flutter/engine/pull/9198) Skip golden tests on non-Linux OSes (cla: yes)
[9199](https://github.com/flutter/engine/pull/9199) Align fuchsia and non-fuchsia tracing (cla: yes)
[9201](https://github.com/flutter/engine/pull/9201) Roll dart and update libraries files (cla: yes)
[9203](https://github.com/flutter/engine/pull/9203) Keyboard support for embedded Android views. (cla: yes)
[9204](https://github.com/flutter/engine/pull/9204) Add platform_fuchsia.cc for default font on fuchsia (cla: yes)
[9206](https://github.com/flutter/engine/pull/9206) Android Embedding Refactor PR31: Integrate platform views with the new embedding and the plugin shim. (cla: yes)
[9211](https://github.com/flutter/engine/pull/9211) Revert "Switch PlatformViewsController from Activity ref to Application ref." (cla: yes)
[9215](https://github.com/flutter/engine/pull/9215) Update Engine::ReportTimings to use the new FML_TRACE macros (cla: yes)
[9216](https://github.com/flutter/engine/pull/9216) Copy TimingsCallback declaration into the stub_ui package (cla: yes)
[9218](https://github.com/flutter/engine/pull/9218) Add web integration test to build_and_test_host (cla: yes)
[9222](https://github.com/flutter/engine/pull/9222) move webOnlyScheduleFrameCallback off of window (cla: yes)
[9233](https://github.com/flutter/engine/pull/9233) Remove unnecessary whitelisted flags for --dart-flags (cla: yes)
[9234](https://github.com/flutter/engine/pull/9234) Fix instantiateImageCodec api diff with web (stub) (cla: yes)
[9237](https://github.com/flutter/engine/pull/9237) Document AccessibilityBridge.java (cla: yes)
[9238](https://github.com/flutter/engine/pull/9238) Removed VIRTUAL_KEYBOARD check in TextInputPlugin (cla: yes)
[9239](https://github.com/flutter/engine/pull/9239) Revert "Keyboard support for embedded Android views." (cla: yes)
[9242](https://github.com/flutter/engine/pull/9242) Add stub implementation that doesn't throw (cla: yes)
[9243](https://github.com/flutter/engine/pull/9243) Mark semantics functions const (cla: yes)
[9244](https://github.com/flutter/engine/pull/9244) Correct typo (cla: yes)
[9246](https://github.com/flutter/engine/pull/9246) Throw on unhandled license type (cla: yes)
[9248](https://github.com/flutter/engine/pull/9248) Catch errors during production of kernel dill (cla: yes)
[9255](https://github.com/flutter/engine/pull/9255) Reorganize darwin for shared ios/macOS (cla: yes)
[9257](https://github.com/flutter/engine/pull/9257) Reland "Keyboard support for embedded Android views. (#9203) (cla: yes)
[9260](https://github.com/flutter/engine/pull/9260) Load AOT compiled Dart assets only from ELF libraries (cla: yes)
[9262](https://github.com/flutter/engine/pull/9262) Set identity instead of crash in opt build (cla: yes)
[9264](https://github.com/flutter/engine/pull/9264) Wire up SwiftShader based OpenGL ES unit-tests on hosts. (cla: yes)
[9266](https://github.com/flutter/engine/pull/9266) Whitelist to —enable_mirrors flag to fix regression in existing embedder. (cla: yes)
[9270](https://github.com/flutter/engine/pull/9270) Unbreak internal rolls (cla: yes)
[9278](https://github.com/flutter/engine/pull/9278) Fix crash on minimize with GLFW shell (cla: yes)
[9280](https://github.com/flutter/engine/pull/9280) Add refresh callback to GLFW shell (cla: yes)
[9281](https://github.com/flutter/engine/pull/9281) Introduce read only text field semantics (cla: yes)
[9282](https://github.com/flutter/engine/pull/9282) [iOS] [a11y] Don't allow scroll views to grab a11y focus (cla: yes)
[9283](https://github.com/flutter/engine/pull/9283) Fix TextInputPlugin NPE caused by PlatformViewsController ref in new embedding (#34283). (cla: yes)
[9285](https://github.com/flutter/engine/pull/9285) Expose a hasRenderedFirstFrame() method in FlutterView (#34275). (cla: yes)
[9287](https://github.com/flutter/engine/pull/9287) Report timings faster (100ms) in profile/debug (cla: yes)
[9288](https://github.com/flutter/engine/pull/9288) Fixed memory leaks within FlutterFragment and FlutterView (#34268, #34269, #34270). (cla: yes)
[9289](https://github.com/flutter/engine/pull/9289) [fuchsia] Fix alignment of Fuchsia/non-Fuchsia tracing (cla: yes)
[9290](https://github.com/flutter/engine/pull/9290) Refactor Delayed Tasks to their own file (cla: yes)
[9292](https://github.com/flutter/engine/pull/9292) Set Dart version to git hash 3166bbf24b0c929eef33fd5d0f69e0f36a9009f3 (Dart 2.3.3-dev) (cla: yes)
[9296](https://github.com/flutter/engine/pull/9296) Revert tracing changes (cla: yes)
[9297](https://github.com/flutter/engine/pull/9297) [scene_host] Expose Opacity and remove ExportNode (cla: yes)
[9301](https://github.com/flutter/engine/pull/9301) Refactor: move Task Queue to its own class (cla: yes)
[9302](https://github.com/flutter/engine/pull/9302) Handle Fuchsia SDK in license tool + roll SDK (cla: yes)
[9303](https://github.com/flutter/engine/pull/9303) Added class docstrings for classes inside of shell/common. (cla: yes)
[9304](https://github.com/flutter/engine/pull/9304) Decorate UIApplicationDelegate wrappers with matching UIKit deprecation (affects: dev experience, cla: yes, platform-ios)
[9306](https://github.com/flutter/engine/pull/9306) When running in AOT modes create a flutter_assets directory that can be used as the bundle path (cla: yes)
[9313](https://github.com/flutter/engine/pull/9313) [macos] Adds clipboard string read/write support to macOS (cla: yes)
[9314](https://github.com/flutter/engine/pull/9314) Avoid using std::unary_function. (cla: yes)
[9315](https://github.com/flutter/engine/pull/9315) Only build embedder unit tests for host builds (cla: yes)
[9316](https://github.com/flutter/engine/pull/9316) MessageLoopTaskQueue schedules Wakes (cla: yes)
[9318](https://github.com/flutter/engine/pull/9318) Update the Dart version to 1d8b81283c1dee38f1dd87b71b16aa1648b01155 (Dart 2.4.0 Stable version) (cla: yes)
[9319](https://github.com/flutter/engine/pull/9319) Roll buildroot to 75660ad5 and complete the C++ 17 transition. (cla: yes)
[9320](https://github.com/flutter/engine/pull/9320) Build the GLFW shell on Linux host builds but not target builds (cla: yes)
[9321](https://github.com/flutter/engine/pull/9321) Fix a11y in embedded Android views post O (accessibility, cla: yes)
[9322](https://github.com/flutter/engine/pull/9322) Check for invalid indexes when performing InputAdpator backspace. (affects: text input, cla: yes, crash)
[9324](https://github.com/flutter/engine/pull/9324) Send the isolate service ID from the engine to the embedder (cla: yes)
[9326](https://github.com/flutter/engine/pull/9326) Fix rawTypes errors in Android embedding classes (cla: yes)
[9329](https://github.com/flutter/engine/pull/9329) Fixed memory leak by way of accidental retain on implicit self (cla: yes)
[9330](https://github.com/flutter/engine/pull/9330) Build txt_benchmarks, make benches compile again (cla: yes)
[9331](https://github.com/flutter/engine/pull/9331) Handle one-way platform messages in the embedder library (cla: yes)
[9334](https://github.com/flutter/engine/pull/9334) Fix the name of the channel parameter in PlatformMessage constructors (cla: yes)
[9335](https://github.com/flutter/engine/pull/9335) Message loop task heaps are shared (cla: yes)
[9336](https://github.com/flutter/engine/pull/9336) Roll buildroot to d1bbc14 to pick up fixes for armv7 iOS targets. (cla: yes)
[9337](https://github.com/flutter/engine/pull/9337) Use the DartServiceIsolate status callback to publish the observatory URI to the Android embedder (cla: yes)
[9338](https://github.com/flutter/engine/pull/9338) Replace lock_guard with scoped_lock and use class template argument deduction. (cla: yes)
[9343](https://github.com/flutter/engine/pull/9343) Avoid a full screen overlay within virtual displays (cla: yes)
[9346](https://github.com/flutter/engine/pull/9346) Removed an unused class definition for iOS code. (cla: yes)
[9347](https://github.com/flutter/engine/pull/9347) Surrogate binary messenger (cla: yes)
[9350](https://github.com/flutter/engine/pull/9350) Update component manifests for ambient replace-as-executable (cla: yes)
[9351](https://github.com/flutter/engine/pull/9351) Android Embedding Refactor PR32: Clean up logs in new embedding. (cla: yes)
[9354](https://github.com/flutter/engine/pull/9354) Android Embedding Refactor PR33: Clean up FlutterJNI. (cla: yes)
[9356](https://github.com/flutter/engine/pull/9356) Add APIs for querying FlutterView for a FlutterEngine and listening for attachment/detachment (#29114). (cla: yes)
[9360](https://github.com/flutter/engine/pull/9360) Simplify loading of app bundles on Android (cla: yes)
[9361](https://github.com/flutter/engine/pull/9361) [glfw] Implement clipboard support from GLFW api (cla: yes)
[9362](https://github.com/flutter/engine/pull/9362) Fix test name typo (cla: yes)
[9365](https://github.com/flutter/engine/pull/9365) [glfw] Implement SystemNavigator.pop (cla: yes)
[9366](https://github.com/flutter/engine/pull/9366) Request FlutterView focus when setting a platform view text client (cla: yes)
[9368](https://github.com/flutter/engine/pull/9368) Do not remove the DartServiceIsolate status callback during FlutterMain destruction (cla: yes)
[9374](https://github.com/flutter/engine/pull/9374) Roll Dart to version 7340a569caac6431d8698dc3788579b57ffcf0c6 (cla: yes)
[9375](https://github.com/flutter/engine/pull/9375) Revert "Surrogate binary messenger (#9347)" (cla: yes)
[9376](https://github.com/flutter/engine/pull/9376) libtxt: remove obsolete font_manager_available defines (cla: yes)
[9377](https://github.com/flutter/engine/pull/9377) A fix for the platform view dismiss crash related to gl (cla: yes)
[9378](https://github.com/flutter/engine/pull/9378) Wire intent args for observatory port (cla: yes)
[9383](https://github.com/flutter/engine/pull/9383) Update Metal backend to account for Skia updates. (cla: yes)
[9384](https://github.com/flutter/engine/pull/9384) Android Embedding Refactor PR34: Fill in missing nullability annotations (cla: yes)
[9385](https://github.com/flutter/engine/pull/9385) Add Dart SDK > 2.3.0 constraint to license script (cla: yes)
[9388](https://github.com/flutter/engine/pull/9388) Added unit tests for the ios code. (cla: yes)
[9391](https://github.com/flutter/engine/pull/9391) Android Embedding Refactor PR35: Ensure all JNI methods are in FlutterJNI. (cla: yes)
[9394](https://github.com/flutter/engine/pull/9394) Remove build flags for dynamic patching (cla: yes)
[9398](https://github.com/flutter/engine/pull/9398) Made the license check ignore the .vscode directory. (cla: yes)
[9402](https://github.com/flutter/engine/pull/9402) Clamp when overflowing z bounds (cla: yes)
[9403](https://github.com/flutter/engine/pull/9403) Remove variants of ParagraphBuilder::AddText that are not used within the engine (cla: yes)
[9406](https://github.com/flutter/engine/pull/9406) Update harfbuzz to 2.5.2 (affects: text input, cla: yes)
[9419](https://github.com/flutter/engine/pull/9419) Has a binary messenger (cla: yes, prod: API break)
[9423](https://github.com/flutter/engine/pull/9423) Don't hang to a platform view's input connection after it's disposed (cla: yes)
[9424](https://github.com/flutter/engine/pull/9424) Send timings of the first frame without batching (cla: yes)
[9425](https://github.com/flutter/engine/pull/9425) Resolves embedding log chattyness by disabling verbose, debug, and info logs by default (#34876). (cla: yes)
[9426](https://github.com/flutter/engine/pull/9426) delegate checkInputConnectionProxy to the relevant platform view (cla: yes)
[9428](https://github.com/flutter/engine/pull/9428) Update README.md for consistency with framework (cla: yes)
[9429](https://github.com/flutter/engine/pull/9429) Revert "Update harfbuzz to 2.5.2" (cla: yes)
[9430](https://github.com/flutter/engine/pull/9430) Use goma-aware Fuchsia clang toolchain (cla: yes)
[9431](https://github.com/flutter/engine/pull/9431) Generate weak pointers only in the platform thread (cla: yes)
[9432](https://github.com/flutter/engine/pull/9432) Ios unit tests choose engine (cla: yes)
[9433](https://github.com/flutter/engine/pull/9433) Reland Update harfbuzz to 2.5.2 (#9406) (cla: yes)
[9436](https://github.com/flutter/engine/pull/9436) Add the functionality to merge and unmerge MessageLoopTaskQueues (cla: yes)
[9437](https://github.com/flutter/engine/pull/9437) Revert "Reland Update harfbuzz to 2.5.2 (#9406)" (cla: yes)
[9439](https://github.com/flutter/engine/pull/9439) Eliminate unused import in FlutterView (cla: yes)
[9446](https://github.com/flutter/engine/pull/9446) Revert "Roll fuchsia/sdk/core/mac-amd64 from Cx51F... to e8sS_..." (cla: yes)
[9449](https://github.com/flutter/engine/pull/9449) Revert "Roll fuchsia/sdk/core/linux-amd64 from udf6w... to jQ8aw..." (cla: yes)
[9450](https://github.com/flutter/engine/pull/9450) Revert "Roll fuchsia/sdk/core/mac-amd64 from Cx51F... to w-3t4..." (cla: yes)
[9452](https://github.com/flutter/engine/pull/9452) Convert RRect.scaleRadii to public method (affects: framework, cla: yes)
[9456](https://github.com/flutter/engine/pull/9456) Made sure that the run_tests script returns the right error code. (cla: yes)
[9458](https://github.com/flutter/engine/pull/9458) Test cleanup geometry_test.dart (affects: tests, cla: yes)
[9459](https://github.com/flutter/engine/pull/9459) Remove unused/unimplemented shell constructor (cla: yes)
[9460](https://github.com/flutter/engine/pull/9460) Fixed logLevel filter bug so that filter now works as expected. (cla: yes)
[9461](https://github.com/flutter/engine/pull/9461) Adds API for retaining intermediate engine layers (cla: yes)
[9462](https://github.com/flutter/engine/pull/9462) Reland Update harfbuzz to 2.5.2 (cla: yes)
[9463](https://github.com/flutter/engine/pull/9463) Removed unused imports in new embedding. (cla: yes)
[9464](https://github.com/flutter/engine/pull/9464) Added shebangs to ios unit test scripts. (cla: yes)
[9466](https://github.com/flutter/engine/pull/9466) Re-enable the Wuffs GIF decoder (cla: yes)
[9467](https://github.com/flutter/engine/pull/9467) ios-unit-tests: Forgot a usage of a variable in our script. (cla: yes)
[9468](https://github.com/flutter/engine/pull/9468) Manually draw remainder curve for wavy decorations (cla: yes)
[9469](https://github.com/flutter/engine/pull/9469) ios-unit-tests: Fixed ocmock system header search paths. (cla: yes)
[9471](https://github.com/flutter/engine/pull/9471) ios-unit-tests: Started using rsync instead of cp -R to copy frameworks. (cla: yes)
[9476](https://github.com/flutter/engine/pull/9476) fix NPE when a touch event is sent to an unknown Android platform view (cla: yes)
[9478](https://github.com/flutter/engine/pull/9478) iOS PlatformView clip path (cla: yes)
[9480](https://github.com/flutter/engine/pull/9480) Revert "IOS Platform view transform/clipping (#9075)" (cla: yes)
[9482](https://github.com/flutter/engine/pull/9482) Re-enable embedder_unittests. (cla: yes)
[9483](https://github.com/flutter/engine/pull/9483) Reland "IOS Platform view transform/clipping (#9075)" and fix the breakage. (cla: yes)
[9485](https://github.com/flutter/engine/pull/9485) Add --observatory-host switch (cla: yes)
[9486](https://github.com/flutter/engine/pull/9486) Rework image & texture management to use concurrent message queues. (cla: yes)
[9489](https://github.com/flutter/engine/pull/9489) Handle ambiguous directionality of final trailing whitespace in mixed bidi text (cla: yes)
[9490](https://github.com/flutter/engine/pull/9490) fix a bug where the platform view's transform is not reset before set frame (cla: yes)
[9491](https://github.com/flutter/engine/pull/9491) Purge caches on low memory on iOS (cla: yes)
[9493](https://github.com/flutter/engine/pull/9493) Run benchmarks on try jobs. (cla: yes)
[9495](https://github.com/flutter/engine/pull/9495) fix build breakage on PlatformViews.mm (cla: yes)
[9501](https://github.com/flutter/engine/pull/9501) [android] External textures must be rescaled to fill the canvas (cla: yes)
[9503](https://github.com/flutter/engine/pull/9503) Improve caching limits for Skia (cla: yes)
[9506](https://github.com/flutter/engine/pull/9506) Synchronize main thread and gpu thread for first render frame (cla: yes)
[9507](https://github.com/flutter/engine/pull/9507) Revert Skia version to d8f79a27b06b5bce7a27f89ce2d43d39f8c058dc (cla: yes)
[9508](https://github.com/flutter/engine/pull/9508) Support image filter on paint (cla: yes)
[9509](https://github.com/flutter/engine/pull/9509) Roll Fuchsia SDK to latest (cla: yes)
[9518](https://github.com/flutter/engine/pull/9518) Bump dart_resource_rev to f8e37558a1c4f54550aa463b88a6a831e3e33cd6 (cla: yes)
[9532](https://github.com/flutter/engine/pull/9532) fix FlutterOverlayView doesn't remove from superview in some cases (cla: yes)
[9546](https://github.com/flutter/engine/pull/9546) [all] add fuchsia.{net.NameLookup,posix.socket.Provider} (cla: yes)
[9556](https://github.com/flutter/engine/pull/9556) Minimal integration with the Skia text shaper module (cla: yes)
[9561](https://github.com/flutter/engine/pull/9561) libtxt: fix reference counting of SkFontStyleSets held by font asset providers (cla: yes)
[9562](https://github.com/flutter/engine/pull/9562) Switched preprocessor logic for exporting symbols for testing. (cla: yes)
[9581](https://github.com/flutter/engine/pull/9581) Revert "Avoid a full screen overlay within virtual displays" (cla: yes)
[9585](https://github.com/flutter/engine/pull/9585) Fix a race in the embedder accessibility unit test (cla: yes)
[9589](https://github.com/flutter/engine/pull/9589) Fixes a plugin overwrite bug in the plugin shim system. (cla: yes)
[9590](https://github.com/flutter/engine/pull/9590) Apply patches that have landed in topaz since we ported the runners to the engine repo (cla: yes)
[9591](https://github.com/flutter/engine/pull/9591) Document various classes in //flutter/shell/common. (cla: yes)
[9593](https://github.com/flutter/engine/pull/9593) [trace clients] Remove fuchsia.tracelink.Registry (cla: yes)
[9608](https://github.com/flutter/engine/pull/9608) Disable failing Mutators tests (cla: yes)
[9613](https://github.com/flutter/engine/pull/9613) Fix uninitialized variables and put tests in flutter namespace. (cla: yes)
[9632](https://github.com/flutter/engine/pull/9632) Added Doxyfile. (cla: yes)
[9633](https://github.com/flutter/engine/pull/9633) Cherry-pick fix for flutter/flutter#35291 (cla: yes)
[9634](https://github.com/flutter/engine/pull/9634) Roll Dart to 67ab3be10d35d994641da167cc806f20a7ffa679 (cla: yes)
[9636](https://github.com/flutter/engine/pull/9636) Added shebangs to ios unit test scripts. (#9464) (cla: yes)
[9637](https://github.com/flutter/engine/pull/9637) Revert "Roll Dart to 67ab3be10d35d994641da167cc806f20a7ffa679 (#9634)" (cla: yes)
[9638](https://github.com/flutter/engine/pull/9638) Reland: Roll Dart to 67ab3be10d35d994641da167cc806f20a7ffa679 (cla: yes)
[9640](https://github.com/flutter/engine/pull/9640) make EmbeddedViewParams a unique ptr (cla: yes)
[9641](https://github.com/flutter/engine/pull/9641) Let pushColorFilter accept all types of ColorFilters (cla: yes)
[9642](https://github.com/flutter/engine/pull/9642) Fix warning about settings unavailable GN arg build_glfw_shell (cla: yes)
[9649](https://github.com/flutter/engine/pull/9649) Roll buildroot to c5a493b25. (cla: yes)
[9651](https://github.com/flutter/engine/pull/9651) Move the mutators stack handling to preroll (cla: yes)
[9652](https://github.com/flutter/engine/pull/9652) Pipeline allows continuations that can produce to front (cla: yes)
[9653](https://github.com/flutter/engine/pull/9653) External view embedder can tell if embedded views have mutated (cla: yes)
[9654](https://github.com/flutter/engine/pull/9654) Begin separating macOS engine from view controller (cla: yes)
[9655](https://github.com/flutter/engine/pull/9655) Allow embedders to add callbacks for responses to platform messages from the framework. (cla: yes)
[9660](https://github.com/flutter/engine/pull/9660) ExternalViewEmbedder can CancelFrame after pre-roll (cla: yes)
[9661](https://github.com/flutter/engine/pull/9661) Raster now returns an enum rather than boolean (cla: yes)
[9663](https://github.com/flutter/engine/pull/9663) Mutators Stack refactoring (cla: yes)
[9667](https://github.com/flutter/engine/pull/9667) iOS platform view opacity (cla: yes)
[9668](https://github.com/flutter/engine/pull/9668) Refactor ColorFilter to have a native wrapper (cla: yes)
[9669](https://github.com/flutter/engine/pull/9669) Improve window documentation (cla: yes)
[9672](https://github.com/flutter/engine/pull/9672) Add FLEDartProject for macOS embedding (cla: yes)
[9685](https://github.com/flutter/engine/pull/9685) fix Picture.toImage return type check and api conform test. (cla: yes)
[9698](https://github.com/flutter/engine/pull/9698) Ensure that platform messages without response handles can be dispatched. (cla: yes)
[9707](https://github.com/flutter/engine/pull/9707) Revert "Revert "Use track-widget-creation transformer included in the… (cla: yes)
[9713](https://github.com/flutter/engine/pull/9713) Explain why OpacityLayer has an offset field (cla: yes)
[9717](https://github.com/flutter/engine/pull/9717) Fixed logLevel filter bug so that filter now works as expected. (#9460) (cla: yes)
[9721](https://github.com/flutter/engine/pull/9721) Add comments to differentiate two cache paths (cla: yes)
[9725](https://github.com/flutter/engine/pull/9725) Make the license script compatible with recently changed Dart I/O stream APIs (cla: yes)
[9727](https://github.com/flutter/engine/pull/9727) Add hooks for InputConnection lock and unlocking (cla: yes)
[9730](https://github.com/flutter/engine/pull/9730) Fix Fuchsia build. (cla: yes)
[9734](https://github.com/flutter/engine/pull/9734) Fix backspace crash on Chinese devices (cla: yes)
[9736](https://github.com/flutter/engine/pull/9736) Build Fuchsia as part of CI presumit (cla: yes)
[9737](https://github.com/flutter/engine/pull/9737) Use libc++ variant of string view and remove the FML variant. (cla: yes)
[9740](https://github.com/flutter/engine/pull/9740) Revert "Improve caching limits for Skia" (cla: yes)
[9741](https://github.com/flutter/engine/pull/9741) Make FLEViewController's view an internal detail (cla: yes)
[9745](https://github.com/flutter/engine/pull/9745) Fix windows test by not attempting to open a directory as a file. (cla: yes)
[9746](https://github.com/flutter/engine/pull/9746) Make all shell unit tests use the OpenGL rasterizer. (cla: yes)
[9750](https://github.com/flutter/engine/pull/9750) FLEViewController/Engine API changes (cla: yes)
[9758](https://github.com/flutter/engine/pull/9758) Include SkParagraph headers only when the enable-skshaper flag is on (cla: yes)
[9762](https://github.com/flutter/engine/pull/9762) Fall back to a fully qualified path to libapp.so if the library can not be loaded by name (cla: yes)
[9767](https://github.com/flutter/engine/pull/9767) Un-deprecated FlutterViewController's binaryMessenger. (cla: yes)
[9769](https://github.com/flutter/engine/pull/9769) Document //flutter/shell/common/engine. (cla: yes)
[9772](https://github.com/flutter/engine/pull/9772) fix objcdoc generation (cla: yes)
[9781](https://github.com/flutter/engine/pull/9781) SendPlatformMessage allow null message value (cla: yes)
[9789](https://github.com/flutter/engine/pull/9789) fix ColorFilter.matrix constness (cla: yes)
[9791](https://github.com/flutter/engine/pull/9791) Roll Wuffs and buildroot (cla: yes)
[9792](https://github.com/flutter/engine/pull/9792) Update flutter_web to latest (cla: yes)
[9793](https://github.com/flutter/engine/pull/9793) Fix typo in PlaceholderAlignment docs (cla: yes)
[9797](https://github.com/flutter/engine/pull/9797) Remove breaking asserts (cla: yes)
[9799](https://github.com/flutter/engine/pull/9799) Update buildroot to c4df4a7b to pull in MSVC 2017 Update 9 on Windows. (cla: yes)
[9808](https://github.com/flutter/engine/pull/9808) Document FontFeature class (cla: yes)
[9809](https://github.com/flutter/engine/pull/9809) Document //flutter/shell/common/rasterizer (cla: yes)
[9813](https://github.com/flutter/engine/pull/9813) Made Picture::toImage happen on the IO thread with no need for an onscreen surface. (cla: yes)
[9816](https://github.com/flutter/engine/pull/9816) Only release the image data in the unit-test once Skia has accepted ownership of it. (cla: yes)
[9818](https://github.com/flutter/engine/pull/9818) Convert run_tests to python, allow running on Mac/Windows and allow filters for tests. (cla: yes)
[9823](https://github.com/flutter/engine/pull/9823) Roll buildroot to support bitcode enabled builds for iOS (cla: yes)
[9825](https://github.com/flutter/engine/pull/9825) In a single frame codec, release the encoded image buffer after giving it to the decoder (cla: yes)
[9828](https://github.com/flutter/engine/pull/9828) Make the virtual display's window translucent (cla: yes)
[9847](https://github.com/flutter/engine/pull/9847) Started adding the engine hash to frameworks' Info.plist. (cla: yes)
[9849](https://github.com/flutter/engine/pull/9849) Preserve the alpha for VD content by setting a transparent background. (cla: yes)
[9850](https://github.com/flutter/engine/pull/9850) Add multi-line flag to semantics (cla: yes)
[9852](https://github.com/flutter/engine/pull/9852) Selectively enable tests that work on Windows and file issues for ones that don't. (cla: yes)
[9855](https://github.com/flutter/engine/pull/9855) Fix missing assignment to _allowHeadlessExecution (cla: yes)
[9856](https://github.com/flutter/engine/pull/9856) Disable Fuchsia Debug & Release presubmits and only attempt the Profile unopt variant. (cla: yes)
[9857](https://github.com/flutter/engine/pull/9857) Fix fuchsia license detection (cla: yes)
[9859](https://github.com/flutter/engine/pull/9859) Fix justify for RTL paragraphs. (cla: yes, waiting for tree to go green)
[9866](https://github.com/flutter/engine/pull/9866) Update buildroot to pick up Fuchsia artifact roller. (cla: yes)
[9867](https://github.com/flutter/engine/pull/9867) Fixed error in generated xml Info.plist. (cla: yes)
[9873](https://github.com/flutter/engine/pull/9873) Add clang version to Info.plist (cla: yes)
[9875](https://github.com/flutter/engine/pull/9875) Simplify buildtools (cla: yes)
[9890](https://github.com/flutter/engine/pull/9890) Log dlopen errors only in debug mode (cla: yes)
[9898](https://github.com/flutter/engine/pull/9898) v1.7.8 hotfixes (cla: yes)
[9903](https://github.com/flutter/engine/pull/9903) Revert to using fml::StringView instead of std::string_view (cla: yes)
[9905](https://github.com/flutter/engine/pull/9905) Respect EXIF information while decompressing images. (cla: yes)
## PRs closed in this release of flutter/plugins
From Wed May 1 16:56:00 2019 -0700 to Thu Jul 18 08:04:00 2019 -0700
[826](https://github.com/flutter/plugins/pull/826) [google_maps_flutter] enable/disable indoor view (cla: yes, feature, needs love)
[837](https://github.com/flutter/plugins/pull/837) [camera] Add the ability to disable audio for video recording and image streaming (cla: yes, feature, marketplace)
[844](https://github.com/flutter/plugins/pull/844) [google_sign_in] Added NonNull annotations, reduce Guava usage (bugfix, cla: yes, submit queue)
[1067](https://github.com/flutter/plugins/pull/1067) [quick_actions]make QuickActions testable (cla: yes)
[1075](https://github.com/flutter/plugins/pull/1075) [firebase_analytics]Refactor unit test to use `setMockMethodCallHandler` (cla: yes, flutterfire)
[1078](https://github.com/flutter/plugins/pull/1078) [firebase_remote_config)Remove unused property "channel" (cla: yes, submit queue)
[1119](https://github.com/flutter/plugins/pull/1119) [android_alarm_manager] add support for specifying startAt time for AlarmManager.periodic() (cla: yes)
[1158](https://github.com/flutter/plugins/pull/1158) [firebase_auth] Add updatePhoneNumber function (WIP, cla: no, feature, flutterfire)
[1198](https://github.com/flutter/plugins/pull/1198) [shared_preferences] Added reload method (cla: yes, feature)
[1276](https://github.com/flutter/plugins/pull/1276) [shared_preferences] copying list for prevent mutate from outside (bugfix, cla: yes)
[1308](https://github.com/flutter/plugins/pull/1308) [shared_preferences] release active instance for create new singleton with new mock values (cla: yes)
[1313](https://github.com/flutter/plugins/pull/1313) [ci] Switch to macOS VM with Flutter pre-installed (WIP, bugfix, cla: yes)
[1318](https://github.com/flutter/plugins/pull/1318) [Firebase messaging] iOS direct data messages (bugfix, cla: yes, flutterfire)
[1355](https://github.com/flutter/plugins/pull/1355) [firebase_storage] Fix putFile method's Content-Type auto-detection for iOS (bugfix, cla: yes, flutterfire)
[1401](https://github.com/flutter/plugins/pull/1401) [webview_flutter] add debuggingEnabled property (cla: yes, feature, webview)
[1515](https://github.com/flutter/plugins/pull/1515) [firebase_admob] Fix firebase_admob crash when used with android alarm manager (bugfix, cla: yes, flutterfire, submit queue)
[1550](https://github.com/flutter/plugins/pull/1550) [google_maps_flutter] Adds support for circle overlays to the Google Maps plugin (cla: yes)
[1551](https://github.com/flutter/plugins/pull/1551) [google_maps_flutter] Adds support for polygon overlays to the Google Maps plugin (cla: yes)
[1553](https://github.com/flutter/plugins/pull/1553) [google_maps_flutter] Avoid calling null callbacks (cla: yes)
[1554](https://github.com/flutter/plugins/pull/1554) [video_player] Prevent Div/0 during network playback initialization. (cla: yes)
[1555](https://github.com/flutter/plugins/pull/1555) [in_app_purchase] Minor doc updates (cla: yes)
[1557](https://github.com/flutter/plugins/pull/1557) [firebase_performance] Testing of firebase performance rewrite PRs (cla: yes, flutterfire)
[1558](https://github.com/flutter/plugins/pull/1558) [google_maps_flutter] Android: update myLocationButton preference on map load (cla: yes)
[1559](https://github.com/flutter/plugins/pull/1559) add cyanglaz to codeowner of video_player (cla: yes)
[1560](https://github.com/flutter/plugins/pull/1560) [in_app_purchase] Remove extraneous download logic (cla: yes)
[1561](https://github.com/flutter/plugins/pull/1561) [in_app_purchase] Update README. Increment version. (cla: yes)
[1564](https://github.com/flutter/plugins/pull/1564) [firebase_crashlytics] Migrate FlutterErrorDetails (cla: yes)
[1565](https://github.com/flutter/plugins/pull/1565) [path_provider] Release as 1.0 and add integration tests (cla: yes)
[1566](https://github.com/flutter/plugins/pull/1566) [path_provider] add getApplicationSupportDirectory (cla: yes)
[1568](https://github.com/flutter/plugins/pull/1568) [firebase_auth] Removed automatic signing in behaviour when signing in with phone auth. (cla: yes)
[1569](https://github.com/flutter/plugins/pull/1569) [firebase_dynamic_links] support clicking on link while app is running. (cla: yes, flutterfire)
[1571](https://github.com/flutter/plugins/pull/1571) Updates to dynamic links plugin to remove deprecated API usage and update Android dependencies. (cla: yes)
[1572](https://github.com/flutter/plugins/pull/1572) Update Flutterfire Android dependencies. (cla: yes)
[1573](https://github.com/flutter/plugins/pull/1573) Remove flaky timeout test (cla: yes)
[1575](https://github.com/flutter/plugins/pull/1575) [google_maps_flutter] Adds long press / long click support to GoogleMap (cla: yes)
[1576](https://github.com/flutter/plugins/pull/1576) Update firebase_core dependency (cla: yes)
[1577](https://github.com/flutter/plugins/pull/1577) [in_app_purchase] Add consumable demo (cla: yes)
[1578](https://github.com/flutter/plugins/pull/1578) [firebase_auth] Update to latest CocoaPod (cla: yes)
[1579](https://github.com/flutter/plugins/pull/1579) [firebase_messaging] more graceful handling of failed token read on startup (cla: yes)
[1580](https://github.com/flutter/plugins/pull/1580) [cloud_firestore] Update CocoaPod versions dependency (cla: yes)
[1581](https://github.com/flutter/plugins/pull/1581) Fix break in firebase_analytics CocoaPod (cla: yes)
[1582](https://github.com/flutter/plugins/pull/1582) [firebase_core] set user agent (cla: yes, flutterfire)
[1583](https://github.com/flutter/plugins/pull/1583) [image_picker] Add return statement into the image_picker example (cla: yes)
[1584](https://github.com/flutter/plugins/pull/1584) Migrated linkWithCredential function to FirebaseUser object instead of FirebaseAuth (cla: yes)
[1585](https://github.com/flutter/plugins/pull/1585) Return image picker method call results on the platform thread (cla: yes)
[1586](https://github.com/flutter/plugins/pull/1586) [image_picker] iOS: save image to the correct type based on its original type and copy over exif data from the original image (cla: yes)
[1587](https://github.com/flutter/plugins/pull/1587) [in_app_purchase] Updated error handling in `queryPastPurchases` and `queryProductDetails` (cla: yes)
[1588](https://github.com/flutter/plugins/pull/1588) [in_app_purchase] Guard against dupe onBillingSetupFinished calls (cla: yes)
[1589](https://github.com/flutter/plugins/pull/1589) [in_app_purchase] Fix issue with empty purchase updates (cla: yes)
[1590](https://github.com/flutter/plugins/pull/1590) [in_app_purchase] Propagate launchBillingFlow failures (cla: yes)
[1592](https://github.com/flutter/plugins/pull/1592) [android_intent] Add the component name to the intent. (cla: yes)
[1593](https://github.com/flutter/plugins/pull/1593) remove iOS dependency on Firebase/Database and Firebase/Auth (cla: yes)
[1597](https://github.com/flutter/plugins/pull/1597) [firebase_auth] Updated linking error code documentation (cla: yes, flutterfire)
[1598](https://github.com/flutter/plugins/pull/1598) [camera] Enable camera plugin to compile with earlier android apis with custom AndroidManifest settings (cla: yes)
[1600](https://github.com/flutter/plugins/pull/1600) [shared_preferences] Asynchronous commit() callback (cla: yes)
[1601](https://github.com/flutter/plugins/pull/1601) Adjust user agent name (cla: yes)
[1602](https://github.com/flutter/plugins/pull/1602) [webview_flutter] Fix wrong main thread checking condition. (cla: yes)
[1603](https://github.com/flutter/plugins/pull/1603) Fix to check_hard_coded_version script (cla: yes)
[1604](https://github.com/flutter/plugins/pull/1604) [firebase_performance] Update integration tests & version bump (cla: yes, flutterfire)
[1605](https://github.com/flutter/plugins/pull/1605) [video_player] Fixed example and add texts (cla: yes)
[1607](https://github.com/flutter/plugins/pull/1607) [cloud_functions] Update iOS dependencies to latest to match Android (cla: yes)
[1609](https://github.com/flutter/plugins/pull/1609) [firebase_auth] Fix onMethodCall missing for updatePhoneNumberCredential (cla: yes, flutterfire)
[1610](https://github.com/flutter/plugins/pull/1610) [camera] Fix bug preventing video recording with audio (cla: yes)
[1612](https://github.com/flutter/plugins/pull/1612) [video_player] avoid deprecated seekToTime API (cla: yes)
[1615](https://github.com/flutter/plugins/pull/1615) [firebase_ml_vision] release CVPixelBuffer to prevent memory leak (cla: yes)
[1617](https://github.com/flutter/plugins/pull/1617) [image_picker] ios: copy all meta data from the original image. (bugfix, cla: yes)
[1618](https://github.com/flutter/plugins/pull/1618) Allow changing the webview's platform specific implementation (cla: yes)
[1619](https://github.com/flutter/plugins/pull/1619) [cloud_firestore] Group collection query on cloud firestore (cla: yes, flutterfire)
[1620](https://github.com/flutter/plugins/pull/1620) [cloud_functions] Update README and dart docs, remove unused parameters. (cla: yes, flutterfire)
[1621](https://github.com/flutter/plugins/pull/1621) Change LocalAuth to use Biometric API (cla: yes)
[1622](https://github.com/flutter/plugins/pull/1622) Add missing import for UIKit (cla: yes)
[1623](https://github.com/flutter/plugins/pull/1623) [cloud_firestore] add support for cacheSizeBytes (cla: yes, flutterfire)
[1624](https://github.com/flutter/plugins/pull/1624) [webview_flutter] platform_interface: Use Dart objects for creationParams and webSettings. (cla: yes)
[1625](https://github.com/flutter/plugins/pull/1625) [image_picker] Rename iOS class according to the official Objective-C naming convention. (cla: yes)
[1630](https://github.com/flutter/plugins/pull/1630) [firebase_ml_vision] Add close method for detectors (cla: yes, flutterfire)
[1633](https://github.com/flutter/plugins/pull/1633) [cloud_firestore] Fixed parent() methods (cla: yes)
[1634](https://github.com/flutter/plugins/pull/1634) Add in_app_purchase for readme and replace pub.dartlang.org to pub.dev. (cla: yes)
[1637](https://github.com/flutter/plugins/pull/1637) [in_app_purchase] Expanded description (cla: yes)
[1638](https://github.com/flutter/plugins/pull/1638) [image_picker] ios: support GIF animation and the scaling (cla: yes)
[1639](https://github.com/flutter/plugins/pull/1639) [cloud_functions]:Replace `call` with `getHttpsCallable` under Usage section in readme (cla: yes)
[1640](https://github.com/flutter/plugins/pull/1640) [google_maps_flutter] Update and comment out the 'set marker icon' sample. (cla: yes)
[1641](https://github.com/flutter/plugins/pull/1641) [android_alarm_manager] Move method channel usage to the platform main thread (cla: yes)
[1642](https://github.com/flutter/plugins/pull/1642) [firebase_ml_vision] Update sample to use new ImageStreamListener API (cla: yes)
[1643](https://github.com/flutter/plugins/pull/1643) suppress deprecation warning for BinaryMessages (cla: yes)
[1644](https://github.com/flutter/plugins/pull/1644) [cloud_firestore] Add user agent submission to Firestore plugin (cla: yes)
[1645](https://github.com/flutter/plugins/pull/1645) [webview_flutter] Move the method channel behind the platform interface (cla: yes)
[1647](https://github.com/flutter/plugins/pull/1647) [cloud_firestore] Added source support (cla: yes, flutterfire)
[1648](https://github.com/flutter/plugins/pull/1648) [connectivity]Adding missing type params. (cla: yes)
[1649](https://github.com/flutter/plugins/pull/1649) [Device_info] Replace invokeMethod with invokeMapMethod and some refactoring around this change. (cla: yes)
[1650](https://github.com/flutter/plugins/pull/1650) [cloud_firestore]bump up flutter version to 1.5 and use invokeMapMethod instead of invokeMethod (cla: yes, flutterfire)
[1651](https://github.com/flutter/plugins/pull/1651) [firebase_admob]add missing type params for invokeMethod and bump min flutter version to 1.5.0… (cla: yes)
[1652](https://github.com/flutter/plugins/pull/1652) [firebase_analytics]bump min flutter version to 1.5.0 and add type params to invokeMethod… (cla: yes, flutterfire)
[1653](https://github.com/flutter/plugins/pull/1653) [shared_preferences] Updated Gradle tooling to match Android Studio 3.4. (cla: yes)
[1654](https://github.com/flutter/plugins/pull/1654) [path_provider] Cast NSInteger to long (cla: yes)
[1655](https://github.com/flutter/plugins/pull/1655) [firebase_auth] add type parameters for invokeMethod and bump min flutter version to 1.5.0 (cla: yes)
[1656](https://github.com/flutter/plugins/pull/1656) Fixes merge conflict in shared_preferences release of 0.5.2+2 (cla: yes)
[1657](https://github.com/flutter/plugins/pull/1657) [firebase_core] replace invokeMethod with invokeMapMethod, add type parameters to invokeMethod calls, bump min Flutter version to 1.5.0 (cla: yes)
[1658](https://github.com/flutter/plugins/pull/1658) [firebase_ml_vision] Fix crash when passing contact info from barcode (cla: yes)
[1659](https://github.com/flutter/plugins/pull/1659) [local_auth] Fixed crash on API<28 while invoking authenticateWithBiometrics (cla: yes)
[1662](https://github.com/flutter/plugins/pull/1662) [in_app_purchase]fix missing return statement analyzer warning (cla: yes)
[1663](https://github.com/flutter/plugins/pull/1663) Move clearCookies behind the platform abstraction (cla: yes)
[1664](https://github.com/flutter/plugins/pull/1664) Fix firebase_auth analyze issues (cla: yes)
[1665](https://github.com/flutter/plugins/pull/1665) Fix firebase_crashlytics analyze errors (cla: yes)
[1666](https://github.com/flutter/plugins/pull/1666) [firebase_auth] Fix iOS updatePhoneNumberCredential crash (cla: yes)
[1667](https://github.com/flutter/plugins/pull/1667) [firebase_crashlytics]add missing type parameters and pump min flutter version to 1.5.0 (cla: yes)
[1668](https://github.com/flutter/plugins/pull/1668) [firebase_database]Add missing template type parameter to calls. Bump minimum Flutter v… (cla: yes)
[1669](https://github.com/flutter/plugins/pull/1669) [firebase_dynamic_links]Add missing template type parameter to calls. Bump minimum Flutter v… (cla: yes)
[1670](https://github.com/flutter/plugins/pull/1670) [firebase_messaging]Add missing template type parameter to `invokeMethod` calls. Bump minimum Flutter version to 1.5.0. Replace invokeMethod with invokeMapMethod wherever necessary. (cla: yes)
[1671](https://github.com/flutter/plugins/pull/1671) [firebase_ml_vision] Add missing template type parameter to `invokeMethod` calls. Bump minimum Flutter version to 1.5.0. Replace invokeMethod with invokeMapMethod wherever necessary. (cla: yes)
[1672](https://github.com/flutter/plugins/pull/1672) [local_auth] The thread for executor needs to be UI thread. (cla: yes)
[1674](https://github.com/flutter/plugins/pull/1674) [google_maps_flutter] Adds support for add padding to the map (cla: yes)
[1676](https://github.com/flutter/plugins/pull/1676) [local_auth] Use post instead of postDelayed (cla: yes)
[1677](https://github.com/flutter/plugins/pull/1677) [firebase_dynamic_links] Fix Android crashing when a headless plugin register this plugin. (bugfix, cla: yes, flutterfire)
[1678](https://github.com/flutter/plugins/pull/1678) [firebase_remote_config] Add missing template type parameter to `invokeMethod` calls. Bump minimum Flutter version to 1.5.0. Replace invokeMethod with invokeMapMethod wherever necessary. (cla: yes)
[1679](https://github.com/flutter/plugins/pull/1679) [firebase_storage]Add missing template type parameter to `invokeMethod` calls. Bump minimum Flutter version to 1.5.0. Replace invokeMethod with invokeMapMethod wherever necessary. (cla: yes)
[1680](https://github.com/flutter/plugins/pull/1680) [google_map_flutter] Add missing template type parameter to `invokeMethod` calls. Bump minimum Flutter version to 1.5.0. Replace invokeMethod with invokeMapMethod wherever necessary. (cla: yes)
[1681](https://github.com/flutter/plugins/pull/1681) [google_sign_in] Add missing template type parameter to `invokeMethod` calls. Bump minimum Flutter version to 1.5.0. Replace invokeMethod with invokeMapMethod wherever necessary. (cla: yes)
[1682](https://github.com/flutter/plugins/pull/1682) [firebase_auth] Document support email requirement in README (cla: yes)
[1683](https://github.com/flutter/plugins/pull/1683) [image_picker]Add missing template type parameter to `invokeMethod` calls. Bump minimum Flutter version to 1.5.0. Replace invokeMethod with invokeMapMethod wherever necessary. (cla: yes)
[1684](https://github.com/flutter/plugins/pull/1684) [in_app_purchase]Add missing template type parameter to `invokeMethod` calls. Bump minimum Flutter version to 1.5.0. Replace invokeMethod with invokeMapMethod wherever necessary. (cla: yes)
[1685](https://github.com/flutter/plugins/pull/1685) [connectivity] android: Respect case TYPE_MOBILE_HIPRI (cla: yes)
[1688](https://github.com/flutter/plugins/pull/1688) [google_map_flutter] correct version (cla: yes)
[1689](https://github.com/flutter/plugins/pull/1689) [local_auth]Add missing template type parameter to `invokeMethod` calls. Bump minimum Flutter versi (cla: yes)
[1690](https://github.com/flutter/plugins/pull/1690) [location_background] Add missing template type parameter to `invokeMethod` calls. Bump minimum Flutter version to 1.5.0. Replace invokeMethod with invokeMapMethod wherever necessary. (cla: yes)
[1691](https://github.com/flutter/plugins/pull/1691) [In_app_purchase] Correct version. (cla: yes)
[1692](https://github.com/flutter/plugins/pull/1692) [Package_info] Add missing template type parameter to `invokeMethod` calls. Bump minimum Flutter version to 1.5.0. Replace invokeMethod with invokeMapMethod wherever necessary. (cla: yes)
[1693](https://github.com/flutter/plugins/pull/1693) [quick_ actions] Add missing template type parameter to `invokeMethod` calls. Bump minimum Flutter version to 1.5.0. Replace invokeMethod with invokeMapMethod wherever necessary. (cla: yes)
[1694](https://github.com/flutter/plugins/pull/1694) [shared_preferences]Add missing template type parameter to `invokeMethod` calls. Bump minimum Flutter version to 1.5.0. Replace invokeMethod with invokeMapMethod wherever necessary. (cla: yes)
[1695](https://github.com/flutter/plugins/pull/1695) [url_launcher] Add missing template type parameter to `invokeMethod` calls. Bump minimum Flutter version to 1.5.0. Replace invokeMethod with invokeMapMethod wherever necessary. (cla: yes)
[1696](https://github.com/flutter/plugins/pull/1696) [video_player] Add missing template type parameter to `invokeMethod` calls. Bump minimum Flutter version to 1.5.0. Replace invokeMethod with invokeMapMethod wherever necessary. (cla: yes)
[1697](https://github.com/flutter/plugins/pull/1697) [google_maps_flutter] Add support for styling google maps (cla: yes)
[1698](https://github.com/flutter/plugins/pull/1698) [webview_flutter]Add missing template type parameter to `invokeMethod` calls. Bump minimum Flutter version to 1.5.0. Replace invokeMethod with invokeMapMethod wherever necessary. (cla: yes)
[1699](https://github.com/flutter/plugins/pull/1699) [In_app_purchase] rename `PurchaseError` to `IAPError` and rename `PurchaseSource` to `IAPSource` (cla: yes)
[1700](https://github.com/flutter/plugins/pull/1700) [android_alarm_manager] Wait in onHandleWork until the Dart callback returns a result (cla: yes)
[1701](https://github.com/flutter/plugins/pull/1701) [cloud_firestore] Invoke on ui thread only (cla: yes, flutterfire)
[1703](https://github.com/flutter/plugins/pull/1703) [package_info]Update README.md to reflect iOS issue. (cla: yes)
[1705](https://github.com/flutter/plugins/pull/1705) Revert "1690" (cla: yes)
[1707](https://github.com/flutter/plugins/pull/1707) Ensure that CocoaPods on Cirrus is always the latest version. (cla: yes)
[1711](https://github.com/flutter/plugins/pull/1711) Initial plugins test app (cla: yes)
[1712](https://github.com/flutter/plugins/pull/1712) [firebase_ml_vision] Separate integration tests (cla: yes)
[1713](https://github.com/flutter/plugins/pull/1713) [firebase_ml_vision] Prepare example app to include Live Camera Preview demo and Material Barcode Scanner demo (cla: yes)
[1714](https://github.com/flutter/plugins/pull/1714) [quick_actions] Update README.md (cla: yes)
[1720](https://github.com/flutter/plugins/pull/1720) [cloud_firestore] Fix document pagination (cla: yes)
[1722](https://github.com/flutter/plugins/pull/1722) [cloud_firestore] Added support for combining document pagination methods (cla: yes)
[1724](https://github.com/flutter/plugins/pull/1724) Add a note about mockito to contribution guide (cla: yes)
[1725](https://github.com/flutter/plugins/pull/1725) [all_plugins] Build all_plugins app on cirrus script (cla: yes)
[1728](https://github.com/flutter/plugins/pull/1728) [firebase_messaging]: add additional documentation for the data in notifications (cla: no, flutterfire, submit queue)
[1729](https://github.com/flutter/plugins/pull/1729) Fix build failures due to CocoaPods version (cla: yes)
[1731](https://github.com/flutter/plugins/pull/1731) Update plugin Dart code to conform to current Dart formatter (cla: yes)
[1733](https://github.com/flutter/plugins/pull/1733) [firebase_core] Automate version retrieval (cla: yes)
[1734](https://github.com/flutter/plugins/pull/1734) [google_maps_flutter] ios build fix (cla: yes)
[1735](https://github.com/flutter/plugins/pull/1735) Remove hard coded version check (cla: yes)
[1737](https://github.com/flutter/plugins/pull/1737) [google_maps_flutter] Allow BitmapDescriptor scaling override (cla: yes)
[1738](https://github.com/flutter/plugins/pull/1738) Update API link (cla: yes)
[1739](https://github.com/flutter/plugins/pull/1739) [firebase_crashlytics] Fix parsing stacktrace (cla: yes)
[1742](https://github.com/flutter/plugins/pull/1742) [firebase_core] roll back to 0.4.0+3 (cla: yes)
[1744](https://github.com/flutter/plugins/pull/1744) [image_picker] return error in the event that permissions are not granted (cla: yes, submit queue)
[1747](https://github.com/flutter/plugins/pull/1747) [cloud_functions] Remove unused header reference (cla: yes)
[1748](https://github.com/flutter/plugins/pull/1748) Auto retrieve version to report user agent (cla: yes)
[1749](https://github.com/flutter/plugins/pull/1749) re-add deleted files (cla: yes)
[1750](https://github.com/flutter/plugins/pull/1750) [firebase_crashlytics][ios] setUserIdentifier incorrectly calls setUserEmail (cla: yes)
[1751](https://github.com/flutter/plugins/pull/1751) [in_app_purchase] Fixed code example error & README links (cla: yes, documentation, submit queue)
[1753](https://github.com/flutter/plugins/pull/1753) [share] Add subject as optional parameter (cla: yes)
[1756](https://github.com/flutter/plugins/pull/1756) [firebase_messaging] fix crash when func deleteInstanceID return result in incorrect thread (cla: no, flutterfire)
[1758](https://github.com/flutter/plugins/pull/1758) [firebase_ml_vision] Move firebase_ml_vision examples to this repo (cla: yes, flutterfire)
[1759](https://github.com/flutter/plugins/pull/1759) [firebase_crashlyitcs] On Android, use actual the Dart exception name instead of "Dart error." (cla: yes)
[1760](https://github.com/flutter/plugins/pull/1760) Auto report ff (cla: yes, flutterfire)
[1761](https://github.com/flutter/plugins/pull/1761) [Connectivity][Android] Updated check network info logic (cla: yes, submit queue)
[1763](https://github.com/flutter/plugins/pull/1763) [firebase_performance] Fix bug that prevented plugin to work with hot restart (bugfix, cla: yes, flutterfire)
[1764](https://github.com/flutter/plugins/pull/1764) [none] Update README.md (cla: yes)
[1765](https://github.com/flutter/plugins/pull/1765) [firebase_auth] Leave UserInfo for phone provider in providerData (cla: yes, flutterfire)
[1766](https://github.com/flutter/plugins/pull/1766) [firebase_messaging] Update README for build.gradle configuration (cla: yes)
[1768](https://github.com/flutter/plugins/pull/1768) [script] Don't run incremental build when there are no changes in packages (cla: yes)
[1769](https://github.com/flutter/plugins/pull/1769) Update README to reflect the requirement to use fragment activity (cla: yes)
[1772](https://github.com/flutter/plugins/pull/1772) Set device density to polylines (cla: yes)
[1775](https://github.com/flutter/plugins/pull/1775) [in_app_purchase]fix the type casting issue (cla: yes)
[1776](https://github.com/flutter/plugins/pull/1776) [all_plugins] Compile all plugins together (cla: yes)
[1778](https://github.com/flutter/plugins/pull/1778) Enable version checker to be run on cirrus (cla: yes)
[1779](https://github.com/flutter/plugins/pull/1779) Add a PR triage policy to the contributing guide. (cla: yes)
[1780](https://github.com/flutter/plugins/pull/1780) [cloud_firestore] Transactions improvements (cla: yes)
[1781](https://github.com/flutter/plugins/pull/1781) [cloud_firestore] Support for map fields in document pagination (cla: yes)
[1782](https://github.com/flutter/plugins/pull/1782) [url_launcher]: add option to enable DOM storage in android webview (cla: yes)
[1785](https://github.com/flutter/plugins/pull/1785) [in_app_purchase]fix the regression introduced in 0.2.0+1 (cla: yes)
[1786](https://github.com/flutter/plugins/pull/1786) Disable version-check until we fix the patch version (cla: yes)
[1787](https://github.com/flutter/plugins/pull/1787) re-enable version check (cla: yes)
[1795](https://github.com/flutter/plugins/pull/1795) [image_picker] Don't use modules (cla: yes)
[1797](https://github.com/flutter/plugins/pull/1797) [android_intent] [battery] [shared_preferences] Fix Gradle version (cla: yes)
[1798](https://github.com/flutter/plugins/pull/1798) [in_app_purchase] Readme updates (cla: yes, documentation, submit queue)
[1799](https://github.com/flutter/plugins/pull/1799) [firebase_crashlytics] make sure the keys are actually added to the returned map (cla: yes)
[1800](https://github.com/flutter/plugins/pull/1800) [quick_actions] Implementing sharedpreferences approach for killed apps (cla: yes)
[1801](https://github.com/flutter/plugins/pull/1801) [google_maps_flutter] Fix incorrect polygon argument name in google maps controller (cla: yes)
[1804](https://github.com/flutter/plugins/pull/1804) [image_picker] Removed cursor to prevent crash (cla: yes)
[1805](https://github.com/flutter/plugins/pull/1805) [firebase_auth] Fix typo in some comments. (cla: yes, submit queue)
[1806](https://github.com/flutter/plugins/pull/1806) [video_player] fixed markdown which causes pub.dev not show actu… (cla: no, submit queue)
[1808](https://github.com/flutter/plugins/pull/1808) [google_maps_flutter] Add map toolbar support (cla: yes)
[1811](https://github.com/flutter/plugins/pull/1811) [path_provider] Update to use getExternalFilesDir (cla: yes)
[1812](https://github.com/flutter/plugins/pull/1812) [firebase_database] Move firebase_database transaction calls to UI thread on Android (cla: yes)
[1815](https://github.com/flutter/plugins/pull/1815) [firebase_crashlytics] Update README with advice on testing installation (cla: yes)
[1816](https://github.com/flutter/plugins/pull/1816) [firebase_messaging] add integration tests (cla: yes)
[1817](https://github.com/flutter/plugins/pull/1817) [image_picker]use class instead of struct for GIFInfo on iOS (cla: yes)
[1818](https://github.com/flutter/plugins/pull/1818) [firebase_messaging] Change signature of subscribe/unsubscribe (cla: yes)
[1819](https://github.com/flutter/plugins/pull/1819) [in_app_purchase] iOS: Support unsupported UserInfo value types on NSError. (cla: yes, submit queue)
[1822](https://github.com/flutter/plugins/pull/1822) [Connectivity] Fixes issue "connectivity using deprecated api" (cla: yes, submit queue)
[1823](https://github.com/flutter/plugins/pull/1823) [image_picker] Update README example (cla: yes)
[1826](https://github.com/flutter/plugins/pull/1826) [firebase_auth] Register for iOS notifications to support phone auth (cla: yes)
[1827](https://github.com/flutter/plugins/pull/1827) [in_app_purchase] fix version (cla: yes)
[1828](https://github.com/flutter/plugins/pull/1828) Revert "[google_sign_in] Added NonNull annotations, reduce Guava usage (#844) (cla: yes)
[1830](https://github.com/flutter/plugins/pull/1830) [firebase_remote_config] fix config value source parsing (cla: yes)
[1831](https://github.com/flutter/plugins/pull/1831) [firebase_crashlytics] Handle case where function isn't in class for stack (cla: yes)
[1832](https://github.com/flutter/plugins/pull/1832) [camera] Dart Interface for camera refactor (cla: yes)
[1833](https://github.com/flutter/plugins/pull/1833) [in_app_purchase] add missing `hashCode` implementation (cla: yes)
[1834](https://github.com/flutter/plugins/pull/1834) [firebase_storage] Fix Content-Type auto-detection for Android (cla: yes)
[1835](https://github.com/flutter/plugins/pull/1835) [firebase_dynamic_links] Allow FDL plugin to be registered without an activity (cla: yes)
[1839](https://github.com/flutter/plugins/pull/1839) [firebase_auth] CHANGELOG entry and update pubspec.yaml for release (cla: yes)
[1840](https://github.com/flutter/plugins/pull/1840) [local_auth] Fix usage syntax on README (cla: yes)
[1844](https://github.com/flutter/plugins/pull/1844) [image_picker] Fix image_picker Hanging After Attempting to Open Unavailable Camera on iOS Simulator (bugfix, cla: yes)
[1845](https://github.com/flutter/plugins/pull/1845) [webview_flutter] Basic fix for input pre N (cla: yes)
[1846](https://github.com/flutter/plugins/pull/1846) [firebase_auth] [google_sign_in] Update consent screen docs (cla: yes)
[1848](https://github.com/flutter/plugins/pull/1848) [url_launcher] add support for android headers (cla: yes)
[1849](https://github.com/flutter/plugins/pull/1849) [android alarm manager] Fix crash below API 19 (cla: yes)
[1850](https://github.com/flutter/plugins/pull/1850) [firebase_analytics] add missing named events tracking (cla: yes)
[1852](https://github.com/flutter/plugins/pull/1852) [webview_flutter] Support Flutter `TextInput`s (cla: yes)
[1853](https://github.com/flutter/plugins/pull/1853) [webview_flutter] Fix input bug on route changes (cla: yes)
[1854](https://github.com/flutter/plugins/pull/1854) [webview_flutter] Fix typo (cla: yes)
[1855](https://github.com/flutter/plugins/pull/1855) Update CODEWNERS for google_maps_flutter and webview_flutter (cla: yes)
[1856](https://github.com/flutter/plugins/pull/1856) [quick_actions] Fixes Android action forwarding (cla: yes)
[1857](https://github.com/flutter/plugins/pull/1857) [webview_flutter] Don't log unknown setting key for debuggingEnabled … (cla: yes)
[1858](https://github.com/flutter/plugins/pull/1858) Update CHANGELOG and pubspec.yaml for release (cla: yes)
[1862](https://github.com/flutter/plugins/pull/1862) [image_picker] Fix a crash when user takes a photo using devices under iOS 11. (cla: yes)
[1863](https://github.com/flutter/plugins/pull/1863) [webview_flutter] fix typo in comment (cla: yes)
[1865](https://github.com/flutter/plugins/pull/1865) [ci] Use the same upgrade script on Mac (cla: yes)
[1869](https://github.com/flutter/plugins/pull/1869) [firebase_auth] Fix getIdToken refresh param on iOS (cla: yes)
[1870](https://github.com/flutter/plugins/pull/1870) Cirrus should report errors on failures of incremental_build.sh (cla: yes)
[1872](https://github.com/flutter/plugins/pull/1872) [connectivity] Fix the typo in the suppresswarnings qualifier (cla: yes)
[1873](https://github.com/flutter/plugins/pull/1873) Add some more CODEOWNERS (cla: yes)
[1874](https://github.com/flutter/plugins/pull/1874) [firebase_performance] Fix invokeMethod formatting that caused a bug with Dart code obfuscation (cla: yes)
| website/src/release/release-notes/changelogs/changelog-1.7.8.md/0 | {
"file_path": "website/src/release/release-notes/changelogs/changelog-1.7.8.md",
"repo_id": "website",
"token_count": 55839
} | 1,503 |
---
title: Flutter 2.8.0 release notes
short-title: 2.8.0 release notes
description: Release notes for Flutter 2.8.0.
---
This page has release notes for 2.8.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`
#### cla: yes - 1080 pull request(s)
[65015](https://github.com/flutter/flutter/pull/65015) PageView resize from zero-size viewport should not lose state (framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green, a: state restoration)
[75110](https://github.com/flutter/flutter/pull/75110) use FadeTransition instead of Opacity where applicable (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[79350](https://github.com/flutter/flutter/pull/79350) Indicate that only physical iOS devices are supported (team, cla: yes, waiting for tree to go green)
[82670](https://github.com/flutter/flutter/pull/82670) Android Q transition by default (framework, f: material design, cla: yes, waiting for tree to go green)
[83028](https://github.com/flutter/flutter/pull/83028) Fix comments (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, documentation)
[83047](https://github.com/flutter/flutter/pull/83047) [Material 3] Add Navigation Bar component to flutter framework. (framework, f: material design, cla: yes, waiting for tree to go green)
[84307](https://github.com/flutter/flutter/pull/84307) Restart input connection after `EditableText.onSubmitted` (a: text input, platform-android, platform-ios, framework, f: material design, a: fidelity, cla: yes, waiting for tree to go green)
[84394](https://github.com/flutter/flutter/pull/84394) Add Snapping Behavior to DraggableScrollableSheet (severe: new feature, team, framework, f: scrolling, cla: yes, d: examples, waiting for tree to go green)
[84611](https://github.com/flutter/flutter/pull/84611) Add native iOS screenshots to integration_test (team, platform-ios, cla: yes, waiting for tree to go green, integration_test)
[84707](https://github.com/flutter/flutter/pull/84707) [integration_test] Fix path in example (cla: yes, waiting for tree to go green)
[84946](https://github.com/flutter/flutter/pull/84946) Fixed mouse cursor of disabled IconButton (framework, f: material design, cla: yes)
[84993](https://github.com/flutter/flutter/pull/84993) fix: Preserve state in horizontal stepper (framework, f: material design, cla: yes, waiting for tree to go green)
[85482](https://github.com/flutter/flutter/pull/85482) Fix avoid_renaming_method_parameters for pending analyzer change. (team, framework, f: material design, a: internationalization, cla: yes, waiting for tree to go green)
[85652](https://github.com/flutter/flutter/pull/85652) [new feature] Add support for a RawScrollbar.shape (severe: new feature, framework, f: scrolling, cla: yes, waiting for tree to go green)
[85653](https://github.com/flutter/flutter/pull/85653) Keyboard text selection and wordwrap (a: text input, framework, cla: yes)
[85718](https://github.com/flutter/flutter/pull/85718) Fix scale delta docs and calculation (framework, cla: yes)
[85743](https://github.com/flutter/flutter/pull/85743) Overridable action (framework, cla: yes, waiting for tree to go green)
[85968](https://github.com/flutter/flutter/pull/85968) replace localEngineOut with local-engine-out (tool, cla: yes)
[86067](https://github.com/flutter/flutter/pull/86067) add margin to vertical stepper (framework, f: material design, cla: yes, waiting for tree to go green)
[86312](https://github.com/flutter/flutter/pull/86312) [autofill] opt-out instead of opt-in (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[86555](https://github.com/flutter/flutter/pull/86555) ImageInfo adds a new getter named sizeBytes to decouple ImageCache and ui.Image (severe: new feature, framework, cla: yes, a: images)
[86736](https://github.com/flutter/flutter/pull/86736) Text Editing Model Refactor (framework, f: material design, cla: yes, f: cupertino, work in progress; do not review)
[86796](https://github.com/flutter/flutter/pull/86796) [EditableText] preserve selection/composition range on unfocus (framework, f: material design, cla: yes, waiting for tree to go green)
[86821](https://github.com/flutter/flutter/pull/86821) Add tag support for executing reduced test sets (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[86844](https://github.com/flutter/flutter/pull/86844) [gen_l10n] to handle arbitrary DateFormat patterns (waiting for customer response, tool, cla: yes)
[86986](https://github.com/flutter/flutter/pull/86986) Migration text selection manipulation. (framework, cla: yes)
[87022](https://github.com/flutter/flutter/pull/87022) [tools] Add Xcode version to non-verbose Flutter doctor (tool, cla: yes, waiting for tree to go green)
[87076](https://github.com/flutter/flutter/pull/87076) Add a hook for scroll position to notify scrolling context when dimen… (a: tests, framework, a: accessibility, f: scrolling, cla: yes, waiting for tree to go green)
[87109](https://github.com/flutter/flutter/pull/87109) TextField.autofocus should skip the element that never layout (framework, f: material design, cla: yes, waiting for tree to go green)
[87172](https://github.com/flutter/flutter/pull/87172) Adding onLongPress for DataRow (framework, f: material design, cla: yes)
[87197](https://github.com/flutter/flutter/pull/87197) Add RichText support to find.text() (a: tests, severe: new feature, framework, cla: yes)
[87231](https://github.com/flutter/flutter/pull/87231) Switch document generation to use the snippets package (team, framework, f: material design, cla: yes, f: cupertino)
[87264](https://github.com/flutter/flutter/pull/87264) fix: fix BuildableMacOSApp pass no projectBundleId to super error (tool, cla: yes, waiting for tree to go green)
[87280](https://github.com/flutter/flutter/pull/87280) Extract Sample code into examples/api (team, framework, f: material design, cla: yes, f: cupertino, d: examples)
[87294](https://github.com/flutter/flutter/pull/87294) Home/End key support for Linux (framework, cla: yes)
[87297](https://github.com/flutter/flutter/pull/87297) Reattempt: Restores surface size and view configuration in the postTest of test binding (a: tests, framework, cla: yes)
[87329](https://github.com/flutter/flutter/pull/87329) Make kMaterialEdges const (framework, f: material design, cla: yes)
[87404](https://github.com/flutter/flutter/pull/87404) Fix computeMinIntrinsicHeight in _RenderDecoration (framework, f: material design, cla: yes, waiting for tree to go green)
[87430](https://github.com/flutter/flutter/pull/87430) Update TabPageSelector Semantics Label Localization (framework, f: material design, a: internationalization, cla: yes, waiting for tree to go green)
[87557](https://github.com/flutter/flutter/pull/87557) [NNBD] Update dart preamble code. (framework, f: material design, cla: yes)
[87595](https://github.com/flutter/flutter/pull/87595) Added time picker entry mode callback and tests (framework, f: material design, cla: yes)
[87604](https://github.com/flutter/flutter/pull/87604) Use Device specific gesture configuration for scroll views (a: tests, framework, cla: yes, waiting for tree to go green)
[87607](https://github.com/flutter/flutter/pull/87607) Wait for module UI test buttons to be hittable before tapping them (team, cla: yes, team: flakes, waiting for tree to go green)
[87618](https://github.com/flutter/flutter/pull/87618) Fix AnimatedCrossFade would focus on a hidden widget (framework, a: animation, cla: yes, f: focus)
[87619](https://github.com/flutter/flutter/pull/87619) Don't set the SplashScreenDrawable for new projects (tool, cla: yes, waiting for tree to go green)
[87638](https://github.com/flutter/flutter/pull/87638) Don't display empty tooltips (Tooltips with empty `message` property) (framework, f: material design, cla: yes, waiting for tree to go green)
[87678](https://github.com/flutter/flutter/pull/87678) hasStrings support for eliminating clipboard notifications (framework, f: material design, cla: yes, f: cupertino)
[87692](https://github.com/flutter/flutter/pull/87692) Update to latest published DevTools 2.5.0. (cla: yes)
[87693](https://github.com/flutter/flutter/pull/87693) Revert "update ScrollMetricsNotification" (framework, cla: yes, f: cupertino)
[87694](https://github.com/flutter/flutter/pull/87694) [ci.yaml] Add dependencies (cla: yes, waiting for tree to go green)
[87698](https://github.com/flutter/flutter/pull/87698) Prevent Scrollbar axis flipping when there is an oriented scroll controller (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green, a: error message)
[87700](https://github.com/flutter/flutter/pull/87700) Updated skipped tests for rendering directory. (team, framework, cla: yes, tech-debt, skip-test)
[87701](https://github.com/flutter/flutter/pull/87701) Roll Engine from a0d89b1a543d to 36eb9a67a8ff (1 revision) (cla: yes, waiting for tree to go green)
[87703](https://github.com/flutter/flutter/pull/87703) Roll Engine from 36eb9a67a8ff to f3ca5fd71537 (5 revisions) (cla: yes, waiting for tree to go green)
[87705](https://github.com/flutter/flutter/pull/87705) Roll Engine from f3ca5fd71537 to 22a29ac9b38c (2 revisions) (cla: yes, waiting for tree to go green)
[87706](https://github.com/flutter/flutter/pull/87706) Roll Engine from 22a29ac9b38c to c3739afe0af6 (1 revision) (cla: yes, waiting for tree to go green)
[87707](https://github.com/flutter/flutter/pull/87707) `showModalBottomSheet` should not dispose the controller provided by user (framework, f: material design, cla: yes, waiting for tree to go green)
[87711](https://github.com/flutter/flutter/pull/87711) Roll Engine from c3739afe0af6 to 381d54e4c78c (1 revision) (cla: yes, waiting for tree to go green)
[87713](https://github.com/flutter/flutter/pull/87713) Roll Engine from 381d54e4c78c to 72250a6c87a1 (1 revision) (cla: yes, waiting for tree to go green)
[87716](https://github.com/flutter/flutter/pull/87716) Roll Engine from 72250a6c87a1 to 2c45b6e652bf (1 revision) (cla: yes, waiting for tree to go green)
[87726](https://github.com/flutter/flutter/pull/87726) Roll Engine from 2c45b6e652bf to f1a759d98ad3 (1 revision) (cla: yes, waiting for tree to go green)
[87731](https://github.com/flutter/flutter/pull/87731) [flutter_tools] Reland "Make upgrade only work with standard remotes" (tool, cla: yes, waiting for tree to go green)
[87740](https://github.com/flutter/flutter/pull/87740) Update MaterialScrollBehavior.buildScrollbar for horizontal axes (framework, f: material design, a: fidelity, f: scrolling, cla: yes, waiting for tree to go green)
[87746](https://github.com/flutter/flutter/pull/87746) Roll Engine from f1a759d98ad3 to 07ec4b82c71c (3 revisions) (cla: yes, waiting for tree to go green)
[87747](https://github.com/flutter/flutter/pull/87747) Categorize flutter tool commands (tool, cla: yes, waiting for tree to go green)
[87750](https://github.com/flutter/flutter/pull/87750) [ci.yaml] Add gradle cache to devicelab host only targets (cla: yes, waiting for tree to go green)
[87751](https://github.com/flutter/flutter/pull/87751) Roll Engine from 07ec4b82c71c to 4092390a6c29 (1 revision) (cla: yes, waiting for tree to go green)
[87752](https://github.com/flutter/flutter/pull/87752) Roll Engine from 4092390a6c29 to 431ac604da1b (1 revision) (cla: yes, waiting for tree to go green)
[87756](https://github.com/flutter/flutter/pull/87756) [flutter_conductor] pretty-print state JSON file (team, cla: yes)
[87759](https://github.com/flutter/flutter/pull/87759) Migrate python invocations to python3 (team, cla: yes)
[87763](https://github.com/flutter/flutter/pull/87763) Roll Engine from 431ac604da1b to c0e59bc7b65e (1 revision) (cla: yes, waiting for tree to go green)
[87767](https://github.com/flutter/flutter/pull/87767) Notification doc fixes (framework, cla: yes, waiting for tree to go green)
[87775](https://github.com/flutter/flutter/pull/87775) Fix the showBottomSheet controller leaking (framework, a: animation, f: material design, cla: yes, a: quality, waiting for tree to go green, perf: memory)
[87786](https://github.com/flutter/flutter/pull/87786) Remove fuchsia_remote_debug_protocol from API docs (team, cla: yes)
[87792](https://github.com/flutter/flutter/pull/87792) Change hitTest signatures to be non-nullable (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[87801](https://github.com/flutter/flutter/pull/87801) Fix precision error in NestedScrollView (framework, f: scrolling, cla: yes, waiting for tree to go green)
[87813](https://github.com/flutter/flutter/pull/87813) [ci.yaml] Empty commit to verify LUCI configs (cla: yes)
[87814](https://github.com/flutter/flutter/pull/87814) [ci.yaml] Fix firebase recipe, xcode version, and web_benchmarks (cla: yes, waiting for tree to go green)
[87818](https://github.com/flutter/flutter/pull/87818) Reland "update ScrollMetricsNotification (#87421)" (framework, cla: yes, f: cupertino)
[87824](https://github.com/flutter/flutter/pull/87824) Fix null check for content dimensions in page getter (framework, cla: yes, waiting for tree to go green)
[87829](https://github.com/flutter/flutter/pull/87829) Roll Engine from c0e59bc7b65e to 4fef55db1031 (12 revisions) (cla: yes, waiting for tree to go green)
[87839](https://github.com/flutter/flutter/pull/87839) Android 12 overscroll stretch effect (severe: new feature, platform-android, framework, f: material design, f: scrolling, cla: yes, f: cupertino, f: gestures, customer: crowd, waiting for tree to go green, customer: money (g3), will affect goldens, e: OS Version specific)
[87859](https://github.com/flutter/flutter/pull/87859) Use `{{projectName}}` as BINARY_NAME and CMake project name in UWP template (tool, cla: yes, waiting for tree to go green, e: uwp)
[87872](https://github.com/flutter/flutter/pull/87872) Fix compile error in SliverAppBar sample code (framework, f: material design, cla: yes, waiting for tree to go green)
[87873](https://github.com/flutter/flutter/pull/87873) Updated skipped tests for scheduler directory. (team, framework, cla: yes, tech-debt, skip-test)
[87874](https://github.com/flutter/flutter/pull/87874) Updated skipped tests for services directory. (team, framework, cla: yes, tech-debt, skip-test)
[87879](https://github.com/flutter/flutter/pull/87879) Updated skipped tests for widgets directory. (team, framework, cla: yes, will affect goldens, tech-debt, skip-test)
[87880](https://github.com/flutter/flutter/pull/87880) Updated skipped tests for flutter_test directory. (a: tests, framework, cla: yes, skip-test)
[87901](https://github.com/flutter/flutter/pull/87901) Changing ElevatedButton.child to be non-nullable (framework, f: material design, cla: yes)
[87919](https://github.com/flutter/flutter/pull/87919) [ci.yaml] Add clang to tool integration tests, gems fix (cla: yes, waiting for tree to go green)
[87925](https://github.com/flutter/flutter/pull/87925) Updated skipped tests for flutter_tools. (team, tool, cla: yes, tech-debt, skip-test)
[87929](https://github.com/flutter/flutter/pull/87929) [docs] spelling correction for showModalBottomSheet docs in bottom sheet file (framework, f: material design, cla: yes, waiting for tree to go green)
[87930](https://github.com/flutter/flutter/pull/87930) refactor IosProject and MacOSProject to extends XcodeBasedProject to share common (tool, cla: yes, waiting for tree to go green)
[87949](https://github.com/flutter/flutter/pull/87949) Small Doc improvements: default value for enableInteractiveSelection. (framework, cla: yes, waiting for tree to go green)
[87962](https://github.com/flutter/flutter/pull/87962) Fix errors in examples (a: tests, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[87971](https://github.com/flutter/flutter/pull/87971) [EditableText] call `onSelectionChanged` only when there are actual selection/cause changes (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[87973](https://github.com/flutter/flutter/pull/87973) [TextInput] minor fixes (framework, cla: yes, waiting for tree to go green)
[87976](https://github.com/flutter/flutter/pull/87976) feat: migrate macos/application_package.dart to null-safety (tool, cla: yes, waiting for tree to go green)
[87991](https://github.com/flutter/flutter/pull/87991) Add dartPluginClass support for Android and iOS (tool, cla: yes, waiting for tree to go green)
[88003](https://github.com/flutter/flutter/pull/88003) Added a check to the analyzer script to detect skipped tests. (team, cla: yes)
[88013](https://github.com/flutter/flutter/pull/88013) Refactor iOS integration_test API to support Swift, dynamically add native tests (platform-ios, cla: yes, waiting for tree to go green, integration_test)
[88015](https://github.com/flutter/flutter/pull/88015) feat: migrate base/dds.dart to null-safety (tool, cla: yes, waiting for tree to go green)
[88019](https://github.com/flutter/flutter/pull/88019) add `?` in Checkbox onChanged property (framework, f: material design, cla: yes, waiting for tree to go green)
[88030](https://github.com/flutter/flutter/pull/88030) Deferred components integration test app (team, platform-android, framework, cla: yes, t: flutter driver, waiting for tree to go green, integration_test)
[88036](https://github.com/flutter/flutter/pull/88036) Roll Engine from 4fef55db1031 to d8bbebed60a7 (45 revisions) (cla: yes, waiting for tree to go green)
[88042](https://github.com/flutter/flutter/pull/88042) Fix incorrect logging. (tool, cla: yes, waiting for tree to go green)
[88048](https://github.com/flutter/flutter/pull/88048) [ci.yaml] Add ci_yaml roller (cla: yes, waiting for tree to go green)
[88055](https://github.com/flutter/flutter/pull/88055) Roll Engine from d8bbebed60a7 to 4daceb95f2b0 (9 revisions) (cla: yes, waiting for tree to go green)
[88057](https://github.com/flutter/flutter/pull/88057) [flutter_conductor] fix git push mirror (team, cla: yes)
[88058](https://github.com/flutter/flutter/pull/88058) Make no-response plugin no-op for forks. (cla: yes)
[88061](https://github.com/flutter/flutter/pull/88061) Update the timeouts since tests time out after 15 minutes not 30 seconds (tool, cla: yes, waiting for tree to go green)
[88062](https://github.com/flutter/flutter/pull/88062) [flutter_releases] Flutter beta 2.5.0-5.1.pre Framework Cherrypicks (engine, cla: yes)
[88067](https://github.com/flutter/flutter/pull/88067) remove _AbortingSemanticsFragment (framework, cla: yes, waiting for tree to go green)
[88071](https://github.com/flutter/flutter/pull/88071) Revert "Changing ElevatedButton.child to be non-nullable" (framework, f: material design, cla: yes)
[88072](https://github.com/flutter/flutter/pull/88072) Roll Engine from 4daceb95f2b0 to a2e60472a979 (10 revisions) (cla: yes, waiting for tree to go green)
[88074](https://github.com/flutter/flutter/pull/88074) Update flutter create templates for Xcode 13 (platform-ios, tool, platform-mac, cla: yes, waiting for tree to go green, t: xcode)
[88076](https://github.com/flutter/flutter/pull/88076) Support flutter create --platform singular flag (tool, cla: yes, waiting for tree to go green)
[88081](https://github.com/flutter/flutter/pull/88081) feat: migrate windows/application_package.dart to null-safety (tool, cla: yes, waiting for tree to go green)
[88095](https://github.com/flutter/flutter/pull/88095) feat: migrate fuchsia/application_package.dart to null-safe (tool, cla: yes, waiting for tree to go green)
[88115](https://github.com/flutter/flutter/pull/88115) Roll Engine from a2e60472a979 to 06da8b0c078d (1 revision) (cla: yes, waiting for tree to go green)
[88116](https://github.com/flutter/flutter/pull/88116) [flutter_tool] Fix DesktopLogReader to capture all output (tool, cla: yes, waiting for tree to go green)
[88117](https://github.com/flutter/flutter/pull/88117) Add platform tags to devicelab tests (cla: yes, waiting for tree to go green)
[88121](https://github.com/flutter/flutter/pull/88121) Roll Engine from 06da8b0c078d to 8bf3cc67e587 (6 revisions) (cla: yes, waiting for tree to go green)
[88122](https://github.com/flutter/flutter/pull/88122) Makes PlatformInformationProvider aware of the browser default route … (framework, cla: yes, f: routes, waiting for tree to go green)
[88123](https://github.com/flutter/flutter/pull/88123) Bump snippets to 0.2.3, fix redundant global activate in docs.sh (team, cla: yes, waiting for tree to go green)
[88127](https://github.com/flutter/flutter/pull/88127) Roll Engine from 8bf3cc67e587 to 670a681c1d77 (1 revision) (cla: yes, waiting for tree to go green)
[88129](https://github.com/flutter/flutter/pull/88129) Revert "Update MaterialScrollBehavior.buildScrollbar for horizontal axes" (framework, f: material design, cla: yes, waiting for tree to go green)
[88132](https://github.com/flutter/flutter/pull/88132) Roll Engine from 670a681c1d77 to b3248764e4dd (1 revision) (cla: yes, waiting for tree to go green)
[88133](https://github.com/flutter/flutter/pull/88133) Bump to Gradle 7 and use Open JDK 11 (team, cla: yes, waiting for tree to go green)
[88137](https://github.com/flutter/flutter/pull/88137) Make doctor Xcode version requirement clearer (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[88141](https://github.com/flutter/flutter/pull/88141) Add favicon link to web template (tool, cla: yes, waiting for tree to go green)
[88144](https://github.com/flutter/flutter/pull/88144) Rename IOSDeviceInterface to IOSDeviceConnectionInterface (platform-ios, tool, cla: yes, waiting for tree to go green, tech-debt)
[88152](https://github.com/flutter/flutter/pull/88152) fix a scrollbar updating bug (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green)
[88153](https://github.com/flutter/flutter/pull/88153) [Fonts] Improved icons update script (team, framework, f: material design, cla: yes)
[88178](https://github.com/flutter/flutter/pull/88178) [flutter_tools] Fix hang in DesktopLogReader (tool, cla: yes, waiting for tree to go green)
[88183](https://github.com/flutter/flutter/pull/88183) Revert "[EditableText] call `onSelectionChanged` only when there're actual selection/cause changes" (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[88186](https://github.com/flutter/flutter/pull/88186) Roll Engine from b3248764e4dd to 6227940c3a06 (17 revisions) (cla: yes, waiting for tree to go green)
[88189](https://github.com/flutter/flutter/pull/88189) Revert "Bump to Gradle 7 and use Open JDK 11" (team, cla: yes)
[88190](https://github.com/flutter/flutter/pull/88190) Fixes renderparagraph crashes due to truncated semantics node (framework, a: accessibility, cla: yes)
[88193](https://github.com/flutter/flutter/pull/88193) Autocomplete: support asynchronous options (a: text input, severe: new feature, framework, cla: yes, waiting for tree to go green)
[88195](https://github.com/flutter/flutter/pull/88195) Roll Plugins from 60100908443f to c8570fc681d8 (17 revisions) (cla: yes, waiting for tree to go green)
[88196](https://github.com/flutter/flutter/pull/88196) Adding vs_build dependency to Windows hot_mode_dev_cycle_win_target__benchmark (cla: yes)
[88201](https://github.com/flutter/flutter/pull/88201) Fix URL construction in the test entry point generated by the web bootstrap script (tool, cla: yes, waiting for tree to go green)
[88203](https://github.com/flutter/flutter/pull/88203) Roll Plugins from c8570fc681d8 to 3ae3a027e40d (3 revisions) (cla: yes, waiting for tree to go green)
[88204](https://github.com/flutter/flutter/pull/88204) Revert "Roll Engine from b3248764e4dd to 6227940c3a06 (17 revisions)" (engine, cla: yes)
[88213](https://github.com/flutter/flutter/pull/88213) Roll Engine from b3248764e4dd to a447901bc58b (30 revisions) (cla: yes, waiting for tree to go green)
[88214](https://github.com/flutter/flutter/pull/88214) [Docs: Integration Test Readme] Updated with proper commands (cla: yes)
[88216](https://github.com/flutter/flutter/pull/88216) Roll Engine from a447901bc58b to 1af0a207932d (4 revisions) (cla: yes, waiting for tree to go green)
[88244](https://github.com/flutter/flutter/pull/88244) Roll Plugins from 3ae3a027e40d to 99c5f6139a19 (1 revision) (cla: yes, waiting for tree to go green)
[88251](https://github.com/flutter/flutter/pull/88251) Animation controller test (framework, cla: yes)
[88253](https://github.com/flutter/flutter/pull/88253) Make structuredErrors to not mess up with onError (framework, cla: yes, a: quality, waiting for tree to go green, a: error message)
[88264](https://github.com/flutter/flutter/pull/88264) Move the documentation for `compute` to the `ComputeImpl` typedef (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[88268](https://github.com/flutter/flutter/pull/88268) Removed no-shuffle tag and fixed leak in debug_test.dart (framework, cla: yes)
[88282](https://github.com/flutter/flutter/pull/88282) Marks Linux test_ownership to be unflaky (cla: yes, waiting for tree to go green)
[88292](https://github.com/flutter/flutter/pull/88292) Roll Engine from 1af0a207932d to 9d33093d6b6a (8 revisions) (cla: yes, waiting for tree to go green)
[88293](https://github.com/flutter/flutter/pull/88293) Revert "Reattempt: Restores surface size and view configuration in the postTest of test binding" (a: tests, framework, cla: yes)
[88295](https://github.com/flutter/flutter/pull/88295) Add theme support for choosing android overscroll indicator (severe: new feature, platform-android, framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green)
[88297](https://github.com/flutter/flutter/pull/88297) Microtasks Animations isn't flaky (cla: yes)
[88301](https://github.com/flutter/flutter/pull/88301) RefreshProgressIndicator to look native (framework, f: material design, cla: yes, will affect goldens)
[88307](https://github.com/flutter/flutter/pull/88307) Roll Engine from 9d33093d6b6a to 7dc8eba6aeaa (4 revisions) (cla: yes, waiting for tree to go green)
[88308](https://github.com/flutter/flutter/pull/88308) clean up stale or unnecessary TODOS (a: tests, team, tool, framework, cla: yes, waiting for tree to go green, tech-debt)
[88309](https://github.com/flutter/flutter/pull/88309) Take DPR into account for image inversion (team, framework, cla: yes, waiting for tree to go green)
[88310](https://github.com/flutter/flutter/pull/88310) Avoid retaining routes when subscriptions are cleared (framework, cla: yes, waiting for tree to go green)
[88311](https://github.com/flutter/flutter/pull/88311) Roll Engine from 7dc8eba6aeaa to ae0401df460a (4 revisions) (cla: yes, waiting for tree to go green)
[88317](https://github.com/flutter/flutter/pull/88317) Roll Plugins from 99c5f6139a19 to 954041d5bc76 (1 revision) (cla: yes, waiting for tree to go green)
[88318](https://github.com/flutter/flutter/pull/88318) Enable soft transition for tooltip (framework, a: accessibility, cla: yes, waiting for tree to go green)
[88319](https://github.com/flutter/flutter/pull/88319) Reland: Bump to Gradle 7 and use Open JDK 11 (team, cla: yes, waiting for tree to go green)
[88320](https://github.com/flutter/flutter/pull/88320) migrate vm service to null safety (tool, cla: yes, waiting for tree to go green)
[88322](https://github.com/flutter/flutter/pull/88322) Fix race conditions in test_driver for tool tests (tool, cla: yes, waiting for tree to go green)
[88326](https://github.com/flutter/flutter/pull/88326) Revert "Reland: Bump to Gradle 7 and use Open JDK 11" (team, cla: yes)
[88328](https://github.com/flutter/flutter/pull/88328) l10n updates for August beta (f: material design, a: internationalization, cla: yes)
[88342](https://github.com/flutter/flutter/pull/88342) Fixed leak and removed no-shuffle tag in test/gestures/tap_test.dart (framework, cla: yes, waiting for tree to go green)
[88360](https://github.com/flutter/flutter/pull/88360) Roll Plugins from 954041d5bc76 to c52ae9fdf175 (1 revision) (cla: yes, waiting for tree to go green)
[88363](https://github.com/flutter/flutter/pull/88363) Roll Plugins from c52ae9fdf175 to d58036f45d82 (1 revision) (cla: yes, waiting for tree to go green)
[88365](https://github.com/flutter/flutter/pull/88365) Add fixes for AppBar deprecations (team, framework, f: material design, cla: yes, waiting for tree to go green, tech-debt)
[88367](https://github.com/flutter/flutter/pull/88367) Revert "feat: migrate base/dds.dart to null-safety" (tool, cla: yes, waiting for tree to go green)
[88368](https://github.com/flutter/flutter/pull/88368) Roll Plugins from d58036f45d82 to 04ea39acd6d8 (1 revision) (cla: yes, waiting for tree to go green)
[88369](https://github.com/flutter/flutter/pull/88369) Ensure RawImage render object updates (framework, cla: yes)
[88373](https://github.com/flutter/flutter/pull/88373) Fixed leak and removed no-shuffle tag in long_press_test.dart (framework, cla: yes)
[88375](https://github.com/flutter/flutter/pull/88375) Fixed leak and removed no-shuffle tag on scaffold_test.dart (framework, f: material design, cla: yes, waiting for tree to go green)
[88376](https://github.com/flutter/flutter/pull/88376) Fixed leak and removed no-shuffle tag in image_stream_test.dart (framework, cla: yes)
[88377](https://github.com/flutter/flutter/pull/88377) Revert "Refactor iOS integration_test API to support Swift, dynamically add native tests" (cla: yes)
[88379](https://github.com/flutter/flutter/pull/88379) Typo fixes (framework, cla: yes, waiting for tree to go green)
[88382](https://github.com/flutter/flutter/pull/88382) Migrate dds.dart to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88383](https://github.com/flutter/flutter/pull/88383) reland disable ideographic script test on web (framework, cla: yes, waiting for tree to go green, CQ+1)
[88384](https://github.com/flutter/flutter/pull/88384) [tools] Fix Android Studio duplicate detection (tool, cla: yes, waiting for tree to go green)
[88387](https://github.com/flutter/flutter/pull/88387) [flutter_tools] flutter update-packages --force-upgrade (team, tool, cla: yes)
[88391](https://github.com/flutter/flutter/pull/88391) Fix BoxDecoration crash with BorderRadiusDirectional (framework, cla: yes, waiting for tree to go green)
[88394](https://github.com/flutter/flutter/pull/88394) Revert "Android Q transition by default" (framework, f: material design, cla: yes)
[88396](https://github.com/flutter/flutter/pull/88396) Run plugin_lint_mac task when either flutter_tools or integration_test packages change (a: tests, team, tool, cla: yes, waiting for tree to go green, integration_test)
[88397](https://github.com/flutter/flutter/pull/88397) Roll Engine from ae0401df460a to 21b0af6be81b (25 revisions) (cla: yes, waiting for tree to go green)
[88399](https://github.com/flutter/flutter/pull/88399) Roll Plugins from 04ea39acd6d8 to 90fd90ed6257 (1 revision) (cla: yes, waiting for tree to go green)
[88400](https://github.com/flutter/flutter/pull/88400) Roll Engine from 21b0af6be81b to 9d241d3f524d (2 revisions) (cla: yes, waiting for tree to go green)
[88402](https://github.com/flutter/flutter/pull/88402) Roll Engine from 9d241d3f524d to 0591aba23c3b (3 revisions) (cla: yes, waiting for tree to go green)
[88404](https://github.com/flutter/flutter/pull/88404) Verbosify and print every command in ios_content_validation_test (tool, cla: yes, team: flakes, waiting for tree to go green)
[88406](https://github.com/flutter/flutter/pull/88406) Roll Engine from 0591aba23c3b to b13c7656750b (1 revision) (cla: yes, waiting for tree to go green)
[88409](https://github.com/flutter/flutter/pull/88409) Reland "Android Q transition by default (#82670)" (tool, framework, f: material design, cla: yes)
[88410](https://github.com/flutter/flutter/pull/88410) Roll Engine from b13c7656750b to a27da3eeb6b3 (1 revision) (cla: yes, waiting for tree to go green)
[88415](https://github.com/flutter/flutter/pull/88415) Roll Engine from a27da3eeb6b3 to 99df75c44e15 (2 revisions) (cla: yes, waiting for tree to go green)
[88418](https://github.com/flutter/flutter/pull/88418) Roll Engine from 99df75c44e15 to dc5813ac2a89 (1 revision) (cla: yes, waiting for tree to go green)
[88423](https://github.com/flutter/flutter/pull/88423) Fixed leak and removed no-shuffle tag in scheduler_test.dart (framework, cla: yes)
[88426](https://github.com/flutter/flutter/pull/88426) Fixed leak and removed no-shuffle tag in ticker_test.dart (framework, cla: yes, waiting for tree to go green)
[88427](https://github.com/flutter/flutter/pull/88427) createTestImage refactor (a: tests, framework, cla: yes, waiting for tree to go green)
[88432](https://github.com/flutter/flutter/pull/88432) Fixed leak and removed no-shuffle tag in platform_channel_test.dart (framework, cla: yes)
[88433](https://github.com/flutter/flutter/pull/88433) Roll Plugins from 90fd90ed6257 to af2896b199ec (1 revision) (cla: yes, waiting for tree to go green)
[88439](https://github.com/flutter/flutter/pull/88439) fix: typo spelling grammar (a: tests, team, tool, framework, f: material design, cla: yes)
[88447](https://github.com/flutter/flutter/pull/88447) Upload devicelab test metrics from test runner (team, cla: yes, waiting for tree to go green)
[88448](https://github.com/flutter/flutter/pull/88448) Roll Engine from dc5813ac2a89 to 3a4b2d1b9449 (1 revision) (cla: yes, waiting for tree to go green)
[88450](https://github.com/flutter/flutter/pull/88450) Update dwds and other packages (team, cla: yes)
[88451](https://github.com/flutter/flutter/pull/88451) Update web tests ownership (cla: yes, waiting for tree to go green)
[88453](https://github.com/flutter/flutter/pull/88453) Add missing parameters to DecorationImage (framework, cla: yes)
[88454](https://github.com/flutter/flutter/pull/88454) Avoid reporting frame/raster times for large image changer (team, cla: yes, waiting for tree to go green)
[88455](https://github.com/flutter/flutter/pull/88455) Reland remove DefaultShaderWarmup (team, framework, cla: yes, d: examples, waiting for tree to go green)
[88457](https://github.com/flutter/flutter/pull/88457) Add package_name for consistency across all platforms in version.json (tool, cla: yes, waiting for tree to go green)
[88459](https://github.com/flutter/flutter/pull/88459) Roll Engine from 3a4b2d1b9449 to 6d6ce34330e2 (4 revisions) (cla: yes, waiting for tree to go green)
[88468](https://github.com/flutter/flutter/pull/88468) Roll Engine from 6d6ce34330e2 to c7c9aa096a42 (1 revision) (cla: yes, waiting for tree to go green)
[88469](https://github.com/flutter/flutter/pull/88469) Fixed leak and removed no-shuffle tag in widgets/app_overrides_test.dart (framework, cla: yes)
[88473](https://github.com/flutter/flutter/pull/88473) Write timelines to separate files (cla: yes, waiting for tree to go green)
[88474](https://github.com/flutter/flutter/pull/88474) Roll Engine from c7c9aa096a42 to d5b410ec502a (3 revisions) (cla: yes, waiting for tree to go green)
[88475](https://github.com/flutter/flutter/pull/88475) Skip flaky 'Child windows can handle touches' test in `android_views` integration test (team, cla: yes, waiting for tree to go green)
[88476](https://github.com/flutter/flutter/pull/88476) [flutter_releases] Flutter beta 2.5.0-5.2.pre Framework Cherrypicks (tool, engine, f: material design, a: internationalization, cla: yes)
[88477](https://github.com/flutter/flutter/pull/88477) Framework can receive TextEditingDeltas from engine (framework, f: material design, cla: yes, waiting for tree to go green)
[88478](https://github.com/flutter/flutter/pull/88478) Roll Engine from d5b410ec502a to 4c7e33a4248e (1 revision) (cla: yes, waiting for tree to go green)
[88481](https://github.com/flutter/flutter/pull/88481) Roll Engine from 4c7e33a4248e to bf63412ef75d (2 revisions) (cla: yes, waiting for tree to go green)
[88482](https://github.com/flutter/flutter/pull/88482) Revert "Reland "Android Q transition by default (#82670)"" (tool, framework, f: material design, cla: yes, waiting for tree to go green)
[88488](https://github.com/flutter/flutter/pull/88488) Roll Engine from bf63412ef75d to 5d08804d394e (1 revision) (cla: yes, waiting for tree to go green)
[88490](https://github.com/flutter/flutter/pull/88490) Roll Engine from 5d08804d394e to 609295afd7c6 (1 revision) (cla: yes, waiting for tree to go green)
[88494](https://github.com/flutter/flutter/pull/88494) Roll Engine from 609295afd7c6 to 9a54e9e05c96 (3 revisions) (cla: yes, waiting for tree to go green)
[88509](https://github.com/flutter/flutter/pull/88509) Use `dart pub` instead of `pub` to invoke pub from tools (tool, cla: yes)
[88517](https://github.com/flutter/flutter/pull/88517) Roll Engine from 9a54e9e05c96 to 27696e7b2995 (2 revisions) (cla: yes, waiting for tree to go green)
[88529](https://github.com/flutter/flutter/pull/88529) Roll Engine from 27696e7b2995 to 9001c03e3265 (2 revisions) (cla: yes, waiting for tree to go green)
[88530](https://github.com/flutter/flutter/pull/88530) Roll Plugins from af2896b199ec to a22f5912f6ba (1 revision) (cla: yes, waiting for tree to go green)
[88532](https://github.com/flutter/flutter/pull/88532) Manually close the tree for issue #88531 (team, cla: yes)
[88534](https://github.com/flutter/flutter/pull/88534) partial revert of gesture config (framework, cla: yes)
[88538](https://github.com/flutter/flutter/pull/88538) fix: refactor Stepper.controlsBuilder to use ControlsDetails (framework, f: material design, cla: yes)
[88539](https://github.com/flutter/flutter/pull/88539) Add `richMessage` parameter to the `Tooltip` widget. (a: tests, framework, f: material design, cla: yes)
[88540](https://github.com/flutter/flutter/pull/88540) Reland: Bump to Gradle 7 and use Open JDK 11 (cla: yes, waiting for tree to go green)
[88544](https://github.com/flutter/flutter/pull/88544) Roll Engine from 9001c03e3265 to b482f5ad0230 (6 revisions) (cla: yes, waiting for tree to go green)
[88553](https://github.com/flutter/flutter/pull/88553) Roll Engine from b482f5ad0230 to b20c1a37749d (4 revisions) (cla: yes, waiting for tree to go green)
[88562](https://github.com/flutter/flutter/pull/88562) Roll Engine from b20c1a37749d to 17ddfb3ee4f7 (4 revisions) (cla: yes, waiting for tree to go green)
[88576](https://github.com/flutter/flutter/pull/88576) fixes DropdownButton ignoring itemHeight in popup menu (#88574) (framework, f: material design, cla: yes, waiting for tree to go green)
[88580](https://github.com/flutter/flutter/pull/88580) Revert "Manually close the tree for issue #88531" (team, cla: yes)
[88583](https://github.com/flutter/flutter/pull/88583) Roll Engine from 17ddfb3ee4f7 to d29cda9ef58e (4 revisions) (cla: yes, waiting for tree to go green)
[88594](https://github.com/flutter/flutter/pull/88594) Revert "Write timelines to separate files" (cla: yes)
[88595](https://github.com/flutter/flutter/pull/88595) Roll Plugins from a22f5912f6ba to b1fe1912e016 (4 revisions) (cla: yes, waiting for tree to go green)
[88599](https://github.com/flutter/flutter/pull/88599) Roll Engine from d29cda9ef58e to 8e08f5899c83 (4 revisions) (cla: yes, waiting for tree to go green)
[88603](https://github.com/flutter/flutter/pull/88603) Mark complex_layout* tasks as unflaky (cla: yes)
[88604](https://github.com/flutter/flutter/pull/88604) Document multi-timeline usage (cla: yes, waiting for tree to go green, integration_test)
[88605](https://github.com/flutter/flutter/pull/88605) Roll Engine from 8e08f5899c83 to 62cd3220be97 (1 revision) (cla: yes, waiting for tree to go green)
[88607](https://github.com/flutter/flutter/pull/88607) [flutter_conductor] Push correct revision to mirror remote from conductor (team, cla: yes, waiting for tree to go green)
[88608](https://github.com/flutter/flutter/pull/88608) partial revert of gesture config (#88534) (framework, cla: yes)
[88609](https://github.com/flutter/flutter/pull/88609) Fix DPR in test view configuration (a: tests, framework, cla: yes, will affect goldens)
[88617](https://github.com/flutter/flutter/pull/88617) Roll Engine from 62cd3220be97 to 455655e43756 (5 revisions) (cla: yes, waiting for tree to go green)
[88618](https://github.com/flutter/flutter/pull/88618) Mark module_test_ios unflaky (cla: yes, waiting for tree to go green)
[88623](https://github.com/flutter/flutter/pull/88623) Roll Engine from 455655e43756 to 59e72723c762 (1 revision) (cla: yes, waiting for tree to go green)
[88626](https://github.com/flutter/flutter/pull/88626) Roll Engine from 59e72723c762 to 483eef3b699c (2 revisions) (cla: yes, waiting for tree to go green)
[88631](https://github.com/flutter/flutter/pull/88631) Roll Engine from 483eef3b699c to 1accc709af24 (1 revision) (cla: yes, waiting for tree to go green)
[88633](https://github.com/flutter/flutter/pull/88633) Add android_views integration tests to ci.yaml (team, cla: yes, waiting for tree to go green, team: infra)
[88650](https://github.com/flutter/flutter/pull/88650) Minor PointerExitEvent class docs update :) (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[88652](https://github.com/flutter/flutter/pull/88652) Roll Engine from 1accc709af24 to 5e5f0a9b2da5 (1 revision) (cla: yes, waiting for tree to go green)
[88654](https://github.com/flutter/flutter/pull/88654) Roll Engine from 5e5f0a9b2da5 to 1a531179d080 (1 revision) (cla: yes, waiting for tree to go green)
[88657](https://github.com/flutter/flutter/pull/88657) Roll Engine from 1a531179d080 to 4783663ee4cc (1 revision) (cla: yes, waiting for tree to go green)
[88672](https://github.com/flutter/flutter/pull/88672) Fix Dismissible confirmDismiss errors (framework, cla: yes)
[88673](https://github.com/flutter/flutter/pull/88673) Roll Engine from 4783663ee4cc to 00af6c95722a (1 revision) (cla: yes, waiting for tree to go green)
[88675](https://github.com/flutter/flutter/pull/88675) Roll Engine from 00af6c95722a to 710af46d5389 (1 revision) (cla: yes, waiting for tree to go green)
[88697](https://github.com/flutter/flutter/pull/88697) Blurstyle for boxshadow v2 (framework, cla: yes, waiting for tree to go green, will affect goldens)
[88699](https://github.com/flutter/flutter/pull/88699) Roll Plugins from b1fe1912e016 to 6a8681e7ac18 (1 revision) (cla: yes, waiting for tree to go green)
[88707](https://github.com/flutter/flutter/pull/88707) reassign jonahwilliams todos (a: tests, team, tool, framework, a: accessibility, cla: yes, waiting for tree to go green)
[88714](https://github.com/flutter/flutter/pull/88714) Roll Engine from 710af46d5389 to d5adde01dd67 (1 revision) (cla: yes, waiting for tree to go green)
[88718](https://github.com/flutter/flutter/pull/88718) Roll Plugins from 6a8681e7ac18 to 0a86ac866b8b (1 revision) (cla: yes, waiting for tree to go green)
[88722](https://github.com/flutter/flutter/pull/88722) Roll Engine from d5adde01dd67 to e3d19b3303c7 (1 revision) (cla: yes, waiting for tree to go green)
[88728](https://github.com/flutter/flutter/pull/88728) flutter update-packages (team, cla: yes, waiting for tree to go green)
[88729](https://github.com/flutter/flutter/pull/88729) Update dartdoc to 2.0.0. (team, cla: yes, waiting for tree to go green)
[88734](https://github.com/flutter/flutter/pull/88734) Roll Engine from e3d19b3303c7 to ff018b8cf29c (6 revisions) (cla: yes, waiting for tree to go green)
[88736](https://github.com/flutter/flutter/pull/88736) Add callback when dismiss threshold is reached (framework, cla: yes, waiting for tree to go green)
[88738](https://github.com/flutter/flutter/pull/88738) Fix empty textspan with spell out crashes (framework, cla: yes, waiting for tree to go green)
[88743](https://github.com/flutter/flutter/pull/88743) Change min Dart SDK constraint to track actual version (tool, cla: yes)
[88744](https://github.com/flutter/flutter/pull/88744) Roll Engine from ff018b8cf29c to 9d9c532f62f5 (2 revisions) (cla: yes, waiting for tree to go green)
[88749](https://github.com/flutter/flutter/pull/88749) Use default value for `ResultData` when uploading metrics from test runner (team, cla: yes, waiting for tree to go green)
[88750](https://github.com/flutter/flutter/pull/88750) Roll Engine from 9d9c532f62f5 to 926ce0d85501 (2 revisions) (cla: yes, waiting for tree to go green)
[88761](https://github.com/flutter/flutter/pull/88761) feat: add Image support to finder (a: tests, framework, cla: yes, waiting for tree to go green)
[88764](https://github.com/flutter/flutter/pull/88764) Remove dependency in Linux Android Views (cla: yes, waiting for tree to go green)
[88784](https://github.com/flutter/flutter/pull/88784) Fixed leak and removed no-shuffle tag in binding_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88788](https://github.com/flutter/flutter/pull/88788) Roll Engine from 926ce0d85501 to 35ee8bde43a8 (3 revisions) (cla: yes, waiting for tree to go green)
[88792](https://github.com/flutter/flutter/pull/88792) Revert "Use `dart pub` instead of `pub` to invoke pub from tools" (tool, cla: yes)
[88797](https://github.com/flutter/flutter/pull/88797) Add TESTOWNER for Linux android views (cla: yes, waiting for tree to go green)
[88798](https://github.com/flutter/flutter/pull/88798) Roll Engine from 35ee8bde43a8 to a9efb963de52 (3 revisions) (cla: yes, waiting for tree to go green)
[88803](https://github.com/flutter/flutter/pull/88803) Roll Plugins from 0a86ac866b8b to 97f61147c983 (1 revision) (cla: yes, waiting for tree to go green)
[88805](https://github.com/flutter/flutter/pull/88805) roll ios-deploy to HEAD (tool, cla: yes, waiting for tree to go green)
[88807](https://github.com/flutter/flutter/pull/88807) Add pageDelay to fullscreen_textfield_perf_test (team, cla: yes, waiting for tree to go green)
[88814](https://github.com/flutter/flutter/pull/88814) Fixes listview shrinkwrap and hidden semantics node gets updated incorrectly. (framework, cla: yes, waiting for tree to go green)
[88817](https://github.com/flutter/flutter/pull/88817) Roll Plugins from 97f61147c983 to fb6622092bb8 (1 revision) (cla: yes, waiting for tree to go green)
[88819](https://github.com/flutter/flutter/pull/88819) Add WidgetsFlutterBinding Assertion to setMethodCallHandler (framework, cla: yes, waiting for tree to go green)
[88822](https://github.com/flutter/flutter/pull/88822) Document AssetBundle loadString Decoding Behavior (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[88824](https://github.com/flutter/flutter/pull/88824) Fixed leak and removed no-shuffle tag in widgets/clip_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88825](https://github.com/flutter/flutter/pull/88825) Use async timeline events for the phases of the scheduler binding (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[88834](https://github.com/flutter/flutter/pull/88834) Do not try to codesign during plugin_test_ios (a: tests, team, platform-ios, cla: yes, waiting for tree to go green)
[88835](https://github.com/flutter/flutter/pull/88835) Skip staging test update to cocoon in test runner (team, cla: yes, waiting for tree to go green)
[88839](https://github.com/flutter/flutter/pull/88839) Roll Plugins from fb6622092bb8 to 729c3e4117e6 (1 revision) (cla: yes, waiting for tree to go green)
[88846](https://github.com/flutter/flutter/pull/88846) Migrate mac.dart to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88850](https://github.com/flutter/flutter/pull/88850) Migrate some flutter_tools tests to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88851](https://github.com/flutter/flutter/pull/88851) Migrate ios_deploy to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88857](https://github.com/flutter/flutter/pull/88857) Fixed leak and removed no-shuffle tag in widgets/debug_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88877](https://github.com/flutter/flutter/pull/88877) Fixed leak and removed no-shuffle tag in platform_view_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88878](https://github.com/flutter/flutter/pull/88878) Fix index of TabBarView when decrementing (framework, f: material design, cla: yes)
[88881](https://github.com/flutter/flutter/pull/88881) Fixed leak and removed no-shuffle tag in routes_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88882](https://github.com/flutter/flutter/pull/88882) Roll Plugins from 729c3e4117e6 to 5b5f8016d31a (1 revision) (cla: yes, waiting for tree to go green)
[88886](https://github.com/flutter/flutter/pull/88886) Revert "Fixes listview shrinkwrap and hidden semantics node gets upda… (framework, cla: yes, waiting for tree to go green)
[88889](https://github.com/flutter/flutter/pull/88889) Revert "Fix DPR in test view configuration" (a: tests, framework, cla: yes)
[88893](https://github.com/flutter/flutter/pull/88893) Updated some skip test comments that were missed in the audit. (team, framework, f: material design, cla: yes, tech-debt, skip-test)
[88894](https://github.com/flutter/flutter/pull/88894) Enhance the skip test parsing the analyzer script. (team, cla: yes, waiting for tree to go green, tech-debt, skip-test)
[88900](https://github.com/flutter/flutter/pull/88900) Fixed leak and removed no-shuffle tag in scroll_aware_image_provider_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88902](https://github.com/flutter/flutter/pull/88902) Account for additional warning text from the tool (tool, cla: yes, waiting for tree to go green)
[88903](https://github.com/flutter/flutter/pull/88903) Roll Plugins from 5b5f8016d31a to 88f84104f8df (1 revision) (cla: yes, waiting for tree to go green)
[88905](https://github.com/flutter/flutter/pull/88905) Add download script for deferred components assets (team, cla: yes)
[88907](https://github.com/flutter/flutter/pull/88907) Roll Engine from a9efb963de52 to eaa9f8b529fa (25 revisions) (cla: yes)
[88908](https://github.com/flutter/flutter/pull/88908) Use bucket to check staging test instead of builder name (team, cla: yes, waiting for tree to go green)
[88912](https://github.com/flutter/flutter/pull/88912) Roll Engine from eaa9f8b529fa to 653b6a82b0ab (2 revisions) (cla: yes, waiting for tree to go green)
[88913](https://github.com/flutter/flutter/pull/88913) Configurable adb for deferred components release test script (a: tests, team, cla: yes, t: flutter driver, waiting for tree to go green, integration_test, tech-debt)
[88914](https://github.com/flutter/flutter/pull/88914) Fix web_tool_tests failure on dart roll (tool, cla: yes)
[88918](https://github.com/flutter/flutter/pull/88918) Roll Plugins from 88f84104f8df to 56f092a8105d (1 revision) (cla: yes, waiting for tree to go green)
[88919](https://github.com/flutter/flutter/pull/88919) Roll Engine from 653b6a82b0ab to e106d418ccdc (2 revisions) (cla: yes, waiting for tree to go green)
[88920](https://github.com/flutter/flutter/pull/88920) Migrate fuchsia sdk and dependencies to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88922](https://github.com/flutter/flutter/pull/88922) Roll Engine from e106d418ccdc to b23abe2f8f93 (2 revisions) (cla: yes, waiting for tree to go green)
[88923](https://github.com/flutter/flutter/pull/88923) Changed tool cached properties to late finals (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88926](https://github.com/flutter/flutter/pull/88926) Fix typos and formatting in framework.dart (framework, cla: yes, waiting for tree to go green)
[88930](https://github.com/flutter/flutter/pull/88930) Roll Engine from b23abe2f8f93 to 03d403f46d44 (1 revision) (cla: yes, waiting for tree to go green)
[88933](https://github.com/flutter/flutter/pull/88933) Fixed leak and removed no-shuffle tag in dismissible_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88934](https://github.com/flutter/flutter/pull/88934) Clean up null assumptions in devfs to prep for null safety migration (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88935](https://github.com/flutter/flutter/pull/88935) Workaround rounding erros in cupertino nav bar transition (framework, cla: yes, f: cupertino, waiting for tree to go green)
[88967](https://github.com/flutter/flutter/pull/88967) Fix KeyboardManager's synthesization (framework, cla: yes)
[88969](https://github.com/flutter/flutter/pull/88969) Revert "Use bucket to check staging test instead of builder name" (team, cla: yes)
[88971](https://github.com/flutter/flutter/pull/88971) Revert "Skip staging test update to cocoon in test runner" (team, cla: yes)
[88976](https://github.com/flutter/flutter/pull/88976) [flutter_conductor] Fix regex when adding current branch to "enabled_branches" in .ci.yaml (team, cla: yes, waiting for tree to go green)
[88984](https://github.com/flutter/flutter/pull/88984) [Material] Allow for custom alignment for Dialogs (framework, f: material design, cla: yes)
[88989](https://github.com/flutter/flutter/pull/88989) Add no-shuffle tag to platform_channel_test.dart (a: tests, team, framework, cla: yes, team: infra)
[88991](https://github.com/flutter/flutter/pull/88991) Adjust plugins and packages .gitignore to be most useful (tool, cla: yes)
[88993](https://github.com/flutter/flutter/pull/88993) Roll Engine from 03d403f46d44 to 66dcde6cb7b9 (9 revisions) (cla: yes, waiting for tree to go green)
[88994](https://github.com/flutter/flutter/pull/88994) Roll Plugins from 56f092a8105d to 8e8954731570 (6 revisions) (cla: yes, waiting for tree to go green)
[88998](https://github.com/flutter/flutter/pull/88998) Roll Plugins from 8e8954731570 to 46dd6093793a (1 revision) (cla: yes, waiting for tree to go green)
[89001](https://github.com/flutter/flutter/pull/89001) Roll Engine from 66dcde6cb7b9 to acb3a273d6b2 (6 revisions) (cla: yes, waiting for tree to go green)
[89004](https://github.com/flutter/flutter/pull/89004) Use task name when uploading metrics to skia perf (team, cla: yes, waiting for tree to go green)
[89009](https://github.com/flutter/flutter/pull/89009) Clean up null assumptions in vmservice for null safe migration (tool, cla: yes, waiting for tree to go green, a: null-safety)
[89010](https://github.com/flutter/flutter/pull/89010) Roll Engine from acb3a273d6b2 to 5be57d8d4132 (3 revisions) (cla: yes, waiting for tree to go green)
[89011](https://github.com/flutter/flutter/pull/89011) Update mouse_cursor.dart docs for winuwp cursor (framework, cla: yes, waiting for tree to go green)
[89015](https://github.com/flutter/flutter/pull/89015) Roll Engine from 5be57d8d4132 to d8f87e552fff (2 revisions) (cla: yes, waiting for tree to go green)
[89020](https://github.com/flutter/flutter/pull/89020) feat: widget finders add widgetWithImage method (a: tests, framework, cla: yes, waiting for tree to go green)
[89021](https://github.com/flutter/flutter/pull/89021) Add smoke tests for all the examples, fix 17 broken examples. (team, tool, framework, f: material design, cla: yes, f: cupertino, d: examples)
[89025](https://github.com/flutter/flutter/pull/89025) Fix Stack references in Overlay docs (framework, cla: yes, waiting for tree to go green)
[89027](https://github.com/flutter/flutter/pull/89027) Roll Engine from d8f87e552fff to b33660e1dae4 (1 revision) (cla: yes, waiting for tree to go green)
[89030](https://github.com/flutter/flutter/pull/89030) Roll Plugins from 46dd6093793a to 1f502e8b6f00 (1 revision) (cla: yes, waiting for tree to go green)
[89031](https://github.com/flutter/flutter/pull/89031) Roll Engine from b33660e1dae4 to faa1dabf84f2 (2 revisions) (cla: yes, waiting for tree to go green)
[89032](https://github.com/flutter/flutter/pull/89032) Stop calling top level pub (tool, cla: yes)
[89040](https://github.com/flutter/flutter/pull/89040) Roll Plugins from 1f502e8b6f00 to 3f808c1dd1ab (1 revision) (cla: yes, waiting for tree to go green)
[89041](https://github.com/flutter/flutter/pull/89041) Roll Engine from faa1dabf84f2 to 18f11cfab510 (1 revision) (cla: yes, waiting for tree to go green)
[89047](https://github.com/flutter/flutter/pull/89047) Roll Plugins from 3f808c1dd1ab to 0588bfea1d5c (1 revision) (cla: yes, waiting for tree to go green)
[89050](https://github.com/flutter/flutter/pull/89050) Roll Engine from 18f11cfab510 to c0007bee08de (1 revision) (cla: yes, waiting for tree to go green)
[89053](https://github.com/flutter/flutter/pull/89053) Roll Plugins from 0588bfea1d5c to 797c61d6b613 (1 revision) (cla: yes, waiting for tree to go green)
[89054](https://github.com/flutter/flutter/pull/89054) Add flutter desktop build dependencies to test_misc shards (cla: yes, waiting for tree to go green)
[89055](https://github.com/flutter/flutter/pull/89055) Roll Engine from c0007bee08de to f843dd6dabdb (1 revision) (cla: yes, waiting for tree to go green)
[89056](https://github.com/flutter/flutter/pull/89056) Roll Plugins from 797c61d6b613 to 78b914d4556d (1 revision) (cla: yes, waiting for tree to go green)
[89060](https://github.com/flutter/flutter/pull/89060) Roll Engine from f843dd6dabdb to 7cf0c3139ba1 (1 revision) (cla: yes, waiting for tree to go green)
[89061](https://github.com/flutter/flutter/pull/89061) Roll Plugins from 78b914d4556d to 8d4be08b6f5f (2 revisions) (cla: yes, waiting for tree to go green)
[89062](https://github.com/flutter/flutter/pull/89062) Fix (Vertical)Divider samples & docs (team, framework, f: material design, cla: yes, d: examples, waiting for tree to go green)
[89064](https://github.com/flutter/flutter/pull/89064) Fix RadioThemeData documentation issues (framework, f: material design, cla: yes, waiting for tree to go green)
[89066](https://github.com/flutter/flutter/pull/89066) Roll Engine from 7cf0c3139ba1 to 497533a8abbe (1 revision) (cla: yes, waiting for tree to go green)
[89073](https://github.com/flutter/flutter/pull/89073) Prevent exceptions in _describeRelevantUserCode from hiding other exceptions (framework, cla: yes, waiting for tree to go green)
[89076](https://github.com/flutter/flutter/pull/89076) Add all cubics to Cubic class doc (framework, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[89079](https://github.com/flutter/flutter/pull/89079) Add & improve DropdownButtonFormField reference to DropdownButton (framework, f: material design, cla: yes, d: api docs, waiting for tree to go green, documentation)
[89081](https://github.com/flutter/flutter/pull/89081) Add gems to framework_tests_misc Mac dependencies to get cocoapods (cla: yes, waiting for tree to go green)
[89084](https://github.com/flutter/flutter/pull/89084) Roll Engine from 497533a8abbe to 97240692e5e0 (2 revisions) (cla: yes, waiting for tree to go green)
[89085](https://github.com/flutter/flutter/pull/89085) Roll Engine from 97240692e5e0 to 252d21aa1c2a (1 revision) (cla: yes, waiting for tree to go green)
[89086](https://github.com/flutter/flutter/pull/89086) Roll Plugins from 8d4be08b6f5f to e07f161f8679 (6 revisions) (cla: yes, waiting for tree to go green)
[89087](https://github.com/flutter/flutter/pull/89087) Roll Engine from 252d21aa1c2a to 63032e327f30 (2 revisions) (cla: yes, waiting for tree to go green)
[89088](https://github.com/flutter/flutter/pull/89088) Roll Engine from 63032e327f30 to ca52647cd29b (1 revision) (cla: yes, waiting for tree to go green)
[89091](https://github.com/flutter/flutter/pull/89091) Roll Engine from ca52647cd29b to 3d1fd0cbb76f (1 revision) (cla: yes, waiting for tree to go green)
[89108](https://github.com/flutter/flutter/pull/89108) Roll Plugins from e07f161f8679 to e02b647ea035 (1 revision) (cla: yes, waiting for tree to go green)
[89109](https://github.com/flutter/flutter/pull/89109) Roll Plugins from e02b647ea035 to 32ca7761cecb (1 revision) (cla: yes, waiting for tree to go green)
[89113](https://github.com/flutter/flutter/pull/89113) Roll Engine from 3d1fd0cbb76f to f9a6fb1a5c33 (1 revision) (cla: yes, waiting for tree to go green)
[89117](https://github.com/flutter/flutter/pull/89117) Fix text field naming (framework, cla: yes, f: cupertino, waiting for tree to go green)
[89137](https://github.com/flutter/flutter/pull/89137) [Reland] Skip staging test update to cocoon in test runner (team, cla: yes, waiting for tree to go green)
[89140](https://github.com/flutter/flutter/pull/89140) Roll Engine from f9a6fb1a5c33 to c4d2d80a8f42 (1 revision) (cla: yes, waiting for tree to go green)
[89143](https://github.com/flutter/flutter/pull/89143) Roll Engine from c4d2d80a8f42 to f4a380f3e543 (1 revision) (cla: yes, waiting for tree to go green)
[89154](https://github.com/flutter/flutter/pull/89154) Roll Engine from f4a380f3e543 to c05688f4bcce (2 revisions) (cla: yes, waiting for tree to go green)
[89170](https://github.com/flutter/flutter/pull/89170) Roll Engine from c05688f4bcce to d8e3d10d6956 (1 revision) (cla: yes, waiting for tree to go green)
[89172](https://github.com/flutter/flutter/pull/89172) Marks Linux test_ownership to be unflaky (cla: yes, waiting for tree to go green)
[89174](https://github.com/flutter/flutter/pull/89174) Marks Mac_android tiles_scroll_perf__timeline_summary to be unflaky (cla: yes, waiting for tree to go green)
[89176](https://github.com/flutter/flutter/pull/89176) Marks Mac module_test_ios to be flaky (cla: yes, waiting for tree to go green)
[89177](https://github.com/flutter/flutter/pull/89177) Marks Windows hot_mode_dev_cycle_win_target__benchmark to be unflaky (cla: yes, waiting for tree to go green)
[89179](https://github.com/flutter/flutter/pull/89179) Roll Engine from d8e3d10d6956 to 78c4963075c8 (1 revision) (cla: yes, waiting for tree to go green)
[89181](https://github.com/flutter/flutter/pull/89181) Eliminate uses of pub executable in docs publishing and sample analysis. (team, cla: yes, waiting for tree to go green)
[89184](https://github.com/flutter/flutter/pull/89184) Reland "Fixes listview shrinkwrap and hidden semantics node gets upda… (framework, cla: yes, waiting for tree to go green)
[89185](https://github.com/flutter/flutter/pull/89185) Roll Plugins from 32ca7761cecb to 18129d67395a (1 revision) (cla: yes, waiting for tree to go green)
[89186](https://github.com/flutter/flutter/pull/89186) Fix UNNECESSARY_TYPE_CHECK_TRUE violations. (team, cla: yes, waiting for tree to go green)
[89192](https://github.com/flutter/flutter/pull/89192) Roll Engine from 78c4963075c8 to b1d080ef6c74 (1 revision) (cla: yes, waiting for tree to go green)
[89194](https://github.com/flutter/flutter/pull/89194) Roll Plugins from 18129d67395a to 5306c02db66b (1 revision) (cla: yes, waiting for tree to go green)
[89195](https://github.com/flutter/flutter/pull/89195) Roll Engine from b1d080ef6c74 to 1b0609865975 (6 revisions) (cla: yes, waiting for tree to go green)
[89197](https://github.com/flutter/flutter/pull/89197) Roll Engine from 1b0609865975 to 6c11ffe9ba7f (1 revision) (cla: yes, waiting for tree to go green)
[89199](https://github.com/flutter/flutter/pull/89199) fix a dropdown button menu position bug (framework, f: material design, cla: yes, waiting for tree to go green)
[89202](https://github.com/flutter/flutter/pull/89202) Roll Engine from 6c11ffe9ba7f to d8129bd02890 (2 revisions) (cla: yes, waiting for tree to go green)
[89205](https://github.com/flutter/flutter/pull/89205) Roll Engine from d8129bd02890 to fda0ac452024 (1 revision) (cla: yes, waiting for tree to go green)
[89221](https://github.com/flutter/flutter/pull/89221) Update README image links (cla: yes)
[89225](https://github.com/flutter/flutter/pull/89225) Roll Engine from fda0ac452024 to fe89463f140a (1 revision) (cla: yes, waiting for tree to go green)
[89230](https://github.com/flutter/flutter/pull/89230) Revert "Update README image links" (cla: yes)
[89233](https://github.com/flutter/flutter/pull/89233) Fix README.md links (cla: yes)
[89237](https://github.com/flutter/flutter/pull/89237) Add ability to customize drawer shape and color as well as theme drawer properties (framework, f: material design, cla: yes, waiting for tree to go green)
[89239](https://github.com/flutter/flutter/pull/89239) Roll Engine from fe89463f140a to aa5e6bf60491 (4 revisions) (cla: yes, waiting for tree to go green)
[89242](https://github.com/flutter/flutter/pull/89242) Update StretchingOverscrollIndicator for reversed scrollables (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green, will affect goldens, a: annoyance)
[89244](https://github.com/flutter/flutter/pull/89244) Roll Engine from aa5e6bf60491 to 4533ca5eb2c6 (1 revision) (cla: yes, waiting for tree to go green)
[89246](https://github.com/flutter/flutter/pull/89246) Roll Engine from 4533ca5eb2c6 to 305b25edbfd0 (1 revision) (cla: yes, waiting for tree to go green)
[89247](https://github.com/flutter/flutter/pull/89247) Remove flutter gallery test family (Mac/ios) from prod pool (cla: yes, waiting for tree to go green)
[89253](https://github.com/flutter/flutter/pull/89253) Roll Engine from 305b25edbfd0 to 901fbcf33757 (1 revision) (cla: yes, waiting for tree to go green)
[89258](https://github.com/flutter/flutter/pull/89258) Roll Engine from 901fbcf33757 to abeb96722a7a (2 revisions) (cla: yes, waiting for tree to go green)
[89262](https://github.com/flutter/flutter/pull/89262) Roll Engine from abeb96722a7a to b8a759b6c2d4 (2 revisions) (cla: yes, waiting for tree to go green)
[89264](https://github.com/flutter/flutter/pull/89264) Make sure Opacity widgets/layers do not drop the offset (framework, f: material design, cla: yes, will affect goldens)
[89265](https://github.com/flutter/flutter/pull/89265) Roll Engine from b8a759b6c2d4 to 244c8684d719 (1 revision) (cla: yes, waiting for tree to go green)
[89267](https://github.com/flutter/flutter/pull/89267) Roll Engine from 244c8684d719 to aab40c8d5d0e (1 revision) (cla: yes, waiting for tree to go green)
[89273](https://github.com/flutter/flutter/pull/89273) Roll Engine from aab40c8d5d0e to d149231127c0 (1 revision) (cla: yes, waiting for tree to go green)
[89275](https://github.com/flutter/flutter/pull/89275) Roll Engine from d149231127c0 to c31aba1eecde (1 revision) (cla: yes, waiting for tree to go green)
[89305](https://github.com/flutter/flutter/pull/89305) Revert "Roll Engine from d149231127c0 to c31aba1eecde (1 revision)" (engine, cla: yes)
[89306](https://github.com/flutter/flutter/pull/89306) Add `deferred components` LUCI test and configure to use `android_virtual_device` dep (a: tests, team, cla: yes, team: infra, integration_test)
[89309](https://github.com/flutter/flutter/pull/89309) Switch to Debian bullseye, update nodejs to npm package, add flutter desktop run dependencies (team, cla: yes)
[89315](https://github.com/flutter/flutter/pull/89315) Avoid pointer collision in navigator_test (framework, cla: yes)
[89316](https://github.com/flutter/flutter/pull/89316) Roll Engine from d149231127c0 to be8467ea6113 (9 revisions) (cla: yes, waiting for tree to go green)
[89318](https://github.com/flutter/flutter/pull/89318) Update devtools version to latest release 2.6.0 (cla: yes)
[89327](https://github.com/flutter/flutter/pull/89327) Make `FilteringTextInputFormatter`'s filtering Selection/Composing Region agnostic (framework, cla: yes, waiting for tree to go green)
[89331](https://github.com/flutter/flutter/pull/89331) Use rootOverlay for CupertinoContextMenu (framework, cla: yes, f: cupertino, waiting for tree to go green)
[89335](https://github.com/flutter/flutter/pull/89335) fix a DraggableScrollableSheet bug (framework, cla: yes, waiting for tree to go green)
[89342](https://github.com/flutter/flutter/pull/89342) Roll Engine from be8467ea6113 to d877a4bbcd0e (4 revisions) (cla: yes, waiting for tree to go green)
[89344](https://github.com/flutter/flutter/pull/89344) fix: typo spelling grammar (team, cla: yes, waiting for tree to go green)
[89345](https://github.com/flutter/flutter/pull/89345) [flutter_releases] Flutter beta 2.5.0-5.3.pre Framework Cherrypicks (team, engine, cla: yes)
[89353](https://github.com/flutter/flutter/pull/89353) [CheckboxListTile, SwitchListTile, RadioListTile] Adds visualDensity, focusNode and enableFeedback (framework, f: material design, cla: yes, waiting for tree to go green)
[89356](https://github.com/flutter/flutter/pull/89356) Roll Engine from d877a4bbcd0e to cf06c9c2853a (1 revision) (cla: yes, waiting for tree to go green)
[89362](https://github.com/flutter/flutter/pull/89362) fix a BottomSheet nullable issue (framework, f: material design, cla: yes, waiting for tree to go green)
[89369](https://github.com/flutter/flutter/pull/89369) Add `semanticsLabel` to `SelectableText` (framework, f: material design, cla: yes)
[89381](https://github.com/flutter/flutter/pull/89381) update package dependencies (team, cla: yes, waiting for tree to go green)
[89382](https://github.com/flutter/flutter/pull/89382) Roll Engine from cf06c9c2853a to 2c2d4080a381 (2 revisions) (cla: yes, waiting for tree to go green)
[89386](https://github.com/flutter/flutter/pull/89386) Issue 88543: TextField labelText doesn't get hintTextStyle when labelTextStyle is non-null Fixed (framework, f: material design, cla: yes)
[89389](https://github.com/flutter/flutter/pull/89389) Roll Engine from 2c2d4080a381 to a166c3286653 (2 revisions) (cla: yes, waiting for tree to go green)
[89390](https://github.com/flutter/flutter/pull/89390) Reduce required Windows CMake version to 3.14 (team, tool, cla: yes, d: examples)
[89393](https://github.com/flutter/flutter/pull/89393) Add raster cache metrics to timeline summaries (a: tests, team, framework, cla: yes, waiting for tree to go green)
[89398](https://github.com/flutter/flutter/pull/89398) Roll Engine from a166c3286653 to c02b81541605 (3 revisions) (cla: yes, waiting for tree to go green)
[89414](https://github.com/flutter/flutter/pull/89414) Roll Engine from c02b81541605 to d6f6a0fe9078 (5 revisions) (cla: yes, waiting for tree to go green)
[89427](https://github.com/flutter/flutter/pull/89427) Roll Engine from d6f6a0fe9078 to 9e1337efd16c (2 revisions) (cla: yes, waiting for tree to go green)
[89436](https://github.com/flutter/flutter/pull/89436) typo fixed in Wrap.debugFillProperties for crossAxisAlignment (framework, cla: yes)
[89440](https://github.com/flutter/flutter/pull/89440) Roll Engine from 9e1337efd16c to 01792f78e9e2 (4 revisions) (cla: yes, waiting for tree to go green)
[89441](https://github.com/flutter/flutter/pull/89441) Document platform channel FIFO ordering guarantee (framework, cla: yes, waiting for tree to go green)
[89442](https://github.com/flutter/flutter/pull/89442) Roll Engine from 01792f78e9e2 to 5aa0e4c779d5 (1 revision) (cla: yes, waiting for tree to go green)
[89445](https://github.com/flutter/flutter/pull/89445) Remove files that are unnecessary in a plugin (tool, cla: yes, waiting for tree to go green)
[89455](https://github.com/flutter/flutter/pull/89455) Roll Engine from 5aa0e4c779d5 to 3ef7126fd215 (1 revision) (cla: yes, waiting for tree to go green)
[89458](https://github.com/flutter/flutter/pull/89458) Roll Engine from 3ef7126fd215 to b2c0c060a469 (3 revisions) (cla: yes, waiting for tree to go green)
[89460](https://github.com/flutter/flutter/pull/89460) Roll Engine from b2c0c060a469 to 4c5037e6ce42 (1 revision) (cla: yes, waiting for tree to go green)
[89461](https://github.com/flutter/flutter/pull/89461) Roll Engine from 4c5037e6ce42 to cc6074f95938 (2 revisions) (cla: yes, waiting for tree to go green)
[89463](https://github.com/flutter/flutter/pull/89463) Roll Engine from cc6074f95938 to 1c4e42e395d7 (1 revision) (cla: yes, waiting for tree to go green)
[89465](https://github.com/flutter/flutter/pull/89465) Roll Engine from 1c4e42e395d7 to fd928555482e (2 revisions) (cla: yes, waiting for tree to go green)
[89469](https://github.com/flutter/flutter/pull/89469) Roll Engine from fd928555482e to 350e0d655136 (1 revision) (cla: yes, waiting for tree to go green)
[89470](https://github.com/flutter/flutter/pull/89470) Roll Engine from 350e0d655136 to 0bd9be379a17 (1 revision) (cla: yes, waiting for tree to go green)
[89477](https://github.com/flutter/flutter/pull/89477) Fixed order dependency and removed no-shuffle tag in flutter_driver_test (a: tests, team, framework, cla: yes, t: flutter driver, waiting for tree to go green, tech-debt)
[89478](https://github.com/flutter/flutter/pull/89478) Roll Engine from 0bd9be379a17 to 97a8bbad4d43 (1 revision) (cla: yes, waiting for tree to go green)
[89485](https://github.com/flutter/flutter/pull/89485) Fixed several typos (a: tests, team, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[89487](https://github.com/flutter/flutter/pull/89487) Roll Engine from 97a8bbad4d43 to dbc97a09b495 (1 revision) (cla: yes, waiting for tree to go green)
[89515](https://github.com/flutter/flutter/pull/89515) [TextPainter] Don't invalidate layout cache for paint only changes (framework, cla: yes, waiting for tree to go green)
[89522](https://github.com/flutter/flutter/pull/89522) Roll Engine from dbc97a09b495 to b9c633900e7e (4 revisions) (cla: yes, waiting for tree to go green)
[89531](https://github.com/flutter/flutter/pull/89531) Roll Engine from b9c633900e7e to 929931b747c9 (1 revision) (cla: yes, waiting for tree to go green)
[89591](https://github.com/flutter/flutter/pull/89591) Update DDS to 2.1.2 (team, cla: yes, waiting for tree to go green)
[89593](https://github.com/flutter/flutter/pull/89593) Remove flutter gallery test family (Linux/android) from prod pool (cla: yes, waiting for tree to go green)
[89599](https://github.com/flutter/flutter/pull/89599) Roll Engine from 929931b747c9 to 6809097101c4 (7 revisions) (cla: yes, waiting for tree to go green)
[89600](https://github.com/flutter/flutter/pull/89600) Enable caching of CPU samples collected at application startup (tool, cla: yes, waiting for tree to go green)
[89603](https://github.com/flutter/flutter/pull/89603) Update dartdoc to 3.0.0 (team, cla: yes, waiting for tree to go green)
[89604](https://github.com/flutter/flutter/pull/89604) Implement operator = and hashcode for CupertinoThemeData (framework, cla: yes, f: cupertino, waiting for tree to go green)
[89606](https://github.com/flutter/flutter/pull/89606) Directly specify keystore to prevent debug key signing flake in Deferred components integration test. (team, cla: yes, team: flakes, waiting for tree to go green, severe: flake)
[89618](https://github.com/flutter/flutter/pull/89618) Run flutter_gallery ios tests on arm64 device (team, platform-ios, cla: yes, waiting for tree to go green)
[89620](https://github.com/flutter/flutter/pull/89620) Run flutter_gallery macOS native tests on presubmit (a: tests, team, platform-mac, cla: yes, waiting for tree to go green, a: desktop)
[89621](https://github.com/flutter/flutter/pull/89621) Increase integration_test package minimum iOS version to 9.0 (platform-ios, cla: yes, waiting for tree to go green, integration_test)
[89623](https://github.com/flutter/flutter/pull/89623) Roll Engine from 6809097101c4 to 4159d7f0f156 (1 revision) (cla: yes, waiting for tree to go green)
[89625](https://github.com/flutter/flutter/pull/89625) [flutter_releases] Flutter stable 2.5.0 Framework Cherrypicks (engine, cla: yes)
[89631](https://github.com/flutter/flutter/pull/89631) Roll Engine from 4159d7f0f156 to 6a3b04632b57 (2 revisions) (cla: yes, waiting for tree to go green)
[89641](https://github.com/flutter/flutter/pull/89641) Fix document of the switch (framework, f: material design, cla: yes)
[89667](https://github.com/flutter/flutter/pull/89667) Revert "Fix computeMinIntrinsicHeight in _RenderDecoration" (framework, f: material design, cla: yes, waiting for tree to go green)
[89668](https://github.com/flutter/flutter/pull/89668) changed subprocesses to async from sync (team, cla: yes, waiting for tree to go green)
[89670](https://github.com/flutter/flutter/pull/89670) Revert "Implement operator = and hashcode for CupertinoThemeData" (framework, f: material design, cla: yes, f: cupertino)
[89675](https://github.com/flutter/flutter/pull/89675) Revert "Fix computeMinIntrinsicHeight in _RenderDecoration (#87404)" … (framework, f: material design, cla: yes)
[89685](https://github.com/flutter/flutter/pull/89685) Turn off bringup for `Linux android views` (cla: yes, waiting for tree to go green)
[89695](https://github.com/flutter/flutter/pull/89695) Set plugin template minimum Flutter SDK to 2.5 (platform-ios, tool, cla: yes, waiting for tree to go green)
[89698](https://github.com/flutter/flutter/pull/89698) Fix Shrine scrollbar crash (team, severe: crash, team: gallery, cla: yes, waiting for tree to go green, integration_test)
[89699](https://github.com/flutter/flutter/pull/89699) Skip the drawShadow call in a MergeableMaterial with zero elevation (framework, f: material design, cla: yes, waiting for tree to go green)
[89700](https://github.com/flutter/flutter/pull/89700) Update ScaffoldMessenger docs for MaterialBanners (framework, f: material design, cla: yes, d: api docs, waiting for tree to go green, documentation)
[89704](https://github.com/flutter/flutter/pull/89704) Revert "Enable caching of CPU samples collected at application startup" (tool, cla: yes)
[89712](https://github.com/flutter/flutter/pull/89712) Run `Linux android views` in presubmit (team, cla: yes, waiting for tree to go green)
[89765](https://github.com/flutter/flutter/pull/89765) Mention the ToS on our README (team, cla: yes, waiting for tree to go green)
[89775](https://github.com/flutter/flutter/pull/89775) [flutter_conductor] Support initial stable release version (team, cla: yes, waiting for tree to go green)
[89779](https://github.com/flutter/flutter/pull/89779) Run the flutter_tools create test in online mode before testing offline mode (tool, cla: yes)
[89782](https://github.com/flutter/flutter/pull/89782) master->main default branch migration (a: tests, tool, framework, cla: yes, waiting for tree to go green)
[89785](https://github.com/flutter/flutter/pull/89785) Replace amber_ctl with pkgctl for Fuchsia (tool, cla: yes)
[89795](https://github.com/flutter/flutter/pull/89795) Remove "unnecessary" imports from packages/ (a: tests, tool, framework, cla: yes, waiting for tree to go green)
[89796](https://github.com/flutter/flutter/pull/89796) Remove and also ignore unnecessary imports (team, cla: yes, waiting for tree to go green)
[89797](https://github.com/flutter/flutter/pull/89797) Update all packages (team, cla: yes)
[89803](https://github.com/flutter/flutter/pull/89803) Roll Plugins from 5306c02db66b to d5b65742487f (27 revisions) (cla: yes, waiting for tree to go green)
[89806](https://github.com/flutter/flutter/pull/89806) Turn Linux flutter_plugins test off (a: tests, cla: yes)
[89807](https://github.com/flutter/flutter/pull/89807) Roll Engine from 6a3b04632b57 to 57bc7414b894 (35 revisions) (cla: yes, waiting for tree to go green)
[89819](https://github.com/flutter/flutter/pull/89819) Roll Engine from 57bc7414b894 to 825c409164c1 (3 revisions) (cla: yes, waiting for tree to go green)
[89820](https://github.com/flutter/flutter/pull/89820) Add specific permissions to .github/workflows/lock.yaml (team, cla: yes, waiting for tree to go green, team: infra)
[89822](https://github.com/flutter/flutter/pull/89822) Revert "Revert "Fix computeMinIntrinsicHeight in _RenderDecoration (#87404)" (#89667)" (framework, f: material design, cla: yes)
[89856](https://github.com/flutter/flutter/pull/89856) Re-enable plugin analysis test (team, cla: yes, waiting for tree to go green)
[89861](https://github.com/flutter/flutter/pull/89861) Restore the default value of scrollDirection after each test in dismissible_test (framework, cla: yes)
[89870](https://github.com/flutter/flutter/pull/89870) Clean up dismissable_test to be less fragile (framework, cla: yes)
[89871](https://github.com/flutter/flutter/pull/89871) Roll Engine from 825c409164c1 to c86d581441bf (8 revisions) (cla: yes, waiting for tree to go green)
[89872](https://github.com/flutter/flutter/pull/89872) Remove a redundant test case in the flutter_tools create_test (tool, cla: yes, waiting for tree to go green)
[89883](https://github.com/flutter/flutter/pull/89883) Roll Plugins from d5b65742487f to a4f0e88fca1e (3 revisions) (cla: yes, waiting for tree to go green)
[89885](https://github.com/flutter/flutter/pull/89885) Revert clamping scroll simulation changes (severe: regression, team, framework, a: accessibility, f: scrolling, cla: yes, waiting for tree to go green)
[89890](https://github.com/flutter/flutter/pull/89890) Roll Engine from c86d581441bf to 382553f6c29f (7 revisions) (cla: yes, waiting for tree to go green)
[89893](https://github.com/flutter/flutter/pull/89893) Roll Engine from 382553f6c29f to 45dc2fee1304 (1 revision) (cla: yes, waiting for tree to go green)
[89895](https://github.com/flutter/flutter/pull/89895) Roll Plugins from a4f0e88fca1e to 70c314ce53cf (1 revision) (cla: yes, waiting for tree to go green)
[89897](https://github.com/flutter/flutter/pull/89897) Roll Engine from 45dc2fee1304 to abb1980f652b (1 revision) (cla: yes, waiting for tree to go green)
[89952](https://github.com/flutter/flutter/pull/89952) Remove our extra timeout logic. (a: tests, team, framework, a: accessibility, cla: yes, waiting for tree to go green)
[89961](https://github.com/flutter/flutter/pull/89961) Roll Engine from abb1980f652b to 77856b8fe435 (1 revision) (cla: yes, waiting for tree to go green)
[89988](https://github.com/flutter/flutter/pull/89988) Renew cirrus gcp credentials (cla: yes)
[89991](https://github.com/flutter/flutter/pull/89991) Bump cocoapods from 1.10.2 to 1.11.2 (team, platform-ios, cla: yes)
[89996](https://github.com/flutter/flutter/pull/89996) Roll Plugins from 70c314ce53cf to cfc8a20a1d64 (1 revision) (cla: yes, waiting for tree to go green)
[89997](https://github.com/flutter/flutter/pull/89997) Revert "Removed default page transitions for desktop and web platforms. (#82596)" (framework, f: material design, cla: yes)
[89999](https://github.com/flutter/flutter/pull/89999) Revert "Make sure Opacity widgets/layers do not drop the offset" (framework, cla: yes, waiting for tree to go green)
[90005](https://github.com/flutter/flutter/pull/90005) add analysis_options.yaml to dev/conductor (team, cla: yes, waiting for tree to go green)
[90010](https://github.com/flutter/flutter/pull/90010) [flutter_tools] use test logger, which does not allow colors (tool, cla: yes, waiting for tree to go green)
[90012](https://github.com/flutter/flutter/pull/90012) InteractiveViewer with a child of zero size (framework, cla: yes)
[90016](https://github.com/flutter/flutter/pull/90016) Roll Plugins from cfc8a20a1d64 to 4a98e239b131 (1 revision) (cla: yes, waiting for tree to go green)
[90017](https://github.com/flutter/flutter/pull/90017) Opacity fix (framework, cla: yes)
[90021](https://github.com/flutter/flutter/pull/90021) Default new project to the ios-signing-cert development team (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[90022](https://github.com/flutter/flutter/pull/90022) Close the IntegrationTestTestDevice stream when the VM service shuts down (tool, cla: yes, waiting for tree to go green)
[90023](https://github.com/flutter/flutter/pull/90023) Lock only issues. (cla: yes, waiting for tree to go green)
[90060](https://github.com/flutter/flutter/pull/90060) Align both reflectly-hero & dart-diagram to the center. (team, cla: yes, waiting for tree to go green)
[90067](https://github.com/flutter/flutter/pull/90067) Initialize all bindings before starting the text_editing_action_target test suite (framework, cla: yes)
[90072](https://github.com/flutter/flutter/pull/90072) Update local gold api (a: tests, framework, cla: yes)
[90075](https://github.com/flutter/flutter/pull/90075) Fixes dialog title announce twice (framework, f: material design, cla: yes, waiting for tree to go green)
[90081](https://github.com/flutter/flutter/pull/90081) Update docs for edge to edge (platform-android, framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[90083](https://github.com/flutter/flutter/pull/90083) Roll Plugins from 4a98e239b131 to b85edebe7134 (2 revisions) (cla: yes, waiting for tree to go green)
[90087](https://github.com/flutter/flutter/pull/90087) Roll Plugins from b85edebe7134 to 7fff936c6c69 (1 revision) (cla: yes, waiting for tree to go green)
[90088](https://github.com/flutter/flutter/pull/90088) Set BUILD_DIR and OBJROOT when determining if plugins support arm64 simulators (team, platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[90089](https://github.com/flutter/flutter/pull/90089) Revert "Make `FilteringTextInputFormatter`'s filtering Selection/Composing Region agnostic" (framework, cla: yes, waiting for tree to go green)
[90090](https://github.com/flutter/flutter/pull/90090) [flutter_tools] remove non-null check from AndroidValidator (tool, cla: yes, waiting for tree to go green)
[90096](https://github.com/flutter/flutter/pull/90096) internationalization: fix select with incorrect message (tool, a: internationalization, cla: yes)
[90097](https://github.com/flutter/flutter/pull/90097) Allow Developers to Stop Navigator From Requesting Focus (framework, cla: yes, waiting for tree to go green)
[90100](https://github.com/flutter/flutter/pull/90100) Roll Plugins from 7fff936c6c69 to 41cb992daef6 (1 revision) (cla: yes, waiting for tree to go green)
[90104](https://github.com/flutter/flutter/pull/90104) Roll Plugins from 41cb992daef6 to 5f1c83e3933e (1 revision) (cla: yes, waiting for tree to go green)
[90136](https://github.com/flutter/flutter/pull/90136) Exclude semantics is `semanticslabel` is present for `SelectableText` (framework, f: material design, cla: yes, waiting for tree to go green)
[90141](https://github.com/flutter/flutter/pull/90141) [flutter_releases] Flutter beta 2.6.0-5.2.pre Framework Cherrypicks (team, engine, cla: yes)
[90142](https://github.com/flutter/flutter/pull/90142) Use report_lines flag in flutter coverage (tool, cla: yes)
[90143](https://github.com/flutter/flutter/pull/90143) Opacity fix (#90017) (framework, cla: yes)
[90145](https://github.com/flutter/flutter/pull/90145) Roll Engine from 77856b8fe435 to a3f836c14d68 (56 revisions) (cla: yes, waiting for tree to go green)
[90148](https://github.com/flutter/flutter/pull/90148) Roll Engine from a3f836c14d68 to 6447a9451fc6 (2 revisions) (cla: yes, waiting for tree to go green)
[90149](https://github.com/flutter/flutter/pull/90149) [module_test_ios] On UITests add an additional tap on the application before tapping the element (team, cla: yes, waiting for tree to go green)
[90152](https://github.com/flutter/flutter/pull/90152) Roll Engine from 6447a9451fc6 to c148fe5d3aa2 (1 revision) (cla: yes, waiting for tree to go green)
[90154](https://github.com/flutter/flutter/pull/90154) Update md5 method in flutter_goldens_client (a: tests, team, framework, cla: yes, waiting for tree to go green)
[90159](https://github.com/flutter/flutter/pull/90159) Roll Engine from c148fe5d3aa2 to d66741988d52 (2 revisions) (cla: yes, waiting for tree to go green)
[90160](https://github.com/flutter/flutter/pull/90160) Roll Engine from d66741988d52 to 5a09f16031aa (2 revisions) (cla: yes, waiting for tree to go green)
[90168](https://github.com/flutter/flutter/pull/90168) Reuse a TimelineTask for the scheduler frame and animate events (framework, cla: yes, waiting for tree to go green)
[90202](https://github.com/flutter/flutter/pull/90202) Roll Engine from 5a09f16031aa to a6aa6c52b644 (3 revisions) (cla: yes, waiting for tree to go green)
[90204](https://github.com/flutter/flutter/pull/90204) fix draggable_scrollable_sheet_test.dart (framework, cla: yes, waiting for tree to go green)
[90205](https://github.com/flutter/flutter/pull/90205) Create DeltaTextInputClient (framework, cla: yes)
[90211](https://github.com/flutter/flutter/pull/90211) Reland "Make FilteringTextInputFormatter's filtering Selection/Composing Region agnostic" #89327 (framework, cla: yes, waiting for tree to go green)
[90214](https://github.com/flutter/flutter/pull/90214) Roll Engine from a6aa6c52b644 to d80caf5f3889 (6 revisions) (cla: yes, waiting for tree to go green)
[90215](https://github.com/flutter/flutter/pull/90215) Fix overflow in stretching overscroll (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green, customer: money (g3), a: layout)
[90217](https://github.com/flutter/flutter/pull/90217) Fix error from bad dart-fix rule (team, framework, f: material design, cla: yes, a: quality, waiting for tree to go green, a: error message, tech-debt)
[90222](https://github.com/flutter/flutter/pull/90222) Roll Engine from d80caf5f3889 to 33f5f17bc9a4 (1 revision) (cla: yes, waiting for tree to go green)
[90227](https://github.com/flutter/flutter/pull/90227) Some test cleanup for flutter_tools. (a: text input, team, tool, cla: yes, waiting for tree to go green)
[90228](https://github.com/flutter/flutter/pull/90228) Roll Engine from 33f5f17bc9a4 to 5d8574abd6f9 (4 revisions) (cla: yes, waiting for tree to go green)
[90229](https://github.com/flutter/flutter/pull/90229) fixed a small conductor messaging bug (team, cla: yes)
[90235](https://github.com/flutter/flutter/pull/90235) Roll Engine from 5d8574abd6f9 to 5b81c6d615c3 (2 revisions) (cla: yes, waiting for tree to go green)
[90242](https://github.com/flutter/flutter/pull/90242) Roll Engine from 5b81c6d615c3 to 72f08e4da3b0 (1 revision) (cla: yes, waiting for tree to go green)
[90246](https://github.com/flutter/flutter/pull/90246) Roll Engine from 72f08e4da3b0 to e70febab63ea (1 revision) (cla: yes, waiting for tree to go green)
[90248](https://github.com/flutter/flutter/pull/90248) Roll Engine from e70febab63ea to 4bf01a4e1fc5 (1 revision) (cla: yes, waiting for tree to go green)
[90258](https://github.com/flutter/flutter/pull/90258) Roll Engine from 4bf01a4e1fc5 to 9788fb4b137e (4 revisions) (cla: yes, waiting for tree to go green)
[90261](https://github.com/flutter/flutter/pull/90261) Roll Engine from 9788fb4b137e to 48acdba5d45c (1 revision) (cla: yes, waiting for tree to go green)
[90275](https://github.com/flutter/flutter/pull/90275) Roll Engine from 48acdba5d45c to 184a2a58ab1b (2 revisions) (cla: yes, waiting for tree to go green)
[90279](https://github.com/flutter/flutter/pull/90279) Roll Engine from 184a2a58ab1b to 2f0f0d1ac91b (1 revision) (cla: yes, waiting for tree to go green)
[90281](https://github.com/flutter/flutter/pull/90281) [flutter_releases] Flutter stable 2.5.1 Framework Cherrypicks (team, framework, engine, f: material design, a: accessibility, cla: yes)
[90282](https://github.com/flutter/flutter/pull/90282) Roll Engine from 2f0f0d1ac91b to e261e1407c15 (1 revision) (cla: yes, waiting for tree to go green)
[90284](https://github.com/flutter/flutter/pull/90284) Roll Engine from e261e1407c15 to 80139039b3cc (3 revisions) (cla: yes, waiting for tree to go green)
[90288](https://github.com/flutter/flutter/pull/90288) Fix Dart plugin registrant interaction with 'flutter test' (tool, cla: yes)
[90289](https://github.com/flutter/flutter/pull/90289) Roll Engine from 80139039b3cc to 4a803193817d (2 revisions) (cla: yes, waiting for tree to go green)
[90291](https://github.com/flutter/flutter/pull/90291) Add more tests for dart fixes (team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[90292](https://github.com/flutter/flutter/pull/90292) Remove autovalidate deprecations (a: text input, team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[90293](https://github.com/flutter/flutter/pull/90293) Remove FloatingHeaderSnapConfiguration.vsync deprecation (team, framework, severe: API break, f: scrolling, cla: yes, waiting for tree to go green, tech-debt)
[90294](https://github.com/flutter/flutter/pull/90294) Remove AndroidViewController.id deprecation (team, framework, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[90295](https://github.com/flutter/flutter/pull/90295) Remove BottomNavigationBarItem.title deprecation (team, framework, f: material design, severe: API break, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[90296](https://github.com/flutter/flutter/pull/90296) Remove deprecated text input formatting classes (a: text input, team, framework, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[90297](https://github.com/flutter/flutter/pull/90297) Roll Engine from 4a803193817d to e1e6a41df77d (2 revisions) (cla: yes, waiting for tree to go green)
[90300](https://github.com/flutter/flutter/pull/90300) Roll Engine from e1e6a41df77d to 47b452783334 (3 revisions) (cla: yes, waiting for tree to go green)
[90301](https://github.com/flutter/flutter/pull/90301) Roll Plugins from 5f1c83e3933e to 1fe19f1d4946 (22 revisions) (cla: yes, waiting for tree to go green)
[90304](https://github.com/flutter/flutter/pull/90304) Migrate iOS project to Xcode 13 compatibility (team, platform-ios, tool, cla: yes, d: examples, waiting for tree to go green, t: xcode)
[90305](https://github.com/flutter/flutter/pull/90305) Roll Engine from 47b452783334 to 27281c426f22 (2 revisions) (cla: yes, waiting for tree to go green)
[90308](https://github.com/flutter/flutter/pull/90308) Roll Engine from 27281c426f22 to 31792e034099 (1 revision) (cla: yes, waiting for tree to go green)
[90311](https://github.com/flutter/flutter/pull/90311) Fix some scrollbar track and border painting issues (framework, f: material design, f: scrolling, cla: yes, f: cupertino, waiting for tree to go green)
[90354](https://github.com/flutter/flutter/pull/90354) Make DraggableScrollableSheet Reflect Parameter Updates (framework, cla: yes, waiting for tree to go green)
[90380](https://github.com/flutter/flutter/pull/90380) Material banner updates (framework, f: material design, cla: yes)
[90389](https://github.com/flutter/flutter/pull/90389) Marks Mac_ios native_ui_tests_ios to be unflaky (cla: yes, waiting for tree to go green)
[90391](https://github.com/flutter/flutter/pull/90391) Update the analysis options for sample code to ignore unnecessary_imports (team, cla: yes)
[90392](https://github.com/flutter/flutter/pull/90392) Roll Plugins from 1fe19f1d4946 to 42b990962578 (1 revision) (cla: yes, waiting for tree to go green)
[90394](https://github.com/flutter/flutter/pull/90394) Do not retry if pub get is run in offline mode (tool, cla: yes, waiting for tree to go green)
[90404](https://github.com/flutter/flutter/pull/90404) Roll Plugins from 42b990962578 to a8e0129220b5 (1 revision) (cla: yes, waiting for tree to go green)
[90406](https://github.com/flutter/flutter/pull/90406) Revert "Issue 88543: TextField labelText doesn't get hintTextStyle when labelTextStyle is non-null Fixed" (framework, f: material design, cla: yes, waiting for tree to go green)
[90412](https://github.com/flutter/flutter/pull/90412) Roll Plugins from a8e0129220b5 to e314c7a8fdcd (1 revision) (cla: yes, waiting for tree to go green)
[90413](https://github.com/flutter/flutter/pull/90413) Add my name to authors (team, cla: yes, waiting for tree to go green)
[90414](https://github.com/flutter/flutter/pull/90414) Now that the bot is cleverer, we can make the PR template clearer (cla: yes, waiting for tree to go green)
[90415](https://github.com/flutter/flutter/pull/90415) Update dartdoc to v3.1.0. (team, cla: yes, waiting for tree to go green)
[90417](https://github.com/flutter/flutter/pull/90417) Fix an unnecessary_import analyzer error in the skeleton app template (tool, cla: yes)
[90419](https://github.com/flutter/flutter/pull/90419) Fix overflow edge case in overscrolled RenderShrinkWrappingViewport (severe: regression, framework, f: scrolling, cla: yes, waiting for tree to go green, a: layout)
[90421](https://github.com/flutter/flutter/pull/90421) Roll Engine from 31792e034099 to 7e94275f7370 (26 revisions) (cla: yes, waiting for tree to go green)
[90423](https://github.com/flutter/flutter/pull/90423) Add clipBeheavior support to TextFields (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[90440](https://github.com/flutter/flutter/pull/90440) Update AUTHORS (cla: yes)
[90447](https://github.com/flutter/flutter/pull/90447) [bots] verbose logs when analyzing samples (team, cla: yes, waiting for tree to go green)
[90456](https://github.com/flutter/flutter/pull/90456) Roll Engine from 7e94275f7370 to 233a6e01fbb0 (6 revisions) (cla: yes, waiting for tree to go green)
[90457](https://github.com/flutter/flutter/pull/90457) Fix tooltip so only one shows at a time when hovering (framework, f: material design, cla: yes, waiting for tree to go green)
[90458](https://github.com/flutter/flutter/pull/90458) [web] add placeholder file for CanvasKit version (cla: yes)
[90464](https://github.com/flutter/flutter/pull/90464) Fix Chip tooltip so that useDeleteButtonTooltip only applies to the delete button. (framework, f: material design, cla: yes, waiting for tree to go green)
[90466](https://github.com/flutter/flutter/pull/90466) Reland "Migrate android_semantics_testing to null safety" (team, a: accessibility, cla: yes)
[90468](https://github.com/flutter/flutter/pull/90468) Roll Engine from 233a6e01fbb0 to 50bdb78a9274 (3 revisions) (cla: yes, waiting for tree to go green)
[90473](https://github.com/flutter/flutter/pull/90473) Roll Engine from 50bdb78a9274 to b0f3c0f7e478 (1 revision) (cla: yes, waiting for tree to go green)
[90474](https://github.com/flutter/flutter/pull/90474) Roll Plugins from e314c7a8fdcd to 42a17dc4de1c (4 revisions) (cla: yes, waiting for tree to go green)
[90480](https://github.com/flutter/flutter/pull/90480) Remove bringup for Linux android views (cla: yes, waiting for tree to go green)
[90483](https://github.com/flutter/flutter/pull/90483) Revert "Reland "Migrate android_semantics_testing to null safety"" (team, a: accessibility, cla: yes)
[90497](https://github.com/flutter/flutter/pull/90497) Roll Plugins from 42a17dc4de1c to ed2e7a78aee8 (1 revision) (cla: yes, waiting for tree to go green)
[90526](https://github.com/flutter/flutter/pull/90526) Unskip some editable tests on web (a: text input, framework, cla: yes, a: typography, platform-web, waiting for tree to go green)
[90531](https://github.com/flutter/flutter/pull/90531) Fix various problems with Chip delete button. (framework, f: material design, cla: yes, waiting for tree to go green)
[90535](https://github.com/flutter/flutter/pull/90535) [module_test_ios] trying tap the buttons again if the first time didn't work (team, cla: yes, waiting for tree to go green)
[90545](https://github.com/flutter/flutter/pull/90545) use the current canvaskit version number (cla: yes)
[90546](https://github.com/flutter/flutter/pull/90546) Fixes resident_web_runner_test initialize the mock correctly (tool, cla: yes, waiting for tree to go green)
[90549](https://github.com/flutter/flutter/pull/90549) Roll Engine from b0f3c0f7e478 to fa2eb22cffc5 (18 revisions) (cla: yes, waiting for tree to go green)
[90555](https://github.com/flutter/flutter/pull/90555) Roll Engine from fa2eb22cffc5 to dd28b6f1c8e6 (1 revision) (cla: yes, waiting for tree to go green)
[90557](https://github.com/flutter/flutter/pull/90557) [flutter_conductor] Update README (team, cla: yes, waiting for tree to go green)
[90560](https://github.com/flutter/flutter/pull/90560) Roll Plugins from ed2e7a78aee8 to 44772b771a04 (3 revisions) (cla: yes, waiting for tree to go green)
[90567](https://github.com/flutter/flutter/pull/90567) Roll Engine from dd28b6f1c8e6 to b872267e8ff7 (3 revisions) (cla: yes, waiting for tree to go green)
[90605](https://github.com/flutter/flutter/pull/90605) Roll Engine from b872267e8ff7 to a3911f24a5ff (6 revisions) (cla: yes, waiting for tree to go green)
[90611](https://github.com/flutter/flutter/pull/90611) Reland "Enable caching of CPU samples collected at application startup (#89600)" (tool, cla: yes)
[90613](https://github.com/flutter/flutter/pull/90613) Roll Plugins from 44772b771a04 to 8c5f0f04cade (2 revisions) (cla: yes, waiting for tree to go green)
[90619](https://github.com/flutter/flutter/pull/90619) Roll Engine from a3911f24a5ff to eb94e4f595b6 (1 revision) (cla: yes, waiting for tree to go green)
[90620](https://github.com/flutter/flutter/pull/90620) Add tests for web library platform defines (tool, cla: yes, waiting for tree to go green)
[90621](https://github.com/flutter/flutter/pull/90621) [flutter_conductor] implement UI scaffold (team, cla: yes)
[90626](https://github.com/flutter/flutter/pull/90626) Remove bringup for Linux deferred_components test (cla: yes)
[90629](https://github.com/flutter/flutter/pull/90629) Fix nested stretch overscroll (a: tests, framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green, customer: money (g3))
[90631](https://github.com/flutter/flutter/pull/90631) Roll Plugins from 8c5f0f04cade to d2c6c4314412 (2 revisions) (cla: yes, waiting for tree to go green)
[90634](https://github.com/flutter/flutter/pull/90634) Fix scrollbar dragging into overscroll when not allowed (framework, a: fidelity, f: scrolling, cla: yes, f: gestures, waiting for tree to go green, a: desktop, a: mouse)
[90636](https://github.com/flutter/flutter/pull/90636) Always support hover to reveal scrollbar (framework, a: fidelity, f: scrolling, cla: yes, a: quality, platform-web, waiting for tree to go green, a: desktop, a: mouse)
[90642](https://github.com/flutter/flutter/pull/90642) Migrate Gradle (team, tool, a: accessibility, cla: yes, d: examples, integration_test)
[90644](https://github.com/flutter/flutter/pull/90644) Roll Engine from eb94e4f595b6 to 694664037380 (6 revisions) (cla: yes, waiting for tree to go green)
[90646](https://github.com/flutter/flutter/pull/90646) Roll Plugins from d2c6c4314412 to a5cd0c3aea70 (1 revision) (cla: yes, waiting for tree to go green)
[90648](https://github.com/flutter/flutter/pull/90648) Roll Engine from 694664037380 to 5ef2faeb10af (3 revisions) (cla: yes, waiting for tree to go green)
[90649](https://github.com/flutter/flutter/pull/90649) Roll Plugins from a5cd0c3aea70 to d3c892f82611 (1 revision) (cla: yes, waiting for tree to go green)
[90653](https://github.com/flutter/flutter/pull/90653) Roll Engine from 5ef2faeb10af to a5b860a2656f (1 revision) (cla: yes, waiting for tree to go green)
[90670](https://github.com/flutter/flutter/pull/90670) Roll Engine from a5b860a2656f to d4216bcd019b (1 revision) (cla: yes, waiting for tree to go green)
[90683](https://github.com/flutter/flutter/pull/90683) Roll Plugins from d3c892f82611 to 0c282812b194 (1 revision) (cla: yes, waiting for tree to go green)
[90685](https://github.com/flutter/flutter/pull/90685) Roll Engine from d4216bcd019b to b67fa6d4fb2b (1 revision) (cla: yes, waiting for tree to go green)
[90688](https://github.com/flutter/flutter/pull/90688) make Elevated&Outlined&TextButton support onHover&onFocus callback (framework, f: material design, cla: yes)
[90690](https://github.com/flutter/flutter/pull/90690) Roll Plugins from 0c282812b194 to cc3c53cde5ab (1 revision) (cla: yes, waiting for tree to go green)
[90691](https://github.com/flutter/flutter/pull/90691) Roll Engine from b67fa6d4fb2b to c64129de7003 (1 revision) (cla: yes, waiting for tree to go green)
[90692](https://github.com/flutter/flutter/pull/90692) Add DDC regression test. (framework, cla: yes, waiting for tree to go green)
[90695](https://github.com/flutter/flutter/pull/90695) Roll Engine from c64129de7003 to dcffd551cb8d (4 revisions) (cla: yes, waiting for tree to go green)
[90696](https://github.com/flutter/flutter/pull/90696) Roll Engine from dcffd551cb8d to a81cab02eb37 (1 revision) (cla: yes, waiting for tree to go green)
[90698](https://github.com/flutter/flutter/pull/90698) Roll Engine from a81cab02eb37 to 5f7d0053f98d (2 revisions) (cla: yes, waiting for tree to go green)
[90702](https://github.com/flutter/flutter/pull/90702) Roll Engine from 5f7d0053f98d to 3248e8b64872 (1 revision) (cla: yes, waiting for tree to go green)
[90703](https://github.com/flutter/flutter/pull/90703) Correct notch geometry when MediaQuery padding.top is non-zero (severe: regression, framework, f: material design, cla: yes, a: layout)
[90708](https://github.com/flutter/flutter/pull/90708) Implemented getter to expose current url strategy for web plugins (team, cla: yes, waiting for tree to go green)
[90739](https://github.com/flutter/flutter/pull/90739) - add FadeInImage.placeholderFit (framework, cla: yes, waiting for tree to go green)
[90763](https://github.com/flutter/flutter/pull/90763) Roll Engine from 3248e8b64872 to fc00cc095797 (2 revisions) (cla: yes, waiting for tree to go green)
[90766](https://github.com/flutter/flutter/pull/90766) Roll Engine from fc00cc095797 to 9740229db871 (3 revisions) (cla: yes, waiting for tree to go green)
[90768](https://github.com/flutter/flutter/pull/90768) Roll Engine from 9740229db871 to 7e7b615764e3 (1 revision) (cla: yes, waiting for tree to go green)
[90770](https://github.com/flutter/flutter/pull/90770) Roll Engine from 7e7b615764e3 to 1564d21cefa9 (1 revision) (cla: yes, waiting for tree to go green)
[90772](https://github.com/flutter/flutter/pull/90772) Roll Engine from 1564d21cefa9 to 3b61bf444560 (1 revision) (cla: yes, waiting for tree to go green)
[90778](https://github.com/flutter/flutter/pull/90778) Roll Engine from 3b61bf444560 to 65ad5a4836c0 (1 revision) (cla: yes, waiting for tree to go green)
[90816](https://github.com/flutter/flutter/pull/90816) Roll Engine from 65ad5a4836c0 to 8dc5cc2a4c38 (1 revision) (cla: yes, waiting for tree to go green)
[90823](https://github.com/flutter/flutter/pull/90823) Roll Plugins from cc3c53cde5ab to 5ec61962da5e (1 revision) (cla: yes, waiting for tree to go green)
[90826](https://github.com/flutter/flutter/pull/90826) Handle invalid selection in TextEditingActionTarget (framework, cla: yes)
[90827](https://github.com/flutter/flutter/pull/90827) Roll Engine from 8dc5cc2a4c38 to 6b5e89d11694 (8 revisions) (cla: yes, waiting for tree to go green)
[90829](https://github.com/flutter/flutter/pull/90829) Run native_ui_tests_macos in correct directory (team, cla: yes, waiting for tree to go green)
[90836](https://github.com/flutter/flutter/pull/90836) Roll Plugins from 5ec61962da5e to 80b5d2ed3f31 (1 revision) (cla: yes, waiting for tree to go green)
[90841](https://github.com/flutter/flutter/pull/90841) Roll Engine from 6b5e89d11694 to adfea3cf1f6a (1 revision) (cla: yes, waiting for tree to go green)
[90843](https://github.com/flutter/flutter/pull/90843) Add external focus node constructor to Focus widget (framework, cla: yes, f: focus)
[90845](https://github.com/flutter/flutter/pull/90845) Adjust size of delete button to take up at most less than half of chip. (framework, f: material design, cla: yes)
[90846](https://github.com/flutter/flutter/pull/90846) Roll Plugins from 80b5d2ed3f31 to f58ab59880d7 (1 revision) (cla: yes, waiting for tree to go green)
[90849](https://github.com/flutter/flutter/pull/90849) Roll Engine from adfea3cf1f6a to a84b2a72f330 (5 revisions) (cla: yes, waiting for tree to go green)
[90850](https://github.com/flutter/flutter/pull/90850) Roll Engine from a84b2a72f330 to 933661d3e9c4 (1 revision) (cla: yes, waiting for tree to go green)
[90852](https://github.com/flutter/flutter/pull/90852) Roll Engine from 933661d3e9c4 to 94e5cb8b2b0d (1 revision) (cla: yes, waiting for tree to go green)
[90857](https://github.com/flutter/flutter/pull/90857) Roll Plugins from f58ab59880d7 to 8a71e0ee47c7 (1 revision) (cla: yes, waiting for tree to go green)
[90864](https://github.com/flutter/flutter/pull/90864) Roll Engine from 94e5cb8b2b0d to 64b26a3f0c84 (2 revisions) (cla: yes, waiting for tree to go green)
[90866](https://github.com/flutter/flutter/pull/90866) Roll Plugins from 8a71e0ee47c7 to f48f8dba59fb (2 revisions) (cla: yes, waiting for tree to go green)
[90869](https://github.com/flutter/flutter/pull/90869) Roll Engine from 64b26a3f0c84 to 9fa0bc833c7f (1 revision) (cla: yes, waiting for tree to go green)
[90871](https://github.com/flutter/flutter/pull/90871) Roll Plugins from f48f8dba59fb to 44706929299d (1 revision) (cla: yes, waiting for tree to go green)
[90877](https://github.com/flutter/flutter/pull/90877) Roll Engine from 9fa0bc833c7f to 520be3012286 (1 revision) (cla: yes, waiting for tree to go green)
[90878](https://github.com/flutter/flutter/pull/90878) Roll Plugins from 44706929299d to f63395d86dbb (1 revision) (cla: yes, waiting for tree to go green)
[90880](https://github.com/flutter/flutter/pull/90880) [bots] Print more on --verbose analyze_sample_code (team, cla: yes, waiting for tree to go green)
[90884](https://github.com/flutter/flutter/pull/90884) Roll Engine from 520be3012286 to 6a214330550a (1 revision) (cla: yes, waiting for tree to go green)
[90887](https://github.com/flutter/flutter/pull/90887) Initial layout and theme (team, cla: yes)
[90891](https://github.com/flutter/flutter/pull/90891) Roll Engine from 6a214330550a to bccb3a57eb3e (1 revision) (cla: yes, waiting for tree to go green)
[90893](https://github.com/flutter/flutter/pull/90893) Roll ios-deploy to support new iOS devices (platform-ios, cla: yes, waiting for tree to go green)
[90894](https://github.com/flutter/flutter/pull/90894) Launch DevTools from the 'dart devtools' command instead of pub (a: text input, tool, cla: yes)
[90901](https://github.com/flutter/flutter/pull/90901) Roll Engine from bccb3a57eb3e to bd250bdd8178 (5 revisions) (cla: yes, waiting for tree to go green)
[90902](https://github.com/flutter/flutter/pull/90902) Roll Plugins from f63395d86dbb to 1ef44050141b (1 revision) (cla: yes, waiting for tree to go green)
[90906](https://github.com/flutter/flutter/pull/90906) Xcode 13 as minimum recommended version (platform-ios, tool, cla: yes, t: xcode)
[90909](https://github.com/flutter/flutter/pull/90909) Revert "Fix tooltip so only one shows at a time when hovering (#90457)" (framework, f: material design, cla: yes)
[90915](https://github.com/flutter/flutter/pull/90915) Add iOS build -destination flag (tool, cla: yes, waiting for tree to go green)
[90917](https://github.com/flutter/flutter/pull/90917) Reland: "Fix tooltip so only one shows at a time when hovering (#90457)" (framework, f: material design, cla: yes)
[90938](https://github.com/flutter/flutter/pull/90938) Roll Plugins from 1ef44050141b to fe31e5292f14 (1 revision) (cla: yes, waiting for tree to go green)
[90944](https://github.com/flutter/flutter/pull/90944) Add multidex flag and automatic multidex support (tool, cla: yes, waiting for tree to go green)
[90960](https://github.com/flutter/flutter/pull/90960) Roll Plugins from fe31e5292f14 to d9a4b753e7b4 (1 revision) (cla: yes, waiting for tree to go green)
[90966](https://github.com/flutter/flutter/pull/90966) Catch FormatException from bad simulator log output (platform-ios, tool, cla: yes, waiting for tree to go green)
[90967](https://github.com/flutter/flutter/pull/90967) Catch FormatException parsing XCDevice._getAllDevices (platform-ios, tool, cla: yes, waiting for tree to go green)
[90974](https://github.com/flutter/flutter/pull/90974) Improve bug and feature request templates (team, cla: yes, waiting for tree to go green)
[90977](https://github.com/flutter/flutter/pull/90977) Roll Plugins from d9a4b753e7b4 to a1304efe49e9 (1 revision) (cla: yes, waiting for tree to go green)
[90980](https://github.com/flutter/flutter/pull/90980) Roll Engine from bd250bdd8178 to e2775928ec64 (16 revisions) (cla: yes, waiting for tree to go green)
[90985](https://github.com/flutter/flutter/pull/90985) Roll Engine from e2775928ec64 to c9f8cb94ec81 (5 revisions) (cla: yes, waiting for tree to go green)
[90986](https://github.com/flutter/flutter/pull/90986) TextStyle.apply,copyWith,merge should support a package parameter (a: text input, framework, f: material design, cla: yes)
[90992](https://github.com/flutter/flutter/pull/90992) Roll Engine from c9f8cb94ec81 to 223d8f906b7b (2 revisions) (cla: yes, waiting for tree to go green)
[90994](https://github.com/flutter/flutter/pull/90994) flutter update-packages (team, cla: yes)
[90995](https://github.com/flutter/flutter/pull/90995) Roll Engine from 223d8f906b7b to 9224a17d1c0c (2 revisions) (cla: yes, waiting for tree to go green)
[90996](https://github.com/flutter/flutter/pull/90996) [flutter_tools] Handle disk device not found (tool, cla: yes, waiting for tree to go green)
[90999](https://github.com/flutter/flutter/pull/90999) Roll Engine from 9224a17d1c0c to d0d8e348b6b4 (3 revisions) (cla: yes, waiting for tree to go green)
[91002](https://github.com/flutter/flutter/pull/91002) Roll Plugins from a1304efe49e9 to 90b2844ce7e5 (1 revision) (cla: yes, waiting for tree to go green)
[91006](https://github.com/flutter/flutter/pull/91006) Make `flutter update-packages` run in parallel (tool, cla: yes)
[91014](https://github.com/flutter/flutter/pull/91014) Add new pub command 'Token' (tool, cla: yes)
[91024](https://github.com/flutter/flutter/pull/91024) Adds analyze_sample_code exit for when pub fails (team, cla: yes, waiting for tree to go green)
[91030](https://github.com/flutter/flutter/pull/91030) Change project.buildDir in standalone `subprojects` property (team, tool, a: accessibility, cla: yes, d: examples, waiting for tree to go green, integration_test)
[91031](https://github.com/flutter/flutter/pull/91031) Pushing empty commit to trigger CI (cla: yes)
[91036](https://github.com/flutter/flutter/pull/91036) Roll Engine from d0d8e348b6b4 to e83795a0a7c7 (11 revisions) (cla: yes, waiting for tree to go green)
[91039](https://github.com/flutter/flutter/pull/91039) Roll Plugins from 90b2844ce7e5 to 63eb67532a7a (2 revisions) (cla: yes, waiting for tree to go green)
[91046](https://github.com/flutter/flutter/pull/91046) [SwitchListTile] Adds hoverColor to SwitchListTile (framework, f: material design, cla: yes, waiting for tree to go green)
[91047](https://github.com/flutter/flutter/pull/91047) [flutter_releases] Flutter stable 2.5.2 Framework Cherrypicks (team, tool, engine, cla: yes)
[91051](https://github.com/flutter/flutter/pull/91051) Add a warning about Icon.size to IconButton (framework, f: material design, cla: yes, waiting for tree to go green)
[91052](https://github.com/flutter/flutter/pull/91052) add internal comment to point to .github repo (cla: yes, waiting for tree to go green)
[91053](https://github.com/flutter/flutter/pull/91053) Roll Engine from e83795a0a7c7 to 1f8fa8041d49 (2 revisions) (cla: yes, waiting for tree to go green)
[91054](https://github.com/flutter/flutter/pull/91054) Delete SECURITY.md (cla: yes, waiting for tree to go green)
[91055](https://github.com/flutter/flutter/pull/91055) add internal comment to point to .github repo (cla: yes, waiting for tree to go green)
[91058](https://github.com/flutter/flutter/pull/91058) Roll Plugins from 63eb67532a7a to f6d93a765063 (2 revisions) (cla: yes, waiting for tree to go green)
[91066](https://github.com/flutter/flutter/pull/91066) [flutter_conductor] update conductor to prefer git protocol over https (team, cla: yes, waiting for tree to go green)
[91067](https://github.com/flutter/flutter/pull/91067) Enable avoid_setters_without_getters (a: tests, a: text input, tool, framework, a: accessibility, cla: yes, f: cupertino, waiting for tree to go green)
[91071](https://github.com/flutter/flutter/pull/91071) Roll Engine from 1f8fa8041d49 to 8ec71b64f6ca (12 revisions) (cla: yes, waiting for tree to go green)
[91074](https://github.com/flutter/flutter/pull/91074) Roll Engine from 8ec71b64f6ca to aed327b84d7c (1 revision) (cla: yes, waiting for tree to go green)
[91078](https://github.com/flutter/flutter/pull/91078) Enable `avoid_implementing_value_types` lint (a: tests, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[91083](https://github.com/flutter/flutter/pull/91083) Roll Engine from aed327b84d7c to 2db431944795 (1 revision) (cla: yes, waiting for tree to go green)
[91099](https://github.com/flutter/flutter/pull/91099) Update minimum iOS version in plugin_test (team, cla: yes, waiting for tree to go green)
[91109](https://github.com/flutter/flutter/pull/91109) Clean up dependency pins and update all packages (team, tool, cla: yes, waiting for tree to go green)
[91110](https://github.com/flutter/flutter/pull/91110) Force building of snippets package executable. (team, cla: yes)
[91116](https://github.com/flutter/flutter/pull/91116) update consumer dependencies signature (team, cla: yes)
[91118](https://github.com/flutter/flutter/pull/91118) Alex chen conductor ui3 (team, cla: yes, waiting for tree to go green)
[91121](https://github.com/flutter/flutter/pull/91121) Roll Engine from 2db431944795 to 74fdd30dc25e (5 revisions) (cla: yes, waiting for tree to go green)
[91123](https://github.com/flutter/flutter/pull/91123) Roll Engine from 74fdd30dc25e to 6f4143e80069 (1 revision) (cla: yes, waiting for tree to go green)
[91124](https://github.com/flutter/flutter/pull/91124) Use recently introduced Isolate.exit() in compute implementation (framework, cla: yes)
[91125](https://github.com/flutter/flutter/pull/91125) Update outdated platform directories in examples (team, tool, cla: yes, d: examples)
[91126](https://github.com/flutter/flutter/pull/91126) Update outdated runners in the benchmarks folder (team, tool, cla: yes, integration_test)
[91129](https://github.com/flutter/flutter/pull/91129) Fix ActivateIntent overriding the spacebar for text entry (a: text input, framework, cla: yes, waiting for tree to go green)
[91130](https://github.com/flutter/flutter/pull/91130) Add example test, update example READMEs (team, cla: yes, d: examples, waiting for tree to go green)
[91133](https://github.com/flutter/flutter/pull/91133) Clean up examples, remove section markers and --template args (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus)
[91138](https://github.com/flutter/flutter/pull/91138) Pushing empty change to trigger CI (cla: yes)
[91154](https://github.com/flutter/flutter/pull/91154) Cherry pick engine to include a Fuchsia revert. (engine, cla: yes)
[91182](https://github.com/flutter/flutter/pull/91182) Added support for MaterialState to InputDecorator (framework, f: material design, cla: yes)
[91187](https://github.com/flutter/flutter/pull/91187) Making AnimatedCrossFade more null safe (framework, cla: yes, waiting for tree to go green)
[91239](https://github.com/flutter/flutter/pull/91239) Replace all BorderRadius.circular with const BorderRadius.all (a: text input, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[91244](https://github.com/flutter/flutter/pull/91244) Roll Engine from 6f4143e80069 to a36eac0a341c (10 revisions) (cla: yes, waiting for tree to go green)
[91252](https://github.com/flutter/flutter/pull/91252) Update dartdoc to 4.0.0 (team, cla: yes, waiting for tree to go green)
[91257](https://github.com/flutter/flutter/pull/91257) Add a microbenchmark that measures performance of flutter compute. (team, cla: yes)
[91267](https://github.com/flutter/flutter/pull/91267) Migrate protocol_discovery to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[91268](https://github.com/flutter/flutter/pull/91268) Mark Linux deferred components to be flaky (cla: yes, waiting for tree to go green)
[91271](https://github.com/flutter/flutter/pull/91271) Mark Linux_android flutter_gallery__start_up to be flaky (cla: yes, waiting for tree to go green)
[91273](https://github.com/flutter/flutter/pull/91273) Marks Mac_ios integration_ui_ios_textfield to be flaky (cla: yes, waiting for tree to go green)
[91281](https://github.com/flutter/flutter/pull/91281) Don't generate plugin registry in ResidentWebRunner (tool, cla: yes, waiting for tree to go green)
[91300](https://github.com/flutter/flutter/pull/91300) Remove 10 second timewarp in integration test pubspec.yamls (tool, cla: yes)
[91301](https://github.com/flutter/flutter/pull/91301) Suppress diagnostics from // HACK comments (cla: yes)
[91309](https://github.com/flutter/flutter/pull/91309) Migrate assets, common, icon_tree_shaker to null safety (tool, cla: yes, a: null-safety, tech-debt)
[91310](https://github.com/flutter/flutter/pull/91310) Pin chrome and driver versions. (cla: yes, waiting for tree to go green)
[91313](https://github.com/flutter/flutter/pull/91313) Roll Plugins from f6d93a765063 to 0558169b8930 (4 revisions) (cla: yes, waiting for tree to go green)
[91316](https://github.com/flutter/flutter/pull/91316) Marks Mac module_test_ios to be unflaky (cla: yes, waiting for tree to go green)
[91317](https://github.com/flutter/flutter/pull/91317) Remove accidental print (tool, cla: yes, waiting for tree to go green)
[91320](https://github.com/flutter/flutter/pull/91320) Roll Engine from a36eac0a341c to c77141589503 (17 revisions) (cla: yes, waiting for tree to go green)
[91323](https://github.com/flutter/flutter/pull/91323) Roll Engine from c77141589503 to 82e7100bc7f4 (1 revision) (cla: yes, waiting for tree to go green)
[91324](https://github.com/flutter/flutter/pull/91324) Update number of IPHONEOS_DEPLOYMENT_TARGET in plugin_test_ios (a: tests, team, platform-ios, cla: yes, waiting for tree to go green)
[91328](https://github.com/flutter/flutter/pull/91328) Roll Engine from 82e7100bc7f4 to 3afd94a62af8 (2 revisions) (cla: yes, waiting for tree to go green)
[91331](https://github.com/flutter/flutter/pull/91331) Roll Engine from 3afd94a62af8 to 39d2479cb09f (1 revision) (cla: yes, waiting for tree to go green)
[91332](https://github.com/flutter/flutter/pull/91332) Enable `avoid_print` lint. (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, waiting for tree to go green, f: focus, integration_test)
[91336](https://github.com/flutter/flutter/pull/91336) Roll Engine from 39d2479cb09f to ad66cbbef953 (2 revisions) (cla: yes, waiting for tree to go green)
[91338](https://github.com/flutter/flutter/pull/91338) Roll Engine from ad66cbbef953 to 325f7d887111 (2 revisions) (cla: yes, waiting for tree to go green)
[91339](https://github.com/flutter/flutter/pull/91339) Roll Engine from 325f7d887111 to 88e150ddc9bc (1 revision) (cla: yes, waiting for tree to go green)
[91346](https://github.com/flutter/flutter/pull/91346) Add a startup test that delays runApp (team, cla: yes, waiting for tree to go green, integration_test)
[91347](https://github.com/flutter/flutter/pull/91347) Roll Engine from 88e150ddc9bc to 97f0274afd7a (1 revision) (cla: yes, waiting for tree to go green)
[91349](https://github.com/flutter/flutter/pull/91349) The covered child in AnimatedCrossFade should not get touch events (framework, cla: yes, waiting for tree to go green)
[91351](https://github.com/flutter/flutter/pull/91351) Roll Engine from 97f0274afd7a to 0e87d51b5e32 (1 revision) (cla: yes, waiting for tree to go green)
[91352](https://github.com/flutter/flutter/pull/91352) Roll Plugins from 0558169b8930 to cd5dc3ba4c54 (1 revision) (cla: yes, waiting for tree to go green)
[91353](https://github.com/flutter/flutter/pull/91353) Clear asset manager caches on memory pressure (framework, cla: yes, waiting for tree to go green)
[91355](https://github.com/flutter/flutter/pull/91355) Roll Engine from 0e87d51b5e32 to f967ebb685d8 (1 revision) (cla: yes, waiting for tree to go green)
[91362](https://github.com/flutter/flutter/pull/91362) Remove duplicate comments in TextEditingActionTarget (a: text input, framework, cla: yes, waiting for tree to go green)
[91386](https://github.com/flutter/flutter/pull/91386) Roll Engine from f967ebb685d8 to c877eb878faf (3 revisions) (cla: yes, waiting for tree to go green)
[91389](https://github.com/flutter/flutter/pull/91389) Conditionally apply clipping in StretchingOverscrollIndicator (a: text input, framework, f: scrolling, cla: yes, waiting for tree to go green, customer: money (g3), will affect goldens)
[91394](https://github.com/flutter/flutter/pull/91394) Roll Engine from c877eb878faf to 6a00ce51c266 (3 revisions) (cla: yes, waiting for tree to go green)
[91395](https://github.com/flutter/flutter/pull/91395) Roll Engine from 6a00ce51c266 to 21fb38029fbf (1 revision) (cla: yes, waiting for tree to go green)
[91396](https://github.com/flutter/flutter/pull/91396) Update SystemUIOverlayStyle to support null contrast enforcement (framework, cla: yes, waiting for tree to go green)
[91398](https://github.com/flutter/flutter/pull/91398) Roll Engine from 21fb38029fbf to e914da14f101 (1 revision) (cla: yes, waiting for tree to go green)
[91399](https://github.com/flutter/flutter/pull/91399) Use os=Linux for linux android test beds. (cla: yes)
[91401](https://github.com/flutter/flutter/pull/91401) Roll Plugins from cd5dc3ba4c54 to 174f140651e9 (1 revision) (cla: yes, waiting for tree to go green)
[91403](https://github.com/flutter/flutter/pull/91403) Roll Engine from e914da14f101 to dec9b8677c77 (1 revision) (cla: yes, waiting for tree to go green)
[91405](https://github.com/flutter/flutter/pull/91405) Update the openjdk version used by linux android tests. (cla: yes)
[91408](https://github.com/flutter/flutter/pull/91408) Add explicit version for mac and windows openjdk. (cla: yes)
[91409](https://github.com/flutter/flutter/pull/91409) Enable avoid_redundant_argument_values lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91411](https://github.com/flutter/flutter/pull/91411) Fix android template for Gradle 7 (tool, cla: yes)
[91423](https://github.com/flutter/flutter/pull/91423) Mark last failing test after gradle update as flaky. (cla: yes)
[91429](https://github.com/flutter/flutter/pull/91429) Roll Engine from dec9b8677c77 to 5ed6b7f37cdc (2 revisions) (cla: yes, waiting for tree to go green)
[91431](https://github.com/flutter/flutter/pull/91431) Roll Engine from 5ed6b7f37cdc to c871051521db (1 revision) (cla: yes, waiting for tree to go green)
[91435](https://github.com/flutter/flutter/pull/91435) Fix analysis throwing string (tool, cla: yes)
[91436](https://github.com/flutter/flutter/pull/91436) [flutter_tools] add working directory to ProcessException when pub get fails (tool, cla: yes, waiting for tree to go green)
[91438](https://github.com/flutter/flutter/pull/91438) Revert "Enable `avoid_print` lint." (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, f: focus, integration_test)
[91439](https://github.com/flutter/flutter/pull/91439) Revert "Remove autovalidate deprecations" (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[91442](https://github.com/flutter/flutter/pull/91442) Roll Engine from c871051521db to b825bf8c987b (4 revisions) (cla: yes, waiting for tree to go green)
[91443](https://github.com/flutter/flutter/pull/91443) Reland Remove autovalidate deprecations (a: text input, team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[91444](https://github.com/flutter/flutter/pull/91444) Enable `avoid_print` lint. (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, waiting for tree to go green, f: focus, integration_test)
[91445](https://github.com/flutter/flutter/pull/91445) added conductor_status widget (team, cla: yes, waiting for tree to go green)
[91446](https://github.com/flutter/flutter/pull/91446) Roll Engine from b825bf8c987b to 63e52965035a (2 revisions) (cla: yes, waiting for tree to go green)
[91448](https://github.com/flutter/flutter/pull/91448) Revert "Added support for MaterialState to InputDecorator" (team, framework, f: material design, cla: yes, d: examples)
[91449](https://github.com/flutter/flutter/pull/91449) Refactored ListTileTheme: ListTileThemeData, ThemeData.listThemeData (framework, f: material design, cla: yes)
[91451](https://github.com/flutter/flutter/pull/91451) Roll Engine from 63e52965035a to 76c8115c6d61 (2 revisions) (cla: yes, waiting for tree to go green)
[91452](https://github.com/flutter/flutter/pull/91452) Move all the passing tests back to prod. (cla: yes)
[91453](https://github.com/flutter/flutter/pull/91453) Remove extensions (framework, f: material design, cla: yes, waiting for tree to go green)
[91454](https://github.com/flutter/flutter/pull/91454) Roll Engine from 76c8115c6d61 to 8d64613c9b4b (1 revision) (cla: yes, waiting for tree to go green)
[91455](https://github.com/flutter/flutter/pull/91455) Migrate android build target to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[91457](https://github.com/flutter/flutter/pull/91457) Move DeviceManager into null migrated globals library (tool, cla: yes, a: null-safety, tech-debt)
[91459](https://github.com/flutter/flutter/pull/91459) Revert gradle roll (team, tool, a: accessibility, cla: yes, d: examples, integration_test)
[91461](https://github.com/flutter/flutter/pull/91461) Revert "Enable avoid_redundant_argument_values lint" (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91462](https://github.com/flutter/flutter/pull/91462) Enable avoid_redundant_argument_values lint (#91409) (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91465](https://github.com/flutter/flutter/pull/91465) Roll Engine from 8d64613c9b4b to a2773d5ec3c3 (3 revisions) (cla: yes, waiting for tree to go green)
[91477](https://github.com/flutter/flutter/pull/91477) Add Denis Grafov to AUTHORS (cla: yes)
[91479](https://github.com/flutter/flutter/pull/91479) [flutter_localizations] fix README links (framework, a: internationalization, cla: yes, waiting for tree to go green)
[91497](https://github.com/flutter/flutter/pull/91497) Refactor ThemeData (framework, f: material design, cla: yes)
[91498](https://github.com/flutter/flutter/pull/91498) Fixed a very small typo in code comments. (framework, f: scrolling, cla: yes, waiting for tree to go green)
[91499](https://github.com/flutter/flutter/pull/91499) Add service extensions to expose debug rendering toggles (framework, cla: yes)
[91502](https://github.com/flutter/flutter/pull/91502) [fuchsia] - remove device-finder for device discovery (tool, cla: yes)
[91503](https://github.com/flutter/flutter/pull/91503) Roll Engine from a2773d5ec3c3 to 7007e5249707 (1 revision) (cla: yes, waiting for tree to go green)
[91506](https://github.com/flutter/flutter/pull/91506) Scrollbar shouldRepaint to respect the shape (framework, f: scrolling, cla: yes, waiting for tree to go green)
[91510](https://github.com/flutter/flutter/pull/91510) Roll Engine from 7007e5249707 to af34f7b267fe (2 revisions) (cla: yes, waiting for tree to go green)
[91515](https://github.com/flutter/flutter/pull/91515) Roll Plugins from 174f140651e9 to 5117a3fcd106 (1 revision) (cla: yes, waiting for tree to go green)
[91516](https://github.com/flutter/flutter/pull/91516) Migrate crash_reporting and github_template (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[91518](https://github.com/flutter/flutter/pull/91518) Roll Engine from af34f7b267fe to 597516c2fe80 (1 revision) (cla: yes, waiting for tree to go green)
[91522](https://github.com/flutter/flutter/pull/91522) Roll Engine from 597516c2fe80 to 2d8b3571d074 (3 revisions) (cla: yes, waiting for tree to go green)
[91527](https://github.com/flutter/flutter/pull/91527) Document why some lints aren't enabled and fix some minor issues. (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[91528](https://github.com/flutter/flutter/pull/91528) Roll Plugins from 5117a3fcd106 to c254963c1e2b (1 revision) (cla: yes, waiting for tree to go green)
[91529](https://github.com/flutter/flutter/pull/91529) [flutter_tools] iOS: display name defaults to the Title Case of flutter project name. (tool, cla: yes, waiting for tree to go green)
[91530](https://github.com/flutter/flutter/pull/91530) Enable no_default_cases lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, f: scrolling, cla: yes, f: cupertino, d: examples, waiting for tree to go green, f: focus, integration_test)
[91534](https://github.com/flutter/flutter/pull/91534) [flutter_tools] Fix redundant argument value lint (tool, cla: yes)
[91549](https://github.com/flutter/flutter/pull/91549) Roll Engine from 2d8b3571d074 to 07ba8fd075d6 (6 revisions) (cla: yes, waiting for tree to go green)
[91563](https://github.com/flutter/flutter/pull/91563) Roll Engine from 07ba8fd075d6 to 947d54d3e607 (1 revision) (cla: yes, waiting for tree to go green)
[91567](https://github.com/flutter/flutter/pull/91567) Enable `only_throw_errors` (a: tests, team, tool, framework, cla: yes, d: examples, waiting for tree to go green)
[91573](https://github.com/flutter/flutter/pull/91573) Enable `prefer_relative_imports` and fix files. (a: tests, a: text input, team, framework, cla: yes, waiting for tree to go green, integration_test)
[91585](https://github.com/flutter/flutter/pull/91585) Enable `sort_child_properties_last` lint (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, integration_test)
[91593](https://github.com/flutter/flutter/pull/91593) Do not output the error msg to the console when run a throwable test (a: tests, framework, f: material design, cla: yes, waiting for tree to go green, a: error message)
[91609](https://github.com/flutter/flutter/pull/91609) Add `TooltipVisibility` widget (framework, f: material design, cla: yes, waiting for tree to go green)
[91620](https://github.com/flutter/flutter/pull/91620) Fix visual overflow when overscrolling RenderShrinkWrappingViewport (framework, f: scrolling, cla: yes, waiting for tree to go green, will affect goldens)
[91626](https://github.com/flutter/flutter/pull/91626) Mark Mac_android run_release_test to be flaky (cla: yes, waiting for tree to go green)
[91629](https://github.com/flutter/flutter/pull/91629) Roll Engine from 947d54d3e607 to e3655025cb0e (15 revisions) (cla: yes, waiting for tree to go green)
[91632](https://github.com/flutter/flutter/pull/91632) [flutter_tools] migrate web_device.dart to null-safety (tool, cla: yes, waiting for tree to go green)
[91642](https://github.com/flutter/flutter/pull/91642) Enable more lints (a: tests, a: text input, team, tool, framework, a: animation, f: scrolling, cla: yes, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91644](https://github.com/flutter/flutter/pull/91644) Roll Engine from e3655025cb0e to 24363d08556e (1 revision) (cla: yes, waiting for tree to go green)
[91645](https://github.com/flutter/flutter/pull/91645) Roll Engine from 24363d08556e to 7a666ecc6e55 (4 revisions) (cla: yes, waiting for tree to go green)
[91653](https://github.com/flutter/flutter/pull/91653) Enable `depend_on_referenced_packages` lint (team, cla: yes, waiting for tree to go green, integration_test)
[91658](https://github.com/flutter/flutter/pull/91658) Roll Engine from 7a666ecc6e55 to ad33adfa6ba2 (4 revisions) (cla: yes, waiting for tree to go green)
[91659](https://github.com/flutter/flutter/pull/91659) Add some more new lints (team, cla: yes, waiting for tree to go green, integration_test)
[91687](https://github.com/flutter/flutter/pull/91687) Add owners for .ci.yaml (cla: yes, waiting for tree to go green)
[91688](https://github.com/flutter/flutter/pull/91688) Roll Engine from ad33adfa6ba2 to 96831061087b (7 revisions) (cla: yes, waiting for tree to go green)
[91691](https://github.com/flutter/flutter/pull/91691) [codeowners] Remove *_builders.json ownership (cla: yes, waiting for tree to go green)
[91692](https://github.com/flutter/flutter/pull/91692) Roll Engine from 96831061087b to 07ec40742e22 (2 revisions) (cla: yes, waiting for tree to go green)
[91694](https://github.com/flutter/flutter/pull/91694) Refactor conductor core (team, cla: yes)
[91697](https://github.com/flutter/flutter/pull/91697) Roll Engine from 07ec40742e22 to f27fab4f4330 (2 revisions) (cla: yes, waiting for tree to go green)
[91699](https://github.com/flutter/flutter/pull/91699) Cherrypick Engine to include Fuchsia SDK revert (engine, cla: yes)
[91704](https://github.com/flutter/flutter/pull/91704) Migrate xcdevice and ios devices to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[91705](https://github.com/flutter/flutter/pull/91705) Migrate desktop_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[91707](https://github.com/flutter/flutter/pull/91707) Roll Engine from f27fab4f4330 to adf8fa751589 (1 revision) (cla: yes, waiting for tree to go green)
[91712](https://github.com/flutter/flutter/pull/91712) Roll Engine from adf8fa751589 to 6755b4884d7b (3 revisions) (cla: yes, waiting for tree to go green)
[91713](https://github.com/flutter/flutter/pull/91713) Enable Mac plugin_test_ios in prod (cla: yes, waiting for tree to go green)
[91718](https://github.com/flutter/flutter/pull/91718) Roll Engine from 6755b4884d7b to 201e2542a61f (1 revision) (cla: yes, waiting for tree to go green)
[91719](https://github.com/flutter/flutter/pull/91719) Bump targetSdkVersion to 31 and organize static values (team, tool, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[91724](https://github.com/flutter/flutter/pull/91724) Pin android_sdk version. (cla: yes)
[91725](https://github.com/flutter/flutter/pull/91725) Roll Engine from 201e2542a61f to 057983c49c6c (1 revision) (cla: yes, waiting for tree to go green)
[91727](https://github.com/flutter/flutter/pull/91727) Roll Engine from 057983c49c6c to 4b08a8c8cc16 (2 revisions) (cla: yes, waiting for tree to go green)
[91728](https://github.com/flutter/flutter/pull/91728) Roll Engine from 4b08a8c8cc16 to c7f301f16e15 (1 revision) (cla: yes, waiting for tree to go green)
[91730](https://github.com/flutter/flutter/pull/91730) Roll Engine from c7f301f16e15 to 6db4d60f7906 (1 revision) (cla: yes, waiting for tree to go green)
[91734](https://github.com/flutter/flutter/pull/91734) Roll Engine from 6db4d60f7906 to da5bd058543f (1 revision) (cla: yes, waiting for tree to go green)
[91736](https://github.com/flutter/flutter/pull/91736) Run "flutter update-packages --force-upgrade" to get latest DDS (team, cla: yes, waiting for tree to go green)
[91750](https://github.com/flutter/flutter/pull/91750) Roll Engine from da5bd058543f to b1a886d30084 (1 revision) (cla: yes, waiting for tree to go green)
[91753](https://github.com/flutter/flutter/pull/91753) Remove unused offset from Layer.addToScene/addChildrenToScene (framework, cla: yes, waiting for tree to go green)
[91754](https://github.com/flutter/flutter/pull/91754) Revert "Reland "Enable caching of CPU samples collected at application startup (#89600)"" (tool, cla: yes)
[91761](https://github.com/flutter/flutter/pull/91761) Roll Engine from b1a886d30084 to 8c9dc9427749 (1 revision) (cla: yes, waiting for tree to go green)
[91762](https://github.com/flutter/flutter/pull/91762) Added support for MaterialState to InputDecorator (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation)
[91763](https://github.com/flutter/flutter/pull/91763) [CupertinoTabBar] Add an official interactive sample (team, framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[91764](https://github.com/flutter/flutter/pull/91764) Roll Engine from 8c9dc9427749 to 2cdac43baf2a (2 revisions) (cla: yes, waiting for tree to go green)
[91765](https://github.com/flutter/flutter/pull/91765) Roll Engine from 2cdac43baf2a to c432592e048d (1 revision) (cla: yes, waiting for tree to go green)
[91768](https://github.com/flutter/flutter/pull/91768) [flutter_conductor] Refactor next command (team, cla: yes)
[91769](https://github.com/flutter/flutter/pull/91769) Release Desktop UI Repo Info Widget (team, cla: yes, waiting for tree to go green)
[91773](https://github.com/flutter/flutter/pull/91773) Add local engine flag support to the SkSL caching performance benchmark scripts (team, cla: yes, waiting for tree to go green)
[91774](https://github.com/flutter/flutter/pull/91774) ThemeData property cleanup. (framework, f: material design, cla: yes)
[91775](https://github.com/flutter/flutter/pull/91775) Rename "*Extent" to "*Size" (framework, f: scrolling, cla: yes)
[91781](https://github.com/flutter/flutter/pull/91781) Roll Plugins from c254963c1e2b to 6716d75c08cb (1 revision) (cla: yes, waiting for tree to go green)
[91789](https://github.com/flutter/flutter/pull/91789) Improve error message for when you're not running chromedriver (tool, cla: yes, waiting for tree to go green)
[91791](https://github.com/flutter/flutter/pull/91791) Revert "Add multidex flag and automatic multidex support" (tool, cla: yes)
[91792](https://github.com/flutter/flutter/pull/91792) Report exceptions from key event handlers and listeners (framework, cla: yes)
[91794](https://github.com/flutter/flutter/pull/91794) Roll Engine from c432592e048d to 4a13531f8ca9 (9 revisions) (cla: yes, waiting for tree to go green)
[91796](https://github.com/flutter/flutter/pull/91796) Roll Plugins from 6716d75c08cb to 176cfb8083bc (1 revision) (cla: yes, waiting for tree to go green)
[91799](https://github.com/flutter/flutter/pull/91799) Roll Engine from 4a13531f8ca9 to ea7fa6a65f96 (1 revision) (cla: yes, waiting for tree to go green)
[91802](https://github.com/flutter/flutter/pull/91802) Add a "flutter debug_adapter" command that runs a DAP server (tool, cla: yes, waiting for tree to go green)
[91811](https://github.com/flutter/flutter/pull/91811) Revert "Refactored ListTileTheme: ListTileThemeData, ThemeData.listThemeData" (framework, f: material design, cla: yes)
[91817](https://github.com/flutter/flutter/pull/91817) Roll Engine from ea7fa6a65f96 to 5bc9385e015a (1 revision) (cla: yes, waiting for tree to go green)
[91820](https://github.com/flutter/flutter/pull/91820) Roll Engine from 5bc9385e015a to 21f6725f2cf3 (2 revisions) (cla: yes, waiting for tree to go green)
[91822](https://github.com/flutter/flutter/pull/91822) Add `profileRenderObjectPaints` and `profileRenderObjectLayouts` service extensions (framework, cla: yes)
[91823](https://github.com/flutter/flutter/pull/91823) Deflake Mac plugin_test_ios (cla: yes, waiting for tree to go green)
[91827](https://github.com/flutter/flutter/pull/91827) _CastError on Semantics copy in release mode (a: text input, framework, cla: yes, waiting for tree to go green)
[91828](https://github.com/flutter/flutter/pull/91828) Roll Engine from 21f6725f2cf3 to 8a1879464840 (2 revisions) (cla: yes, waiting for tree to go green)
[91829](https://github.com/flutter/flutter/pull/91829) Minor doc fix for `CupertinoTabBar` (framework, cla: yes, f: cupertino, waiting for tree to go green)
[91834](https://github.com/flutter/flutter/pull/91834) Fix ScrollBehavior copyWith (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green)
[91836](https://github.com/flutter/flutter/pull/91836) Roll Engine from 8a1879464840 to 8034050e7810 (2 revisions) (cla: yes, waiting for tree to go green)
[91840](https://github.com/flutter/flutter/pull/91840) Reland Refactored ListTileTheme: ListTileThemeData, ThemeData.listThemeData (framework, f: material design, cla: yes)
[91848](https://github.com/flutter/flutter/pull/91848) Add missing debug vars to debugAssertAllRenderVarsUnset (framework, cla: yes, waiting for tree to go green)
[91856](https://github.com/flutter/flutter/pull/91856) Rewire all Dart entrypoints when the Dart plugin registrant is used. (tool, cla: yes, waiting for tree to go green)
[91866](https://github.com/flutter/flutter/pull/91866) Fix typo in settings_controller.dart (waiting for customer response, tool, cla: yes)
[91871](https://github.com/flutter/flutter/pull/91871) [flutter_releases] Flutter stable 2.5.3 Framework Cherrypicks (team, tool, engine, cla: yes)
[91898](https://github.com/flutter/flutter/pull/91898) Add missing transform == check for gradients (framework, cla: yes, waiting for tree to go green)
[91903](https://github.com/flutter/flutter/pull/91903) Conductor UI step1 (team, cla: yes)
[91907](https://github.com/flutter/flutter/pull/91907) Roll Engine from 8034050e7810 to 60d0fdfa2232 (18 revisions) (framework, engine, cla: yes)
[91911](https://github.com/flutter/flutter/pull/91911) Revert "Migrate desktop_device to null safety" (tool, cla: yes)
[91912](https://github.com/flutter/flutter/pull/91912) Revert "Migrate xcdevice and ios devices to null safety" (tool, cla: yes)
[91916](https://github.com/flutter/flutter/pull/91916) Roll Engine from 60d0fdfa2232 to 13e4ba56398a (2 revisions) (cla: yes, waiting for tree to go green)
[91918](https://github.com/flutter/flutter/pull/91918) Cherry pick engine 33ad6c4d3fc3f9cb4391980531cb12cfc44e4137 (engine, cla: yes)
[91920](https://github.com/flutter/flutter/pull/91920) Roll Engine from 13e4ba56398a to 77a9af74beb7 (2 revisions) (cla: yes, waiting for tree to go green)
[91928](https://github.com/flutter/flutter/pull/91928) Roll Engine from 77a9af74beb7 to f6ad5636f117 (1 revision) (cla: yes, waiting for tree to go green)
[91930](https://github.com/flutter/flutter/pull/91930) Revert "Remove BottomNavigationBarItem.title deprecation" (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[91932](https://github.com/flutter/flutter/pull/91932) Roll Engine from f6ad5636f117 to faa45f497f92 (2 revisions) (cla: yes, waiting for tree to go green)
[91933](https://github.com/flutter/flutter/pull/91933) Cherrypick revert (framework, engine, f: material design, cla: yes)
[91934](https://github.com/flutter/flutter/pull/91934) Add android:exported="true" to activity in Android manifest (team, cla: yes)
[91938](https://github.com/flutter/flutter/pull/91938) Roll Plugins from 176cfb8083bc to 9e46048ad2e1 (1 revision) (cla: yes, waiting for tree to go green)
[91995](https://github.com/flutter/flutter/pull/91995) Fix typo in code comments (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[91998](https://github.com/flutter/flutter/pull/91998) [doc] Update `suffixIcon`/`prefixIcon` for alignment with code snippet (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[92019](https://github.com/flutter/flutter/pull/92019) Marks Linux_android flutter_gallery__image_cache_memory to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[92022](https://github.com/flutter/flutter/pull/92022) Bump Android Compile SDK to 31 (team, tool, cla: yes, waiting for tree to go green, integration_test)
[92032](https://github.com/flutter/flutter/pull/92032) [keyboard_textfield_test] wait until the keyboard becomes visible (a: text input, team, cla: yes, waiting for tree to go green, integration_test)
[92039](https://github.com/flutter/flutter/pull/92039) Fix persistentFooter padding (framework, f: material design, cla: yes, waiting for tree to go green)
[92049](https://github.com/flutter/flutter/pull/92049) Reland "Add multidex flag and automatic multidex support (#90944)" (tool, cla: yes)
[92052](https://github.com/flutter/flutter/pull/92052) Bump Kotlin version in templates and projects (team, tool, a: accessibility, cla: yes, d: examples, waiting for tree to go green, integration_test)
[92055](https://github.com/flutter/flutter/pull/92055) Migrate desktop_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92056](https://github.com/flutter/flutter/pull/92056) Migrate xcdevice and ios devices to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92059](https://github.com/flutter/flutter/pull/92059) Roll Plugins from 9e46048ad2e1 to aae841aa5a70 (1 revision) (cla: yes, waiting for tree to go green)
[92062](https://github.com/flutter/flutter/pull/92062) feat: migrate install_manifest.dart to null-safety (tool, cla: yes, waiting for tree to go green)
[92064](https://github.com/flutter/flutter/pull/92064) [flutter_conductor] validate git parsed version and release branch match (team, cla: yes, waiting for tree to go green)
[92065](https://github.com/flutter/flutter/pull/92065) Remove sandbox entitlement to allow tests to run on big sur. (team, cla: yes, waiting for tree to go green, integration_test, warning: land on red to fix tree breakage)
[92066](https://github.com/flutter/flutter/pull/92066) Add android:exported property to support API 31 for deferred components test (team, cla: yes, waiting for tree to go green, integration_test)
[92082](https://github.com/flutter/flutter/pull/92082) Roll Engine from faa45f497f92 to 910395ef686f (9 revisions) (cla: yes, waiting for tree to go green)
[92088](https://github.com/flutter/flutter/pull/92088) Revert "Add `TooltipVisibility` widget" (framework, f: material design, cla: yes)
[92090](https://github.com/flutter/flutter/pull/92090) Reland "Add TooltipVisibility widget" (framework, f: material design, cla: yes, waiting for tree to go green)
[92099](https://github.com/flutter/flutter/pull/92099) Roll Engine from 910395ef686f to 9830def3a494 (2 revisions) (cla: yes, waiting for tree to go green)
[92104](https://github.com/flutter/flutter/pull/92104) [flutter_releases] Flutter beta 2.7.0-3.0.pre Framework Cherrypicks (engine, cla: yes)
[92106](https://github.com/flutter/flutter/pull/92106) Revert "Update outdated runners in the benchmarks folder" (team, tool, cla: yes, integration_test)
[92110](https://github.com/flutter/flutter/pull/92110) Roll Plugins from aae841aa5a70 to fbb7d3aa514b (1 revision) (cla: yes, waiting for tree to go green)
[92118](https://github.com/flutter/flutter/pull/92118) Set exported to true to allow external adb to start app for CI (team, cla: yes, waiting for tree to go green, integration_test)
[92122](https://github.com/flutter/flutter/pull/92122) [ci.yaml] Only run test ownership on tot (cla: yes, waiting for tree to go green)
[92124](https://github.com/flutter/flutter/pull/92124) Migrate mdns_discovery and ios simulator to null safety (a: text input, tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92125](https://github.com/flutter/flutter/pull/92125) Roll Plugins from fbb7d3aa514b to 3bffbf87fe96 (1 revision) (cla: yes, waiting for tree to go green)
[92126](https://github.com/flutter/flutter/pull/92126) Roll Engine from 9830def3a494 to 112fb84b5dc1 (4 revisions) (cla: yes, waiting for tree to go green)
[92128](https://github.com/flutter/flutter/pull/92128) Migrate android_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92131](https://github.com/flutter/flutter/pull/92131) Migrate doctor to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92134](https://github.com/flutter/flutter/pull/92134) [web] enable CanvasKit tests using a local bundle fetched from CIPD (a: tests, team, tool, framework, cla: yes)
[92141](https://github.com/flutter/flutter/pull/92141) Add devicelab benchmark tags support (team, cla: yes, waiting for tree to go green)
[92143](https://github.com/flutter/flutter/pull/92143) Roll Plugins from 3bffbf87fe96 to fecd22e1de55 (1 revision) (cla: yes, waiting for tree to go green)
[92146](https://github.com/flutter/flutter/pull/92146) Roll Engine from 112fb84b5dc1 to e6a4610ebd4c (6 revisions) (cla: yes, waiting for tree to go green)
[92147](https://github.com/flutter/flutter/pull/92147) Migrate integration test shard test data to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92151](https://github.com/flutter/flutter/pull/92151) Roll Engine from e6a4610ebd4c to 115c859b2cfb (2 revisions) (cla: yes, waiting for tree to go green)
[92158](https://github.com/flutter/flutter/pull/92158) Roll Engine from 115c859b2cfb to 9594a68aa2b9 (2 revisions) (cla: yes, waiting for tree to go green)
[92167](https://github.com/flutter/flutter/pull/92167) Update clipboard status on cut (a: text input, framework, f: material design, cla: yes, f: cupertino)
[92187](https://github.com/flutter/flutter/pull/92187) [conductor] Added a generic tooltip widget (team, cla: yes)
[92192](https://github.com/flutter/flutter/pull/92192) Roll Plugins from fecd22e1de55 to b8aea6d0e73d (3 revisions) (cla: yes, waiting for tree to go green)
[92193](https://github.com/flutter/flutter/pull/92193) Roll Engine from 9594a68aa2b9 to 88428f36db1d (4 revisions) (cla: yes, waiting for tree to go green)
[92200](https://github.com/flutter/flutter/pull/92200) [conductor] disabled flutter sandbox (team, cla: yes)
[92204](https://github.com/flutter/flutter/pull/92204) Roll Engine from 88428f36db1d to d54f439cdae5 (1 revision) (cla: yes, waiting for tree to go green)
[92211](https://github.com/flutter/flutter/pull/92211) remove Downloading ... stderr messages (tool, cla: yes, waiting for tree to go green)
[92213](https://github.com/flutter/flutter/pull/92213) Roll Engine from d54f439cdae5 to 69156d8af006 (2 revisions) (cla: yes, waiting for tree to go green)
[92214](https://github.com/flutter/flutter/pull/92214) Roll Plugins from b8aea6d0e73d to cdbd62b4185e (1 revision) (cla: yes, waiting for tree to go green)
[92216](https://github.com/flutter/flutter/pull/92216) [ci.yaml] Main branch support (cla: yes, waiting for tree to go green)
[92218](https://github.com/flutter/flutter/pull/92218) [ci.yaml] Explicitly use scheduler==luci (cla: yes, waiting for tree to go green)
[92219](https://github.com/flutter/flutter/pull/92219) [flutter_conductor] remove old conductor entrypoint (team, cla: yes, waiting for tree to go green)
[92220](https://github.com/flutter/flutter/pull/92220) Reland "Enable caching of CPU samples collected at application startup (#89600)" (tool, cla: yes)
[92222](https://github.com/flutter/flutter/pull/92222) Roll Engine from 69156d8af006 to 8c38444e64ad (1 revision) (cla: yes, waiting for tree to go green)
[92223](https://github.com/flutter/flutter/pull/92223) Roll Engine from 8c38444e64ad to f4b81b133eba (3 revisions) (cla: yes, waiting for tree to go green)
[92224](https://github.com/flutter/flutter/pull/92224) Roll Plugins from cdbd62b4185e to c85fa03771ca (1 revision) (cla: yes, waiting for tree to go green)
[92230](https://github.com/flutter/flutter/pull/92230) Roll Engine from f4b81b133eba to 1c173ca64de8 (3 revisions) (cla: yes, waiting for tree to go green)
[92233](https://github.com/flutter/flutter/pull/92233) Roll Engine from 1c173ca64de8 to ce74cbc3ce63 (1 revision) (cla: yes, waiting for tree to go green)
[92235](https://github.com/flutter/flutter/pull/92235) Revert "Reland "Enable caching of CPU samples collected at application startup (#89600)"" (tool, cla: yes)
[92237](https://github.com/flutter/flutter/pull/92237) Roll Engine from ce74cbc3ce63 to d4e270979102 (2 revisions) (cla: yes, waiting for tree to go green)
[92239](https://github.com/flutter/flutter/pull/92239) Roll Engine from d4e270979102 to e83934323379 (1 revision) (cla: yes, waiting for tree to go green)
[92245](https://github.com/flutter/flutter/pull/92245) Fix typos (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[92246](https://github.com/flutter/flutter/pull/92246) Roll Engine from e83934323379 to 6c28e5f004cd (1 revision) (cla: yes, waiting for tree to go green)
[92253](https://github.com/flutter/flutter/pull/92253) Roll Engine from 6c28e5f004cd to 5ab9c83d7dc8 (1 revision) (cla: yes, waiting for tree to go green)
[92269](https://github.com/flutter/flutter/pull/92269) Roll Engine from 5ab9c83d7dc8 to d8a54333e57b (2 revisions) (cla: yes, waiting for tree to go green)
[92271](https://github.com/flutter/flutter/pull/92271) Ignore analyzer implict dynamic checks for js_util generic return type (a: text input, team, cla: yes, waiting for tree to go green, integration_test)
[92272](https://github.com/flutter/flutter/pull/92272) [fuchsia] delete fuchsia_attach as it is no longer being used (tool, cla: yes)
[92277](https://github.com/flutter/flutter/pull/92277) [web] fix web_e2e_tests README (team, cla: yes, waiting for tree to go green, integration_test)
[92281](https://github.com/flutter/flutter/pull/92281) Update the version of no-response bot. (cla: yes, waiting for tree to go green)
[92282](https://github.com/flutter/flutter/pull/92282) Roll Plugins from c85fa03771ca to 5eec1e61d40c (1 revision) (cla: yes, waiting for tree to go green)
[92284](https://github.com/flutter/flutter/pull/92284) Roll Plugins from 5eec1e61d40c to 7df7a8f71a85 (1 revision) (cla: yes, waiting for tree to go green)
[92288](https://github.com/flutter/flutter/pull/92288) Revert "Update the version of no-response bot." (cla: yes)
[92293](https://github.com/flutter/flutter/pull/92293) Roll Plugins from 7df7a8f71a85 to 99fbfbd56fe4 (1 revision) (cla: yes, waiting for tree to go green)
[92295](https://github.com/flutter/flutter/pull/92295) Remove assert that prevents WidgetSpans from being used in SelectableText (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[92303](https://github.com/flutter/flutter/pull/92303) [web] fix race in the image_loading_integration.dart test (team, cla: yes, waiting for tree to go green, integration_test)
[92304](https://github.com/flutter/flutter/pull/92304) Roll Plugins from 99fbfbd56fe4 to 4b6b6b24c7a5 (2 revisions) (cla: yes, waiting for tree to go green)
[92305](https://github.com/flutter/flutter/pull/92305) [web] use local CanvasKit bundle in all e2e tests (team, cla: yes, waiting for tree to go green, integration_test)
[92311](https://github.com/flutter/flutter/pull/92311) Roll Engine from d8a54333e57b to e898106f5306 (10 revisions) (cla: yes, waiting for tree to go green)
[92313](https://github.com/flutter/flutter/pull/92313) Roll Engine from e898106f5306 to a86ce6b22fa8 (1 revision) (cla: yes, waiting for tree to go green)
[92329](https://github.com/flutter/flutter/pull/92329) Ignore `Scaffold` drawer callbacks when value doesn't change (framework, f: material design, cla: yes)
[92332](https://github.com/flutter/flutter/pull/92332) Roll Engine from a86ce6b22fa8 to dcce9739126c (1 revision) (cla: yes, waiting for tree to go green)
[92367](https://github.com/flutter/flutter/pull/92367) Roll Engine from dcce9739126c to ebe877f54e81 (1 revision) (cla: yes, waiting for tree to go green)
[92368](https://github.com/flutter/flutter/pull/92368) Roll Engine from ebe877f54e81 to d39266a72a4f (1 revision) (cla: yes, waiting for tree to go green)
[92390](https://github.com/flutter/flutter/pull/92390) Roll Engine from d39266a72a4f to c80cc613a85c (1 revision) (cla: yes, waiting for tree to go green)
[92396](https://github.com/flutter/flutter/pull/92396) Roll Engine from c80cc613a85c to e39989b36af2 (1 revision) (cla: yes, waiting for tree to go green)
[92401](https://github.com/flutter/flutter/pull/92401) Roll Engine from e39989b36af2 to 35ebc10913ce (2 revisions) (cla: yes, waiting for tree to go green)
[92420](https://github.com/flutter/flutter/pull/92420) Roll Plugins from 4b6b6b24c7a5 to 94b836eca365 (1 revision) (cla: yes, waiting for tree to go green)
[92423](https://github.com/flutter/flutter/pull/92423) Marks Mac_ios platform_view_ios__start_up to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[92428](https://github.com/flutter/flutter/pull/92428) Roll Engine from 35ebc10913ce to 4797fb0111d7 (1 revision) (cla: yes, waiting for tree to go green)
[92432](https://github.com/flutter/flutter/pull/92432) Roll Engine from 4797fb0111d7 to 65af9702699c (1 revision) (cla: yes, waiting for tree to go green)
[92441](https://github.com/flutter/flutter/pull/92441) Roll Engine from 65af9702699c to f9bd71bf13bb (3 revisions) (cla: yes, waiting for tree to go green)
[92442](https://github.com/flutter/flutter/pull/92442) [ci.yaml] Disable plugins_test on release branches (cla: yes, waiting for tree to go green)
[92443](https://github.com/flutter/flutter/pull/92443) Removed primaryVariant from usage by the SnackBar. (framework, f: material design, cla: yes)
[92446](https://github.com/flutter/flutter/pull/92446) Update dartdoc to 4.1.0. (team, cla: yes, waiting for tree to go green)
[92450](https://github.com/flutter/flutter/pull/92450) Improve how AttributedStrings are presented in the widget inspector (framework, a: accessibility, cla: yes, waiting for tree to go green)
[92455](https://github.com/flutter/flutter/pull/92455) Roll Engine from f9bd71bf13bb to 925bae45ee95 (3 revisions) (cla: yes, waiting for tree to go green)
[92486](https://github.com/flutter/flutter/pull/92486) fix a throw due to double precison (framework, f: material design, cla: yes, waiting for tree to go green)
[92508](https://github.com/flutter/flutter/pull/92508) Run flutter tester with arch -x86_64 on arm64 Mac (tool, platform-mac, cla: yes, waiting for tree to go green, platform-host-arm)
[92511](https://github.com/flutter/flutter/pull/92511) Set TargetFile define for resident builds (tool, cla: yes)
[92516](https://github.com/flutter/flutter/pull/92516) [release_dashboard] Remove project (team, cla: yes, waiting for tree to go green)
[92520](https://github.com/flutter/flutter/pull/92520) Add integration_test to flavor test project (team, platform-android, platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode, integration_test)
[92529](https://github.com/flutter/flutter/pull/92529) [flutter_tools] Skip create_test test (tool, cla: yes)
[92530](https://github.com/flutter/flutter/pull/92530) Add extra benchmark metrics to test name in addition to builder name (team, cla: yes, waiting for tree to go green, team: benchmark)
[92534](https://github.com/flutter/flutter/pull/92534) Remove the pub offline flag from tests of the flutter_tools create command (tool, cla: yes, waiting for tree to go green)
[92539](https://github.com/flutter/flutter/pull/92539) Roll Engine from 925bae45ee95 to fbad0fda670f (20 revisions) (cla: yes, waiting for tree to go green)
[92544](https://github.com/flutter/flutter/pull/92544) Revert "Fix ActivateIntent overriding the spacebar for text entry" (a: text input, framework, cla: yes)
[92546](https://github.com/flutter/flutter/pull/92546) Roll Plugins from 94b836eca365 to 0d330943941a (3 revisions) (cla: yes, waiting for tree to go green)
[92554](https://github.com/flutter/flutter/pull/92554) Roll Engine from fbad0fda670f to 8948972d65c4 (5 revisions) (cla: yes, waiting for tree to go green)
[92557](https://github.com/flutter/flutter/pull/92557) feat: migrate ios/bitcode.dart to null safety (tool, cla: yes, waiting for tree to go green)
[92558](https://github.com/flutter/flutter/pull/92558) Roll Engine from 8948972d65c4 to 38203d211aba (2 revisions) (cla: yes, waiting for tree to go green)
[92576](https://github.com/flutter/flutter/pull/92576) Roll Engine from 38203d211aba to 1e96a7773a13 (1 revision) (cla: yes, waiting for tree to go green)
[92580](https://github.com/flutter/flutter/pull/92580) Roll Engine from 1e96a7773a13 to 21cc99dad491 (1 revision) (cla: yes, waiting for tree to go green)
[92585](https://github.com/flutter/flutter/pull/92585) Roll Plugins from 0d330943941a to 42364e49fc25 (1 revision) (cla: yes, waiting for tree to go green)
[92587](https://github.com/flutter/flutter/pull/92587) Add support for running tests through debug-adapter (tool, cla: yes)
[92588](https://github.com/flutter/flutter/pull/92588) Roll Engine from 21cc99dad491 to 9461262f6c0c (2 revisions) (cla: yes, waiting for tree to go green)
[92592](https://github.com/flutter/flutter/pull/92592) Roll Engine from 9461262f6c0c to 6ffe7888ec27 (4 revisions) (cla: yes, waiting for tree to go green)
[92594](https://github.com/flutter/flutter/pull/92594) [flutter_conductor] Lift rev parse in conductor (team, cla: yes)
[92598](https://github.com/flutter/flutter/pull/92598) Leader not always dirty (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[92600](https://github.com/flutter/flutter/pull/92600) Roll Engine from 6ffe7888ec27 to 883518c02f24 (1 revision) (cla: yes, waiting for tree to go green)
[92602](https://github.com/flutter/flutter/pull/92602) Differentiate between TalkBack versions for semantics tests. (team, a: accessibility, cla: yes, integration_test)
[92604](https://github.com/flutter/flutter/pull/92604) [flutter_tools] xcresult parser. (tool, cla: yes, waiting for tree to go green, t: xcode)
[92605](https://github.com/flutter/flutter/pull/92605) [flutter_releases] Flutter beta 2.7.0-3.1.pre Framework Cherrypicks (engine, cla: yes)
[92609](https://github.com/flutter/flutter/pull/92609) Roll Plugins from 42364e49fc25 to 984015dffebb (1 revision) (cla: yes, waiting for tree to go green)
[92610](https://github.com/flutter/flutter/pull/92610) Roll Engine from 883518c02f24 to bb173be329fe (2 revisions) (cla: yes, waiting for tree to go green)
[92614](https://github.com/flutter/flutter/pull/92614) Blinking cursor respects TickerMode (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[92617](https://github.com/flutter/flutter/pull/92617) [flutter_conductor] wrap $DART_BIN invocation in double quotes to escape spaces (team, cla: yes)
[92618](https://github.com/flutter/flutter/pull/92618) Roll Plugins from 984015dffebb to 93f04832c622 (5 revisions) (cla: yes, waiting for tree to go green)
[92619](https://github.com/flutter/flutter/pull/92619) Roll Engine from bb173be329fe to 4c4b773e7ef5 (3 revisions) (cla: yes, waiting for tree to go green)
[92620](https://github.com/flutter/flutter/pull/92620) [flutter_releases] conductor fixes (team, cla: yes)
[92624](https://github.com/flutter/flutter/pull/92624) Roll Engine from 4c4b773e7ef5 to 3b091cdebee3 (1 revision) (cla: yes, waiting for tree to go green)
[92626](https://github.com/flutter/flutter/pull/92626) Feature/cpu gpu memory gallery transition tests (team, cla: yes, waiting for tree to go green)
[92633](https://github.com/flutter/flutter/pull/92633) feat: migrate macos/macos_device.dart to null safety (tool, cla: yes, waiting for tree to go green)
[92638](https://github.com/flutter/flutter/pull/92638) Roll Engine from 3b091cdebee3 to 0e0848e2fc04 (4 revisions) (cla: yes, waiting for tree to go green)
[92646](https://github.com/flutter/flutter/pull/92646) feat: migrate test_data/project.dart to null safety (tool, cla: yes, waiting for tree to go green)
[92647](https://github.com/flutter/flutter/pull/92647) [flutter_tools] [iOS] Change UIViewControllerBasedStatusBarAppearance to true to fix rotation status bar disappear in portrait (tool, cla: yes, waiting for tree to go green)
[92649](https://github.com/flutter/flutter/pull/92649) Roll Engine from 0e0848e2fc04 to 450513574bcc (3 revisions) (cla: yes, waiting for tree to go green)
[92668](https://github.com/flutter/flutter/pull/92668) Roll Engine from 450513574bcc to c9dda84396f2 (1 revision) (cla: yes, waiting for tree to go green)
[92670](https://github.com/flutter/flutter/pull/92670) Update Data Table Class with Borders Like Table Widgets (#36837) (framework, f: material design, cla: yes, waiting for tree to go green)
[92677](https://github.com/flutter/flutter/pull/92677) Roll Plugins from 93f04832c622 to 34ea0c3c1a09 (1 revision) (cla: yes, waiting for tree to go green)
[92680](https://github.com/flutter/flutter/pull/92680) Roll Engine from c9dda84396f2 to 191b18d49026 (3 revisions) (cla: yes, waiting for tree to go green)
[92684](https://github.com/flutter/flutter/pull/92684) Roll Engine from 191b18d49026 to 9295037358f5 (1 revision) (cla: yes, waiting for tree to go green)
[92688](https://github.com/flutter/flutter/pull/92688) Roll Engine from 9295037358f5 to 37f1b478eed3 (1 revision) (cla: yes, waiting for tree to go green)
[92690](https://github.com/flutter/flutter/pull/92690) Roll Plugins from 34ea0c3c1a09 to 03622197cc1e (1 revision) (cla: yes, waiting for tree to go green)
[92691](https://github.com/flutter/flutter/pull/92691) Roll Engine from 37f1b478eed3 to a04ec3aaa6f1 (3 revisions) (cla: yes, waiting for tree to go green)
[92694](https://github.com/flutter/flutter/pull/92694) Roll Engine from a04ec3aaa6f1 to ddf4bd598eb3 (3 revisions) (cla: yes, waiting for tree to go green)
[92698](https://github.com/flutter/flutter/pull/92698) InputDecorator floating label origin no longer depends on ThemeData.fixTextFieldOutlineLabel (framework, f: material design, cla: yes)
[92702](https://github.com/flutter/flutter/pull/92702) Roll Engine from ddf4bd598eb3 to 3a0a63c2d209 (12 revisions) (cla: yes, waiting for tree to go green)
[92713](https://github.com/flutter/flutter/pull/92713) Fix typo in the API docs of brightness (framework, f: material design, cla: yes)
[92724](https://github.com/flutter/flutter/pull/92724) Roll Plugins from 03622197cc1e to e51cc1df7b75 (1 revision) (cla: yes, waiting for tree to go green)
[92795](https://github.com/flutter/flutter/pull/92795) Cherrypick an engine revert on flutter-2.8-candidate.2 (engine, cla: yes)
[92800](https://github.com/flutter/flutter/pull/92800) Manually roll the engine and update Gradle dependency locks (team, engine, a: accessibility, cla: yes, d: examples, integration_test)
[92820](https://github.com/flutter/flutter/pull/92820) Revert "Refactor ThemeData (#91497)" (framework, f: material design, cla: yes)
[92847](https://github.com/flutter/flutter/pull/92847) Roll Engine from e781ed8b2980 to 7cee46cca464 (6 revisions) (cla: yes, waiting for tree to go green)
[92850](https://github.com/flutter/flutter/pull/92850) Roll gallery with updated Gradle lockfiles (team, cla: yes)
#### waiting for tree to go green - 836 pull request(s)
[65015](https://github.com/flutter/flutter/pull/65015) PageView resize from zero-size viewport should not lose state (framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green, a: state restoration)
[75110](https://github.com/flutter/flutter/pull/75110) use FadeTransition instead of Opacity where applicable (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[79350](https://github.com/flutter/flutter/pull/79350) Indicate that only physical iOS devices are supported (team, cla: yes, waiting for tree to go green)
[82670](https://github.com/flutter/flutter/pull/82670) Android Q transition by default (framework, f: material design, cla: yes, waiting for tree to go green)
[83028](https://github.com/flutter/flutter/pull/83028) Fix comments (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, documentation)
[83047](https://github.com/flutter/flutter/pull/83047) [Material 3] Add Navigation Bar component to flutter framework. (framework, f: material design, cla: yes, waiting for tree to go green)
[84307](https://github.com/flutter/flutter/pull/84307) Restart input connection after `EditableText.onSubmitted` (a: text input, platform-android, platform-ios, framework, f: material design, a: fidelity, cla: yes, waiting for tree to go green)
[84394](https://github.com/flutter/flutter/pull/84394) Add Snapping Behavior to DraggableScrollableSheet (severe: new feature, team, framework, f: scrolling, cla: yes, d: examples, waiting for tree to go green)
[84611](https://github.com/flutter/flutter/pull/84611) Add native iOS screenshots to integration_test (team, platform-ios, cla: yes, waiting for tree to go green, integration_test)
[84707](https://github.com/flutter/flutter/pull/84707) [integration_test] Fix path in example (cla: yes, waiting for tree to go green)
[84993](https://github.com/flutter/flutter/pull/84993) fix: Preserve state in horizontal stepper (framework, f: material design, cla: yes, waiting for tree to go green)
[85482](https://github.com/flutter/flutter/pull/85482) Fix avoid_renaming_method_parameters for pending analyzer change. (team, framework, f: material design, a: internationalization, cla: yes, waiting for tree to go green)
[85652](https://github.com/flutter/flutter/pull/85652) [new feature] Add support for a RawScrollbar.shape (severe: new feature, framework, f: scrolling, cla: yes, waiting for tree to go green)
[85743](https://github.com/flutter/flutter/pull/85743) Overridable action (framework, cla: yes, waiting for tree to go green)
[86067](https://github.com/flutter/flutter/pull/86067) add margin to vertical stepper (framework, f: material design, cla: yes, waiting for tree to go green)
[86312](https://github.com/flutter/flutter/pull/86312) [autofill] opt-out instead of opt-in (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[86796](https://github.com/flutter/flutter/pull/86796) [EditableText] preserve selection/composition range on unfocus (framework, f: material design, cla: yes, waiting for tree to go green)
[86821](https://github.com/flutter/flutter/pull/86821) Add tag support for executing reduced test sets (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[87022](https://github.com/flutter/flutter/pull/87022) [tools] Add Xcode version to non-verbose Flutter doctor (tool, cla: yes, waiting for tree to go green)
[87076](https://github.com/flutter/flutter/pull/87076) Add a hook for scroll position to notify scrolling context when dimen… (a: tests, framework, a: accessibility, f: scrolling, cla: yes, waiting for tree to go green)
[87109](https://github.com/flutter/flutter/pull/87109) TextField.autofocus should skip the element that never layout (framework, f: material design, cla: yes, waiting for tree to go green)
[87264](https://github.com/flutter/flutter/pull/87264) fix: fix BuildableMacOSApp pass no projectBundleId to super error (tool, cla: yes, waiting for tree to go green)
[87404](https://github.com/flutter/flutter/pull/87404) Fix computeMinIntrinsicHeight in _RenderDecoration (framework, f: material design, cla: yes, waiting for tree to go green)
[87430](https://github.com/flutter/flutter/pull/87430) Update TabPageSelector Semantics Label Localization (framework, f: material design, a: internationalization, cla: yes, waiting for tree to go green)
[87604](https://github.com/flutter/flutter/pull/87604) Use Device specific gesture configuration for scroll views (a: tests, framework, cla: yes, waiting for tree to go green)
[87607](https://github.com/flutter/flutter/pull/87607) Wait for module UI test buttons to be hittable before tapping them (team, cla: yes, team: flakes, waiting for tree to go green)
[87619](https://github.com/flutter/flutter/pull/87619) Don't set the SplashScreenDrawable for new projects (tool, cla: yes, waiting for tree to go green)
[87638](https://github.com/flutter/flutter/pull/87638) Don't display empty tooltips (Tooltips with empty `message` property) (framework, f: material design, cla: yes, waiting for tree to go green)
[87694](https://github.com/flutter/flutter/pull/87694) [ci.yaml] Add dependencies (cla: yes, waiting for tree to go green)
[87698](https://github.com/flutter/flutter/pull/87698) Prevent Scrollbar axis flipping when there is an oriented scroll controller (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green, a: error message)
[87701](https://github.com/flutter/flutter/pull/87701) Roll Engine from a0d89b1a543d to 36eb9a67a8ff (1 revision) (cla: yes, waiting for tree to go green)
[87703](https://github.com/flutter/flutter/pull/87703) Roll Engine from 36eb9a67a8ff to f3ca5fd71537 (5 revisions) (cla: yes, waiting for tree to go green)
[87705](https://github.com/flutter/flutter/pull/87705) Roll Engine from f3ca5fd71537 to 22a29ac9b38c (2 revisions) (cla: yes, waiting for tree to go green)
[87706](https://github.com/flutter/flutter/pull/87706) Roll Engine from 22a29ac9b38c to c3739afe0af6 (1 revision) (cla: yes, waiting for tree to go green)
[87707](https://github.com/flutter/flutter/pull/87707) `showModalBottomSheet` should not dispose the controller provided by user (framework, f: material design, cla: yes, waiting for tree to go green)
[87711](https://github.com/flutter/flutter/pull/87711) Roll Engine from c3739afe0af6 to 381d54e4c78c (1 revision) (cla: yes, waiting for tree to go green)
[87713](https://github.com/flutter/flutter/pull/87713) Roll Engine from 381d54e4c78c to 72250a6c87a1 (1 revision) (cla: yes, waiting for tree to go green)
[87716](https://github.com/flutter/flutter/pull/87716) Roll Engine from 72250a6c87a1 to 2c45b6e652bf (1 revision) (cla: yes, waiting for tree to go green)
[87726](https://github.com/flutter/flutter/pull/87726) Roll Engine from 2c45b6e652bf to f1a759d98ad3 (1 revision) (cla: yes, waiting for tree to go green)
[87731](https://github.com/flutter/flutter/pull/87731) [flutter_tools] Reland "Make upgrade only work with standard remotes" (tool, cla: yes, waiting for tree to go green)
[87740](https://github.com/flutter/flutter/pull/87740) Update MaterialScrollBehavior.buildScrollbar for horizontal axes (framework, f: material design, a: fidelity, f: scrolling, cla: yes, waiting for tree to go green)
[87746](https://github.com/flutter/flutter/pull/87746) Roll Engine from f1a759d98ad3 to 07ec4b82c71c (3 revisions) (cla: yes, waiting for tree to go green)
[87747](https://github.com/flutter/flutter/pull/87747) Categorize flutter tool commands (tool, cla: yes, waiting for tree to go green)
[87750](https://github.com/flutter/flutter/pull/87750) [ci.yaml] Add gradle cache to devicelab host only targets (cla: yes, waiting for tree to go green)
[87751](https://github.com/flutter/flutter/pull/87751) Roll Engine from 07ec4b82c71c to 4092390a6c29 (1 revision) (cla: yes, waiting for tree to go green)
[87752](https://github.com/flutter/flutter/pull/87752) Roll Engine from 4092390a6c29 to 431ac604da1b (1 revision) (cla: yes, waiting for tree to go green)
[87763](https://github.com/flutter/flutter/pull/87763) Roll Engine from 431ac604da1b to c0e59bc7b65e (1 revision) (cla: yes, waiting for tree to go green)
[87767](https://github.com/flutter/flutter/pull/87767) Notification doc fixes (framework, cla: yes, waiting for tree to go green)
[87775](https://github.com/flutter/flutter/pull/87775) Fix the showBottomSheet controller leaking (framework, a: animation, f: material design, cla: yes, a: quality, waiting for tree to go green, perf: memory)
[87792](https://github.com/flutter/flutter/pull/87792) Change hitTest signatures to be non-nullable (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[87801](https://github.com/flutter/flutter/pull/87801) Fix precision error in NestedScrollView (framework, f: scrolling, cla: yes, waiting for tree to go green)
[87814](https://github.com/flutter/flutter/pull/87814) [ci.yaml] Fix firebase recipe, xcode version, and web_benchmarks (cla: yes, waiting for tree to go green)
[87824](https://github.com/flutter/flutter/pull/87824) Fix null check for content dimensions in page getter (framework, cla: yes, waiting for tree to go green)
[87829](https://github.com/flutter/flutter/pull/87829) Roll Engine from c0e59bc7b65e to 4fef55db1031 (12 revisions) (cla: yes, waiting for tree to go green)
[87839](https://github.com/flutter/flutter/pull/87839) Android 12 overscroll stretch effect (severe: new feature, platform-android, framework, f: material design, f: scrolling, cla: yes, f: cupertino, f: gestures, customer: crowd, waiting for tree to go green, customer: money (g3), will affect goldens, e: OS Version specific)
[87859](https://github.com/flutter/flutter/pull/87859) Use `{{projectName}}` as BINARY_NAME and CMake project name in UWP template (tool, cla: yes, waiting for tree to go green, e: uwp)
[87872](https://github.com/flutter/flutter/pull/87872) Fix compile error in SliverAppBar sample code (framework, f: material design, cla: yes, waiting for tree to go green)
[87919](https://github.com/flutter/flutter/pull/87919) [ci.yaml] Add clang to tool integration tests, gems fix (cla: yes, waiting for tree to go green)
[87929](https://github.com/flutter/flutter/pull/87929) [docs] spelling correction for showModalBottomSheet docs in bottom sheet file (framework, f: material design, cla: yes, waiting for tree to go green)
[87930](https://github.com/flutter/flutter/pull/87930) refactor IosProject and MacOSProject to extends XcodeBasedProject to share common (tool, cla: yes, waiting for tree to go green)
[87949](https://github.com/flutter/flutter/pull/87949) Small Doc improvements: default value for enableInteractiveSelection. (framework, cla: yes, waiting for tree to go green)
[87962](https://github.com/flutter/flutter/pull/87962) Fix errors in examples (a: tests, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[87971](https://github.com/flutter/flutter/pull/87971) [EditableText] call `onSelectionChanged` only when there are actual selection/cause changes (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[87973](https://github.com/flutter/flutter/pull/87973) [TextInput] minor fixes (framework, cla: yes, waiting for tree to go green)
[87976](https://github.com/flutter/flutter/pull/87976) feat: migrate macos/application_package.dart to null-safety (tool, cla: yes, waiting for tree to go green)
[87991](https://github.com/flutter/flutter/pull/87991) Add dartPluginClass support for Android and iOS (tool, cla: yes, waiting for tree to go green)
[88013](https://github.com/flutter/flutter/pull/88013) Refactor iOS integration_test API to support Swift, dynamically add native tests (platform-ios, cla: yes, waiting for tree to go green, integration_test)
[88015](https://github.com/flutter/flutter/pull/88015) feat: migrate base/dds.dart to null-safety (tool, cla: yes, waiting for tree to go green)
[88019](https://github.com/flutter/flutter/pull/88019) add `?` in Checkbox onChanged property (framework, f: material design, cla: yes, waiting for tree to go green)
[88030](https://github.com/flutter/flutter/pull/88030) Deferred components integration test app (team, platform-android, framework, cla: yes, t: flutter driver, waiting for tree to go green, integration_test)
[88036](https://github.com/flutter/flutter/pull/88036) Roll Engine from 4fef55db1031 to d8bbebed60a7 (45 revisions) (cla: yes, waiting for tree to go green)
[88042](https://github.com/flutter/flutter/pull/88042) Fix incorrect logging. (tool, cla: yes, waiting for tree to go green)
[88048](https://github.com/flutter/flutter/pull/88048) [ci.yaml] Add ci_yaml roller (cla: yes, waiting for tree to go green)
[88055](https://github.com/flutter/flutter/pull/88055) Roll Engine from d8bbebed60a7 to 4daceb95f2b0 (9 revisions) (cla: yes, waiting for tree to go green)
[88061](https://github.com/flutter/flutter/pull/88061) Update the timeouts since tests time out after 15 minutes not 30 seconds (tool, cla: yes, waiting for tree to go green)
[88067](https://github.com/flutter/flutter/pull/88067) remove _AbortingSemanticsFragment (framework, cla: yes, waiting for tree to go green)
[88072](https://github.com/flutter/flutter/pull/88072) Roll Engine from 4daceb95f2b0 to a2e60472a979 (10 revisions) (cla: yes, waiting for tree to go green)
[88074](https://github.com/flutter/flutter/pull/88074) Update flutter create templates for Xcode 13 (platform-ios, tool, platform-mac, cla: yes, waiting for tree to go green, t: xcode)
[88076](https://github.com/flutter/flutter/pull/88076) Support flutter create --platform singular flag (tool, cla: yes, waiting for tree to go green)
[88081](https://github.com/flutter/flutter/pull/88081) feat: migrate windows/application_package.dart to null-safety (tool, cla: yes, waiting for tree to go green)
[88095](https://github.com/flutter/flutter/pull/88095) feat: migrate fuchsia/application_package.dart to null-safe (tool, cla: yes, waiting for tree to go green)
[88115](https://github.com/flutter/flutter/pull/88115) Roll Engine from a2e60472a979 to 06da8b0c078d (1 revision) (cla: yes, waiting for tree to go green)
[88116](https://github.com/flutter/flutter/pull/88116) [flutter_tool] Fix DesktopLogReader to capture all output (tool, cla: yes, waiting for tree to go green)
[88117](https://github.com/flutter/flutter/pull/88117) Add platform tags to devicelab tests (cla: yes, waiting for tree to go green)
[88121](https://github.com/flutter/flutter/pull/88121) Roll Engine from 06da8b0c078d to 8bf3cc67e587 (6 revisions) (cla: yes, waiting for tree to go green)
[88122](https://github.com/flutter/flutter/pull/88122) Makes PlatformInformationProvider aware of the browser default route … (framework, cla: yes, f: routes, waiting for tree to go green)
[88123](https://github.com/flutter/flutter/pull/88123) Bump snippets to 0.2.3, fix redundant global activate in docs.sh (team, cla: yes, waiting for tree to go green)
[88127](https://github.com/flutter/flutter/pull/88127) Roll Engine from 8bf3cc67e587 to 670a681c1d77 (1 revision) (cla: yes, waiting for tree to go green)
[88129](https://github.com/flutter/flutter/pull/88129) Revert "Update MaterialScrollBehavior.buildScrollbar for horizontal axes" (framework, f: material design, cla: yes, waiting for tree to go green)
[88132](https://github.com/flutter/flutter/pull/88132) Roll Engine from 670a681c1d77 to b3248764e4dd (1 revision) (cla: yes, waiting for tree to go green)
[88133](https://github.com/flutter/flutter/pull/88133) Bump to Gradle 7 and use Open JDK 11 (team, cla: yes, waiting for tree to go green)
[88137](https://github.com/flutter/flutter/pull/88137) Make doctor Xcode version requirement clearer (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[88141](https://github.com/flutter/flutter/pull/88141) Add favicon link to web template (tool, cla: yes, waiting for tree to go green)
[88144](https://github.com/flutter/flutter/pull/88144) Rename IOSDeviceInterface to IOSDeviceConnectionInterface (platform-ios, tool, cla: yes, waiting for tree to go green, tech-debt)
[88152](https://github.com/flutter/flutter/pull/88152) fix a scrollbar updating bug (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green)
[88178](https://github.com/flutter/flutter/pull/88178) [flutter_tools] Fix hang in DesktopLogReader (tool, cla: yes, waiting for tree to go green)
[88183](https://github.com/flutter/flutter/pull/88183) Revert "[EditableText] call `onSelectionChanged` only when there're actual selection/cause changes" (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[88186](https://github.com/flutter/flutter/pull/88186) Roll Engine from b3248764e4dd to 6227940c3a06 (17 revisions) (cla: yes, waiting for tree to go green)
[88193](https://github.com/flutter/flutter/pull/88193) Autocomplete: support asynchronous options (a: text input, severe: new feature, framework, cla: yes, waiting for tree to go green)
[88195](https://github.com/flutter/flutter/pull/88195) Roll Plugins from 60100908443f to c8570fc681d8 (17 revisions) (cla: yes, waiting for tree to go green)
[88201](https://github.com/flutter/flutter/pull/88201) Fix URL construction in the test entry point generated by the web bootstrap script (tool, cla: yes, waiting for tree to go green)
[88203](https://github.com/flutter/flutter/pull/88203) Roll Plugins from c8570fc681d8 to 3ae3a027e40d (3 revisions) (cla: yes, waiting for tree to go green)
[88213](https://github.com/flutter/flutter/pull/88213) Roll Engine from b3248764e4dd to a447901bc58b (30 revisions) (cla: yes, waiting for tree to go green)
[88216](https://github.com/flutter/flutter/pull/88216) Roll Engine from a447901bc58b to 1af0a207932d (4 revisions) (cla: yes, waiting for tree to go green)
[88244](https://github.com/flutter/flutter/pull/88244) Roll Plugins from 3ae3a027e40d to 99c5f6139a19 (1 revision) (cla: yes, waiting for tree to go green)
[88253](https://github.com/flutter/flutter/pull/88253) Make structuredErrors to not mess up with onError (framework, cla: yes, a: quality, waiting for tree to go green, a: error message)
[88264](https://github.com/flutter/flutter/pull/88264) Move the documentation for `compute` to the `ComputeImpl` typedef (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[88282](https://github.com/flutter/flutter/pull/88282) Marks Linux test_ownership to be unflaky (cla: yes, waiting for tree to go green)
[88292](https://github.com/flutter/flutter/pull/88292) Roll Engine from 1af0a207932d to 9d33093d6b6a (8 revisions) (cla: yes, waiting for tree to go green)
[88295](https://github.com/flutter/flutter/pull/88295) Add theme support for choosing android overscroll indicator (severe: new feature, platform-android, framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green)
[88307](https://github.com/flutter/flutter/pull/88307) Roll Engine from 9d33093d6b6a to 7dc8eba6aeaa (4 revisions) (cla: yes, waiting for tree to go green)
[88308](https://github.com/flutter/flutter/pull/88308) clean up stale or unnecessary TODOS (a: tests, team, tool, framework, cla: yes, waiting for tree to go green, tech-debt)
[88309](https://github.com/flutter/flutter/pull/88309) Take DPR into account for image inversion (team, framework, cla: yes, waiting for tree to go green)
[88310](https://github.com/flutter/flutter/pull/88310) Avoid retaining routes when subscriptions are cleared (framework, cla: yes, waiting for tree to go green)
[88311](https://github.com/flutter/flutter/pull/88311) Roll Engine from 7dc8eba6aeaa to ae0401df460a (4 revisions) (cla: yes, waiting for tree to go green)
[88317](https://github.com/flutter/flutter/pull/88317) Roll Plugins from 99c5f6139a19 to 954041d5bc76 (1 revision) (cla: yes, waiting for tree to go green)
[88318](https://github.com/flutter/flutter/pull/88318) Enable soft transition for tooltip (framework, a: accessibility, cla: yes, waiting for tree to go green)
[88319](https://github.com/flutter/flutter/pull/88319) Reland: Bump to Gradle 7 and use Open JDK 11 (team, cla: yes, waiting for tree to go green)
[88320](https://github.com/flutter/flutter/pull/88320) migrate vm service to null safety (tool, cla: yes, waiting for tree to go green)
[88322](https://github.com/flutter/flutter/pull/88322) Fix race conditions in test_driver for tool tests (tool, cla: yes, waiting for tree to go green)
[88342](https://github.com/flutter/flutter/pull/88342) Fixed leak and removed no-shuffle tag in test/gestures/tap_test.dart (framework, cla: yes, waiting for tree to go green)
[88360](https://github.com/flutter/flutter/pull/88360) Roll Plugins from 954041d5bc76 to c52ae9fdf175 (1 revision) (cla: yes, waiting for tree to go green)
[88363](https://github.com/flutter/flutter/pull/88363) Roll Plugins from c52ae9fdf175 to d58036f45d82 (1 revision) (cla: yes, waiting for tree to go green)
[88365](https://github.com/flutter/flutter/pull/88365) Add fixes for AppBar deprecations (team, framework, f: material design, cla: yes, waiting for tree to go green, tech-debt)
[88367](https://github.com/flutter/flutter/pull/88367) Revert "feat: migrate base/dds.dart to null-safety" (tool, cla: yes, waiting for tree to go green)
[88368](https://github.com/flutter/flutter/pull/88368) Roll Plugins from d58036f45d82 to 04ea39acd6d8 (1 revision) (cla: yes, waiting for tree to go green)
[88375](https://github.com/flutter/flutter/pull/88375) Fixed leak and removed no-shuffle tag on scaffold_test.dart (framework, f: material design, cla: yes, waiting for tree to go green)
[88379](https://github.com/flutter/flutter/pull/88379) Typo fixes (framework, cla: yes, waiting for tree to go green)
[88382](https://github.com/flutter/flutter/pull/88382) Migrate dds.dart to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88383](https://github.com/flutter/flutter/pull/88383) reland disable ideographic script test on web (framework, cla: yes, waiting for tree to go green, CQ+1)
[88384](https://github.com/flutter/flutter/pull/88384) [tools] Fix Android Studio duplicate detection (tool, cla: yes, waiting for tree to go green)
[88391](https://github.com/flutter/flutter/pull/88391) Fix BoxDecoration crash with BorderRadiusDirectional (framework, cla: yes, waiting for tree to go green)
[88396](https://github.com/flutter/flutter/pull/88396) Run plugin_lint_mac task when either flutter_tools or integration_test packages change (a: tests, team, tool, cla: yes, waiting for tree to go green, integration_test)
[88397](https://github.com/flutter/flutter/pull/88397) Roll Engine from ae0401df460a to 21b0af6be81b (25 revisions) (cla: yes, waiting for tree to go green)
[88399](https://github.com/flutter/flutter/pull/88399) Roll Plugins from 04ea39acd6d8 to 90fd90ed6257 (1 revision) (cla: yes, waiting for tree to go green)
[88400](https://github.com/flutter/flutter/pull/88400) Roll Engine from 21b0af6be81b to 9d241d3f524d (2 revisions) (cla: yes, waiting for tree to go green)
[88402](https://github.com/flutter/flutter/pull/88402) Roll Engine from 9d241d3f524d to 0591aba23c3b (3 revisions) (cla: yes, waiting for tree to go green)
[88404](https://github.com/flutter/flutter/pull/88404) Verbosify and print every command in ios_content_validation_test (tool, cla: yes, team: flakes, waiting for tree to go green)
[88406](https://github.com/flutter/flutter/pull/88406) Roll Engine from 0591aba23c3b to b13c7656750b (1 revision) (cla: yes, waiting for tree to go green)
[88410](https://github.com/flutter/flutter/pull/88410) Roll Engine from b13c7656750b to a27da3eeb6b3 (1 revision) (cla: yes, waiting for tree to go green)
[88415](https://github.com/flutter/flutter/pull/88415) Roll Engine from a27da3eeb6b3 to 99df75c44e15 (2 revisions) (cla: yes, waiting for tree to go green)
[88418](https://github.com/flutter/flutter/pull/88418) Roll Engine from 99df75c44e15 to dc5813ac2a89 (1 revision) (cla: yes, waiting for tree to go green)
[88426](https://github.com/flutter/flutter/pull/88426) Fixed leak and removed no-shuffle tag in ticker_test.dart (framework, cla: yes, waiting for tree to go green)
[88427](https://github.com/flutter/flutter/pull/88427) createTestImage refactor (a: tests, framework, cla: yes, waiting for tree to go green)
[88433](https://github.com/flutter/flutter/pull/88433) Roll Plugins from 90fd90ed6257 to af2896b199ec (1 revision) (cla: yes, waiting for tree to go green)
[88447](https://github.com/flutter/flutter/pull/88447) Upload devicelab test metrics from test runner (team, cla: yes, waiting for tree to go green)
[88448](https://github.com/flutter/flutter/pull/88448) Roll Engine from dc5813ac2a89 to 3a4b2d1b9449 (1 revision) (cla: yes, waiting for tree to go green)
[88451](https://github.com/flutter/flutter/pull/88451) Update web tests ownership (cla: yes, waiting for tree to go green)
[88454](https://github.com/flutter/flutter/pull/88454) Avoid reporting frame/raster times for large image changer (team, cla: yes, waiting for tree to go green)
[88455](https://github.com/flutter/flutter/pull/88455) Reland remove DefaultShaderWarmup (team, framework, cla: yes, d: examples, waiting for tree to go green)
[88457](https://github.com/flutter/flutter/pull/88457) Add package_name for consistency across all platforms in version.json (tool, cla: yes, waiting for tree to go green)
[88459](https://github.com/flutter/flutter/pull/88459) Roll Engine from 3a4b2d1b9449 to 6d6ce34330e2 (4 revisions) (cla: yes, waiting for tree to go green)
[88468](https://github.com/flutter/flutter/pull/88468) Roll Engine from 6d6ce34330e2 to c7c9aa096a42 (1 revision) (cla: yes, waiting for tree to go green)
[88473](https://github.com/flutter/flutter/pull/88473) Write timelines to separate files (cla: yes, waiting for tree to go green)
[88474](https://github.com/flutter/flutter/pull/88474) Roll Engine from c7c9aa096a42 to d5b410ec502a (3 revisions) (cla: yes, waiting for tree to go green)
[88475](https://github.com/flutter/flutter/pull/88475) Skip flaky 'Child windows can handle touches' test in `android_views` integration test (team, cla: yes, waiting for tree to go green)
[88477](https://github.com/flutter/flutter/pull/88477) Framework can receive TextEditingDeltas from engine (framework, f: material design, cla: yes, waiting for tree to go green)
[88478](https://github.com/flutter/flutter/pull/88478) Roll Engine from d5b410ec502a to 4c7e33a4248e (1 revision) (cla: yes, waiting for tree to go green)
[88481](https://github.com/flutter/flutter/pull/88481) Roll Engine from 4c7e33a4248e to bf63412ef75d (2 revisions) (cla: yes, waiting for tree to go green)
[88482](https://github.com/flutter/flutter/pull/88482) Revert "Reland "Android Q transition by default (#82670)"" (tool, framework, f: material design, cla: yes, waiting for tree to go green)
[88488](https://github.com/flutter/flutter/pull/88488) Roll Engine from bf63412ef75d to 5d08804d394e (1 revision) (cla: yes, waiting for tree to go green)
[88490](https://github.com/flutter/flutter/pull/88490) Roll Engine from 5d08804d394e to 609295afd7c6 (1 revision) (cla: yes, waiting for tree to go green)
[88494](https://github.com/flutter/flutter/pull/88494) Roll Engine from 609295afd7c6 to 9a54e9e05c96 (3 revisions) (cla: yes, waiting for tree to go green)
[88517](https://github.com/flutter/flutter/pull/88517) Roll Engine from 9a54e9e05c96 to 27696e7b2995 (2 revisions) (cla: yes, waiting for tree to go green)
[88529](https://github.com/flutter/flutter/pull/88529) Roll Engine from 27696e7b2995 to 9001c03e3265 (2 revisions) (cla: yes, waiting for tree to go green)
[88530](https://github.com/flutter/flutter/pull/88530) Roll Plugins from af2896b199ec to a22f5912f6ba (1 revision) (cla: yes, waiting for tree to go green)
[88540](https://github.com/flutter/flutter/pull/88540) Reland: Bump to Gradle 7 and use Open JDK 11 (cla: yes, waiting for tree to go green)
[88544](https://github.com/flutter/flutter/pull/88544) Roll Engine from 9001c03e3265 to b482f5ad0230 (6 revisions) (cla: yes, waiting for tree to go green)
[88553](https://github.com/flutter/flutter/pull/88553) Roll Engine from b482f5ad0230 to b20c1a37749d (4 revisions) (cla: yes, waiting for tree to go green)
[88562](https://github.com/flutter/flutter/pull/88562) Roll Engine from b20c1a37749d to 17ddfb3ee4f7 (4 revisions) (cla: yes, waiting for tree to go green)
[88576](https://github.com/flutter/flutter/pull/88576) fixes DropdownButton ignoring itemHeight in popup menu (#88574) (framework, f: material design, cla: yes, waiting for tree to go green)
[88583](https://github.com/flutter/flutter/pull/88583) Roll Engine from 17ddfb3ee4f7 to d29cda9ef58e (4 revisions) (cla: yes, waiting for tree to go green)
[88595](https://github.com/flutter/flutter/pull/88595) Roll Plugins from a22f5912f6ba to b1fe1912e016 (4 revisions) (cla: yes, waiting for tree to go green)
[88599](https://github.com/flutter/flutter/pull/88599) Roll Engine from d29cda9ef58e to 8e08f5899c83 (4 revisions) (cla: yes, waiting for tree to go green)
[88604](https://github.com/flutter/flutter/pull/88604) Document multi-timeline usage (cla: yes, waiting for tree to go green, integration_test)
[88605](https://github.com/flutter/flutter/pull/88605) Roll Engine from 8e08f5899c83 to 62cd3220be97 (1 revision) (cla: yes, waiting for tree to go green)
[88607](https://github.com/flutter/flutter/pull/88607) [flutter_conductor] Push correct revision to mirror remote from conductor (team, cla: yes, waiting for tree to go green)
[88617](https://github.com/flutter/flutter/pull/88617) Roll Engine from 62cd3220be97 to 455655e43756 (5 revisions) (cla: yes, waiting for tree to go green)
[88618](https://github.com/flutter/flutter/pull/88618) Mark module_test_ios unflaky (cla: yes, waiting for tree to go green)
[88623](https://github.com/flutter/flutter/pull/88623) Roll Engine from 455655e43756 to 59e72723c762 (1 revision) (cla: yes, waiting for tree to go green)
[88626](https://github.com/flutter/flutter/pull/88626) Roll Engine from 59e72723c762 to 483eef3b699c (2 revisions) (cla: yes, waiting for tree to go green)
[88631](https://github.com/flutter/flutter/pull/88631) Roll Engine from 483eef3b699c to 1accc709af24 (1 revision) (cla: yes, waiting for tree to go green)
[88633](https://github.com/flutter/flutter/pull/88633) Add android_views integration tests to ci.yaml (team, cla: yes, waiting for tree to go green, team: infra)
[88650](https://github.com/flutter/flutter/pull/88650) Minor PointerExitEvent class docs update :) (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[88652](https://github.com/flutter/flutter/pull/88652) Roll Engine from 1accc709af24 to 5e5f0a9b2da5 (1 revision) (cla: yes, waiting for tree to go green)
[88654](https://github.com/flutter/flutter/pull/88654) Roll Engine from 5e5f0a9b2da5 to 1a531179d080 (1 revision) (cla: yes, waiting for tree to go green)
[88657](https://github.com/flutter/flutter/pull/88657) Roll Engine from 1a531179d080 to 4783663ee4cc (1 revision) (cla: yes, waiting for tree to go green)
[88673](https://github.com/flutter/flutter/pull/88673) Roll Engine from 4783663ee4cc to 00af6c95722a (1 revision) (cla: yes, waiting for tree to go green)
[88675](https://github.com/flutter/flutter/pull/88675) Roll Engine from 00af6c95722a to 710af46d5389 (1 revision) (cla: yes, waiting for tree to go green)
[88697](https://github.com/flutter/flutter/pull/88697) Blurstyle for boxshadow v2 (framework, cla: yes, waiting for tree to go green, will affect goldens)
[88699](https://github.com/flutter/flutter/pull/88699) Roll Plugins from b1fe1912e016 to 6a8681e7ac18 (1 revision) (cla: yes, waiting for tree to go green)
[88707](https://github.com/flutter/flutter/pull/88707) reassign jonahwilliams todos (a: tests, team, tool, framework, a: accessibility, cla: yes, waiting for tree to go green)
[88714](https://github.com/flutter/flutter/pull/88714) Roll Engine from 710af46d5389 to d5adde01dd67 (1 revision) (cla: yes, waiting for tree to go green)
[88718](https://github.com/flutter/flutter/pull/88718) Roll Plugins from 6a8681e7ac18 to 0a86ac866b8b (1 revision) (cla: yes, waiting for tree to go green)
[88722](https://github.com/flutter/flutter/pull/88722) Roll Engine from d5adde01dd67 to e3d19b3303c7 (1 revision) (cla: yes, waiting for tree to go green)
[88728](https://github.com/flutter/flutter/pull/88728) flutter update-packages (team, cla: yes, waiting for tree to go green)
[88729](https://github.com/flutter/flutter/pull/88729) Update dartdoc to 2.0.0. (team, cla: yes, waiting for tree to go green)
[88734](https://github.com/flutter/flutter/pull/88734) Roll Engine from e3d19b3303c7 to ff018b8cf29c (6 revisions) (cla: yes, waiting for tree to go green)
[88736](https://github.com/flutter/flutter/pull/88736) Add callback when dismiss threshold is reached (framework, cla: yes, waiting for tree to go green)
[88738](https://github.com/flutter/flutter/pull/88738) Fix empty textspan with spell out crashes (framework, cla: yes, waiting for tree to go green)
[88744](https://github.com/flutter/flutter/pull/88744) Roll Engine from ff018b8cf29c to 9d9c532f62f5 (2 revisions) (cla: yes, waiting for tree to go green)
[88749](https://github.com/flutter/flutter/pull/88749) Use default value for `ResultData` when uploading metrics from test runner (team, cla: yes, waiting for tree to go green)
[88750](https://github.com/flutter/flutter/pull/88750) Roll Engine from 9d9c532f62f5 to 926ce0d85501 (2 revisions) (cla: yes, waiting for tree to go green)
[88761](https://github.com/flutter/flutter/pull/88761) feat: add Image support to finder (a: tests, framework, cla: yes, waiting for tree to go green)
[88764](https://github.com/flutter/flutter/pull/88764) Remove dependency in Linux Android Views (cla: yes, waiting for tree to go green)
[88784](https://github.com/flutter/flutter/pull/88784) Fixed leak and removed no-shuffle tag in binding_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88788](https://github.com/flutter/flutter/pull/88788) Roll Engine from 926ce0d85501 to 35ee8bde43a8 (3 revisions) (cla: yes, waiting for tree to go green)
[88797](https://github.com/flutter/flutter/pull/88797) Add TESTOWNER for Linux android views (cla: yes, waiting for tree to go green)
[88798](https://github.com/flutter/flutter/pull/88798) Roll Engine from 35ee8bde43a8 to a9efb963de52 (3 revisions) (cla: yes, waiting for tree to go green)
[88803](https://github.com/flutter/flutter/pull/88803) Roll Plugins from 0a86ac866b8b to 97f61147c983 (1 revision) (cla: yes, waiting for tree to go green)
[88805](https://github.com/flutter/flutter/pull/88805) roll ios-deploy to HEAD (tool, cla: yes, waiting for tree to go green)
[88807](https://github.com/flutter/flutter/pull/88807) Add pageDelay to fullscreen_textfield_perf_test (team, cla: yes, waiting for tree to go green)
[88814](https://github.com/flutter/flutter/pull/88814) Fixes listview shrinkwrap and hidden semantics node gets updated incorrectly. (framework, cla: yes, waiting for tree to go green)
[88817](https://github.com/flutter/flutter/pull/88817) Roll Plugins from 97f61147c983 to fb6622092bb8 (1 revision) (cla: yes, waiting for tree to go green)
[88819](https://github.com/flutter/flutter/pull/88819) Add WidgetsFlutterBinding Assertion to setMethodCallHandler (framework, cla: yes, waiting for tree to go green)
[88822](https://github.com/flutter/flutter/pull/88822) Document AssetBundle loadString Decoding Behavior (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[88824](https://github.com/flutter/flutter/pull/88824) Fixed leak and removed no-shuffle tag in widgets/clip_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88825](https://github.com/flutter/flutter/pull/88825) Use async timeline events for the phases of the scheduler binding (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[88834](https://github.com/flutter/flutter/pull/88834) Do not try to codesign during plugin_test_ios (a: tests, team, platform-ios, cla: yes, waiting for tree to go green)
[88835](https://github.com/flutter/flutter/pull/88835) Skip staging test update to cocoon in test runner (team, cla: yes, waiting for tree to go green)
[88839](https://github.com/flutter/flutter/pull/88839) Roll Plugins from fb6622092bb8 to 729c3e4117e6 (1 revision) (cla: yes, waiting for tree to go green)
[88846](https://github.com/flutter/flutter/pull/88846) Migrate mac.dart to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88850](https://github.com/flutter/flutter/pull/88850) Migrate some flutter_tools tests to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88851](https://github.com/flutter/flutter/pull/88851) Migrate ios_deploy to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88857](https://github.com/flutter/flutter/pull/88857) Fixed leak and removed no-shuffle tag in widgets/debug_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88877](https://github.com/flutter/flutter/pull/88877) Fixed leak and removed no-shuffle tag in platform_view_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88881](https://github.com/flutter/flutter/pull/88881) Fixed leak and removed no-shuffle tag in routes_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88882](https://github.com/flutter/flutter/pull/88882) Roll Plugins from 729c3e4117e6 to 5b5f8016d31a (1 revision) (cla: yes, waiting for tree to go green)
[88886](https://github.com/flutter/flutter/pull/88886) Revert "Fixes listview shrinkwrap and hidden semantics node gets upda… (framework, cla: yes, waiting for tree to go green)
[88894](https://github.com/flutter/flutter/pull/88894) Enhance the skip test parsing the analyzer script. (team, cla: yes, waiting for tree to go green, tech-debt, skip-test)
[88900](https://github.com/flutter/flutter/pull/88900) Fixed leak and removed no-shuffle tag in scroll_aware_image_provider_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88902](https://github.com/flutter/flutter/pull/88902) Account for additional warning text from the tool (tool, cla: yes, waiting for tree to go green)
[88903](https://github.com/flutter/flutter/pull/88903) Roll Plugins from 5b5f8016d31a to 88f84104f8df (1 revision) (cla: yes, waiting for tree to go green)
[88908](https://github.com/flutter/flutter/pull/88908) Use bucket to check staging test instead of builder name (team, cla: yes, waiting for tree to go green)
[88912](https://github.com/flutter/flutter/pull/88912) Roll Engine from eaa9f8b529fa to 653b6a82b0ab (2 revisions) (cla: yes, waiting for tree to go green)
[88913](https://github.com/flutter/flutter/pull/88913) Configurable adb for deferred components release test script (a: tests, team, cla: yes, t: flutter driver, waiting for tree to go green, integration_test, tech-debt)
[88918](https://github.com/flutter/flutter/pull/88918) Roll Plugins from 88f84104f8df to 56f092a8105d (1 revision) (cla: yes, waiting for tree to go green)
[88919](https://github.com/flutter/flutter/pull/88919) Roll Engine from 653b6a82b0ab to e106d418ccdc (2 revisions) (cla: yes, waiting for tree to go green)
[88920](https://github.com/flutter/flutter/pull/88920) Migrate fuchsia sdk and dependencies to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88922](https://github.com/flutter/flutter/pull/88922) Roll Engine from e106d418ccdc to b23abe2f8f93 (2 revisions) (cla: yes, waiting for tree to go green)
[88923](https://github.com/flutter/flutter/pull/88923) Changed tool cached properties to late finals (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88926](https://github.com/flutter/flutter/pull/88926) Fix typos and formatting in framework.dart (framework, cla: yes, waiting for tree to go green)
[88930](https://github.com/flutter/flutter/pull/88930) Roll Engine from b23abe2f8f93 to 03d403f46d44 (1 revision) (cla: yes, waiting for tree to go green)
[88933](https://github.com/flutter/flutter/pull/88933) Fixed leak and removed no-shuffle tag in dismissible_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88934](https://github.com/flutter/flutter/pull/88934) Clean up null assumptions in devfs to prep for null safety migration (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88935](https://github.com/flutter/flutter/pull/88935) Workaround rounding erros in cupertino nav bar transition (framework, cla: yes, f: cupertino, waiting for tree to go green)
[88976](https://github.com/flutter/flutter/pull/88976) [flutter_conductor] Fix regex when adding current branch to "enabled_branches" in .ci.yaml (team, cla: yes, waiting for tree to go green)
[88993](https://github.com/flutter/flutter/pull/88993) Roll Engine from 03d403f46d44 to 66dcde6cb7b9 (9 revisions) (cla: yes, waiting for tree to go green)
[88994](https://github.com/flutter/flutter/pull/88994) Roll Plugins from 56f092a8105d to 8e8954731570 (6 revisions) (cla: yes, waiting for tree to go green)
[88998](https://github.com/flutter/flutter/pull/88998) Roll Plugins from 8e8954731570 to 46dd6093793a (1 revision) (cla: yes, waiting for tree to go green)
[89001](https://github.com/flutter/flutter/pull/89001) Roll Engine from 66dcde6cb7b9 to acb3a273d6b2 (6 revisions) (cla: yes, waiting for tree to go green)
[89004](https://github.com/flutter/flutter/pull/89004) Use task name when uploading metrics to skia perf (team, cla: yes, waiting for tree to go green)
[89009](https://github.com/flutter/flutter/pull/89009) Clean up null assumptions in vmservice for null safe migration (tool, cla: yes, waiting for tree to go green, a: null-safety)
[89010](https://github.com/flutter/flutter/pull/89010) Roll Engine from acb3a273d6b2 to 5be57d8d4132 (3 revisions) (cla: yes, waiting for tree to go green)
[89011](https://github.com/flutter/flutter/pull/89011) Update mouse_cursor.dart docs for winuwp cursor (framework, cla: yes, waiting for tree to go green)
[89015](https://github.com/flutter/flutter/pull/89015) Roll Engine from 5be57d8d4132 to d8f87e552fff (2 revisions) (cla: yes, waiting for tree to go green)
[89020](https://github.com/flutter/flutter/pull/89020) feat: widget finders add widgetWithImage method (a: tests, framework, cla: yes, waiting for tree to go green)
[89025](https://github.com/flutter/flutter/pull/89025) Fix Stack references in Overlay docs (framework, cla: yes, waiting for tree to go green)
[89027](https://github.com/flutter/flutter/pull/89027) Roll Engine from d8f87e552fff to b33660e1dae4 (1 revision) (cla: yes, waiting for tree to go green)
[89030](https://github.com/flutter/flutter/pull/89030) Roll Plugins from 46dd6093793a to 1f502e8b6f00 (1 revision) (cla: yes, waiting for tree to go green)
[89031](https://github.com/flutter/flutter/pull/89031) Roll Engine from b33660e1dae4 to faa1dabf84f2 (2 revisions) (cla: yes, waiting for tree to go green)
[89040](https://github.com/flutter/flutter/pull/89040) Roll Plugins from 1f502e8b6f00 to 3f808c1dd1ab (1 revision) (cla: yes, waiting for tree to go green)
[89041](https://github.com/flutter/flutter/pull/89041) Roll Engine from faa1dabf84f2 to 18f11cfab510 (1 revision) (cla: yes, waiting for tree to go green)
[89047](https://github.com/flutter/flutter/pull/89047) Roll Plugins from 3f808c1dd1ab to 0588bfea1d5c (1 revision) (cla: yes, waiting for tree to go green)
[89050](https://github.com/flutter/flutter/pull/89050) Roll Engine from 18f11cfab510 to c0007bee08de (1 revision) (cla: yes, waiting for tree to go green)
[89053](https://github.com/flutter/flutter/pull/89053) Roll Plugins from 0588bfea1d5c to 797c61d6b613 (1 revision) (cla: yes, waiting for tree to go green)
[89054](https://github.com/flutter/flutter/pull/89054) Add flutter desktop build dependencies to test_misc shards (cla: yes, waiting for tree to go green)
[89055](https://github.com/flutter/flutter/pull/89055) Roll Engine from c0007bee08de to f843dd6dabdb (1 revision) (cla: yes, waiting for tree to go green)
[89056](https://github.com/flutter/flutter/pull/89056) Roll Plugins from 797c61d6b613 to 78b914d4556d (1 revision) (cla: yes, waiting for tree to go green)
[89060](https://github.com/flutter/flutter/pull/89060) Roll Engine from f843dd6dabdb to 7cf0c3139ba1 (1 revision) (cla: yes, waiting for tree to go green)
[89061](https://github.com/flutter/flutter/pull/89061) Roll Plugins from 78b914d4556d to 8d4be08b6f5f (2 revisions) (cla: yes, waiting for tree to go green)
[89062](https://github.com/flutter/flutter/pull/89062) Fix (Vertical)Divider samples & docs (team, framework, f: material design, cla: yes, d: examples, waiting for tree to go green)
[89064](https://github.com/flutter/flutter/pull/89064) Fix RadioThemeData documentation issues (framework, f: material design, cla: yes, waiting for tree to go green)
[89066](https://github.com/flutter/flutter/pull/89066) Roll Engine from 7cf0c3139ba1 to 497533a8abbe (1 revision) (cla: yes, waiting for tree to go green)
[89073](https://github.com/flutter/flutter/pull/89073) Prevent exceptions in _describeRelevantUserCode from hiding other exceptions (framework, cla: yes, waiting for tree to go green)
[89076](https://github.com/flutter/flutter/pull/89076) Add all cubics to Cubic class doc (framework, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[89079](https://github.com/flutter/flutter/pull/89079) Add & improve DropdownButtonFormField reference to DropdownButton (framework, f: material design, cla: yes, d: api docs, waiting for tree to go green, documentation)
[89081](https://github.com/flutter/flutter/pull/89081) Add gems to framework_tests_misc Mac dependencies to get cocoapods (cla: yes, waiting for tree to go green)
[89084](https://github.com/flutter/flutter/pull/89084) Roll Engine from 497533a8abbe to 97240692e5e0 (2 revisions) (cla: yes, waiting for tree to go green)
[89085](https://github.com/flutter/flutter/pull/89085) Roll Engine from 97240692e5e0 to 252d21aa1c2a (1 revision) (cla: yes, waiting for tree to go green)
[89086](https://github.com/flutter/flutter/pull/89086) Roll Plugins from 8d4be08b6f5f to e07f161f8679 (6 revisions) (cla: yes, waiting for tree to go green)
[89087](https://github.com/flutter/flutter/pull/89087) Roll Engine from 252d21aa1c2a to 63032e327f30 (2 revisions) (cla: yes, waiting for tree to go green)
[89088](https://github.com/flutter/flutter/pull/89088) Roll Engine from 63032e327f30 to ca52647cd29b (1 revision) (cla: yes, waiting for tree to go green)
[89091](https://github.com/flutter/flutter/pull/89091) Roll Engine from ca52647cd29b to 3d1fd0cbb76f (1 revision) (cla: yes, waiting for tree to go green)
[89108](https://github.com/flutter/flutter/pull/89108) Roll Plugins from e07f161f8679 to e02b647ea035 (1 revision) (cla: yes, waiting for tree to go green)
[89109](https://github.com/flutter/flutter/pull/89109) Roll Plugins from e02b647ea035 to 32ca7761cecb (1 revision) (cla: yes, waiting for tree to go green)
[89113](https://github.com/flutter/flutter/pull/89113) Roll Engine from 3d1fd0cbb76f to f9a6fb1a5c33 (1 revision) (cla: yes, waiting for tree to go green)
[89117](https://github.com/flutter/flutter/pull/89117) Fix text field naming (framework, cla: yes, f: cupertino, waiting for tree to go green)
[89137](https://github.com/flutter/flutter/pull/89137) [Reland] Skip staging test update to cocoon in test runner (team, cla: yes, waiting for tree to go green)
[89140](https://github.com/flutter/flutter/pull/89140) Roll Engine from f9a6fb1a5c33 to c4d2d80a8f42 (1 revision) (cla: yes, waiting for tree to go green)
[89143](https://github.com/flutter/flutter/pull/89143) Roll Engine from c4d2d80a8f42 to f4a380f3e543 (1 revision) (cla: yes, waiting for tree to go green)
[89154](https://github.com/flutter/flutter/pull/89154) Roll Engine from f4a380f3e543 to c05688f4bcce (2 revisions) (cla: yes, waiting for tree to go green)
[89170](https://github.com/flutter/flutter/pull/89170) Roll Engine from c05688f4bcce to d8e3d10d6956 (1 revision) (cla: yes, waiting for tree to go green)
[89172](https://github.com/flutter/flutter/pull/89172) Marks Linux test_ownership to be unflaky (cla: yes, waiting for tree to go green)
[89174](https://github.com/flutter/flutter/pull/89174) Marks Mac_android tiles_scroll_perf__timeline_summary to be unflaky (cla: yes, waiting for tree to go green)
[89176](https://github.com/flutter/flutter/pull/89176) Marks Mac module_test_ios to be flaky (cla: yes, waiting for tree to go green)
[89177](https://github.com/flutter/flutter/pull/89177) Marks Windows hot_mode_dev_cycle_win_target__benchmark to be unflaky (cla: yes, waiting for tree to go green)
[89179](https://github.com/flutter/flutter/pull/89179) Roll Engine from d8e3d10d6956 to 78c4963075c8 (1 revision) (cla: yes, waiting for tree to go green)
[89181](https://github.com/flutter/flutter/pull/89181) Eliminate uses of pub executable in docs publishing and sample analysis. (team, cla: yes, waiting for tree to go green)
[89184](https://github.com/flutter/flutter/pull/89184) Reland "Fixes listview shrinkwrap and hidden semantics node gets upda… (framework, cla: yes, waiting for tree to go green)
[89185](https://github.com/flutter/flutter/pull/89185) Roll Plugins from 32ca7761cecb to 18129d67395a (1 revision) (cla: yes, waiting for tree to go green)
[89186](https://github.com/flutter/flutter/pull/89186) Fix UNNECESSARY_TYPE_CHECK_TRUE violations. (team, cla: yes, waiting for tree to go green)
[89192](https://github.com/flutter/flutter/pull/89192) Roll Engine from 78c4963075c8 to b1d080ef6c74 (1 revision) (cla: yes, waiting for tree to go green)
[89194](https://github.com/flutter/flutter/pull/89194) Roll Plugins from 18129d67395a to 5306c02db66b (1 revision) (cla: yes, waiting for tree to go green)
[89195](https://github.com/flutter/flutter/pull/89195) Roll Engine from b1d080ef6c74 to 1b0609865975 (6 revisions) (cla: yes, waiting for tree to go green)
[89197](https://github.com/flutter/flutter/pull/89197) Roll Engine from 1b0609865975 to 6c11ffe9ba7f (1 revision) (cla: yes, waiting for tree to go green)
[89199](https://github.com/flutter/flutter/pull/89199) fix a dropdown button menu position bug (framework, f: material design, cla: yes, waiting for tree to go green)
[89202](https://github.com/flutter/flutter/pull/89202) Roll Engine from 6c11ffe9ba7f to d8129bd02890 (2 revisions) (cla: yes, waiting for tree to go green)
[89205](https://github.com/flutter/flutter/pull/89205) Roll Engine from d8129bd02890 to fda0ac452024 (1 revision) (cla: yes, waiting for tree to go green)
[89225](https://github.com/flutter/flutter/pull/89225) Roll Engine from fda0ac452024 to fe89463f140a (1 revision) (cla: yes, waiting for tree to go green)
[89237](https://github.com/flutter/flutter/pull/89237) Add ability to customize drawer shape and color as well as theme drawer properties (framework, f: material design, cla: yes, waiting for tree to go green)
[89239](https://github.com/flutter/flutter/pull/89239) Roll Engine from fe89463f140a to aa5e6bf60491 (4 revisions) (cla: yes, waiting for tree to go green)
[89242](https://github.com/flutter/flutter/pull/89242) Update StretchingOverscrollIndicator for reversed scrollables (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green, will affect goldens, a: annoyance)
[89244](https://github.com/flutter/flutter/pull/89244) Roll Engine from aa5e6bf60491 to 4533ca5eb2c6 (1 revision) (cla: yes, waiting for tree to go green)
[89246](https://github.com/flutter/flutter/pull/89246) Roll Engine from 4533ca5eb2c6 to 305b25edbfd0 (1 revision) (cla: yes, waiting for tree to go green)
[89247](https://github.com/flutter/flutter/pull/89247) Remove flutter gallery test family (Mac/ios) from prod pool (cla: yes, waiting for tree to go green)
[89253](https://github.com/flutter/flutter/pull/89253) Roll Engine from 305b25edbfd0 to 901fbcf33757 (1 revision) (cla: yes, waiting for tree to go green)
[89258](https://github.com/flutter/flutter/pull/89258) Roll Engine from 901fbcf33757 to abeb96722a7a (2 revisions) (cla: yes, waiting for tree to go green)
[89262](https://github.com/flutter/flutter/pull/89262) Roll Engine from abeb96722a7a to b8a759b6c2d4 (2 revisions) (cla: yes, waiting for tree to go green)
[89265](https://github.com/flutter/flutter/pull/89265) Roll Engine from b8a759b6c2d4 to 244c8684d719 (1 revision) (cla: yes, waiting for tree to go green)
[89267](https://github.com/flutter/flutter/pull/89267) Roll Engine from 244c8684d719 to aab40c8d5d0e (1 revision) (cla: yes, waiting for tree to go green)
[89273](https://github.com/flutter/flutter/pull/89273) Roll Engine from aab40c8d5d0e to d149231127c0 (1 revision) (cla: yes, waiting for tree to go green)
[89275](https://github.com/flutter/flutter/pull/89275) Roll Engine from d149231127c0 to c31aba1eecde (1 revision) (cla: yes, waiting for tree to go green)
[89316](https://github.com/flutter/flutter/pull/89316) Roll Engine from d149231127c0 to be8467ea6113 (9 revisions) (cla: yes, waiting for tree to go green)
[89327](https://github.com/flutter/flutter/pull/89327) Make `FilteringTextInputFormatter`'s filtering Selection/Composing Region agnostic (framework, cla: yes, waiting for tree to go green)
[89331](https://github.com/flutter/flutter/pull/89331) Use rootOverlay for CupertinoContextMenu (framework, cla: yes, f: cupertino, waiting for tree to go green)
[89335](https://github.com/flutter/flutter/pull/89335) fix a DraggableScrollableSheet bug (framework, cla: yes, waiting for tree to go green)
[89342](https://github.com/flutter/flutter/pull/89342) Roll Engine from be8467ea6113 to d877a4bbcd0e (4 revisions) (cla: yes, waiting for tree to go green)
[89344](https://github.com/flutter/flutter/pull/89344) fix: typo spelling grammar (team, cla: yes, waiting for tree to go green)
[89353](https://github.com/flutter/flutter/pull/89353) [CheckboxListTile, SwitchListTile, RadioListTile] Adds visualDensity, focusNode and enableFeedback (framework, f: material design, cla: yes, waiting for tree to go green)
[89356](https://github.com/flutter/flutter/pull/89356) Roll Engine from d877a4bbcd0e to cf06c9c2853a (1 revision) (cla: yes, waiting for tree to go green)
[89362](https://github.com/flutter/flutter/pull/89362) fix a BottomSheet nullable issue (framework, f: material design, cla: yes, waiting for tree to go green)
[89381](https://github.com/flutter/flutter/pull/89381) update package dependencies (team, cla: yes, waiting for tree to go green)
[89382](https://github.com/flutter/flutter/pull/89382) Roll Engine from cf06c9c2853a to 2c2d4080a381 (2 revisions) (cla: yes, waiting for tree to go green)
[89389](https://github.com/flutter/flutter/pull/89389) Roll Engine from 2c2d4080a381 to a166c3286653 (2 revisions) (cla: yes, waiting for tree to go green)
[89393](https://github.com/flutter/flutter/pull/89393) Add raster cache metrics to timeline summaries (a: tests, team, framework, cla: yes, waiting for tree to go green)
[89398](https://github.com/flutter/flutter/pull/89398) Roll Engine from a166c3286653 to c02b81541605 (3 revisions) (cla: yes, waiting for tree to go green)
[89414](https://github.com/flutter/flutter/pull/89414) Roll Engine from c02b81541605 to d6f6a0fe9078 (5 revisions) (cla: yes, waiting for tree to go green)
[89427](https://github.com/flutter/flutter/pull/89427) Roll Engine from d6f6a0fe9078 to 9e1337efd16c (2 revisions) (cla: yes, waiting for tree to go green)
[89440](https://github.com/flutter/flutter/pull/89440) Roll Engine from 9e1337efd16c to 01792f78e9e2 (4 revisions) (cla: yes, waiting for tree to go green)
[89441](https://github.com/flutter/flutter/pull/89441) Document platform channel FIFO ordering guarantee (framework, cla: yes, waiting for tree to go green)
[89442](https://github.com/flutter/flutter/pull/89442) Roll Engine from 01792f78e9e2 to 5aa0e4c779d5 (1 revision) (cla: yes, waiting for tree to go green)
[89445](https://github.com/flutter/flutter/pull/89445) Remove files that are unnecessary in a plugin (tool, cla: yes, waiting for tree to go green)
[89455](https://github.com/flutter/flutter/pull/89455) Roll Engine from 5aa0e4c779d5 to 3ef7126fd215 (1 revision) (cla: yes, waiting for tree to go green)
[89458](https://github.com/flutter/flutter/pull/89458) Roll Engine from 3ef7126fd215 to b2c0c060a469 (3 revisions) (cla: yes, waiting for tree to go green)
[89460](https://github.com/flutter/flutter/pull/89460) Roll Engine from b2c0c060a469 to 4c5037e6ce42 (1 revision) (cla: yes, waiting for tree to go green)
[89461](https://github.com/flutter/flutter/pull/89461) Roll Engine from 4c5037e6ce42 to cc6074f95938 (2 revisions) (cla: yes, waiting for tree to go green)
[89463](https://github.com/flutter/flutter/pull/89463) Roll Engine from cc6074f95938 to 1c4e42e395d7 (1 revision) (cla: yes, waiting for tree to go green)
[89465](https://github.com/flutter/flutter/pull/89465) Roll Engine from 1c4e42e395d7 to fd928555482e (2 revisions) (cla: yes, waiting for tree to go green)
[89469](https://github.com/flutter/flutter/pull/89469) Roll Engine from fd928555482e to 350e0d655136 (1 revision) (cla: yes, waiting for tree to go green)
[89470](https://github.com/flutter/flutter/pull/89470) Roll Engine from 350e0d655136 to 0bd9be379a17 (1 revision) (cla: yes, waiting for tree to go green)
[89477](https://github.com/flutter/flutter/pull/89477) Fixed order dependency and removed no-shuffle tag in flutter_driver_test (a: tests, team, framework, cla: yes, t: flutter driver, waiting for tree to go green, tech-debt)
[89478](https://github.com/flutter/flutter/pull/89478) Roll Engine from 0bd9be379a17 to 97a8bbad4d43 (1 revision) (cla: yes, waiting for tree to go green)
[89485](https://github.com/flutter/flutter/pull/89485) Fixed several typos (a: tests, team, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[89487](https://github.com/flutter/flutter/pull/89487) Roll Engine from 97a8bbad4d43 to dbc97a09b495 (1 revision) (cla: yes, waiting for tree to go green)
[89515](https://github.com/flutter/flutter/pull/89515) [TextPainter] Don't invalidate layout cache for paint only changes (framework, cla: yes, waiting for tree to go green)
[89522](https://github.com/flutter/flutter/pull/89522) Roll Engine from dbc97a09b495 to b9c633900e7e (4 revisions) (cla: yes, waiting for tree to go green)
[89531](https://github.com/flutter/flutter/pull/89531) Roll Engine from b9c633900e7e to 929931b747c9 (1 revision) (cla: yes, waiting for tree to go green)
[89591](https://github.com/flutter/flutter/pull/89591) Update DDS to 2.1.2 (team, cla: yes, waiting for tree to go green)
[89593](https://github.com/flutter/flutter/pull/89593) Remove flutter gallery test family (Linux/android) from prod pool (cla: yes, waiting for tree to go green)
[89599](https://github.com/flutter/flutter/pull/89599) Roll Engine from 929931b747c9 to 6809097101c4 (7 revisions) (cla: yes, waiting for tree to go green)
[89600](https://github.com/flutter/flutter/pull/89600) Enable caching of CPU samples collected at application startup (tool, cla: yes, waiting for tree to go green)
[89603](https://github.com/flutter/flutter/pull/89603) Update dartdoc to 3.0.0 (team, cla: yes, waiting for tree to go green)
[89604](https://github.com/flutter/flutter/pull/89604) Implement operator = and hashcode for CupertinoThemeData (framework, cla: yes, f: cupertino, waiting for tree to go green)
[89606](https://github.com/flutter/flutter/pull/89606) Directly specify keystore to prevent debug key signing flake in Deferred components integration test. (team, cla: yes, team: flakes, waiting for tree to go green, severe: flake)
[89618](https://github.com/flutter/flutter/pull/89618) Run flutter_gallery ios tests on arm64 device (team, platform-ios, cla: yes, waiting for tree to go green)
[89620](https://github.com/flutter/flutter/pull/89620) Run flutter_gallery macOS native tests on presubmit (a: tests, team, platform-mac, cla: yes, waiting for tree to go green, a: desktop)
[89621](https://github.com/flutter/flutter/pull/89621) Increase integration_test package minimum iOS version to 9.0 (platform-ios, cla: yes, waiting for tree to go green, integration_test)
[89623](https://github.com/flutter/flutter/pull/89623) Roll Engine from 6809097101c4 to 4159d7f0f156 (1 revision) (cla: yes, waiting for tree to go green)
[89631](https://github.com/flutter/flutter/pull/89631) Roll Engine from 4159d7f0f156 to 6a3b04632b57 (2 revisions) (cla: yes, waiting for tree to go green)
[89667](https://github.com/flutter/flutter/pull/89667) Revert "Fix computeMinIntrinsicHeight in _RenderDecoration" (framework, f: material design, cla: yes, waiting for tree to go green)
[89668](https://github.com/flutter/flutter/pull/89668) changed subprocesses to async from sync (team, cla: yes, waiting for tree to go green)
[89685](https://github.com/flutter/flutter/pull/89685) Turn off bringup for `Linux android views` (cla: yes, waiting for tree to go green)
[89695](https://github.com/flutter/flutter/pull/89695) Set plugin template minimum Flutter SDK to 2.5 (platform-ios, tool, cla: yes, waiting for tree to go green)
[89698](https://github.com/flutter/flutter/pull/89698) Fix Shrine scrollbar crash (team, severe: crash, team: gallery, cla: yes, waiting for tree to go green, integration_test)
[89699](https://github.com/flutter/flutter/pull/89699) Skip the drawShadow call in a MergeableMaterial with zero elevation (framework, f: material design, cla: yes, waiting for tree to go green)
[89700](https://github.com/flutter/flutter/pull/89700) Update ScaffoldMessenger docs for MaterialBanners (framework, f: material design, cla: yes, d: api docs, waiting for tree to go green, documentation)
[89712](https://github.com/flutter/flutter/pull/89712) Run `Linux android views` in presubmit (team, cla: yes, waiting for tree to go green)
[89765](https://github.com/flutter/flutter/pull/89765) Mention the ToS on our README (team, cla: yes, waiting for tree to go green)
[89775](https://github.com/flutter/flutter/pull/89775) [flutter_conductor] Support initial stable release version (team, cla: yes, waiting for tree to go green)
[89782](https://github.com/flutter/flutter/pull/89782) master->main default branch migration (a: tests, tool, framework, cla: yes, waiting for tree to go green)
[89795](https://github.com/flutter/flutter/pull/89795) Remove "unnecessary" imports from packages/ (a: tests, tool, framework, cla: yes, waiting for tree to go green)
[89796](https://github.com/flutter/flutter/pull/89796) Remove and also ignore unnecessary imports (team, cla: yes, waiting for tree to go green)
[89803](https://github.com/flutter/flutter/pull/89803) Roll Plugins from 5306c02db66b to d5b65742487f (27 revisions) (cla: yes, waiting for tree to go green)
[89807](https://github.com/flutter/flutter/pull/89807) Roll Engine from 6a3b04632b57 to 57bc7414b894 (35 revisions) (cla: yes, waiting for tree to go green)
[89819](https://github.com/flutter/flutter/pull/89819) Roll Engine from 57bc7414b894 to 825c409164c1 (3 revisions) (cla: yes, waiting for tree to go green)
[89820](https://github.com/flutter/flutter/pull/89820) Add specific permissions to .github/workflows/lock.yaml (team, cla: yes, waiting for tree to go green, team: infra)
[89856](https://github.com/flutter/flutter/pull/89856) Re-enable plugin analysis test (team, cla: yes, waiting for tree to go green)
[89871](https://github.com/flutter/flutter/pull/89871) Roll Engine from 825c409164c1 to c86d581441bf (8 revisions) (cla: yes, waiting for tree to go green)
[89872](https://github.com/flutter/flutter/pull/89872) Remove a redundant test case in the flutter_tools create_test (tool, cla: yes, waiting for tree to go green)
[89883](https://github.com/flutter/flutter/pull/89883) Roll Plugins from d5b65742487f to a4f0e88fca1e (3 revisions) (cla: yes, waiting for tree to go green)
[89885](https://github.com/flutter/flutter/pull/89885) Revert clamping scroll simulation changes (severe: regression, team, framework, a: accessibility, f: scrolling, cla: yes, waiting for tree to go green)
[89890](https://github.com/flutter/flutter/pull/89890) Roll Engine from c86d581441bf to 382553f6c29f (7 revisions) (cla: yes, waiting for tree to go green)
[89893](https://github.com/flutter/flutter/pull/89893) Roll Engine from 382553f6c29f to 45dc2fee1304 (1 revision) (cla: yes, waiting for tree to go green)
[89895](https://github.com/flutter/flutter/pull/89895) Roll Plugins from a4f0e88fca1e to 70c314ce53cf (1 revision) (cla: yes, waiting for tree to go green)
[89897](https://github.com/flutter/flutter/pull/89897) Roll Engine from 45dc2fee1304 to abb1980f652b (1 revision) (cla: yes, waiting for tree to go green)
[89952](https://github.com/flutter/flutter/pull/89952) Remove our extra timeout logic. (a: tests, team, framework, a: accessibility, cla: yes, waiting for tree to go green)
[89961](https://github.com/flutter/flutter/pull/89961) Roll Engine from abb1980f652b to 77856b8fe435 (1 revision) (cla: yes, waiting for tree to go green)
[89996](https://github.com/flutter/flutter/pull/89996) Roll Plugins from 70c314ce53cf to cfc8a20a1d64 (1 revision) (cla: yes, waiting for tree to go green)
[89999](https://github.com/flutter/flutter/pull/89999) Revert "Make sure Opacity widgets/layers do not drop the offset" (framework, cla: yes, waiting for tree to go green)
[90005](https://github.com/flutter/flutter/pull/90005) add analysis_options.yaml to dev/conductor (team, cla: yes, waiting for tree to go green)
[90010](https://github.com/flutter/flutter/pull/90010) [flutter_tools] use test logger, which does not allow colors (tool, cla: yes, waiting for tree to go green)
[90016](https://github.com/flutter/flutter/pull/90016) Roll Plugins from cfc8a20a1d64 to 4a98e239b131 (1 revision) (cla: yes, waiting for tree to go green)
[90021](https://github.com/flutter/flutter/pull/90021) Default new project to the ios-signing-cert development team (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[90022](https://github.com/flutter/flutter/pull/90022) Close the IntegrationTestTestDevice stream when the VM service shuts down (tool, cla: yes, waiting for tree to go green)
[90023](https://github.com/flutter/flutter/pull/90023) Lock only issues. (cla: yes, waiting for tree to go green)
[90060](https://github.com/flutter/flutter/pull/90060) Align both reflectly-hero & dart-diagram to the center. (team, cla: yes, waiting for tree to go green)
[90075](https://github.com/flutter/flutter/pull/90075) Fixes dialog title announce twice (framework, f: material design, cla: yes, waiting for tree to go green)
[90081](https://github.com/flutter/flutter/pull/90081) Update docs for edge to edge (platform-android, framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[90083](https://github.com/flutter/flutter/pull/90083) Roll Plugins from 4a98e239b131 to b85edebe7134 (2 revisions) (cla: yes, waiting for tree to go green)
[90087](https://github.com/flutter/flutter/pull/90087) Roll Plugins from b85edebe7134 to 7fff936c6c69 (1 revision) (cla: yes, waiting for tree to go green)
[90088](https://github.com/flutter/flutter/pull/90088) Set BUILD_DIR and OBJROOT when determining if plugins support arm64 simulators (team, platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[90089](https://github.com/flutter/flutter/pull/90089) Revert "Make `FilteringTextInputFormatter`'s filtering Selection/Composing Region agnostic" (framework, cla: yes, waiting for tree to go green)
[90090](https://github.com/flutter/flutter/pull/90090) [flutter_tools] remove non-null check from AndroidValidator (tool, cla: yes, waiting for tree to go green)
[90097](https://github.com/flutter/flutter/pull/90097) Allow Developers to Stop Navigator From Requesting Focus (framework, cla: yes, waiting for tree to go green)
[90100](https://github.com/flutter/flutter/pull/90100) Roll Plugins from 7fff936c6c69 to 41cb992daef6 (1 revision) (cla: yes, waiting for tree to go green)
[90104](https://github.com/flutter/flutter/pull/90104) Roll Plugins from 41cb992daef6 to 5f1c83e3933e (1 revision) (cla: yes, waiting for tree to go green)
[90136](https://github.com/flutter/flutter/pull/90136) Exclude semantics is `semanticslabel` is present for `SelectableText` (framework, f: material design, cla: yes, waiting for tree to go green)
[90145](https://github.com/flutter/flutter/pull/90145) Roll Engine from 77856b8fe435 to a3f836c14d68 (56 revisions) (cla: yes, waiting for tree to go green)
[90148](https://github.com/flutter/flutter/pull/90148) Roll Engine from a3f836c14d68 to 6447a9451fc6 (2 revisions) (cla: yes, waiting for tree to go green)
[90149](https://github.com/flutter/flutter/pull/90149) [module_test_ios] On UITests add an additional tap on the application before tapping the element (team, cla: yes, waiting for tree to go green)
[90152](https://github.com/flutter/flutter/pull/90152) Roll Engine from 6447a9451fc6 to c148fe5d3aa2 (1 revision) (cla: yes, waiting for tree to go green)
[90154](https://github.com/flutter/flutter/pull/90154) Update md5 method in flutter_goldens_client (a: tests, team, framework, cla: yes, waiting for tree to go green)
[90159](https://github.com/flutter/flutter/pull/90159) Roll Engine from c148fe5d3aa2 to d66741988d52 (2 revisions) (cla: yes, waiting for tree to go green)
[90160](https://github.com/flutter/flutter/pull/90160) Roll Engine from d66741988d52 to 5a09f16031aa (2 revisions) (cla: yes, waiting for tree to go green)
[90168](https://github.com/flutter/flutter/pull/90168) Reuse a TimelineTask for the scheduler frame and animate events (framework, cla: yes, waiting for tree to go green)
[90202](https://github.com/flutter/flutter/pull/90202) Roll Engine from 5a09f16031aa to a6aa6c52b644 (3 revisions) (cla: yes, waiting for tree to go green)
[90204](https://github.com/flutter/flutter/pull/90204) fix draggable_scrollable_sheet_test.dart (framework, cla: yes, waiting for tree to go green)
[90211](https://github.com/flutter/flutter/pull/90211) Reland "Make FilteringTextInputFormatter's filtering Selection/Composing Region agnostic" #89327 (framework, cla: yes, waiting for tree to go green)
[90214](https://github.com/flutter/flutter/pull/90214) Roll Engine from a6aa6c52b644 to d80caf5f3889 (6 revisions) (cla: yes, waiting for tree to go green)
[90215](https://github.com/flutter/flutter/pull/90215) Fix overflow in stretching overscroll (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green, customer: money (g3), a: layout)
[90217](https://github.com/flutter/flutter/pull/90217) Fix error from bad dart-fix rule (team, framework, f: material design, cla: yes, a: quality, waiting for tree to go green, a: error message, tech-debt)
[90222](https://github.com/flutter/flutter/pull/90222) Roll Engine from d80caf5f3889 to 33f5f17bc9a4 (1 revision) (cla: yes, waiting for tree to go green)
[90227](https://github.com/flutter/flutter/pull/90227) Some test cleanup for flutter_tools. (a: text input, team, tool, cla: yes, waiting for tree to go green)
[90228](https://github.com/flutter/flutter/pull/90228) Roll Engine from 33f5f17bc9a4 to 5d8574abd6f9 (4 revisions) (cla: yes, waiting for tree to go green)
[90235](https://github.com/flutter/flutter/pull/90235) Roll Engine from 5d8574abd6f9 to 5b81c6d615c3 (2 revisions) (cla: yes, waiting for tree to go green)
[90242](https://github.com/flutter/flutter/pull/90242) Roll Engine from 5b81c6d615c3 to 72f08e4da3b0 (1 revision) (cla: yes, waiting for tree to go green)
[90246](https://github.com/flutter/flutter/pull/90246) Roll Engine from 72f08e4da3b0 to e70febab63ea (1 revision) (cla: yes, waiting for tree to go green)
[90248](https://github.com/flutter/flutter/pull/90248) Roll Engine from e70febab63ea to 4bf01a4e1fc5 (1 revision) (cla: yes, waiting for tree to go green)
[90258](https://github.com/flutter/flutter/pull/90258) Roll Engine from 4bf01a4e1fc5 to 9788fb4b137e (4 revisions) (cla: yes, waiting for tree to go green)
[90261](https://github.com/flutter/flutter/pull/90261) Roll Engine from 9788fb4b137e to 48acdba5d45c (1 revision) (cla: yes, waiting for tree to go green)
[90275](https://github.com/flutter/flutter/pull/90275) Roll Engine from 48acdba5d45c to 184a2a58ab1b (2 revisions) (cla: yes, waiting for tree to go green)
[90279](https://github.com/flutter/flutter/pull/90279) Roll Engine from 184a2a58ab1b to 2f0f0d1ac91b (1 revision) (cla: yes, waiting for tree to go green)
[90282](https://github.com/flutter/flutter/pull/90282) Roll Engine from 2f0f0d1ac91b to e261e1407c15 (1 revision) (cla: yes, waiting for tree to go green)
[90284](https://github.com/flutter/flutter/pull/90284) Roll Engine from e261e1407c15 to 80139039b3cc (3 revisions) (cla: yes, waiting for tree to go green)
[90289](https://github.com/flutter/flutter/pull/90289) Roll Engine from 80139039b3cc to 4a803193817d (2 revisions) (cla: yes, waiting for tree to go green)
[90291](https://github.com/flutter/flutter/pull/90291) Add more tests for dart fixes (team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[90292](https://github.com/flutter/flutter/pull/90292) Remove autovalidate deprecations (a: text input, team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[90293](https://github.com/flutter/flutter/pull/90293) Remove FloatingHeaderSnapConfiguration.vsync deprecation (team, framework, severe: API break, f: scrolling, cla: yes, waiting for tree to go green, tech-debt)
[90294](https://github.com/flutter/flutter/pull/90294) Remove AndroidViewController.id deprecation (team, framework, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[90295](https://github.com/flutter/flutter/pull/90295) Remove BottomNavigationBarItem.title deprecation (team, framework, f: material design, severe: API break, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[90296](https://github.com/flutter/flutter/pull/90296) Remove deprecated text input formatting classes (a: text input, team, framework, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[90297](https://github.com/flutter/flutter/pull/90297) Roll Engine from 4a803193817d to e1e6a41df77d (2 revisions) (cla: yes, waiting for tree to go green)
[90300](https://github.com/flutter/flutter/pull/90300) Roll Engine from e1e6a41df77d to 47b452783334 (3 revisions) (cla: yes, waiting for tree to go green)
[90301](https://github.com/flutter/flutter/pull/90301) Roll Plugins from 5f1c83e3933e to 1fe19f1d4946 (22 revisions) (cla: yes, waiting for tree to go green)
[90304](https://github.com/flutter/flutter/pull/90304) Migrate iOS project to Xcode 13 compatibility (team, platform-ios, tool, cla: yes, d: examples, waiting for tree to go green, t: xcode)
[90305](https://github.com/flutter/flutter/pull/90305) Roll Engine from 47b452783334 to 27281c426f22 (2 revisions) (cla: yes, waiting for tree to go green)
[90308](https://github.com/flutter/flutter/pull/90308) Roll Engine from 27281c426f22 to 31792e034099 (1 revision) (cla: yes, waiting for tree to go green)
[90311](https://github.com/flutter/flutter/pull/90311) Fix some scrollbar track and border painting issues (framework, f: material design, f: scrolling, cla: yes, f: cupertino, waiting for tree to go green)
[90354](https://github.com/flutter/flutter/pull/90354) Make DraggableScrollableSheet Reflect Parameter Updates (framework, cla: yes, waiting for tree to go green)
[90389](https://github.com/flutter/flutter/pull/90389) Marks Mac_ios native_ui_tests_ios to be unflaky (cla: yes, waiting for tree to go green)
[90392](https://github.com/flutter/flutter/pull/90392) Roll Plugins from 1fe19f1d4946 to 42b990962578 (1 revision) (cla: yes, waiting for tree to go green)
[90394](https://github.com/flutter/flutter/pull/90394) Do not retry if pub get is run in offline mode (tool, cla: yes, waiting for tree to go green)
[90404](https://github.com/flutter/flutter/pull/90404) Roll Plugins from 42b990962578 to a8e0129220b5 (1 revision) (cla: yes, waiting for tree to go green)
[90406](https://github.com/flutter/flutter/pull/90406) Revert "Issue 88543: TextField labelText doesn't get hintTextStyle when labelTextStyle is non-null Fixed" (framework, f: material design, cla: yes, waiting for tree to go green)
[90412](https://github.com/flutter/flutter/pull/90412) Roll Plugins from a8e0129220b5 to e314c7a8fdcd (1 revision) (cla: yes, waiting for tree to go green)
[90413](https://github.com/flutter/flutter/pull/90413) Add my name to authors (team, cla: yes, waiting for tree to go green)
[90414](https://github.com/flutter/flutter/pull/90414) Now that the bot is cleverer, we can make the PR template clearer (cla: yes, waiting for tree to go green)
[90415](https://github.com/flutter/flutter/pull/90415) Update dartdoc to v3.1.0. (team, cla: yes, waiting for tree to go green)
[90419](https://github.com/flutter/flutter/pull/90419) Fix overflow edge case in overscrolled RenderShrinkWrappingViewport (severe: regression, framework, f: scrolling, cla: yes, waiting for tree to go green, a: layout)
[90421](https://github.com/flutter/flutter/pull/90421) Roll Engine from 31792e034099 to 7e94275f7370 (26 revisions) (cla: yes, waiting for tree to go green)
[90423](https://github.com/flutter/flutter/pull/90423) Add clipBeheavior support to TextFields (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[90447](https://github.com/flutter/flutter/pull/90447) [bots] verbose logs when analyzing samples (team, cla: yes, waiting for tree to go green)
[90456](https://github.com/flutter/flutter/pull/90456) Roll Engine from 7e94275f7370 to 233a6e01fbb0 (6 revisions) (cla: yes, waiting for tree to go green)
[90457](https://github.com/flutter/flutter/pull/90457) Fix tooltip so only one shows at a time when hovering (framework, f: material design, cla: yes, waiting for tree to go green)
[90464](https://github.com/flutter/flutter/pull/90464) Fix Chip tooltip so that useDeleteButtonTooltip only applies to the delete button. (framework, f: material design, cla: yes, waiting for tree to go green)
[90468](https://github.com/flutter/flutter/pull/90468) Roll Engine from 233a6e01fbb0 to 50bdb78a9274 (3 revisions) (cla: yes, waiting for tree to go green)
[90473](https://github.com/flutter/flutter/pull/90473) Roll Engine from 50bdb78a9274 to b0f3c0f7e478 (1 revision) (cla: yes, waiting for tree to go green)
[90474](https://github.com/flutter/flutter/pull/90474) Roll Plugins from e314c7a8fdcd to 42a17dc4de1c (4 revisions) (cla: yes, waiting for tree to go green)
[90480](https://github.com/flutter/flutter/pull/90480) Remove bringup for Linux android views (cla: yes, waiting for tree to go green)
[90497](https://github.com/flutter/flutter/pull/90497) Roll Plugins from 42a17dc4de1c to ed2e7a78aee8 (1 revision) (cla: yes, waiting for tree to go green)
[90526](https://github.com/flutter/flutter/pull/90526) Unskip some editable tests on web (a: text input, framework, cla: yes, a: typography, platform-web, waiting for tree to go green)
[90531](https://github.com/flutter/flutter/pull/90531) Fix various problems with Chip delete button. (framework, f: material design, cla: yes, waiting for tree to go green)
[90535](https://github.com/flutter/flutter/pull/90535) [module_test_ios] trying tap the buttons again if the first time didn't work (team, cla: yes, waiting for tree to go green)
[90546](https://github.com/flutter/flutter/pull/90546) Fixes resident_web_runner_test initialize the mock correctly (tool, cla: yes, waiting for tree to go green)
[90549](https://github.com/flutter/flutter/pull/90549) Roll Engine from b0f3c0f7e478 to fa2eb22cffc5 (18 revisions) (cla: yes, waiting for tree to go green)
[90555](https://github.com/flutter/flutter/pull/90555) Roll Engine from fa2eb22cffc5 to dd28b6f1c8e6 (1 revision) (cla: yes, waiting for tree to go green)
[90557](https://github.com/flutter/flutter/pull/90557) [flutter_conductor] Update README (team, cla: yes, waiting for tree to go green)
[90560](https://github.com/flutter/flutter/pull/90560) Roll Plugins from ed2e7a78aee8 to 44772b771a04 (3 revisions) (cla: yes, waiting for tree to go green)
[90567](https://github.com/flutter/flutter/pull/90567) Roll Engine from dd28b6f1c8e6 to b872267e8ff7 (3 revisions) (cla: yes, waiting for tree to go green)
[90605](https://github.com/flutter/flutter/pull/90605) Roll Engine from b872267e8ff7 to a3911f24a5ff (6 revisions) (cla: yes, waiting for tree to go green)
[90613](https://github.com/flutter/flutter/pull/90613) Roll Plugins from 44772b771a04 to 8c5f0f04cade (2 revisions) (cla: yes, waiting for tree to go green)
[90619](https://github.com/flutter/flutter/pull/90619) Roll Engine from a3911f24a5ff to eb94e4f595b6 (1 revision) (cla: yes, waiting for tree to go green)
[90620](https://github.com/flutter/flutter/pull/90620) Add tests for web library platform defines (tool, cla: yes, waiting for tree to go green)
[90629](https://github.com/flutter/flutter/pull/90629) Fix nested stretch overscroll (a: tests, framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green, customer: money (g3))
[90631](https://github.com/flutter/flutter/pull/90631) Roll Plugins from 8c5f0f04cade to d2c6c4314412 (2 revisions) (cla: yes, waiting for tree to go green)
[90634](https://github.com/flutter/flutter/pull/90634) Fix scrollbar dragging into overscroll when not allowed (framework, a: fidelity, f: scrolling, cla: yes, f: gestures, waiting for tree to go green, a: desktop, a: mouse)
[90636](https://github.com/flutter/flutter/pull/90636) Always support hover to reveal scrollbar (framework, a: fidelity, f: scrolling, cla: yes, a: quality, platform-web, waiting for tree to go green, a: desktop, a: mouse)
[90644](https://github.com/flutter/flutter/pull/90644) Roll Engine from eb94e4f595b6 to 694664037380 (6 revisions) (cla: yes, waiting for tree to go green)
[90646](https://github.com/flutter/flutter/pull/90646) Roll Plugins from d2c6c4314412 to a5cd0c3aea70 (1 revision) (cla: yes, waiting for tree to go green)
[90648](https://github.com/flutter/flutter/pull/90648) Roll Engine from 694664037380 to 5ef2faeb10af (3 revisions) (cla: yes, waiting for tree to go green)
[90649](https://github.com/flutter/flutter/pull/90649) Roll Plugins from a5cd0c3aea70 to d3c892f82611 (1 revision) (cla: yes, waiting for tree to go green)
[90653](https://github.com/flutter/flutter/pull/90653) Roll Engine from 5ef2faeb10af to a5b860a2656f (1 revision) (cla: yes, waiting for tree to go green)
[90670](https://github.com/flutter/flutter/pull/90670) Roll Engine from a5b860a2656f to d4216bcd019b (1 revision) (cla: yes, waiting for tree to go green)
[90683](https://github.com/flutter/flutter/pull/90683) Roll Plugins from d3c892f82611 to 0c282812b194 (1 revision) (cla: yes, waiting for tree to go green)
[90685](https://github.com/flutter/flutter/pull/90685) Roll Engine from d4216bcd019b to b67fa6d4fb2b (1 revision) (cla: yes, waiting for tree to go green)
[90690](https://github.com/flutter/flutter/pull/90690) Roll Plugins from 0c282812b194 to cc3c53cde5ab (1 revision) (cla: yes, waiting for tree to go green)
[90691](https://github.com/flutter/flutter/pull/90691) Roll Engine from b67fa6d4fb2b to c64129de7003 (1 revision) (cla: yes, waiting for tree to go green)
[90692](https://github.com/flutter/flutter/pull/90692) Add DDC regression test. (framework, cla: yes, waiting for tree to go green)
[90695](https://github.com/flutter/flutter/pull/90695) Roll Engine from c64129de7003 to dcffd551cb8d (4 revisions) (cla: yes, waiting for tree to go green)
[90696](https://github.com/flutter/flutter/pull/90696) Roll Engine from dcffd551cb8d to a81cab02eb37 (1 revision) (cla: yes, waiting for tree to go green)
[90698](https://github.com/flutter/flutter/pull/90698) Roll Engine from a81cab02eb37 to 5f7d0053f98d (2 revisions) (cla: yes, waiting for tree to go green)
[90702](https://github.com/flutter/flutter/pull/90702) Roll Engine from 5f7d0053f98d to 3248e8b64872 (1 revision) (cla: yes, waiting for tree to go green)
[90708](https://github.com/flutter/flutter/pull/90708) Implemented getter to expose current url strategy for web plugins (team, cla: yes, waiting for tree to go green)
[90739](https://github.com/flutter/flutter/pull/90739) - add FadeInImage.placeholderFit (framework, cla: yes, waiting for tree to go green)
[90763](https://github.com/flutter/flutter/pull/90763) Roll Engine from 3248e8b64872 to fc00cc095797 (2 revisions) (cla: yes, waiting for tree to go green)
[90766](https://github.com/flutter/flutter/pull/90766) Roll Engine from fc00cc095797 to 9740229db871 (3 revisions) (cla: yes, waiting for tree to go green)
[90768](https://github.com/flutter/flutter/pull/90768) Roll Engine from 9740229db871 to 7e7b615764e3 (1 revision) (cla: yes, waiting for tree to go green)
[90770](https://github.com/flutter/flutter/pull/90770) Roll Engine from 7e7b615764e3 to 1564d21cefa9 (1 revision) (cla: yes, waiting for tree to go green)
[90772](https://github.com/flutter/flutter/pull/90772) Roll Engine from 1564d21cefa9 to 3b61bf444560 (1 revision) (cla: yes, waiting for tree to go green)
[90778](https://github.com/flutter/flutter/pull/90778) Roll Engine from 3b61bf444560 to 65ad5a4836c0 (1 revision) (cla: yes, waiting for tree to go green)
[90816](https://github.com/flutter/flutter/pull/90816) Roll Engine from 65ad5a4836c0 to 8dc5cc2a4c38 (1 revision) (cla: yes, waiting for tree to go green)
[90823](https://github.com/flutter/flutter/pull/90823) Roll Plugins from cc3c53cde5ab to 5ec61962da5e (1 revision) (cla: yes, waiting for tree to go green)
[90827](https://github.com/flutter/flutter/pull/90827) Roll Engine from 8dc5cc2a4c38 to 6b5e89d11694 (8 revisions) (cla: yes, waiting for tree to go green)
[90829](https://github.com/flutter/flutter/pull/90829) Run native_ui_tests_macos in correct directory (team, cla: yes, waiting for tree to go green)
[90836](https://github.com/flutter/flutter/pull/90836) Roll Plugins from 5ec61962da5e to 80b5d2ed3f31 (1 revision) (cla: yes, waiting for tree to go green)
[90841](https://github.com/flutter/flutter/pull/90841) Roll Engine from 6b5e89d11694 to adfea3cf1f6a (1 revision) (cla: yes, waiting for tree to go green)
[90846](https://github.com/flutter/flutter/pull/90846) Roll Plugins from 80b5d2ed3f31 to f58ab59880d7 (1 revision) (cla: yes, waiting for tree to go green)
[90849](https://github.com/flutter/flutter/pull/90849) Roll Engine from adfea3cf1f6a to a84b2a72f330 (5 revisions) (cla: yes, waiting for tree to go green)
[90850](https://github.com/flutter/flutter/pull/90850) Roll Engine from a84b2a72f330 to 933661d3e9c4 (1 revision) (cla: yes, waiting for tree to go green)
[90852](https://github.com/flutter/flutter/pull/90852) Roll Engine from 933661d3e9c4 to 94e5cb8b2b0d (1 revision) (cla: yes, waiting for tree to go green)
[90857](https://github.com/flutter/flutter/pull/90857) Roll Plugins from f58ab59880d7 to 8a71e0ee47c7 (1 revision) (cla: yes, waiting for tree to go green)
[90864](https://github.com/flutter/flutter/pull/90864) Roll Engine from 94e5cb8b2b0d to 64b26a3f0c84 (2 revisions) (cla: yes, waiting for tree to go green)
[90866](https://github.com/flutter/flutter/pull/90866) Roll Plugins from 8a71e0ee47c7 to f48f8dba59fb (2 revisions) (cla: yes, waiting for tree to go green)
[90869](https://github.com/flutter/flutter/pull/90869) Roll Engine from 64b26a3f0c84 to 9fa0bc833c7f (1 revision) (cla: yes, waiting for tree to go green)
[90871](https://github.com/flutter/flutter/pull/90871) Roll Plugins from f48f8dba59fb to 44706929299d (1 revision) (cla: yes, waiting for tree to go green)
[90877](https://github.com/flutter/flutter/pull/90877) Roll Engine from 9fa0bc833c7f to 520be3012286 (1 revision) (cla: yes, waiting for tree to go green)
[90878](https://github.com/flutter/flutter/pull/90878) Roll Plugins from 44706929299d to f63395d86dbb (1 revision) (cla: yes, waiting for tree to go green)
[90880](https://github.com/flutter/flutter/pull/90880) [bots] Print more on --verbose analyze_sample_code (team, cla: yes, waiting for tree to go green)
[90884](https://github.com/flutter/flutter/pull/90884) Roll Engine from 520be3012286 to 6a214330550a (1 revision) (cla: yes, waiting for tree to go green)
[90891](https://github.com/flutter/flutter/pull/90891) Roll Engine from 6a214330550a to bccb3a57eb3e (1 revision) (cla: yes, waiting for tree to go green)
[90893](https://github.com/flutter/flutter/pull/90893) Roll ios-deploy to support new iOS devices (platform-ios, cla: yes, waiting for tree to go green)
[90901](https://github.com/flutter/flutter/pull/90901) Roll Engine from bccb3a57eb3e to bd250bdd8178 (5 revisions) (cla: yes, waiting for tree to go green)
[90902](https://github.com/flutter/flutter/pull/90902) Roll Plugins from f63395d86dbb to 1ef44050141b (1 revision) (cla: yes, waiting for tree to go green)
[90915](https://github.com/flutter/flutter/pull/90915) Add iOS build -destination flag (tool, cla: yes, waiting for tree to go green)
[90938](https://github.com/flutter/flutter/pull/90938) Roll Plugins from 1ef44050141b to fe31e5292f14 (1 revision) (cla: yes, waiting for tree to go green)
[90944](https://github.com/flutter/flutter/pull/90944) Add multidex flag and automatic multidex support (tool, cla: yes, waiting for tree to go green)
[90960](https://github.com/flutter/flutter/pull/90960) Roll Plugins from fe31e5292f14 to d9a4b753e7b4 (1 revision) (cla: yes, waiting for tree to go green)
[90966](https://github.com/flutter/flutter/pull/90966) Catch FormatException from bad simulator log output (platform-ios, tool, cla: yes, waiting for tree to go green)
[90967](https://github.com/flutter/flutter/pull/90967) Catch FormatException parsing XCDevice._getAllDevices (platform-ios, tool, cla: yes, waiting for tree to go green)
[90974](https://github.com/flutter/flutter/pull/90974) Improve bug and feature request templates (team, cla: yes, waiting for tree to go green)
[90977](https://github.com/flutter/flutter/pull/90977) Roll Plugins from d9a4b753e7b4 to a1304efe49e9 (1 revision) (cla: yes, waiting for tree to go green)
[90980](https://github.com/flutter/flutter/pull/90980) Roll Engine from bd250bdd8178 to e2775928ec64 (16 revisions) (cla: yes, waiting for tree to go green)
[90985](https://github.com/flutter/flutter/pull/90985) Roll Engine from e2775928ec64 to c9f8cb94ec81 (5 revisions) (cla: yes, waiting for tree to go green)
[90992](https://github.com/flutter/flutter/pull/90992) Roll Engine from c9f8cb94ec81 to 223d8f906b7b (2 revisions) (cla: yes, waiting for tree to go green)
[90995](https://github.com/flutter/flutter/pull/90995) Roll Engine from 223d8f906b7b to 9224a17d1c0c (2 revisions) (cla: yes, waiting for tree to go green)
[90996](https://github.com/flutter/flutter/pull/90996) [flutter_tools] Handle disk device not found (tool, cla: yes, waiting for tree to go green)
[90999](https://github.com/flutter/flutter/pull/90999) Roll Engine from 9224a17d1c0c to d0d8e348b6b4 (3 revisions) (cla: yes, waiting for tree to go green)
[91002](https://github.com/flutter/flutter/pull/91002) Roll Plugins from a1304efe49e9 to 90b2844ce7e5 (1 revision) (cla: yes, waiting for tree to go green)
[91024](https://github.com/flutter/flutter/pull/91024) Adds analyze_sample_code exit for when pub fails (team, cla: yes, waiting for tree to go green)
[91030](https://github.com/flutter/flutter/pull/91030) Change project.buildDir in standalone `subprojects` property (team, tool, a: accessibility, cla: yes, d: examples, waiting for tree to go green, integration_test)
[91036](https://github.com/flutter/flutter/pull/91036) Roll Engine from d0d8e348b6b4 to e83795a0a7c7 (11 revisions) (cla: yes, waiting for tree to go green)
[91039](https://github.com/flutter/flutter/pull/91039) Roll Plugins from 90b2844ce7e5 to 63eb67532a7a (2 revisions) (cla: yes, waiting for tree to go green)
[91046](https://github.com/flutter/flutter/pull/91046) [SwitchListTile] Adds hoverColor to SwitchListTile (framework, f: material design, cla: yes, waiting for tree to go green)
[91051](https://github.com/flutter/flutter/pull/91051) Add a warning about Icon.size to IconButton (framework, f: material design, cla: yes, waiting for tree to go green)
[91052](https://github.com/flutter/flutter/pull/91052) add internal comment to point to .github repo (cla: yes, waiting for tree to go green)
[91053](https://github.com/flutter/flutter/pull/91053) Roll Engine from e83795a0a7c7 to 1f8fa8041d49 (2 revisions) (cla: yes, waiting for tree to go green)
[91054](https://github.com/flutter/flutter/pull/91054) Delete SECURITY.md (cla: yes, waiting for tree to go green)
[91055](https://github.com/flutter/flutter/pull/91055) add internal comment to point to .github repo (cla: yes, waiting for tree to go green)
[91058](https://github.com/flutter/flutter/pull/91058) Roll Plugins from 63eb67532a7a to f6d93a765063 (2 revisions) (cla: yes, waiting for tree to go green)
[91066](https://github.com/flutter/flutter/pull/91066) [flutter_conductor] update conductor to prefer git protocol over https (team, cla: yes, waiting for tree to go green)
[91067](https://github.com/flutter/flutter/pull/91067) Enable avoid_setters_without_getters (a: tests, a: text input, tool, framework, a: accessibility, cla: yes, f: cupertino, waiting for tree to go green)
[91071](https://github.com/flutter/flutter/pull/91071) Roll Engine from 1f8fa8041d49 to 8ec71b64f6ca (12 revisions) (cla: yes, waiting for tree to go green)
[91074](https://github.com/flutter/flutter/pull/91074) Roll Engine from 8ec71b64f6ca to aed327b84d7c (1 revision) (cla: yes, waiting for tree to go green)
[91078](https://github.com/flutter/flutter/pull/91078) Enable `avoid_implementing_value_types` lint (a: tests, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[91083](https://github.com/flutter/flutter/pull/91083) Roll Engine from aed327b84d7c to 2db431944795 (1 revision) (cla: yes, waiting for tree to go green)
[91099](https://github.com/flutter/flutter/pull/91099) Update minimum iOS version in plugin_test (team, cla: yes, waiting for tree to go green)
[91109](https://github.com/flutter/flutter/pull/91109) Clean up dependency pins and update all packages (team, tool, cla: yes, waiting for tree to go green)
[91118](https://github.com/flutter/flutter/pull/91118) Alex chen conductor ui3 (team, cla: yes, waiting for tree to go green)
[91121](https://github.com/flutter/flutter/pull/91121) Roll Engine from 2db431944795 to 74fdd30dc25e (5 revisions) (cla: yes, waiting for tree to go green)
[91123](https://github.com/flutter/flutter/pull/91123) Roll Engine from 74fdd30dc25e to 6f4143e80069 (1 revision) (cla: yes, waiting for tree to go green)
[91129](https://github.com/flutter/flutter/pull/91129) Fix ActivateIntent overriding the spacebar for text entry (a: text input, framework, cla: yes, waiting for tree to go green)
[91130](https://github.com/flutter/flutter/pull/91130) Add example test, update example READMEs (team, cla: yes, d: examples, waiting for tree to go green)
[91133](https://github.com/flutter/flutter/pull/91133) Clean up examples, remove section markers and --template args (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus)
[91187](https://github.com/flutter/flutter/pull/91187) Making AnimatedCrossFade more null safe (framework, cla: yes, waiting for tree to go green)
[91239](https://github.com/flutter/flutter/pull/91239) Replace all BorderRadius.circular with const BorderRadius.all (a: text input, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[91244](https://github.com/flutter/flutter/pull/91244) Roll Engine from 6f4143e80069 to a36eac0a341c (10 revisions) (cla: yes, waiting for tree to go green)
[91252](https://github.com/flutter/flutter/pull/91252) Update dartdoc to 4.0.0 (team, cla: yes, waiting for tree to go green)
[91267](https://github.com/flutter/flutter/pull/91267) Migrate protocol_discovery to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[91268](https://github.com/flutter/flutter/pull/91268) Mark Linux deferred components to be flaky (cla: yes, waiting for tree to go green)
[91271](https://github.com/flutter/flutter/pull/91271) Mark Linux_android flutter_gallery__start_up to be flaky (cla: yes, waiting for tree to go green)
[91273](https://github.com/flutter/flutter/pull/91273) Marks Mac_ios integration_ui_ios_textfield to be flaky (cla: yes, waiting for tree to go green)
[91281](https://github.com/flutter/flutter/pull/91281) Don't generate plugin registry in ResidentWebRunner (tool, cla: yes, waiting for tree to go green)
[91310](https://github.com/flutter/flutter/pull/91310) Pin chrome and driver versions. (cla: yes, waiting for tree to go green)
[91313](https://github.com/flutter/flutter/pull/91313) Roll Plugins from f6d93a765063 to 0558169b8930 (4 revisions) (cla: yes, waiting for tree to go green)
[91316](https://github.com/flutter/flutter/pull/91316) Marks Mac module_test_ios to be unflaky (cla: yes, waiting for tree to go green)
[91317](https://github.com/flutter/flutter/pull/91317) Remove accidental print (tool, cla: yes, waiting for tree to go green)
[91320](https://github.com/flutter/flutter/pull/91320) Roll Engine from a36eac0a341c to c77141589503 (17 revisions) (cla: yes, waiting for tree to go green)
[91323](https://github.com/flutter/flutter/pull/91323) Roll Engine from c77141589503 to 82e7100bc7f4 (1 revision) (cla: yes, waiting for tree to go green)
[91324](https://github.com/flutter/flutter/pull/91324) Update number of IPHONEOS_DEPLOYMENT_TARGET in plugin_test_ios (a: tests, team, platform-ios, cla: yes, waiting for tree to go green)
[91328](https://github.com/flutter/flutter/pull/91328) Roll Engine from 82e7100bc7f4 to 3afd94a62af8 (2 revisions) (cla: yes, waiting for tree to go green)
[91331](https://github.com/flutter/flutter/pull/91331) Roll Engine from 3afd94a62af8 to 39d2479cb09f (1 revision) (cla: yes, waiting for tree to go green)
[91332](https://github.com/flutter/flutter/pull/91332) Enable `avoid_print` lint. (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, waiting for tree to go green, f: focus, integration_test)
[91336](https://github.com/flutter/flutter/pull/91336) Roll Engine from 39d2479cb09f to ad66cbbef953 (2 revisions) (cla: yes, waiting for tree to go green)
[91338](https://github.com/flutter/flutter/pull/91338) Roll Engine from ad66cbbef953 to 325f7d887111 (2 revisions) (cla: yes, waiting for tree to go green)
[91339](https://github.com/flutter/flutter/pull/91339) Roll Engine from 325f7d887111 to 88e150ddc9bc (1 revision) (cla: yes, waiting for tree to go green)
[91346](https://github.com/flutter/flutter/pull/91346) Add a startup test that delays runApp (team, cla: yes, waiting for tree to go green, integration_test)
[91347](https://github.com/flutter/flutter/pull/91347) Roll Engine from 88e150ddc9bc to 97f0274afd7a (1 revision) (cla: yes, waiting for tree to go green)
[91349](https://github.com/flutter/flutter/pull/91349) The covered child in AnimatedCrossFade should not get touch events (framework, cla: yes, waiting for tree to go green)
[91351](https://github.com/flutter/flutter/pull/91351) Roll Engine from 97f0274afd7a to 0e87d51b5e32 (1 revision) (cla: yes, waiting for tree to go green)
[91352](https://github.com/flutter/flutter/pull/91352) Roll Plugins from 0558169b8930 to cd5dc3ba4c54 (1 revision) (cla: yes, waiting for tree to go green)
[91353](https://github.com/flutter/flutter/pull/91353) Clear asset manager caches on memory pressure (framework, cla: yes, waiting for tree to go green)
[91355](https://github.com/flutter/flutter/pull/91355) Roll Engine from 0e87d51b5e32 to f967ebb685d8 (1 revision) (cla: yes, waiting for tree to go green)
[91362](https://github.com/flutter/flutter/pull/91362) Remove duplicate comments in TextEditingActionTarget (a: text input, framework, cla: yes, waiting for tree to go green)
[91386](https://github.com/flutter/flutter/pull/91386) Roll Engine from f967ebb685d8 to c877eb878faf (3 revisions) (cla: yes, waiting for tree to go green)
[91389](https://github.com/flutter/flutter/pull/91389) Conditionally apply clipping in StretchingOverscrollIndicator (a: text input, framework, f: scrolling, cla: yes, waiting for tree to go green, customer: money (g3), will affect goldens)
[91394](https://github.com/flutter/flutter/pull/91394) Roll Engine from c877eb878faf to 6a00ce51c266 (3 revisions) (cla: yes, waiting for tree to go green)
[91395](https://github.com/flutter/flutter/pull/91395) Roll Engine from 6a00ce51c266 to 21fb38029fbf (1 revision) (cla: yes, waiting for tree to go green)
[91396](https://github.com/flutter/flutter/pull/91396) Update SystemUIOverlayStyle to support null contrast enforcement (framework, cla: yes, waiting for tree to go green)
[91398](https://github.com/flutter/flutter/pull/91398) Roll Engine from 21fb38029fbf to e914da14f101 (1 revision) (cla: yes, waiting for tree to go green)
[91401](https://github.com/flutter/flutter/pull/91401) Roll Plugins from cd5dc3ba4c54 to 174f140651e9 (1 revision) (cla: yes, waiting for tree to go green)
[91403](https://github.com/flutter/flutter/pull/91403) Roll Engine from e914da14f101 to dec9b8677c77 (1 revision) (cla: yes, waiting for tree to go green)
[91409](https://github.com/flutter/flutter/pull/91409) Enable avoid_redundant_argument_values lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91429](https://github.com/flutter/flutter/pull/91429) Roll Engine from dec9b8677c77 to 5ed6b7f37cdc (2 revisions) (cla: yes, waiting for tree to go green)
[91431](https://github.com/flutter/flutter/pull/91431) Roll Engine from 5ed6b7f37cdc to c871051521db (1 revision) (cla: yes, waiting for tree to go green)
[91436](https://github.com/flutter/flutter/pull/91436) [flutter_tools] add working directory to ProcessException when pub get fails (tool, cla: yes, waiting for tree to go green)
[91439](https://github.com/flutter/flutter/pull/91439) Revert "Remove autovalidate deprecations" (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[91442](https://github.com/flutter/flutter/pull/91442) Roll Engine from c871051521db to b825bf8c987b (4 revisions) (cla: yes, waiting for tree to go green)
[91443](https://github.com/flutter/flutter/pull/91443) Reland Remove autovalidate deprecations (a: text input, team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[91444](https://github.com/flutter/flutter/pull/91444) Enable `avoid_print` lint. (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, waiting for tree to go green, f: focus, integration_test)
[91445](https://github.com/flutter/flutter/pull/91445) added conductor_status widget (team, cla: yes, waiting for tree to go green)
[91446](https://github.com/flutter/flutter/pull/91446) Roll Engine from b825bf8c987b to 63e52965035a (2 revisions) (cla: yes, waiting for tree to go green)
[91451](https://github.com/flutter/flutter/pull/91451) Roll Engine from 63e52965035a to 76c8115c6d61 (2 revisions) (cla: yes, waiting for tree to go green)
[91453](https://github.com/flutter/flutter/pull/91453) Remove extensions (framework, f: material design, cla: yes, waiting for tree to go green)
[91454](https://github.com/flutter/flutter/pull/91454) Roll Engine from 76c8115c6d61 to 8d64613c9b4b (1 revision) (cla: yes, waiting for tree to go green)
[91455](https://github.com/flutter/flutter/pull/91455) Migrate android build target to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[91465](https://github.com/flutter/flutter/pull/91465) Roll Engine from 8d64613c9b4b to a2773d5ec3c3 (3 revisions) (cla: yes, waiting for tree to go green)
[91479](https://github.com/flutter/flutter/pull/91479) [flutter_localizations] fix README links (framework, a: internationalization, cla: yes, waiting for tree to go green)
[91498](https://github.com/flutter/flutter/pull/91498) Fixed a very small typo in code comments. (framework, f: scrolling, cla: yes, waiting for tree to go green)
[91503](https://github.com/flutter/flutter/pull/91503) Roll Engine from a2773d5ec3c3 to 7007e5249707 (1 revision) (cla: yes, waiting for tree to go green)
[91506](https://github.com/flutter/flutter/pull/91506) Scrollbar shouldRepaint to respect the shape (framework, f: scrolling, cla: yes, waiting for tree to go green)
[91510](https://github.com/flutter/flutter/pull/91510) Roll Engine from 7007e5249707 to af34f7b267fe (2 revisions) (cla: yes, waiting for tree to go green)
[91515](https://github.com/flutter/flutter/pull/91515) Roll Plugins from 174f140651e9 to 5117a3fcd106 (1 revision) (cla: yes, waiting for tree to go green)
[91516](https://github.com/flutter/flutter/pull/91516) Migrate crash_reporting and github_template (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[91518](https://github.com/flutter/flutter/pull/91518) Roll Engine from af34f7b267fe to 597516c2fe80 (1 revision) (cla: yes, waiting for tree to go green)
[91522](https://github.com/flutter/flutter/pull/91522) Roll Engine from 597516c2fe80 to 2d8b3571d074 (3 revisions) (cla: yes, waiting for tree to go green)
[91527](https://github.com/flutter/flutter/pull/91527) Document why some lints aren't enabled and fix some minor issues. (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[91528](https://github.com/flutter/flutter/pull/91528) Roll Plugins from 5117a3fcd106 to c254963c1e2b (1 revision) (cla: yes, waiting for tree to go green)
[91529](https://github.com/flutter/flutter/pull/91529) [flutter_tools] iOS: display name defaults to the Title Case of flutter project name. (tool, cla: yes, waiting for tree to go green)
[91530](https://github.com/flutter/flutter/pull/91530) Enable no_default_cases lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, f: scrolling, cla: yes, f: cupertino, d: examples, waiting for tree to go green, f: focus, integration_test)
[91549](https://github.com/flutter/flutter/pull/91549) Roll Engine from 2d8b3571d074 to 07ba8fd075d6 (6 revisions) (cla: yes, waiting for tree to go green)
[91563](https://github.com/flutter/flutter/pull/91563) Roll Engine from 07ba8fd075d6 to 947d54d3e607 (1 revision) (cla: yes, waiting for tree to go green)
[91567](https://github.com/flutter/flutter/pull/91567) Enable `only_throw_errors` (a: tests, team, tool, framework, cla: yes, d: examples, waiting for tree to go green)
[91573](https://github.com/flutter/flutter/pull/91573) Enable `prefer_relative_imports` and fix files. (a: tests, a: text input, team, framework, cla: yes, waiting for tree to go green, integration_test)
[91585](https://github.com/flutter/flutter/pull/91585) Enable `sort_child_properties_last` lint (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, integration_test)
[91593](https://github.com/flutter/flutter/pull/91593) Do not output the error msg to the console when run a throwable test (a: tests, framework, f: material design, cla: yes, waiting for tree to go green, a: error message)
[91609](https://github.com/flutter/flutter/pull/91609) Add `TooltipVisibility` widget (framework, f: material design, cla: yes, waiting for tree to go green)
[91620](https://github.com/flutter/flutter/pull/91620) Fix visual overflow when overscrolling RenderShrinkWrappingViewport (framework, f: scrolling, cla: yes, waiting for tree to go green, will affect goldens)
[91626](https://github.com/flutter/flutter/pull/91626) Mark Mac_android run_release_test to be flaky (cla: yes, waiting for tree to go green)
[91629](https://github.com/flutter/flutter/pull/91629) Roll Engine from 947d54d3e607 to e3655025cb0e (15 revisions) (cla: yes, waiting for tree to go green)
[91632](https://github.com/flutter/flutter/pull/91632) [flutter_tools] migrate web_device.dart to null-safety (tool, cla: yes, waiting for tree to go green)
[91642](https://github.com/flutter/flutter/pull/91642) Enable more lints (a: tests, a: text input, team, tool, framework, a: animation, f: scrolling, cla: yes, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91644](https://github.com/flutter/flutter/pull/91644) Roll Engine from e3655025cb0e to 24363d08556e (1 revision) (cla: yes, waiting for tree to go green)
[91645](https://github.com/flutter/flutter/pull/91645) Roll Engine from 24363d08556e to 7a666ecc6e55 (4 revisions) (cla: yes, waiting for tree to go green)
[91653](https://github.com/flutter/flutter/pull/91653) Enable `depend_on_referenced_packages` lint (team, cla: yes, waiting for tree to go green, integration_test)
[91658](https://github.com/flutter/flutter/pull/91658) Roll Engine from 7a666ecc6e55 to ad33adfa6ba2 (4 revisions) (cla: yes, waiting for tree to go green)
[91659](https://github.com/flutter/flutter/pull/91659) Add some more new lints (team, cla: yes, waiting for tree to go green, integration_test)
[91687](https://github.com/flutter/flutter/pull/91687) Add owners for .ci.yaml (cla: yes, waiting for tree to go green)
[91688](https://github.com/flutter/flutter/pull/91688) Roll Engine from ad33adfa6ba2 to 96831061087b (7 revisions) (cla: yes, waiting for tree to go green)
[91691](https://github.com/flutter/flutter/pull/91691) [codeowners] Remove *_builders.json ownership (cla: yes, waiting for tree to go green)
[91692](https://github.com/flutter/flutter/pull/91692) Roll Engine from 96831061087b to 07ec40742e22 (2 revisions) (cla: yes, waiting for tree to go green)
[91697](https://github.com/flutter/flutter/pull/91697) Roll Engine from 07ec40742e22 to f27fab4f4330 (2 revisions) (cla: yes, waiting for tree to go green)
[91704](https://github.com/flutter/flutter/pull/91704) Migrate xcdevice and ios devices to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[91705](https://github.com/flutter/flutter/pull/91705) Migrate desktop_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[91707](https://github.com/flutter/flutter/pull/91707) Roll Engine from f27fab4f4330 to adf8fa751589 (1 revision) (cla: yes, waiting for tree to go green)
[91712](https://github.com/flutter/flutter/pull/91712) Roll Engine from adf8fa751589 to 6755b4884d7b (3 revisions) (cla: yes, waiting for tree to go green)
[91713](https://github.com/flutter/flutter/pull/91713) Enable Mac plugin_test_ios in prod (cla: yes, waiting for tree to go green)
[91718](https://github.com/flutter/flutter/pull/91718) Roll Engine from 6755b4884d7b to 201e2542a61f (1 revision) (cla: yes, waiting for tree to go green)
[91725](https://github.com/flutter/flutter/pull/91725) Roll Engine from 201e2542a61f to 057983c49c6c (1 revision) (cla: yes, waiting for tree to go green)
[91727](https://github.com/flutter/flutter/pull/91727) Roll Engine from 057983c49c6c to 4b08a8c8cc16 (2 revisions) (cla: yes, waiting for tree to go green)
[91728](https://github.com/flutter/flutter/pull/91728) Roll Engine from 4b08a8c8cc16 to c7f301f16e15 (1 revision) (cla: yes, waiting for tree to go green)
[91730](https://github.com/flutter/flutter/pull/91730) Roll Engine from c7f301f16e15 to 6db4d60f7906 (1 revision) (cla: yes, waiting for tree to go green)
[91734](https://github.com/flutter/flutter/pull/91734) Roll Engine from 6db4d60f7906 to da5bd058543f (1 revision) (cla: yes, waiting for tree to go green)
[91736](https://github.com/flutter/flutter/pull/91736) Run "flutter update-packages --force-upgrade" to get latest DDS (team, cla: yes, waiting for tree to go green)
[91750](https://github.com/flutter/flutter/pull/91750) Roll Engine from da5bd058543f to b1a886d30084 (1 revision) (cla: yes, waiting for tree to go green)
[91753](https://github.com/flutter/flutter/pull/91753) Remove unused offset from Layer.addToScene/addChildrenToScene (framework, cla: yes, waiting for tree to go green)
[91761](https://github.com/flutter/flutter/pull/91761) Roll Engine from b1a886d30084 to 8c9dc9427749 (1 revision) (cla: yes, waiting for tree to go green)
[91763](https://github.com/flutter/flutter/pull/91763) [CupertinoTabBar] Add an official interactive sample (team, framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[91764](https://github.com/flutter/flutter/pull/91764) Roll Engine from 8c9dc9427749 to 2cdac43baf2a (2 revisions) (cla: yes, waiting for tree to go green)
[91765](https://github.com/flutter/flutter/pull/91765) Roll Engine from 2cdac43baf2a to c432592e048d (1 revision) (cla: yes, waiting for tree to go green)
[91769](https://github.com/flutter/flutter/pull/91769) Release Desktop UI Repo Info Widget (team, cla: yes, waiting for tree to go green)
[91773](https://github.com/flutter/flutter/pull/91773) Add local engine flag support to the SkSL caching performance benchmark scripts (team, cla: yes, waiting for tree to go green)
[91781](https://github.com/flutter/flutter/pull/91781) Roll Plugins from c254963c1e2b to 6716d75c08cb (1 revision) (cla: yes, waiting for tree to go green)
[91789](https://github.com/flutter/flutter/pull/91789) Improve error message for when you're not running chromedriver (tool, cla: yes, waiting for tree to go green)
[91794](https://github.com/flutter/flutter/pull/91794) Roll Engine from c432592e048d to 4a13531f8ca9 (9 revisions) (cla: yes, waiting for tree to go green)
[91796](https://github.com/flutter/flutter/pull/91796) Roll Plugins from 6716d75c08cb to 176cfb8083bc (1 revision) (cla: yes, waiting for tree to go green)
[91799](https://github.com/flutter/flutter/pull/91799) Roll Engine from 4a13531f8ca9 to ea7fa6a65f96 (1 revision) (cla: yes, waiting for tree to go green)
[91802](https://github.com/flutter/flutter/pull/91802) Add a "flutter debug_adapter" command that runs a DAP server (tool, cla: yes, waiting for tree to go green)
[91817](https://github.com/flutter/flutter/pull/91817) Roll Engine from ea7fa6a65f96 to 5bc9385e015a (1 revision) (cla: yes, waiting for tree to go green)
[91820](https://github.com/flutter/flutter/pull/91820) Roll Engine from 5bc9385e015a to 21f6725f2cf3 (2 revisions) (cla: yes, waiting for tree to go green)
[91823](https://github.com/flutter/flutter/pull/91823) Deflake Mac plugin_test_ios (cla: yes, waiting for tree to go green)
[91827](https://github.com/flutter/flutter/pull/91827) _CastError on Semantics copy in release mode (a: text input, framework, cla: yes, waiting for tree to go green)
[91828](https://github.com/flutter/flutter/pull/91828) Roll Engine from 21f6725f2cf3 to 8a1879464840 (2 revisions) (cla: yes, waiting for tree to go green)
[91829](https://github.com/flutter/flutter/pull/91829) Minor doc fix for `CupertinoTabBar` (framework, cla: yes, f: cupertino, waiting for tree to go green)
[91834](https://github.com/flutter/flutter/pull/91834) Fix ScrollBehavior copyWith (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green)
[91836](https://github.com/flutter/flutter/pull/91836) Roll Engine from 8a1879464840 to 8034050e7810 (2 revisions) (cla: yes, waiting for tree to go green)
[91848](https://github.com/flutter/flutter/pull/91848) Add missing debug vars to debugAssertAllRenderVarsUnset (framework, cla: yes, waiting for tree to go green)
[91856](https://github.com/flutter/flutter/pull/91856) Rewire all Dart entrypoints when the Dart plugin registrant is used. (tool, cla: yes, waiting for tree to go green)
[91898](https://github.com/flutter/flutter/pull/91898) Add missing transform == check for gradients (framework, cla: yes, waiting for tree to go green)
[91916](https://github.com/flutter/flutter/pull/91916) Roll Engine from 60d0fdfa2232 to 13e4ba56398a (2 revisions) (cla: yes, waiting for tree to go green)
[91920](https://github.com/flutter/flutter/pull/91920) Roll Engine from 13e4ba56398a to 77a9af74beb7 (2 revisions) (cla: yes, waiting for tree to go green)
[91928](https://github.com/flutter/flutter/pull/91928) Roll Engine from 77a9af74beb7 to f6ad5636f117 (1 revision) (cla: yes, waiting for tree to go green)
[91930](https://github.com/flutter/flutter/pull/91930) Revert "Remove BottomNavigationBarItem.title deprecation" (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[91932](https://github.com/flutter/flutter/pull/91932) Roll Engine from f6ad5636f117 to faa45f497f92 (2 revisions) (cla: yes, waiting for tree to go green)
[91938](https://github.com/flutter/flutter/pull/91938) Roll Plugins from 176cfb8083bc to 9e46048ad2e1 (1 revision) (cla: yes, waiting for tree to go green)
[91995](https://github.com/flutter/flutter/pull/91995) Fix typo in code comments (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[91998](https://github.com/flutter/flutter/pull/91998) [doc] Update `suffixIcon`/`prefixIcon` for alignment with code snippet (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[92019](https://github.com/flutter/flutter/pull/92019) Marks Linux_android flutter_gallery__image_cache_memory to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[92022](https://github.com/flutter/flutter/pull/92022) Bump Android Compile SDK to 31 (team, tool, cla: yes, waiting for tree to go green, integration_test)
[92032](https://github.com/flutter/flutter/pull/92032) [keyboard_textfield_test] wait until the keyboard becomes visible (a: text input, team, cla: yes, waiting for tree to go green, integration_test)
[92039](https://github.com/flutter/flutter/pull/92039) Fix persistentFooter padding (framework, f: material design, cla: yes, waiting for tree to go green)
[92052](https://github.com/flutter/flutter/pull/92052) Bump Kotlin version in templates and projects (team, tool, a: accessibility, cla: yes, d: examples, waiting for tree to go green, integration_test)
[92055](https://github.com/flutter/flutter/pull/92055) Migrate desktop_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92056](https://github.com/flutter/flutter/pull/92056) Migrate xcdevice and ios devices to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92059](https://github.com/flutter/flutter/pull/92059) Roll Plugins from 9e46048ad2e1 to aae841aa5a70 (1 revision) (cla: yes, waiting for tree to go green)
[92062](https://github.com/flutter/flutter/pull/92062) feat: migrate install_manifest.dart to null-safety (tool, cla: yes, waiting for tree to go green)
[92064](https://github.com/flutter/flutter/pull/92064) [flutter_conductor] validate git parsed version and release branch match (team, cla: yes, waiting for tree to go green)
[92065](https://github.com/flutter/flutter/pull/92065) Remove sandbox entitlement to allow tests to run on big sur. (team, cla: yes, waiting for tree to go green, integration_test, warning: land on red to fix tree breakage)
[92066](https://github.com/flutter/flutter/pull/92066) Add android:exported property to support API 31 for deferred components test (team, cla: yes, waiting for tree to go green, integration_test)
[92082](https://github.com/flutter/flutter/pull/92082) Roll Engine from faa45f497f92 to 910395ef686f (9 revisions) (cla: yes, waiting for tree to go green)
[92090](https://github.com/flutter/flutter/pull/92090) Reland "Add TooltipVisibility widget" (framework, f: material design, cla: yes, waiting for tree to go green)
[92099](https://github.com/flutter/flutter/pull/92099) Roll Engine from 910395ef686f to 9830def3a494 (2 revisions) (cla: yes, waiting for tree to go green)
[92110](https://github.com/flutter/flutter/pull/92110) Roll Plugins from aae841aa5a70 to fbb7d3aa514b (1 revision) (cla: yes, waiting for tree to go green)
[92118](https://github.com/flutter/flutter/pull/92118) Set exported to true to allow external adb to start app for CI (team, cla: yes, waiting for tree to go green, integration_test)
[92122](https://github.com/flutter/flutter/pull/92122) [ci.yaml] Only run test ownership on tot (cla: yes, waiting for tree to go green)
[92124](https://github.com/flutter/flutter/pull/92124) Migrate mdns_discovery and ios simulator to null safety (a: text input, tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92125](https://github.com/flutter/flutter/pull/92125) Roll Plugins from fbb7d3aa514b to 3bffbf87fe96 (1 revision) (cla: yes, waiting for tree to go green)
[92126](https://github.com/flutter/flutter/pull/92126) Roll Engine from 9830def3a494 to 112fb84b5dc1 (4 revisions) (cla: yes, waiting for tree to go green)
[92128](https://github.com/flutter/flutter/pull/92128) Migrate android_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92131](https://github.com/flutter/flutter/pull/92131) Migrate doctor to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92141](https://github.com/flutter/flutter/pull/92141) Add devicelab benchmark tags support (team, cla: yes, waiting for tree to go green)
[92143](https://github.com/flutter/flutter/pull/92143) Roll Plugins from 3bffbf87fe96 to fecd22e1de55 (1 revision) (cla: yes, waiting for tree to go green)
[92146](https://github.com/flutter/flutter/pull/92146) Roll Engine from 112fb84b5dc1 to e6a4610ebd4c (6 revisions) (cla: yes, waiting for tree to go green)
[92147](https://github.com/flutter/flutter/pull/92147) Migrate integration test shard test data to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92151](https://github.com/flutter/flutter/pull/92151) Roll Engine from e6a4610ebd4c to 115c859b2cfb (2 revisions) (cla: yes, waiting for tree to go green)
[92158](https://github.com/flutter/flutter/pull/92158) Roll Engine from 115c859b2cfb to 9594a68aa2b9 (2 revisions) (cla: yes, waiting for tree to go green)
[92192](https://github.com/flutter/flutter/pull/92192) Roll Plugins from fecd22e1de55 to b8aea6d0e73d (3 revisions) (cla: yes, waiting for tree to go green)
[92193](https://github.com/flutter/flutter/pull/92193) Roll Engine from 9594a68aa2b9 to 88428f36db1d (4 revisions) (cla: yes, waiting for tree to go green)
[92204](https://github.com/flutter/flutter/pull/92204) Roll Engine from 88428f36db1d to d54f439cdae5 (1 revision) (cla: yes, waiting for tree to go green)
[92211](https://github.com/flutter/flutter/pull/92211) remove Downloading ... stderr messages (tool, cla: yes, waiting for tree to go green)
[92213](https://github.com/flutter/flutter/pull/92213) Roll Engine from d54f439cdae5 to 69156d8af006 (2 revisions) (cla: yes, waiting for tree to go green)
[92214](https://github.com/flutter/flutter/pull/92214) Roll Plugins from b8aea6d0e73d to cdbd62b4185e (1 revision) (cla: yes, waiting for tree to go green)
[92216](https://github.com/flutter/flutter/pull/92216) [ci.yaml] Main branch support (cla: yes, waiting for tree to go green)
[92218](https://github.com/flutter/flutter/pull/92218) [ci.yaml] Explicitly use scheduler==luci (cla: yes, waiting for tree to go green)
[92219](https://github.com/flutter/flutter/pull/92219) [flutter_conductor] remove old conductor entrypoint (team, cla: yes, waiting for tree to go green)
[92222](https://github.com/flutter/flutter/pull/92222) Roll Engine from 69156d8af006 to 8c38444e64ad (1 revision) (cla: yes, waiting for tree to go green)
[92223](https://github.com/flutter/flutter/pull/92223) Roll Engine from 8c38444e64ad to f4b81b133eba (3 revisions) (cla: yes, waiting for tree to go green)
[92224](https://github.com/flutter/flutter/pull/92224) Roll Plugins from cdbd62b4185e to c85fa03771ca (1 revision) (cla: yes, waiting for tree to go green)
[92230](https://github.com/flutter/flutter/pull/92230) Roll Engine from f4b81b133eba to 1c173ca64de8 (3 revisions) (cla: yes, waiting for tree to go green)
[92233](https://github.com/flutter/flutter/pull/92233) Roll Engine from 1c173ca64de8 to ce74cbc3ce63 (1 revision) (cla: yes, waiting for tree to go green)
[92237](https://github.com/flutter/flutter/pull/92237) Roll Engine from ce74cbc3ce63 to d4e270979102 (2 revisions) (cla: yes, waiting for tree to go green)
[92239](https://github.com/flutter/flutter/pull/92239) Roll Engine from d4e270979102 to e83934323379 (1 revision) (cla: yes, waiting for tree to go green)
[92245](https://github.com/flutter/flutter/pull/92245) Fix typos (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[92246](https://github.com/flutter/flutter/pull/92246) Roll Engine from e83934323379 to 6c28e5f004cd (1 revision) (cla: yes, waiting for tree to go green)
[92253](https://github.com/flutter/flutter/pull/92253) Roll Engine from 6c28e5f004cd to 5ab9c83d7dc8 (1 revision) (cla: yes, waiting for tree to go green)
[92269](https://github.com/flutter/flutter/pull/92269) Roll Engine from 5ab9c83d7dc8 to d8a54333e57b (2 revisions) (cla: yes, waiting for tree to go green)
[92271](https://github.com/flutter/flutter/pull/92271) Ignore analyzer implict dynamic checks for js_util generic return type (a: text input, team, cla: yes, waiting for tree to go green, integration_test)
[92277](https://github.com/flutter/flutter/pull/92277) [web] fix web_e2e_tests README (team, cla: yes, waiting for tree to go green, integration_test)
[92281](https://github.com/flutter/flutter/pull/92281) Update the version of no-response bot. (cla: yes, waiting for tree to go green)
[92282](https://github.com/flutter/flutter/pull/92282) Roll Plugins from c85fa03771ca to 5eec1e61d40c (1 revision) (cla: yes, waiting for tree to go green)
[92284](https://github.com/flutter/flutter/pull/92284) Roll Plugins from 5eec1e61d40c to 7df7a8f71a85 (1 revision) (cla: yes, waiting for tree to go green)
[92293](https://github.com/flutter/flutter/pull/92293) Roll Plugins from 7df7a8f71a85 to 99fbfbd56fe4 (1 revision) (cla: yes, waiting for tree to go green)
[92295](https://github.com/flutter/flutter/pull/92295) Remove assert that prevents WidgetSpans from being used in SelectableText (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[92303](https://github.com/flutter/flutter/pull/92303) [web] fix race in the image_loading_integration.dart test (team, cla: yes, waiting for tree to go green, integration_test)
[92304](https://github.com/flutter/flutter/pull/92304) Roll Plugins from 99fbfbd56fe4 to 4b6b6b24c7a5 (2 revisions) (cla: yes, waiting for tree to go green)
[92305](https://github.com/flutter/flutter/pull/92305) [web] use local CanvasKit bundle in all e2e tests (team, cla: yes, waiting for tree to go green, integration_test)
[92311](https://github.com/flutter/flutter/pull/92311) Roll Engine from d8a54333e57b to e898106f5306 (10 revisions) (cla: yes, waiting for tree to go green)
[92313](https://github.com/flutter/flutter/pull/92313) Roll Engine from e898106f5306 to a86ce6b22fa8 (1 revision) (cla: yes, waiting for tree to go green)
[92332](https://github.com/flutter/flutter/pull/92332) Roll Engine from a86ce6b22fa8 to dcce9739126c (1 revision) (cla: yes, waiting for tree to go green)
[92367](https://github.com/flutter/flutter/pull/92367) Roll Engine from dcce9739126c to ebe877f54e81 (1 revision) (cla: yes, waiting for tree to go green)
[92368](https://github.com/flutter/flutter/pull/92368) Roll Engine from ebe877f54e81 to d39266a72a4f (1 revision) (cla: yes, waiting for tree to go green)
[92390](https://github.com/flutter/flutter/pull/92390) Roll Engine from d39266a72a4f to c80cc613a85c (1 revision) (cla: yes, waiting for tree to go green)
[92396](https://github.com/flutter/flutter/pull/92396) Roll Engine from c80cc613a85c to e39989b36af2 (1 revision) (cla: yes, waiting for tree to go green)
[92401](https://github.com/flutter/flutter/pull/92401) Roll Engine from e39989b36af2 to 35ebc10913ce (2 revisions) (cla: yes, waiting for tree to go green)
[92420](https://github.com/flutter/flutter/pull/92420) Roll Plugins from 4b6b6b24c7a5 to 94b836eca365 (1 revision) (cla: yes, waiting for tree to go green)
[92423](https://github.com/flutter/flutter/pull/92423) Marks Mac_ios platform_view_ios__start_up to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[92428](https://github.com/flutter/flutter/pull/92428) Roll Engine from 35ebc10913ce to 4797fb0111d7 (1 revision) (cla: yes, waiting for tree to go green)
[92432](https://github.com/flutter/flutter/pull/92432) Roll Engine from 4797fb0111d7 to 65af9702699c (1 revision) (cla: yes, waiting for tree to go green)
[92441](https://github.com/flutter/flutter/pull/92441) Roll Engine from 65af9702699c to f9bd71bf13bb (3 revisions) (cla: yes, waiting for tree to go green)
[92442](https://github.com/flutter/flutter/pull/92442) [ci.yaml] Disable plugins_test on release branches (cla: yes, waiting for tree to go green)
[92446](https://github.com/flutter/flutter/pull/92446) Update dartdoc to 4.1.0. (team, cla: yes, waiting for tree to go green)
[92450](https://github.com/flutter/flutter/pull/92450) Improve how AttributedStrings are presented in the widget inspector (framework, a: accessibility, cla: yes, waiting for tree to go green)
[92455](https://github.com/flutter/flutter/pull/92455) Roll Engine from f9bd71bf13bb to 925bae45ee95 (3 revisions) (cla: yes, waiting for tree to go green)
[92486](https://github.com/flutter/flutter/pull/92486) fix a throw due to double precison (framework, f: material design, cla: yes, waiting for tree to go green)
[92508](https://github.com/flutter/flutter/pull/92508) Run flutter tester with arch -x86_64 on arm64 Mac (tool, platform-mac, cla: yes, waiting for tree to go green, platform-host-arm)
[92516](https://github.com/flutter/flutter/pull/92516) [release_dashboard] Remove project (team, cla: yes, waiting for tree to go green)
[92520](https://github.com/flutter/flutter/pull/92520) Add integration_test to flavor test project (team, platform-android, platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode, integration_test)
[92530](https://github.com/flutter/flutter/pull/92530) Add extra benchmark metrics to test name in addition to builder name (team, cla: yes, waiting for tree to go green, team: benchmark)
[92534](https://github.com/flutter/flutter/pull/92534) Remove the pub offline flag from tests of the flutter_tools create command (tool, cla: yes, waiting for tree to go green)
[92539](https://github.com/flutter/flutter/pull/92539) Roll Engine from 925bae45ee95 to fbad0fda670f (20 revisions) (cla: yes, waiting for tree to go green)
[92546](https://github.com/flutter/flutter/pull/92546) Roll Plugins from 94b836eca365 to 0d330943941a (3 revisions) (cla: yes, waiting for tree to go green)
[92554](https://github.com/flutter/flutter/pull/92554) Roll Engine from fbad0fda670f to 8948972d65c4 (5 revisions) (cla: yes, waiting for tree to go green)
[92557](https://github.com/flutter/flutter/pull/92557) feat: migrate ios/bitcode.dart to null safety (tool, cla: yes, waiting for tree to go green)
[92558](https://github.com/flutter/flutter/pull/92558) Roll Engine from 8948972d65c4 to 38203d211aba (2 revisions) (cla: yes, waiting for tree to go green)
[92576](https://github.com/flutter/flutter/pull/92576) Roll Engine from 38203d211aba to 1e96a7773a13 (1 revision) (cla: yes, waiting for tree to go green)
[92580](https://github.com/flutter/flutter/pull/92580) Roll Engine from 1e96a7773a13 to 21cc99dad491 (1 revision) (cla: yes, waiting for tree to go green)
[92585](https://github.com/flutter/flutter/pull/92585) Roll Plugins from 0d330943941a to 42364e49fc25 (1 revision) (cla: yes, waiting for tree to go green)
[92588](https://github.com/flutter/flutter/pull/92588) Roll Engine from 21cc99dad491 to 9461262f6c0c (2 revisions) (cla: yes, waiting for tree to go green)
[92592](https://github.com/flutter/flutter/pull/92592) Roll Engine from 9461262f6c0c to 6ffe7888ec27 (4 revisions) (cla: yes, waiting for tree to go green)
[92598](https://github.com/flutter/flutter/pull/92598) Leader not always dirty (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[92600](https://github.com/flutter/flutter/pull/92600) Roll Engine from 6ffe7888ec27 to 883518c02f24 (1 revision) (cla: yes, waiting for tree to go green)
[92604](https://github.com/flutter/flutter/pull/92604) [flutter_tools] xcresult parser. (tool, cla: yes, waiting for tree to go green, t: xcode)
[92609](https://github.com/flutter/flutter/pull/92609) Roll Plugins from 42364e49fc25 to 984015dffebb (1 revision) (cla: yes, waiting for tree to go green)
[92610](https://github.com/flutter/flutter/pull/92610) Roll Engine from 883518c02f24 to bb173be329fe (2 revisions) (cla: yes, waiting for tree to go green)
[92614](https://github.com/flutter/flutter/pull/92614) Blinking cursor respects TickerMode (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[92618](https://github.com/flutter/flutter/pull/92618) Roll Plugins from 984015dffebb to 93f04832c622 (5 revisions) (cla: yes, waiting for tree to go green)
[92619](https://github.com/flutter/flutter/pull/92619) Roll Engine from bb173be329fe to 4c4b773e7ef5 (3 revisions) (cla: yes, waiting for tree to go green)
[92624](https://github.com/flutter/flutter/pull/92624) Roll Engine from 4c4b773e7ef5 to 3b091cdebee3 (1 revision) (cla: yes, waiting for tree to go green)
[92626](https://github.com/flutter/flutter/pull/92626) Feature/cpu gpu memory gallery transition tests (team, cla: yes, waiting for tree to go green)
[92633](https://github.com/flutter/flutter/pull/92633) feat: migrate macos/macos_device.dart to null safety (tool, cla: yes, waiting for tree to go green)
[92638](https://github.com/flutter/flutter/pull/92638) Roll Engine from 3b091cdebee3 to 0e0848e2fc04 (4 revisions) (cla: yes, waiting for tree to go green)
[92646](https://github.com/flutter/flutter/pull/92646) feat: migrate test_data/project.dart to null safety (tool, cla: yes, waiting for tree to go green)
[92647](https://github.com/flutter/flutter/pull/92647) [flutter_tools] [iOS] Change UIViewControllerBasedStatusBarAppearance to true to fix rotation status bar disappear in portrait (tool, cla: yes, waiting for tree to go green)
[92649](https://github.com/flutter/flutter/pull/92649) Roll Engine from 0e0848e2fc04 to 450513574bcc (3 revisions) (cla: yes, waiting for tree to go green)
[92668](https://github.com/flutter/flutter/pull/92668) Roll Engine from 450513574bcc to c9dda84396f2 (1 revision) (cla: yes, waiting for tree to go green)
[92670](https://github.com/flutter/flutter/pull/92670) Update Data Table Class with Borders Like Table Widgets (#36837) (framework, f: material design, cla: yes, waiting for tree to go green)
[92677](https://github.com/flutter/flutter/pull/92677) Roll Plugins from 93f04832c622 to 34ea0c3c1a09 (1 revision) (cla: yes, waiting for tree to go green)
[92680](https://github.com/flutter/flutter/pull/92680) Roll Engine from c9dda84396f2 to 191b18d49026 (3 revisions) (cla: yes, waiting for tree to go green)
[92684](https://github.com/flutter/flutter/pull/92684) Roll Engine from 191b18d49026 to 9295037358f5 (1 revision) (cla: yes, waiting for tree to go green)
[92688](https://github.com/flutter/flutter/pull/92688) Roll Engine from 9295037358f5 to 37f1b478eed3 (1 revision) (cla: yes, waiting for tree to go green)
[92690](https://github.com/flutter/flutter/pull/92690) Roll Plugins from 34ea0c3c1a09 to 03622197cc1e (1 revision) (cla: yes, waiting for tree to go green)
[92691](https://github.com/flutter/flutter/pull/92691) Roll Engine from 37f1b478eed3 to a04ec3aaa6f1 (3 revisions) (cla: yes, waiting for tree to go green)
[92694](https://github.com/flutter/flutter/pull/92694) Roll Engine from a04ec3aaa6f1 to ddf4bd598eb3 (3 revisions) (cla: yes, waiting for tree to go green)
[92702](https://github.com/flutter/flutter/pull/92702) Roll Engine from ddf4bd598eb3 to 3a0a63c2d209 (12 revisions) (cla: yes, waiting for tree to go green)
[92724](https://github.com/flutter/flutter/pull/92724) Roll Plugins from 03622197cc1e to e51cc1df7b75 (1 revision) (cla: yes, waiting for tree to go green)
[92847](https://github.com/flutter/flutter/pull/92847) Roll Engine from e781ed8b2980 to 7cee46cca464 (6 revisions) (cla: yes, waiting for tree to go green)
#### framework - 306 pull request(s)
[65015](https://github.com/flutter/flutter/pull/65015) PageView resize from zero-size viewport should not lose state (framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green, a: state restoration)
[75110](https://github.com/flutter/flutter/pull/75110) use FadeTransition instead of Opacity where applicable (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82670](https://github.com/flutter/flutter/pull/82670) Android Q transition by default (framework, f: material design, cla: yes, waiting for tree to go green)
[83028](https://github.com/flutter/flutter/pull/83028) Fix comments (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, documentation)
[83047](https://github.com/flutter/flutter/pull/83047) [Material 3] Add Navigation Bar component to flutter framework. (framework, f: material design, cla: yes, waiting for tree to go green)
[84307](https://github.com/flutter/flutter/pull/84307) Restart input connection after `EditableText.onSubmitted` (a: text input, platform-android, platform-ios, framework, f: material design, a: fidelity, cla: yes, waiting for tree to go green)
[84394](https://github.com/flutter/flutter/pull/84394) Add Snapping Behavior to DraggableScrollableSheet (severe: new feature, team, framework, f: scrolling, cla: yes, d: examples, waiting for tree to go green)
[84946](https://github.com/flutter/flutter/pull/84946) Fixed mouse cursor of disabled IconButton (framework, f: material design, cla: yes)
[84993](https://github.com/flutter/flutter/pull/84993) fix: Preserve state in horizontal stepper (framework, f: material design, cla: yes, waiting for tree to go green)
[85482](https://github.com/flutter/flutter/pull/85482) Fix avoid_renaming_method_parameters for pending analyzer change. (team, framework, f: material design, a: internationalization, cla: yes, waiting for tree to go green)
[85652](https://github.com/flutter/flutter/pull/85652) [new feature] Add support for a RawScrollbar.shape (severe: new feature, framework, f: scrolling, cla: yes, waiting for tree to go green)
[85653](https://github.com/flutter/flutter/pull/85653) Keyboard text selection and wordwrap (a: text input, framework, cla: yes)
[85718](https://github.com/flutter/flutter/pull/85718) Fix scale delta docs and calculation (framework, cla: yes)
[85743](https://github.com/flutter/flutter/pull/85743) Overridable action (framework, cla: yes, waiting for tree to go green)
[86067](https://github.com/flutter/flutter/pull/86067) add margin to vertical stepper (framework, f: material design, cla: yes, waiting for tree to go green)
[86312](https://github.com/flutter/flutter/pull/86312) [autofill] opt-out instead of opt-in (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[86555](https://github.com/flutter/flutter/pull/86555) ImageInfo adds a new getter named sizeBytes to decouple ImageCache and ui.Image (severe: new feature, framework, cla: yes, a: images)
[86736](https://github.com/flutter/flutter/pull/86736) Text Editing Model Refactor (framework, f: material design, cla: yes, f: cupertino, work in progress; do not review)
[86796](https://github.com/flutter/flutter/pull/86796) [EditableText] preserve selection/composition range on unfocus (framework, f: material design, cla: yes, waiting for tree to go green)
[86821](https://github.com/flutter/flutter/pull/86821) Add tag support for executing reduced test sets (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[86986](https://github.com/flutter/flutter/pull/86986) Migration text selection manipulation. (framework, cla: yes)
[87076](https://github.com/flutter/flutter/pull/87076) Add a hook for scroll position to notify scrolling context when dimen… (a: tests, framework, a: accessibility, f: scrolling, cla: yes, waiting for tree to go green)
[87109](https://github.com/flutter/flutter/pull/87109) TextField.autofocus should skip the element that never layout (framework, f: material design, cla: yes, waiting for tree to go green)
[87172](https://github.com/flutter/flutter/pull/87172) Adding onLongPress for DataRow (framework, f: material design, cla: yes)
[87197](https://github.com/flutter/flutter/pull/87197) Add RichText support to find.text() (a: tests, severe: new feature, framework, cla: yes)
[87231](https://github.com/flutter/flutter/pull/87231) Switch document generation to use the snippets package (team, framework, f: material design, cla: yes, f: cupertino)
[87280](https://github.com/flutter/flutter/pull/87280) Extract Sample code into examples/api (team, framework, f: material design, cla: yes, f: cupertino, d: examples)
[87294](https://github.com/flutter/flutter/pull/87294) Home/End key support for Linux (framework, cla: yes)
[87297](https://github.com/flutter/flutter/pull/87297) Reattempt: Restores surface size and view configuration in the postTest of test binding (a: tests, framework, cla: yes)
[87329](https://github.com/flutter/flutter/pull/87329) Make kMaterialEdges const (framework, f: material design, cla: yes)
[87404](https://github.com/flutter/flutter/pull/87404) Fix computeMinIntrinsicHeight in _RenderDecoration (framework, f: material design, cla: yes, waiting for tree to go green)
[87430](https://github.com/flutter/flutter/pull/87430) Update TabPageSelector Semantics Label Localization (framework, f: material design, a: internationalization, cla: yes, waiting for tree to go green)
[87557](https://github.com/flutter/flutter/pull/87557) [NNBD] Update dart preamble code. (framework, f: material design, cla: yes)
[87595](https://github.com/flutter/flutter/pull/87595) Added time picker entry mode callback and tests (framework, f: material design, cla: yes)
[87604](https://github.com/flutter/flutter/pull/87604) Use Device specific gesture configuration for scroll views (a: tests, framework, cla: yes, waiting for tree to go green)
[87618](https://github.com/flutter/flutter/pull/87618) Fix AnimatedCrossFade would focus on a hidden widget (framework, a: animation, cla: yes, f: focus)
[87638](https://github.com/flutter/flutter/pull/87638) Don't display empty tooltips (Tooltips with empty `message` property) (framework, f: material design, cla: yes, waiting for tree to go green)
[87678](https://github.com/flutter/flutter/pull/87678) hasStrings support for eliminating clipboard notifications (framework, f: material design, cla: yes, f: cupertino)
[87693](https://github.com/flutter/flutter/pull/87693) Revert "update ScrollMetricsNotification" (framework, cla: yes, f: cupertino)
[87698](https://github.com/flutter/flutter/pull/87698) Prevent Scrollbar axis flipping when there is an oriented scroll controller (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green, a: error message)
[87700](https://github.com/flutter/flutter/pull/87700) Updated skipped tests for rendering directory. (team, framework, cla: yes, tech-debt, skip-test)
[87707](https://github.com/flutter/flutter/pull/87707) `showModalBottomSheet` should not dispose the controller provided by user (framework, f: material design, cla: yes, waiting for tree to go green)
[87740](https://github.com/flutter/flutter/pull/87740) Update MaterialScrollBehavior.buildScrollbar for horizontal axes (framework, f: material design, a: fidelity, f: scrolling, cla: yes, waiting for tree to go green)
[87767](https://github.com/flutter/flutter/pull/87767) Notification doc fixes (framework, cla: yes, waiting for tree to go green)
[87775](https://github.com/flutter/flutter/pull/87775) Fix the showBottomSheet controller leaking (framework, a: animation, f: material design, cla: yes, a: quality, waiting for tree to go green, perf: memory)
[87792](https://github.com/flutter/flutter/pull/87792) Change hitTest signatures to be non-nullable (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[87801](https://github.com/flutter/flutter/pull/87801) Fix precision error in NestedScrollView (framework, f: scrolling, cla: yes, waiting for tree to go green)
[87818](https://github.com/flutter/flutter/pull/87818) Reland "update ScrollMetricsNotification (#87421)" (framework, cla: yes, f: cupertino)
[87824](https://github.com/flutter/flutter/pull/87824) Fix null check for content dimensions in page getter (framework, cla: yes, waiting for tree to go green)
[87839](https://github.com/flutter/flutter/pull/87839) Android 12 overscroll stretch effect (severe: new feature, platform-android, framework, f: material design, f: scrolling, cla: yes, f: cupertino, f: gestures, customer: crowd, waiting for tree to go green, customer: money (g3), will affect goldens, e: OS Version specific)
[87872](https://github.com/flutter/flutter/pull/87872) Fix compile error in SliverAppBar sample code (framework, f: material design, cla: yes, waiting for tree to go green)
[87873](https://github.com/flutter/flutter/pull/87873) Updated skipped tests for scheduler directory. (team, framework, cla: yes, tech-debt, skip-test)
[87874](https://github.com/flutter/flutter/pull/87874) Updated skipped tests for services directory. (team, framework, cla: yes, tech-debt, skip-test)
[87879](https://github.com/flutter/flutter/pull/87879) Updated skipped tests for widgets directory. (team, framework, cla: yes, will affect goldens, tech-debt, skip-test)
[87880](https://github.com/flutter/flutter/pull/87880) Updated skipped tests for flutter_test directory. (a: tests, framework, cla: yes, skip-test)
[87901](https://github.com/flutter/flutter/pull/87901) Changing ElevatedButton.child to be non-nullable (framework, f: material design, cla: yes)
[87929](https://github.com/flutter/flutter/pull/87929) [docs] spelling correction for showModalBottomSheet docs in bottom sheet file (framework, f: material design, cla: yes, waiting for tree to go green)
[87949](https://github.com/flutter/flutter/pull/87949) Small Doc improvements: default value for enableInteractiveSelection. (framework, cla: yes, waiting for tree to go green)
[87962](https://github.com/flutter/flutter/pull/87962) Fix errors in examples (a: tests, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[87971](https://github.com/flutter/flutter/pull/87971) [EditableText] call `onSelectionChanged` only when there are actual selection/cause changes (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[87973](https://github.com/flutter/flutter/pull/87973) [TextInput] minor fixes (framework, cla: yes, waiting for tree to go green)
[88019](https://github.com/flutter/flutter/pull/88019) add `?` in Checkbox onChanged property (framework, f: material design, cla: yes, waiting for tree to go green)
[88030](https://github.com/flutter/flutter/pull/88030) Deferred components integration test app (team, platform-android, framework, cla: yes, t: flutter driver, waiting for tree to go green, integration_test)
[88067](https://github.com/flutter/flutter/pull/88067) remove _AbortingSemanticsFragment (framework, cla: yes, waiting for tree to go green)
[88071](https://github.com/flutter/flutter/pull/88071) Revert "Changing ElevatedButton.child to be non-nullable" (framework, f: material design, cla: yes)
[88122](https://github.com/flutter/flutter/pull/88122) Makes PlatformInformationProvider aware of the browser default route … (framework, cla: yes, f: routes, waiting for tree to go green)
[88129](https://github.com/flutter/flutter/pull/88129) Revert "Update MaterialScrollBehavior.buildScrollbar for horizontal axes" (framework, f: material design, cla: yes, waiting for tree to go green)
[88152](https://github.com/flutter/flutter/pull/88152) fix a scrollbar updating bug (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green)
[88153](https://github.com/flutter/flutter/pull/88153) [Fonts] Improved icons update script (team, framework, f: material design, cla: yes)
[88183](https://github.com/flutter/flutter/pull/88183) Revert "[EditableText] call `onSelectionChanged` only when there're actual selection/cause changes" (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[88190](https://github.com/flutter/flutter/pull/88190) Fixes renderparagraph crashes due to truncated semantics node (framework, a: accessibility, cla: yes)
[88193](https://github.com/flutter/flutter/pull/88193) Autocomplete: support asynchronous options (a: text input, severe: new feature, framework, cla: yes, waiting for tree to go green)
[88251](https://github.com/flutter/flutter/pull/88251) Animation controller test (framework, cla: yes)
[88253](https://github.com/flutter/flutter/pull/88253) Make structuredErrors to not mess up with onError (framework, cla: yes, a: quality, waiting for tree to go green, a: error message)
[88264](https://github.com/flutter/flutter/pull/88264) Move the documentation for `compute` to the `ComputeImpl` typedef (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[88268](https://github.com/flutter/flutter/pull/88268) Removed no-shuffle tag and fixed leak in debug_test.dart (framework, cla: yes)
[88293](https://github.com/flutter/flutter/pull/88293) Revert "Reattempt: Restores surface size and view configuration in the postTest of test binding" (a: tests, framework, cla: yes)
[88295](https://github.com/flutter/flutter/pull/88295) Add theme support for choosing android overscroll indicator (severe: new feature, platform-android, framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green)
[88301](https://github.com/flutter/flutter/pull/88301) RefreshProgressIndicator to look native (framework, f: material design, cla: yes, will affect goldens)
[88308](https://github.com/flutter/flutter/pull/88308) clean up stale or unnecessary TODOS (a: tests, team, tool, framework, cla: yes, waiting for tree to go green, tech-debt)
[88309](https://github.com/flutter/flutter/pull/88309) Take DPR into account for image inversion (team, framework, cla: yes, waiting for tree to go green)
[88310](https://github.com/flutter/flutter/pull/88310) Avoid retaining routes when subscriptions are cleared (framework, cla: yes, waiting for tree to go green)
[88318](https://github.com/flutter/flutter/pull/88318) Enable soft transition for tooltip (framework, a: accessibility, cla: yes, waiting for tree to go green)
[88342](https://github.com/flutter/flutter/pull/88342) Fixed leak and removed no-shuffle tag in test/gestures/tap_test.dart (framework, cla: yes, waiting for tree to go green)
[88365](https://github.com/flutter/flutter/pull/88365) Add fixes for AppBar deprecations (team, framework, f: material design, cla: yes, waiting for tree to go green, tech-debt)
[88369](https://github.com/flutter/flutter/pull/88369) Ensure RawImage render object updates (framework, cla: yes)
[88373](https://github.com/flutter/flutter/pull/88373) Fixed leak and removed no-shuffle tag in long_press_test.dart (framework, cla: yes)
[88375](https://github.com/flutter/flutter/pull/88375) Fixed leak and removed no-shuffle tag on scaffold_test.dart (framework, f: material design, cla: yes, waiting for tree to go green)
[88376](https://github.com/flutter/flutter/pull/88376) Fixed leak and removed no-shuffle tag in image_stream_test.dart (framework, cla: yes)
[88379](https://github.com/flutter/flutter/pull/88379) Typo fixes (framework, cla: yes, waiting for tree to go green)
[88383](https://github.com/flutter/flutter/pull/88383) reland disable ideographic script test on web (framework, cla: yes, waiting for tree to go green, CQ+1)
[88391](https://github.com/flutter/flutter/pull/88391) Fix BoxDecoration crash with BorderRadiusDirectional (framework, cla: yes, waiting for tree to go green)
[88394](https://github.com/flutter/flutter/pull/88394) Revert "Android Q transition by default" (framework, f: material design, cla: yes)
[88409](https://github.com/flutter/flutter/pull/88409) Reland "Android Q transition by default (#82670)" (tool, framework, f: material design, cla: yes)
[88423](https://github.com/flutter/flutter/pull/88423) Fixed leak and removed no-shuffle tag in scheduler_test.dart (framework, cla: yes)
[88426](https://github.com/flutter/flutter/pull/88426) Fixed leak and removed no-shuffle tag in ticker_test.dart (framework, cla: yes, waiting for tree to go green)
[88427](https://github.com/flutter/flutter/pull/88427) createTestImage refactor (a: tests, framework, cla: yes, waiting for tree to go green)
[88432](https://github.com/flutter/flutter/pull/88432) Fixed leak and removed no-shuffle tag in platform_channel_test.dart (framework, cla: yes)
[88439](https://github.com/flutter/flutter/pull/88439) fix: typo spelling grammar (a: tests, team, tool, framework, f: material design, cla: yes)
[88453](https://github.com/flutter/flutter/pull/88453) Add missing parameters to DecorationImage (framework, cla: yes)
[88455](https://github.com/flutter/flutter/pull/88455) Reland remove DefaultShaderWarmup (team, framework, cla: yes, d: examples, waiting for tree to go green)
[88469](https://github.com/flutter/flutter/pull/88469) Fixed leak and removed no-shuffle tag in widgets/app_overrides_test.dart (framework, cla: yes)
[88477](https://github.com/flutter/flutter/pull/88477) Framework can receive TextEditingDeltas from engine (framework, f: material design, cla: yes, waiting for tree to go green)
[88482](https://github.com/flutter/flutter/pull/88482) Revert "Reland "Android Q transition by default (#82670)"" (tool, framework, f: material design, cla: yes, waiting for tree to go green)
[88534](https://github.com/flutter/flutter/pull/88534) partial revert of gesture config (framework, cla: yes)
[88538](https://github.com/flutter/flutter/pull/88538) fix: refactor Stepper.controlsBuilder to use ControlsDetails (framework, f: material design, cla: yes)
[88539](https://github.com/flutter/flutter/pull/88539) Add `richMessage` parameter to the `Tooltip` widget. (a: tests, framework, f: material design, cla: yes)
[88576](https://github.com/flutter/flutter/pull/88576) fixes DropdownButton ignoring itemHeight in popup menu (#88574) (framework, f: material design, cla: yes, waiting for tree to go green)
[88608](https://github.com/flutter/flutter/pull/88608) partial revert of gesture config (#88534) (framework, cla: yes)
[88609](https://github.com/flutter/flutter/pull/88609) Fix DPR in test view configuration (a: tests, framework, cla: yes, will affect goldens)
[88650](https://github.com/flutter/flutter/pull/88650) Minor PointerExitEvent class docs update :) (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[88672](https://github.com/flutter/flutter/pull/88672) Fix Dismissible confirmDismiss errors (framework, cla: yes)
[88697](https://github.com/flutter/flutter/pull/88697) Blurstyle for boxshadow v2 (framework, cla: yes, waiting for tree to go green, will affect goldens)
[88707](https://github.com/flutter/flutter/pull/88707) reassign jonahwilliams todos (a: tests, team, tool, framework, a: accessibility, cla: yes, waiting for tree to go green)
[88736](https://github.com/flutter/flutter/pull/88736) Add callback when dismiss threshold is reached (framework, cla: yes, waiting for tree to go green)
[88738](https://github.com/flutter/flutter/pull/88738) Fix empty textspan with spell out crashes (framework, cla: yes, waiting for tree to go green)
[88761](https://github.com/flutter/flutter/pull/88761) feat: add Image support to finder (a: tests, framework, cla: yes, waiting for tree to go green)
[88784](https://github.com/flutter/flutter/pull/88784) Fixed leak and removed no-shuffle tag in binding_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88814](https://github.com/flutter/flutter/pull/88814) Fixes listview shrinkwrap and hidden semantics node gets updated incorrectly. (framework, cla: yes, waiting for tree to go green)
[88819](https://github.com/flutter/flutter/pull/88819) Add WidgetsFlutterBinding Assertion to setMethodCallHandler (framework, cla: yes, waiting for tree to go green)
[88822](https://github.com/flutter/flutter/pull/88822) Document AssetBundle loadString Decoding Behavior (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[88824](https://github.com/flutter/flutter/pull/88824) Fixed leak and removed no-shuffle tag in widgets/clip_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88825](https://github.com/flutter/flutter/pull/88825) Use async timeline events for the phases of the scheduler binding (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[88857](https://github.com/flutter/flutter/pull/88857) Fixed leak and removed no-shuffle tag in widgets/debug_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88877](https://github.com/flutter/flutter/pull/88877) Fixed leak and removed no-shuffle tag in platform_view_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88878](https://github.com/flutter/flutter/pull/88878) Fix index of TabBarView when decrementing (framework, f: material design, cla: yes)
[88881](https://github.com/flutter/flutter/pull/88881) Fixed leak and removed no-shuffle tag in routes_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88886](https://github.com/flutter/flutter/pull/88886) Revert "Fixes listview shrinkwrap and hidden semantics node gets upda… (framework, cla: yes, waiting for tree to go green)
[88889](https://github.com/flutter/flutter/pull/88889) Revert "Fix DPR in test view configuration" (a: tests, framework, cla: yes)
[88893](https://github.com/flutter/flutter/pull/88893) Updated some skip test comments that were missed in the audit. (team, framework, f: material design, cla: yes, tech-debt, skip-test)
[88900](https://github.com/flutter/flutter/pull/88900) Fixed leak and removed no-shuffle tag in scroll_aware_image_provider_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88926](https://github.com/flutter/flutter/pull/88926) Fix typos and formatting in framework.dart (framework, cla: yes, waiting for tree to go green)
[88933](https://github.com/flutter/flutter/pull/88933) Fixed leak and removed no-shuffle tag in dismissible_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88935](https://github.com/flutter/flutter/pull/88935) Workaround rounding erros in cupertino nav bar transition (framework, cla: yes, f: cupertino, waiting for tree to go green)
[88967](https://github.com/flutter/flutter/pull/88967) Fix KeyboardManager's synthesization (framework, cla: yes)
[88984](https://github.com/flutter/flutter/pull/88984) [Material] Allow for custom alignment for Dialogs (framework, f: material design, cla: yes)
[88989](https://github.com/flutter/flutter/pull/88989) Add no-shuffle tag to platform_channel_test.dart (a: tests, team, framework, cla: yes, team: infra)
[89011](https://github.com/flutter/flutter/pull/89011) Update mouse_cursor.dart docs for winuwp cursor (framework, cla: yes, waiting for tree to go green)
[89020](https://github.com/flutter/flutter/pull/89020) feat: widget finders add widgetWithImage method (a: tests, framework, cla: yes, waiting for tree to go green)
[89021](https://github.com/flutter/flutter/pull/89021) Add smoke tests for all the examples, fix 17 broken examples. (team, tool, framework, f: material design, cla: yes, f: cupertino, d: examples)
[89025](https://github.com/flutter/flutter/pull/89025) Fix Stack references in Overlay docs (framework, cla: yes, waiting for tree to go green)
[89062](https://github.com/flutter/flutter/pull/89062) Fix (Vertical)Divider samples & docs (team, framework, f: material design, cla: yes, d: examples, waiting for tree to go green)
[89064](https://github.com/flutter/flutter/pull/89064) Fix RadioThemeData documentation issues (framework, f: material design, cla: yes, waiting for tree to go green)
[89073](https://github.com/flutter/flutter/pull/89073) Prevent exceptions in _describeRelevantUserCode from hiding other exceptions (framework, cla: yes, waiting for tree to go green)
[89076](https://github.com/flutter/flutter/pull/89076) Add all cubics to Cubic class doc (framework, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[89079](https://github.com/flutter/flutter/pull/89079) Add & improve DropdownButtonFormField reference to DropdownButton (framework, f: material design, cla: yes, d: api docs, waiting for tree to go green, documentation)
[89117](https://github.com/flutter/flutter/pull/89117) Fix text field naming (framework, cla: yes, f: cupertino, waiting for tree to go green)
[89184](https://github.com/flutter/flutter/pull/89184) Reland "Fixes listview shrinkwrap and hidden semantics node gets upda… (framework, cla: yes, waiting for tree to go green)
[89199](https://github.com/flutter/flutter/pull/89199) fix a dropdown button menu position bug (framework, f: material design, cla: yes, waiting for tree to go green)
[89237](https://github.com/flutter/flutter/pull/89237) Add ability to customize drawer shape and color as well as theme drawer properties (framework, f: material design, cla: yes, waiting for tree to go green)
[89242](https://github.com/flutter/flutter/pull/89242) Update StretchingOverscrollIndicator for reversed scrollables (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green, will affect goldens, a: annoyance)
[89264](https://github.com/flutter/flutter/pull/89264) Make sure Opacity widgets/layers do not drop the offset (framework, f: material design, cla: yes, will affect goldens)
[89315](https://github.com/flutter/flutter/pull/89315) Avoid pointer collision in navigator_test (framework, cla: yes)
[89327](https://github.com/flutter/flutter/pull/89327) Make `FilteringTextInputFormatter`'s filtering Selection/Composing Region agnostic (framework, cla: yes, waiting for tree to go green)
[89331](https://github.com/flutter/flutter/pull/89331) Use rootOverlay for CupertinoContextMenu (framework, cla: yes, f: cupertino, waiting for tree to go green)
[89335](https://github.com/flutter/flutter/pull/89335) fix a DraggableScrollableSheet bug (framework, cla: yes, waiting for tree to go green)
[89353](https://github.com/flutter/flutter/pull/89353) [CheckboxListTile, SwitchListTile, RadioListTile] Adds visualDensity, focusNode and enableFeedback (framework, f: material design, cla: yes, waiting for tree to go green)
[89362](https://github.com/flutter/flutter/pull/89362) fix a BottomSheet nullable issue (framework, f: material design, cla: yes, waiting for tree to go green)
[89369](https://github.com/flutter/flutter/pull/89369) Add `semanticsLabel` to `SelectableText` (framework, f: material design, cla: yes)
[89386](https://github.com/flutter/flutter/pull/89386) Issue 88543: TextField labelText doesn't get hintTextStyle when labelTextStyle is non-null Fixed (framework, f: material design, cla: yes)
[89393](https://github.com/flutter/flutter/pull/89393) Add raster cache metrics to timeline summaries (a: tests, team, framework, cla: yes, waiting for tree to go green)
[89436](https://github.com/flutter/flutter/pull/89436) typo fixed in Wrap.debugFillProperties for crossAxisAlignment (framework, cla: yes)
[89441](https://github.com/flutter/flutter/pull/89441) Document platform channel FIFO ordering guarantee (framework, cla: yes, waiting for tree to go green)
[89477](https://github.com/flutter/flutter/pull/89477) Fixed order dependency and removed no-shuffle tag in flutter_driver_test (a: tests, team, framework, cla: yes, t: flutter driver, waiting for tree to go green, tech-debt)
[89485](https://github.com/flutter/flutter/pull/89485) Fixed several typos (a: tests, team, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[89515](https://github.com/flutter/flutter/pull/89515) [TextPainter] Don't invalidate layout cache for paint only changes (framework, cla: yes, waiting for tree to go green)
[89604](https://github.com/flutter/flutter/pull/89604) Implement operator = and hashcode for CupertinoThemeData (framework, cla: yes, f: cupertino, waiting for tree to go green)
[89641](https://github.com/flutter/flutter/pull/89641) Fix document of the switch (framework, f: material design, cla: yes)
[89667](https://github.com/flutter/flutter/pull/89667) Revert "Fix computeMinIntrinsicHeight in _RenderDecoration" (framework, f: material design, cla: yes, waiting for tree to go green)
[89670](https://github.com/flutter/flutter/pull/89670) Revert "Implement operator = and hashcode for CupertinoThemeData" (framework, f: material design, cla: yes, f: cupertino)
[89675](https://github.com/flutter/flutter/pull/89675) Revert "Fix computeMinIntrinsicHeight in _RenderDecoration (#87404)" … (framework, f: material design, cla: yes)
[89699](https://github.com/flutter/flutter/pull/89699) Skip the drawShadow call in a MergeableMaterial with zero elevation (framework, f: material design, cla: yes, waiting for tree to go green)
[89700](https://github.com/flutter/flutter/pull/89700) Update ScaffoldMessenger docs for MaterialBanners (framework, f: material design, cla: yes, d: api docs, waiting for tree to go green, documentation)
[89782](https://github.com/flutter/flutter/pull/89782) master->main default branch migration (a: tests, tool, framework, cla: yes, waiting for tree to go green)
[89795](https://github.com/flutter/flutter/pull/89795) Remove "unnecessary" imports from packages/ (a: tests, tool, framework, cla: yes, waiting for tree to go green)
[89822](https://github.com/flutter/flutter/pull/89822) Revert "Revert "Fix computeMinIntrinsicHeight in _RenderDecoration (#87404)" (#89667)" (framework, f: material design, cla: yes)
[89861](https://github.com/flutter/flutter/pull/89861) Restore the default value of scrollDirection after each test in dismissible_test (framework, cla: yes)
[89870](https://github.com/flutter/flutter/pull/89870) Clean up dismissable_test to be less fragile (framework, cla: yes)
[89885](https://github.com/flutter/flutter/pull/89885) Revert clamping scroll simulation changes (severe: regression, team, framework, a: accessibility, f: scrolling, cla: yes, waiting for tree to go green)
[89952](https://github.com/flutter/flutter/pull/89952) Remove our extra timeout logic. (a: tests, team, framework, a: accessibility, cla: yes, waiting for tree to go green)
[89997](https://github.com/flutter/flutter/pull/89997) Revert "Removed default page transitions for desktop and web platforms. (#82596)" (framework, f: material design, cla: yes)
[89999](https://github.com/flutter/flutter/pull/89999) Revert "Make sure Opacity widgets/layers do not drop the offset" (framework, cla: yes, waiting for tree to go green)
[90012](https://github.com/flutter/flutter/pull/90012) InteractiveViewer with a child of zero size (framework, cla: yes)
[90017](https://github.com/flutter/flutter/pull/90017) Opacity fix (framework, cla: yes)
[90067](https://github.com/flutter/flutter/pull/90067) Initialize all bindings before starting the text_editing_action_target test suite (framework, cla: yes)
[90072](https://github.com/flutter/flutter/pull/90072) Update local gold api (a: tests, framework, cla: yes)
[90075](https://github.com/flutter/flutter/pull/90075) Fixes dialog title announce twice (framework, f: material design, cla: yes, waiting for tree to go green)
[90081](https://github.com/flutter/flutter/pull/90081) Update docs for edge to edge (platform-android, framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[90089](https://github.com/flutter/flutter/pull/90089) Revert "Make `FilteringTextInputFormatter`'s filtering Selection/Composing Region agnostic" (framework, cla: yes, waiting for tree to go green)
[90097](https://github.com/flutter/flutter/pull/90097) Allow Developers to Stop Navigator From Requesting Focus (framework, cla: yes, waiting for tree to go green)
[90136](https://github.com/flutter/flutter/pull/90136) Exclude semantics is `semanticslabel` is present for `SelectableText` (framework, f: material design, cla: yes, waiting for tree to go green)
[90143](https://github.com/flutter/flutter/pull/90143) Opacity fix (#90017) (framework, cla: yes)
[90154](https://github.com/flutter/flutter/pull/90154) Update md5 method in flutter_goldens_client (a: tests, team, framework, cla: yes, waiting for tree to go green)
[90168](https://github.com/flutter/flutter/pull/90168) Reuse a TimelineTask for the scheduler frame and animate events (framework, cla: yes, waiting for tree to go green)
[90204](https://github.com/flutter/flutter/pull/90204) fix draggable_scrollable_sheet_test.dart (framework, cla: yes, waiting for tree to go green)
[90205](https://github.com/flutter/flutter/pull/90205) Create DeltaTextInputClient (framework, cla: yes)
[90211](https://github.com/flutter/flutter/pull/90211) Reland "Make FilteringTextInputFormatter's filtering Selection/Composing Region agnostic" #89327 (framework, cla: yes, waiting for tree to go green)
[90215](https://github.com/flutter/flutter/pull/90215) Fix overflow in stretching overscroll (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green, customer: money (g3), a: layout)
[90217](https://github.com/flutter/flutter/pull/90217) Fix error from bad dart-fix rule (team, framework, f: material design, cla: yes, a: quality, waiting for tree to go green, a: error message, tech-debt)
[90281](https://github.com/flutter/flutter/pull/90281) [flutter_releases] Flutter stable 2.5.1 Framework Cherrypicks (team, framework, engine, f: material design, a: accessibility, cla: yes)
[90291](https://github.com/flutter/flutter/pull/90291) Add more tests for dart fixes (team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[90292](https://github.com/flutter/flutter/pull/90292) Remove autovalidate deprecations (a: text input, team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[90293](https://github.com/flutter/flutter/pull/90293) Remove FloatingHeaderSnapConfiguration.vsync deprecation (team, framework, severe: API break, f: scrolling, cla: yes, waiting for tree to go green, tech-debt)
[90294](https://github.com/flutter/flutter/pull/90294) Remove AndroidViewController.id deprecation (team, framework, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[90295](https://github.com/flutter/flutter/pull/90295) Remove BottomNavigationBarItem.title deprecation (team, framework, f: material design, severe: API break, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[90296](https://github.com/flutter/flutter/pull/90296) Remove deprecated text input formatting classes (a: text input, team, framework, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[90311](https://github.com/flutter/flutter/pull/90311) Fix some scrollbar track and border painting issues (framework, f: material design, f: scrolling, cla: yes, f: cupertino, waiting for tree to go green)
[90354](https://github.com/flutter/flutter/pull/90354) Make DraggableScrollableSheet Reflect Parameter Updates (framework, cla: yes, waiting for tree to go green)
[90380](https://github.com/flutter/flutter/pull/90380) Material banner updates (framework, f: material design, cla: yes)
[90406](https://github.com/flutter/flutter/pull/90406) Revert "Issue 88543: TextField labelText doesn't get hintTextStyle when labelTextStyle is non-null Fixed" (framework, f: material design, cla: yes, waiting for tree to go green)
[90419](https://github.com/flutter/flutter/pull/90419) Fix overflow edge case in overscrolled RenderShrinkWrappingViewport (severe: regression, framework, f: scrolling, cla: yes, waiting for tree to go green, a: layout)
[90423](https://github.com/flutter/flutter/pull/90423) Add clipBeheavior support to TextFields (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[90457](https://github.com/flutter/flutter/pull/90457) Fix tooltip so only one shows at a time when hovering (framework, f: material design, cla: yes, waiting for tree to go green)
[90464](https://github.com/flutter/flutter/pull/90464) Fix Chip tooltip so that useDeleteButtonTooltip only applies to the delete button. (framework, f: material design, cla: yes, waiting for tree to go green)
[90526](https://github.com/flutter/flutter/pull/90526) Unskip some editable tests on web (a: text input, framework, cla: yes, a: typography, platform-web, waiting for tree to go green)
[90531](https://github.com/flutter/flutter/pull/90531) Fix various problems with Chip delete button. (framework, f: material design, cla: yes, waiting for tree to go green)
[90629](https://github.com/flutter/flutter/pull/90629) Fix nested stretch overscroll (a: tests, framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green, customer: money (g3))
[90634](https://github.com/flutter/flutter/pull/90634) Fix scrollbar dragging into overscroll when not allowed (framework, a: fidelity, f: scrolling, cla: yes, f: gestures, waiting for tree to go green, a: desktop, a: mouse)
[90636](https://github.com/flutter/flutter/pull/90636) Always support hover to reveal scrollbar (framework, a: fidelity, f: scrolling, cla: yes, a: quality, platform-web, waiting for tree to go green, a: desktop, a: mouse)
[90688](https://github.com/flutter/flutter/pull/90688) make Elevated&Outlined&TextButton support onHover&onFocus callback (framework, f: material design, cla: yes)
[90692](https://github.com/flutter/flutter/pull/90692) Add DDC regression test. (framework, cla: yes, waiting for tree to go green)
[90703](https://github.com/flutter/flutter/pull/90703) Correct notch geometry when MediaQuery padding.top is non-zero (severe: regression, framework, f: material design, cla: yes, a: layout)
[90739](https://github.com/flutter/flutter/pull/90739) - add FadeInImage.placeholderFit (framework, cla: yes, waiting for tree to go green)
[90826](https://github.com/flutter/flutter/pull/90826) Handle invalid selection in TextEditingActionTarget (framework, cla: yes)
[90843](https://github.com/flutter/flutter/pull/90843) Add external focus node constructor to Focus widget (framework, cla: yes, f: focus)
[90845](https://github.com/flutter/flutter/pull/90845) Adjust size of delete button to take up at most less than half of chip. (framework, f: material design, cla: yes)
[90909](https://github.com/flutter/flutter/pull/90909) Revert "Fix tooltip so only one shows at a time when hovering (#90457)" (framework, f: material design, cla: yes)
[90917](https://github.com/flutter/flutter/pull/90917) Reland: "Fix tooltip so only one shows at a time when hovering (#90457)" (framework, f: material design, cla: yes)
[90986](https://github.com/flutter/flutter/pull/90986) TextStyle.apply,copyWith,merge should support a package parameter (a: text input, framework, f: material design, cla: yes)
[91046](https://github.com/flutter/flutter/pull/91046) [SwitchListTile] Adds hoverColor to SwitchListTile (framework, f: material design, cla: yes, waiting for tree to go green)
[91051](https://github.com/flutter/flutter/pull/91051) Add a warning about Icon.size to IconButton (framework, f: material design, cla: yes, waiting for tree to go green)
[91067](https://github.com/flutter/flutter/pull/91067) Enable avoid_setters_without_getters (a: tests, a: text input, tool, framework, a: accessibility, cla: yes, f: cupertino, waiting for tree to go green)
[91078](https://github.com/flutter/flutter/pull/91078) Enable `avoid_implementing_value_types` lint (a: tests, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[91124](https://github.com/flutter/flutter/pull/91124) Use recently introduced Isolate.exit() in compute implementation (framework, cla: yes)
[91129](https://github.com/flutter/flutter/pull/91129) Fix ActivateIntent overriding the spacebar for text entry (a: text input, framework, cla: yes, waiting for tree to go green)
[91133](https://github.com/flutter/flutter/pull/91133) Clean up examples, remove section markers and --template args (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus)
[91182](https://github.com/flutter/flutter/pull/91182) Added support for MaterialState to InputDecorator (framework, f: material design, cla: yes)
[91187](https://github.com/flutter/flutter/pull/91187) Making AnimatedCrossFade more null safe (framework, cla: yes, waiting for tree to go green)
[91239](https://github.com/flutter/flutter/pull/91239) Replace all BorderRadius.circular with const BorderRadius.all (a: text input, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[91332](https://github.com/flutter/flutter/pull/91332) Enable `avoid_print` lint. (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, waiting for tree to go green, f: focus, integration_test)
[91349](https://github.com/flutter/flutter/pull/91349) The covered child in AnimatedCrossFade should not get touch events (framework, cla: yes, waiting for tree to go green)
[91353](https://github.com/flutter/flutter/pull/91353) Clear asset manager caches on memory pressure (framework, cla: yes, waiting for tree to go green)
[91362](https://github.com/flutter/flutter/pull/91362) Remove duplicate comments in TextEditingActionTarget (a: text input, framework, cla: yes, waiting for tree to go green)
[91389](https://github.com/flutter/flutter/pull/91389) Conditionally apply clipping in StretchingOverscrollIndicator (a: text input, framework, f: scrolling, cla: yes, waiting for tree to go green, customer: money (g3), will affect goldens)
[91396](https://github.com/flutter/flutter/pull/91396) Update SystemUIOverlayStyle to support null contrast enforcement (framework, cla: yes, waiting for tree to go green)
[91409](https://github.com/flutter/flutter/pull/91409) Enable avoid_redundant_argument_values lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91438](https://github.com/flutter/flutter/pull/91438) Revert "Enable `avoid_print` lint." (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, f: focus, integration_test)
[91439](https://github.com/flutter/flutter/pull/91439) Revert "Remove autovalidate deprecations" (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[91443](https://github.com/flutter/flutter/pull/91443) Reland Remove autovalidate deprecations (a: text input, team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[91444](https://github.com/flutter/flutter/pull/91444) Enable `avoid_print` lint. (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, waiting for tree to go green, f: focus, integration_test)
[91448](https://github.com/flutter/flutter/pull/91448) Revert "Added support for MaterialState to InputDecorator" (team, framework, f: material design, cla: yes, d: examples)
[91449](https://github.com/flutter/flutter/pull/91449) Refactored ListTileTheme: ListTileThemeData, ThemeData.listThemeData (framework, f: material design, cla: yes)
[91453](https://github.com/flutter/flutter/pull/91453) Remove extensions (framework, f: material design, cla: yes, waiting for tree to go green)
[91461](https://github.com/flutter/flutter/pull/91461) Revert "Enable avoid_redundant_argument_values lint" (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91462](https://github.com/flutter/flutter/pull/91462) Enable avoid_redundant_argument_values lint (#91409) (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91479](https://github.com/flutter/flutter/pull/91479) [flutter_localizations] fix README links (framework, a: internationalization, cla: yes, waiting for tree to go green)
[91497](https://github.com/flutter/flutter/pull/91497) Refactor ThemeData (framework, f: material design, cla: yes)
[91498](https://github.com/flutter/flutter/pull/91498) Fixed a very small typo in code comments. (framework, f: scrolling, cla: yes, waiting for tree to go green)
[91499](https://github.com/flutter/flutter/pull/91499) Add service extensions to expose debug rendering toggles (framework, cla: yes)
[91506](https://github.com/flutter/flutter/pull/91506) Scrollbar shouldRepaint to respect the shape (framework, f: scrolling, cla: yes, waiting for tree to go green)
[91527](https://github.com/flutter/flutter/pull/91527) Document why some lints aren't enabled and fix some minor issues. (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[91530](https://github.com/flutter/flutter/pull/91530) Enable no_default_cases lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, f: scrolling, cla: yes, f: cupertino, d: examples, waiting for tree to go green, f: focus, integration_test)
[91567](https://github.com/flutter/flutter/pull/91567) Enable `only_throw_errors` (a: tests, team, tool, framework, cla: yes, d: examples, waiting for tree to go green)
[91573](https://github.com/flutter/flutter/pull/91573) Enable `prefer_relative_imports` and fix files. (a: tests, a: text input, team, framework, cla: yes, waiting for tree to go green, integration_test)
[91585](https://github.com/flutter/flutter/pull/91585) Enable `sort_child_properties_last` lint (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, integration_test)
[91593](https://github.com/flutter/flutter/pull/91593) Do not output the error msg to the console when run a throwable test (a: tests, framework, f: material design, cla: yes, waiting for tree to go green, a: error message)
[91609](https://github.com/flutter/flutter/pull/91609) Add `TooltipVisibility` widget (framework, f: material design, cla: yes, waiting for tree to go green)
[91620](https://github.com/flutter/flutter/pull/91620) Fix visual overflow when overscrolling RenderShrinkWrappingViewport (framework, f: scrolling, cla: yes, waiting for tree to go green, will affect goldens)
[91642](https://github.com/flutter/flutter/pull/91642) Enable more lints (a: tests, a: text input, team, tool, framework, a: animation, f: scrolling, cla: yes, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91753](https://github.com/flutter/flutter/pull/91753) Remove unused offset from Layer.addToScene/addChildrenToScene (framework, cla: yes, waiting for tree to go green)
[91762](https://github.com/flutter/flutter/pull/91762) Added support for MaterialState to InputDecorator (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation)
[91763](https://github.com/flutter/flutter/pull/91763) [CupertinoTabBar] Add an official interactive sample (team, framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[91774](https://github.com/flutter/flutter/pull/91774) ThemeData property cleanup. (framework, f: material design, cla: yes)
[91775](https://github.com/flutter/flutter/pull/91775) Rename "*Extent" to "*Size" (framework, f: scrolling, cla: yes)
[91792](https://github.com/flutter/flutter/pull/91792) Report exceptions from key event handlers and listeners (framework, cla: yes)
[91811](https://github.com/flutter/flutter/pull/91811) Revert "Refactored ListTileTheme: ListTileThemeData, ThemeData.listThemeData" (framework, f: material design, cla: yes)
[91822](https://github.com/flutter/flutter/pull/91822) Add `profileRenderObjectPaints` and `profileRenderObjectLayouts` service extensions (framework, cla: yes)
[91827](https://github.com/flutter/flutter/pull/91827) _CastError on Semantics copy in release mode (a: text input, framework, cla: yes, waiting for tree to go green)
[91829](https://github.com/flutter/flutter/pull/91829) Minor doc fix for `CupertinoTabBar` (framework, cla: yes, f: cupertino, waiting for tree to go green)
[91834](https://github.com/flutter/flutter/pull/91834) Fix ScrollBehavior copyWith (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green)
[91840](https://github.com/flutter/flutter/pull/91840) Reland Refactored ListTileTheme: ListTileThemeData, ThemeData.listThemeData (framework, f: material design, cla: yes)
[91848](https://github.com/flutter/flutter/pull/91848) Add missing debug vars to debugAssertAllRenderVarsUnset (framework, cla: yes, waiting for tree to go green)
[91898](https://github.com/flutter/flutter/pull/91898) Add missing transform == check for gradients (framework, cla: yes, waiting for tree to go green)
[91907](https://github.com/flutter/flutter/pull/91907) Roll Engine from 8034050e7810 to 60d0fdfa2232 (18 revisions) (framework, engine, cla: yes)
[91930](https://github.com/flutter/flutter/pull/91930) Revert "Remove BottomNavigationBarItem.title deprecation" (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[91933](https://github.com/flutter/flutter/pull/91933) Cherrypick revert (framework, engine, f: material design, cla: yes)
[91995](https://github.com/flutter/flutter/pull/91995) Fix typo in code comments (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[91998](https://github.com/flutter/flutter/pull/91998) [doc] Update `suffixIcon`/`prefixIcon` for alignment with code snippet (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[92039](https://github.com/flutter/flutter/pull/92039) Fix persistentFooter padding (framework, f: material design, cla: yes, waiting for tree to go green)
[92088](https://github.com/flutter/flutter/pull/92088) Revert "Add `TooltipVisibility` widget" (framework, f: material design, cla: yes)
[92090](https://github.com/flutter/flutter/pull/92090) Reland "Add TooltipVisibility widget" (framework, f: material design, cla: yes, waiting for tree to go green)
[92134](https://github.com/flutter/flutter/pull/92134) [web] enable CanvasKit tests using a local bundle fetched from CIPD (a: tests, team, tool, framework, cla: yes)
[92167](https://github.com/flutter/flutter/pull/92167) Update clipboard status on cut (a: text input, framework, f: material design, cla: yes, f: cupertino)
[92245](https://github.com/flutter/flutter/pull/92245) Fix typos (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[92295](https://github.com/flutter/flutter/pull/92295) Remove assert that prevents WidgetSpans from being used in SelectableText (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[92329](https://github.com/flutter/flutter/pull/92329) Ignore `Scaffold` drawer callbacks when value doesn't change (framework, f: material design, cla: yes)
[92443](https://github.com/flutter/flutter/pull/92443) Removed primaryVariant from usage by the SnackBar. (framework, f: material design, cla: yes)
[92450](https://github.com/flutter/flutter/pull/92450) Improve how AttributedStrings are presented in the widget inspector (framework, a: accessibility, cla: yes, waiting for tree to go green)
[92486](https://github.com/flutter/flutter/pull/92486) fix a throw due to double precison (framework, f: material design, cla: yes, waiting for tree to go green)
[92544](https://github.com/flutter/flutter/pull/92544) Revert "Fix ActivateIntent overriding the spacebar for text entry" (a: text input, framework, cla: yes)
[92598](https://github.com/flutter/flutter/pull/92598) Leader not always dirty (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[92614](https://github.com/flutter/flutter/pull/92614) Blinking cursor respects TickerMode (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[92670](https://github.com/flutter/flutter/pull/92670) Update Data Table Class with Borders Like Table Widgets (#36837) (framework, f: material design, cla: yes, waiting for tree to go green)
[92698](https://github.com/flutter/flutter/pull/92698) InputDecorator floating label origin no longer depends on ThemeData.fixTextFieldOutlineLabel (framework, f: material design, cla: yes)
[92713](https://github.com/flutter/flutter/pull/92713) Fix typo in the API docs of brightness (framework, f: material design, cla: yes)
[92820](https://github.com/flutter/flutter/pull/92820) Revert "Refactor ThemeData (#91497)" (framework, f: material design, cla: yes)
#### team - 206 pull request(s)
[79350](https://github.com/flutter/flutter/pull/79350) Indicate that only physical iOS devices are supported (team, cla: yes, waiting for tree to go green)
[84394](https://github.com/flutter/flutter/pull/84394) Add Snapping Behavior to DraggableScrollableSheet (severe: new feature, team, framework, f: scrolling, cla: yes, d: examples, waiting for tree to go green)
[84611](https://github.com/flutter/flutter/pull/84611) Add native iOS screenshots to integration_test (team, platform-ios, cla: yes, waiting for tree to go green, integration_test)
[85482](https://github.com/flutter/flutter/pull/85482) Fix avoid_renaming_method_parameters for pending analyzer change. (team, framework, f: material design, a: internationalization, cla: yes, waiting for tree to go green)
[86821](https://github.com/flutter/flutter/pull/86821) Add tag support for executing reduced test sets (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[87231](https://github.com/flutter/flutter/pull/87231) Switch document generation to use the snippets package (team, framework, f: material design, cla: yes, f: cupertino)
[87280](https://github.com/flutter/flutter/pull/87280) Extract Sample code into examples/api (team, framework, f: material design, cla: yes, f: cupertino, d: examples)
[87607](https://github.com/flutter/flutter/pull/87607) Wait for module UI test buttons to be hittable before tapping them (team, cla: yes, team: flakes, waiting for tree to go green)
[87700](https://github.com/flutter/flutter/pull/87700) Updated skipped tests for rendering directory. (team, framework, cla: yes, tech-debt, skip-test)
[87756](https://github.com/flutter/flutter/pull/87756) [flutter_conductor] pretty-print state JSON file (team, cla: yes)
[87759](https://github.com/flutter/flutter/pull/87759) Migrate python invocations to python3 (team, cla: yes)
[87786](https://github.com/flutter/flutter/pull/87786) Remove fuchsia_remote_debug_protocol from API docs (team, cla: yes)
[87873](https://github.com/flutter/flutter/pull/87873) Updated skipped tests for scheduler directory. (team, framework, cla: yes, tech-debt, skip-test)
[87874](https://github.com/flutter/flutter/pull/87874) Updated skipped tests for services directory. (team, framework, cla: yes, tech-debt, skip-test)
[87879](https://github.com/flutter/flutter/pull/87879) Updated skipped tests for widgets directory. (team, framework, cla: yes, will affect goldens, tech-debt, skip-test)
[87925](https://github.com/flutter/flutter/pull/87925) Updated skipped tests for flutter_tools. (team, tool, cla: yes, tech-debt, skip-test)
[88003](https://github.com/flutter/flutter/pull/88003) Added a check to the analyzer script to detect skipped tests. (team, cla: yes)
[88030](https://github.com/flutter/flutter/pull/88030) Deferred components integration test app (team, platform-android, framework, cla: yes, t: flutter driver, waiting for tree to go green, integration_test)
[88057](https://github.com/flutter/flutter/pull/88057) [flutter_conductor] fix git push mirror (team, cla: yes)
[88123](https://github.com/flutter/flutter/pull/88123) Bump snippets to 0.2.3, fix redundant global activate in docs.sh (team, cla: yes, waiting for tree to go green)
[88133](https://github.com/flutter/flutter/pull/88133) Bump to Gradle 7 and use Open JDK 11 (team, cla: yes, waiting for tree to go green)
[88153](https://github.com/flutter/flutter/pull/88153) [Fonts] Improved icons update script (team, framework, f: material design, cla: yes)
[88189](https://github.com/flutter/flutter/pull/88189) Revert "Bump to Gradle 7 and use Open JDK 11" (team, cla: yes)
[88308](https://github.com/flutter/flutter/pull/88308) clean up stale or unnecessary TODOS (a: tests, team, tool, framework, cla: yes, waiting for tree to go green, tech-debt)
[88309](https://github.com/flutter/flutter/pull/88309) Take DPR into account for image inversion (team, framework, cla: yes, waiting for tree to go green)
[88319](https://github.com/flutter/flutter/pull/88319) Reland: Bump to Gradle 7 and use Open JDK 11 (team, cla: yes, waiting for tree to go green)
[88326](https://github.com/flutter/flutter/pull/88326) Revert "Reland: Bump to Gradle 7 and use Open JDK 11" (team, cla: yes)
[88365](https://github.com/flutter/flutter/pull/88365) Add fixes for AppBar deprecations (team, framework, f: material design, cla: yes, waiting for tree to go green, tech-debt)
[88387](https://github.com/flutter/flutter/pull/88387) [flutter_tools] flutter update-packages --force-upgrade (team, tool, cla: yes)
[88396](https://github.com/flutter/flutter/pull/88396) Run plugin_lint_mac task when either flutter_tools or integration_test packages change (a: tests, team, tool, cla: yes, waiting for tree to go green, integration_test)
[88439](https://github.com/flutter/flutter/pull/88439) fix: typo spelling grammar (a: tests, team, tool, framework, f: material design, cla: yes)
[88447](https://github.com/flutter/flutter/pull/88447) Upload devicelab test metrics from test runner (team, cla: yes, waiting for tree to go green)
[88450](https://github.com/flutter/flutter/pull/88450) Update dwds and other packages (team, cla: yes)
[88454](https://github.com/flutter/flutter/pull/88454) Avoid reporting frame/raster times for large image changer (team, cla: yes, waiting for tree to go green)
[88455](https://github.com/flutter/flutter/pull/88455) Reland remove DefaultShaderWarmup (team, framework, cla: yes, d: examples, waiting for tree to go green)
[88475](https://github.com/flutter/flutter/pull/88475) Skip flaky 'Child windows can handle touches' test in `android_views` integration test (team, cla: yes, waiting for tree to go green)
[88532](https://github.com/flutter/flutter/pull/88532) Manually close the tree for issue #88531 (team, cla: yes)
[88580](https://github.com/flutter/flutter/pull/88580) Revert "Manually close the tree for issue #88531" (team, cla: yes)
[88607](https://github.com/flutter/flutter/pull/88607) [flutter_conductor] Push correct revision to mirror remote from conductor (team, cla: yes, waiting for tree to go green)
[88633](https://github.com/flutter/flutter/pull/88633) Add android_views integration tests to ci.yaml (team, cla: yes, waiting for tree to go green, team: infra)
[88707](https://github.com/flutter/flutter/pull/88707) reassign jonahwilliams todos (a: tests, team, tool, framework, a: accessibility, cla: yes, waiting for tree to go green)
[88728](https://github.com/flutter/flutter/pull/88728) flutter update-packages (team, cla: yes, waiting for tree to go green)
[88729](https://github.com/flutter/flutter/pull/88729) Update dartdoc to 2.0.0. (team, cla: yes, waiting for tree to go green)
[88749](https://github.com/flutter/flutter/pull/88749) Use default value for `ResultData` when uploading metrics from test runner (team, cla: yes, waiting for tree to go green)
[88784](https://github.com/flutter/flutter/pull/88784) Fixed leak and removed no-shuffle tag in binding_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88807](https://github.com/flutter/flutter/pull/88807) Add pageDelay to fullscreen_textfield_perf_test (team, cla: yes, waiting for tree to go green)
[88824](https://github.com/flutter/flutter/pull/88824) Fixed leak and removed no-shuffle tag in widgets/clip_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88825](https://github.com/flutter/flutter/pull/88825) Use async timeline events for the phases of the scheduler binding (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[88834](https://github.com/flutter/flutter/pull/88834) Do not try to codesign during plugin_test_ios (a: tests, team, platform-ios, cla: yes, waiting for tree to go green)
[88835](https://github.com/flutter/flutter/pull/88835) Skip staging test update to cocoon in test runner (team, cla: yes, waiting for tree to go green)
[88857](https://github.com/flutter/flutter/pull/88857) Fixed leak and removed no-shuffle tag in widgets/debug_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88877](https://github.com/flutter/flutter/pull/88877) Fixed leak and removed no-shuffle tag in platform_view_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88881](https://github.com/flutter/flutter/pull/88881) Fixed leak and removed no-shuffle tag in routes_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88893](https://github.com/flutter/flutter/pull/88893) Updated some skip test comments that were missed in the audit. (team, framework, f: material design, cla: yes, tech-debt, skip-test)
[88894](https://github.com/flutter/flutter/pull/88894) Enhance the skip test parsing the analyzer script. (team, cla: yes, waiting for tree to go green, tech-debt, skip-test)
[88900](https://github.com/flutter/flutter/pull/88900) Fixed leak and removed no-shuffle tag in scroll_aware_image_provider_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88905](https://github.com/flutter/flutter/pull/88905) Add download script for deferred components assets (team, cla: yes)
[88908](https://github.com/flutter/flutter/pull/88908) Use bucket to check staging test instead of builder name (team, cla: yes, waiting for tree to go green)
[88913](https://github.com/flutter/flutter/pull/88913) Configurable adb for deferred components release test script (a: tests, team, cla: yes, t: flutter driver, waiting for tree to go green, integration_test, tech-debt)
[88933](https://github.com/flutter/flutter/pull/88933) Fixed leak and removed no-shuffle tag in dismissible_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88969](https://github.com/flutter/flutter/pull/88969) Revert "Use bucket to check staging test instead of builder name" (team, cla: yes)
[88971](https://github.com/flutter/flutter/pull/88971) Revert "Skip staging test update to cocoon in test runner" (team, cla: yes)
[88976](https://github.com/flutter/flutter/pull/88976) [flutter_conductor] Fix regex when adding current branch to "enabled_branches" in .ci.yaml (team, cla: yes, waiting for tree to go green)
[88989](https://github.com/flutter/flutter/pull/88989) Add no-shuffle tag to platform_channel_test.dart (a: tests, team, framework, cla: yes, team: infra)
[89004](https://github.com/flutter/flutter/pull/89004) Use task name when uploading metrics to skia perf (team, cla: yes, waiting for tree to go green)
[89021](https://github.com/flutter/flutter/pull/89021) Add smoke tests for all the examples, fix 17 broken examples. (team, tool, framework, f: material design, cla: yes, f: cupertino, d: examples)
[89062](https://github.com/flutter/flutter/pull/89062) Fix (Vertical)Divider samples & docs (team, framework, f: material design, cla: yes, d: examples, waiting for tree to go green)
[89137](https://github.com/flutter/flutter/pull/89137) [Reland] Skip staging test update to cocoon in test runner (team, cla: yes, waiting for tree to go green)
[89181](https://github.com/flutter/flutter/pull/89181) Eliminate uses of pub executable in docs publishing and sample analysis. (team, cla: yes, waiting for tree to go green)
[89186](https://github.com/flutter/flutter/pull/89186) Fix UNNECESSARY_TYPE_CHECK_TRUE violations. (team, cla: yes, waiting for tree to go green)
[89306](https://github.com/flutter/flutter/pull/89306) Add `deferred components` LUCI test and configure to use `android_virtual_device` dep (a: tests, team, cla: yes, team: infra, integration_test)
[89309](https://github.com/flutter/flutter/pull/89309) Switch to Debian bullseye, update nodejs to npm package, add flutter desktop run dependencies (team, cla: yes)
[89344](https://github.com/flutter/flutter/pull/89344) fix: typo spelling grammar (team, cla: yes, waiting for tree to go green)
[89345](https://github.com/flutter/flutter/pull/89345) [flutter_releases] Flutter beta 2.5.0-5.3.pre Framework Cherrypicks (team, engine, cla: yes)
[89381](https://github.com/flutter/flutter/pull/89381) update package dependencies (team, cla: yes, waiting for tree to go green)
[89390](https://github.com/flutter/flutter/pull/89390) Reduce required Windows CMake version to 3.14 (team, tool, cla: yes, d: examples)
[89393](https://github.com/flutter/flutter/pull/89393) Add raster cache metrics to timeline summaries (a: tests, team, framework, cla: yes, waiting for tree to go green)
[89477](https://github.com/flutter/flutter/pull/89477) Fixed order dependency and removed no-shuffle tag in flutter_driver_test (a: tests, team, framework, cla: yes, t: flutter driver, waiting for tree to go green, tech-debt)
[89485](https://github.com/flutter/flutter/pull/89485) Fixed several typos (a: tests, team, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[89591](https://github.com/flutter/flutter/pull/89591) Update DDS to 2.1.2 (team, cla: yes, waiting for tree to go green)
[89603](https://github.com/flutter/flutter/pull/89603) Update dartdoc to 3.0.0 (team, cla: yes, waiting for tree to go green)
[89606](https://github.com/flutter/flutter/pull/89606) Directly specify keystore to prevent debug key signing flake in Deferred components integration test. (team, cla: yes, team: flakes, waiting for tree to go green, severe: flake)
[89618](https://github.com/flutter/flutter/pull/89618) Run flutter_gallery ios tests on arm64 device (team, platform-ios, cla: yes, waiting for tree to go green)
[89620](https://github.com/flutter/flutter/pull/89620) Run flutter_gallery macOS native tests on presubmit (a: tests, team, platform-mac, cla: yes, waiting for tree to go green, a: desktop)
[89668](https://github.com/flutter/flutter/pull/89668) changed subprocesses to async from sync (team, cla: yes, waiting for tree to go green)
[89698](https://github.com/flutter/flutter/pull/89698) Fix Shrine scrollbar crash (team, severe: crash, team: gallery, cla: yes, waiting for tree to go green, integration_test)
[89712](https://github.com/flutter/flutter/pull/89712) Run `Linux android views` in presubmit (team, cla: yes, waiting for tree to go green)
[89765](https://github.com/flutter/flutter/pull/89765) Mention the ToS on our README (team, cla: yes, waiting for tree to go green)
[89775](https://github.com/flutter/flutter/pull/89775) [flutter_conductor] Support initial stable release version (team, cla: yes, waiting for tree to go green)
[89796](https://github.com/flutter/flutter/pull/89796) Remove and also ignore unnecessary imports (team, cla: yes, waiting for tree to go green)
[89797](https://github.com/flutter/flutter/pull/89797) Update all packages (team, cla: yes)
[89820](https://github.com/flutter/flutter/pull/89820) Add specific permissions to .github/workflows/lock.yaml (team, cla: yes, waiting for tree to go green, team: infra)
[89856](https://github.com/flutter/flutter/pull/89856) Re-enable plugin analysis test (team, cla: yes, waiting for tree to go green)
[89885](https://github.com/flutter/flutter/pull/89885) Revert clamping scroll simulation changes (severe: regression, team, framework, a: accessibility, f: scrolling, cla: yes, waiting for tree to go green)
[89952](https://github.com/flutter/flutter/pull/89952) Remove our extra timeout logic. (a: tests, team, framework, a: accessibility, cla: yes, waiting for tree to go green)
[89991](https://github.com/flutter/flutter/pull/89991) Bump cocoapods from 1.10.2 to 1.11.2 (team, platform-ios, cla: yes)
[90005](https://github.com/flutter/flutter/pull/90005) add analysis_options.yaml to dev/conductor (team, cla: yes, waiting for tree to go green)
[90060](https://github.com/flutter/flutter/pull/90060) Align both reflectly-hero & dart-diagram to the center. (team, cla: yes, waiting for tree to go green)
[90088](https://github.com/flutter/flutter/pull/90088) Set BUILD_DIR and OBJROOT when determining if plugins support arm64 simulators (team, platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[90141](https://github.com/flutter/flutter/pull/90141) [flutter_releases] Flutter beta 2.6.0-5.2.pre Framework Cherrypicks (team, engine, cla: yes)
[90149](https://github.com/flutter/flutter/pull/90149) [module_test_ios] On UITests add an additional tap on the application before tapping the element (team, cla: yes, waiting for tree to go green)
[90154](https://github.com/flutter/flutter/pull/90154) Update md5 method in flutter_goldens_client (a: tests, team, framework, cla: yes, waiting for tree to go green)
[90217](https://github.com/flutter/flutter/pull/90217) Fix error from bad dart-fix rule (team, framework, f: material design, cla: yes, a: quality, waiting for tree to go green, a: error message, tech-debt)
[90227](https://github.com/flutter/flutter/pull/90227) Some test cleanup for flutter_tools. (a: text input, team, tool, cla: yes, waiting for tree to go green)
[90229](https://github.com/flutter/flutter/pull/90229) fixed a small conductor messaging bug (team, cla: yes)
[90281](https://github.com/flutter/flutter/pull/90281) [flutter_releases] Flutter stable 2.5.1 Framework Cherrypicks (team, framework, engine, f: material design, a: accessibility, cla: yes)
[90291](https://github.com/flutter/flutter/pull/90291) Add more tests for dart fixes (team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[90292](https://github.com/flutter/flutter/pull/90292) Remove autovalidate deprecations (a: text input, team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[90293](https://github.com/flutter/flutter/pull/90293) Remove FloatingHeaderSnapConfiguration.vsync deprecation (team, framework, severe: API break, f: scrolling, cla: yes, waiting for tree to go green, tech-debt)
[90294](https://github.com/flutter/flutter/pull/90294) Remove AndroidViewController.id deprecation (team, framework, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[90295](https://github.com/flutter/flutter/pull/90295) Remove BottomNavigationBarItem.title deprecation (team, framework, f: material design, severe: API break, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[90296](https://github.com/flutter/flutter/pull/90296) Remove deprecated text input formatting classes (a: text input, team, framework, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[90304](https://github.com/flutter/flutter/pull/90304) Migrate iOS project to Xcode 13 compatibility (team, platform-ios, tool, cla: yes, d: examples, waiting for tree to go green, t: xcode)
[90391](https://github.com/flutter/flutter/pull/90391) Update the analysis options for sample code to ignore unnecessary_imports (team, cla: yes)
[90413](https://github.com/flutter/flutter/pull/90413) Add my name to authors (team, cla: yes, waiting for tree to go green)
[90415](https://github.com/flutter/flutter/pull/90415) Update dartdoc to v3.1.0. (team, cla: yes, waiting for tree to go green)
[90447](https://github.com/flutter/flutter/pull/90447) [bots] verbose logs when analyzing samples (team, cla: yes, waiting for tree to go green)
[90466](https://github.com/flutter/flutter/pull/90466) Reland "Migrate android_semantics_testing to null safety" (team, a: accessibility, cla: yes)
[90483](https://github.com/flutter/flutter/pull/90483) Revert "Reland "Migrate android_semantics_testing to null safety"" (team, a: accessibility, cla: yes)
[90535](https://github.com/flutter/flutter/pull/90535) [module_test_ios] trying tap the buttons again if the first time didn't work (team, cla: yes, waiting for tree to go green)
[90557](https://github.com/flutter/flutter/pull/90557) [flutter_conductor] Update README (team, cla: yes, waiting for tree to go green)
[90621](https://github.com/flutter/flutter/pull/90621) [flutter_conductor] implement UI scaffold (team, cla: yes)
[90642](https://github.com/flutter/flutter/pull/90642) Migrate Gradle (team, tool, a: accessibility, cla: yes, d: examples, integration_test)
[90708](https://github.com/flutter/flutter/pull/90708) Implemented getter to expose current url strategy for web plugins (team, cla: yes, waiting for tree to go green)
[90829](https://github.com/flutter/flutter/pull/90829) Run native_ui_tests_macos in correct directory (team, cla: yes, waiting for tree to go green)
[90880](https://github.com/flutter/flutter/pull/90880) [bots] Print more on --verbose analyze_sample_code (team, cla: yes, waiting for tree to go green)
[90887](https://github.com/flutter/flutter/pull/90887) Initial layout and theme (team, cla: yes)
[90974](https://github.com/flutter/flutter/pull/90974) Improve bug and feature request templates (team, cla: yes, waiting for tree to go green)
[90994](https://github.com/flutter/flutter/pull/90994) flutter update-packages (team, cla: yes)
[91024](https://github.com/flutter/flutter/pull/91024) Adds analyze_sample_code exit for when pub fails (team, cla: yes, waiting for tree to go green)
[91030](https://github.com/flutter/flutter/pull/91030) Change project.buildDir in standalone `subprojects` property (team, tool, a: accessibility, cla: yes, d: examples, waiting for tree to go green, integration_test)
[91047](https://github.com/flutter/flutter/pull/91047) [flutter_releases] Flutter stable 2.5.2 Framework Cherrypicks (team, tool, engine, cla: yes)
[91066](https://github.com/flutter/flutter/pull/91066) [flutter_conductor] update conductor to prefer git protocol over https (team, cla: yes, waiting for tree to go green)
[91099](https://github.com/flutter/flutter/pull/91099) Update minimum iOS version in plugin_test (team, cla: yes, waiting for tree to go green)
[91109](https://github.com/flutter/flutter/pull/91109) Clean up dependency pins and update all packages (team, tool, cla: yes, waiting for tree to go green)
[91110](https://github.com/flutter/flutter/pull/91110) Force building of snippets package executable. (team, cla: yes)
[91116](https://github.com/flutter/flutter/pull/91116) update consumer dependencies signature (team, cla: yes)
[91118](https://github.com/flutter/flutter/pull/91118) Alex chen conductor ui3 (team, cla: yes, waiting for tree to go green)
[91125](https://github.com/flutter/flutter/pull/91125) Update outdated platform directories in examples (team, tool, cla: yes, d: examples)
[91126](https://github.com/flutter/flutter/pull/91126) Update outdated runners in the benchmarks folder (team, tool, cla: yes, integration_test)
[91130](https://github.com/flutter/flutter/pull/91130) Add example test, update example READMEs (team, cla: yes, d: examples, waiting for tree to go green)
[91133](https://github.com/flutter/flutter/pull/91133) Clean up examples, remove section markers and --template args (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus)
[91252](https://github.com/flutter/flutter/pull/91252) Update dartdoc to 4.0.0 (team, cla: yes, waiting for tree to go green)
[91257](https://github.com/flutter/flutter/pull/91257) Add a microbenchmark that measures performance of flutter compute. (team, cla: yes)
[91324](https://github.com/flutter/flutter/pull/91324) Update number of IPHONEOS_DEPLOYMENT_TARGET in plugin_test_ios (a: tests, team, platform-ios, cla: yes, waiting for tree to go green)
[91332](https://github.com/flutter/flutter/pull/91332) Enable `avoid_print` lint. (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, waiting for tree to go green, f: focus, integration_test)
[91346](https://github.com/flutter/flutter/pull/91346) Add a startup test that delays runApp (team, cla: yes, waiting for tree to go green, integration_test)
[91409](https://github.com/flutter/flutter/pull/91409) Enable avoid_redundant_argument_values lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91438](https://github.com/flutter/flutter/pull/91438) Revert "Enable `avoid_print` lint." (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, f: focus, integration_test)
[91443](https://github.com/flutter/flutter/pull/91443) Reland Remove autovalidate deprecations (a: text input, team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[91444](https://github.com/flutter/flutter/pull/91444) Enable `avoid_print` lint. (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, waiting for tree to go green, f: focus, integration_test)
[91445](https://github.com/flutter/flutter/pull/91445) added conductor_status widget (team, cla: yes, waiting for tree to go green)
[91448](https://github.com/flutter/flutter/pull/91448) Revert "Added support for MaterialState to InputDecorator" (team, framework, f: material design, cla: yes, d: examples)
[91459](https://github.com/flutter/flutter/pull/91459) Revert gradle roll (team, tool, a: accessibility, cla: yes, d: examples, integration_test)
[91461](https://github.com/flutter/flutter/pull/91461) Revert "Enable avoid_redundant_argument_values lint" (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91462](https://github.com/flutter/flutter/pull/91462) Enable avoid_redundant_argument_values lint (#91409) (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91527](https://github.com/flutter/flutter/pull/91527) Document why some lints aren't enabled and fix some minor issues. (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[91530](https://github.com/flutter/flutter/pull/91530) Enable no_default_cases lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, f: scrolling, cla: yes, f: cupertino, d: examples, waiting for tree to go green, f: focus, integration_test)
[91567](https://github.com/flutter/flutter/pull/91567) Enable `only_throw_errors` (a: tests, team, tool, framework, cla: yes, d: examples, waiting for tree to go green)
[91573](https://github.com/flutter/flutter/pull/91573) Enable `prefer_relative_imports` and fix files. (a: tests, a: text input, team, framework, cla: yes, waiting for tree to go green, integration_test)
[91585](https://github.com/flutter/flutter/pull/91585) Enable `sort_child_properties_last` lint (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, integration_test)
[91642](https://github.com/flutter/flutter/pull/91642) Enable more lints (a: tests, a: text input, team, tool, framework, a: animation, f: scrolling, cla: yes, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91653](https://github.com/flutter/flutter/pull/91653) Enable `depend_on_referenced_packages` lint (team, cla: yes, waiting for tree to go green, integration_test)
[91659](https://github.com/flutter/flutter/pull/91659) Add some more new lints (team, cla: yes, waiting for tree to go green, integration_test)
[91694](https://github.com/flutter/flutter/pull/91694) Refactor conductor core (team, cla: yes)
[91719](https://github.com/flutter/flutter/pull/91719) Bump targetSdkVersion to 31 and organize static values (team, tool, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[91736](https://github.com/flutter/flutter/pull/91736) Run "flutter update-packages --force-upgrade" to get latest DDS (team, cla: yes, waiting for tree to go green)
[91762](https://github.com/flutter/flutter/pull/91762) Added support for MaterialState to InputDecorator (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation)
[91763](https://github.com/flutter/flutter/pull/91763) [CupertinoTabBar] Add an official interactive sample (team, framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[91768](https://github.com/flutter/flutter/pull/91768) [flutter_conductor] Refactor next command (team, cla: yes)
[91769](https://github.com/flutter/flutter/pull/91769) Release Desktop UI Repo Info Widget (team, cla: yes, waiting for tree to go green)
[91773](https://github.com/flutter/flutter/pull/91773) Add local engine flag support to the SkSL caching performance benchmark scripts (team, cla: yes, waiting for tree to go green)
[91871](https://github.com/flutter/flutter/pull/91871) [flutter_releases] Flutter stable 2.5.3 Framework Cherrypicks (team, tool, engine, cla: yes)
[91903](https://github.com/flutter/flutter/pull/91903) Conductor UI step1 (team, cla: yes)
[91934](https://github.com/flutter/flutter/pull/91934) Add android:exported="true" to activity in Android manifest (team, cla: yes)
[91998](https://github.com/flutter/flutter/pull/91998) [doc] Update `suffixIcon`/`prefixIcon` for alignment with code snippet (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[92019](https://github.com/flutter/flutter/pull/92019) Marks Linux_android flutter_gallery__image_cache_memory to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[92022](https://github.com/flutter/flutter/pull/92022) Bump Android Compile SDK to 31 (team, tool, cla: yes, waiting for tree to go green, integration_test)
[92032](https://github.com/flutter/flutter/pull/92032) [keyboard_textfield_test] wait until the keyboard becomes visible (a: text input, team, cla: yes, waiting for tree to go green, integration_test)
[92052](https://github.com/flutter/flutter/pull/92052) Bump Kotlin version in templates and projects (team, tool, a: accessibility, cla: yes, d: examples, waiting for tree to go green, integration_test)
[92064](https://github.com/flutter/flutter/pull/92064) [flutter_conductor] validate git parsed version and release branch match (team, cla: yes, waiting for tree to go green)
[92065](https://github.com/flutter/flutter/pull/92065) Remove sandbox entitlement to allow tests to run on big sur. (team, cla: yes, waiting for tree to go green, integration_test, warning: land on red to fix tree breakage)
[92066](https://github.com/flutter/flutter/pull/92066) Add android:exported property to support API 31 for deferred components test (team, cla: yes, waiting for tree to go green, integration_test)
[92106](https://github.com/flutter/flutter/pull/92106) Revert "Update outdated runners in the benchmarks folder" (team, tool, cla: yes, integration_test)
[92118](https://github.com/flutter/flutter/pull/92118) Set exported to true to allow external adb to start app for CI (team, cla: yes, waiting for tree to go green, integration_test)
[92134](https://github.com/flutter/flutter/pull/92134) [web] enable CanvasKit tests using a local bundle fetched from CIPD (a: tests, team, tool, framework, cla: yes)
[92141](https://github.com/flutter/flutter/pull/92141) Add devicelab benchmark tags support (team, cla: yes, waiting for tree to go green)
[92187](https://github.com/flutter/flutter/pull/92187) [conductor] Added a generic tooltip widget (team, cla: yes)
[92200](https://github.com/flutter/flutter/pull/92200) [conductor] disabled flutter sandbox (team, cla: yes)
[92219](https://github.com/flutter/flutter/pull/92219) [flutter_conductor] remove old conductor entrypoint (team, cla: yes, waiting for tree to go green)
[92271](https://github.com/flutter/flutter/pull/92271) Ignore analyzer implict dynamic checks for js_util generic return type (a: text input, team, cla: yes, waiting for tree to go green, integration_test)
[92277](https://github.com/flutter/flutter/pull/92277) [web] fix web_e2e_tests README (team, cla: yes, waiting for tree to go green, integration_test)
[92303](https://github.com/flutter/flutter/pull/92303) [web] fix race in the image_loading_integration.dart test (team, cla: yes, waiting for tree to go green, integration_test)
[92305](https://github.com/flutter/flutter/pull/92305) [web] use local CanvasKit bundle in all e2e tests (team, cla: yes, waiting for tree to go green, integration_test)
[92423](https://github.com/flutter/flutter/pull/92423) Marks Mac_ios platform_view_ios__start_up to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[92446](https://github.com/flutter/flutter/pull/92446) Update dartdoc to 4.1.0. (team, cla: yes, waiting for tree to go green)
[92516](https://github.com/flutter/flutter/pull/92516) [release_dashboard] Remove project (team, cla: yes, waiting for tree to go green)
[92520](https://github.com/flutter/flutter/pull/92520) Add integration_test to flavor test project (team, platform-android, platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode, integration_test)
[92530](https://github.com/flutter/flutter/pull/92530) Add extra benchmark metrics to test name in addition to builder name (team, cla: yes, waiting for tree to go green, team: benchmark)
[92594](https://github.com/flutter/flutter/pull/92594) [flutter_conductor] Lift rev parse in conductor (team, cla: yes)
[92602](https://github.com/flutter/flutter/pull/92602) Differentiate between TalkBack versions for semantics tests. (team, a: accessibility, cla: yes, integration_test)
[92617](https://github.com/flutter/flutter/pull/92617) [flutter_conductor] wrap $DART_BIN invocation in double quotes to escape spaces (team, cla: yes)
[92620](https://github.com/flutter/flutter/pull/92620) [flutter_releases] conductor fixes (team, cla: yes)
[92626](https://github.com/flutter/flutter/pull/92626) Feature/cpu gpu memory gallery transition tests (team, cla: yes, waiting for tree to go green)
[92800](https://github.com/flutter/flutter/pull/92800) Manually roll the engine and update Gradle dependency locks (team, engine, a: accessibility, cla: yes, d: examples, integration_test)
[92850](https://github.com/flutter/flutter/pull/92850) Roll gallery with updated Gradle lockfiles (team, cla: yes)
#### tool - 167 pull request(s)
[85968](https://github.com/flutter/flutter/pull/85968) replace localEngineOut with local-engine-out (tool, cla: yes)
[86821](https://github.com/flutter/flutter/pull/86821) Add tag support for executing reduced test sets (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[86844](https://github.com/flutter/flutter/pull/86844) [gen_l10n] to handle arbitrary DateFormat patterns (waiting for customer response, tool, cla: yes)
[87022](https://github.com/flutter/flutter/pull/87022) [tools] Add Xcode version to non-verbose Flutter doctor (tool, cla: yes, waiting for tree to go green)
[87264](https://github.com/flutter/flutter/pull/87264) fix: fix BuildableMacOSApp pass no projectBundleId to super error (tool, cla: yes, waiting for tree to go green)
[87619](https://github.com/flutter/flutter/pull/87619) Don't set the SplashScreenDrawable for new projects (tool, cla: yes, waiting for tree to go green)
[87731](https://github.com/flutter/flutter/pull/87731) [flutter_tools] Reland "Make upgrade only work with standard remotes" (tool, cla: yes, waiting for tree to go green)
[87747](https://github.com/flutter/flutter/pull/87747) Categorize flutter tool commands (tool, cla: yes, waiting for tree to go green)
[87859](https://github.com/flutter/flutter/pull/87859) Use `{{projectName}}` as BINARY_NAME and CMake project name in UWP template (tool, cla: yes, waiting for tree to go green, e: uwp)
[87925](https://github.com/flutter/flutter/pull/87925) Updated skipped tests for flutter_tools. (team, tool, cla: yes, tech-debt, skip-test)
[87930](https://github.com/flutter/flutter/pull/87930) refactor IosProject and MacOSProject to extends XcodeBasedProject to share common (tool, cla: yes, waiting for tree to go green)
[87962](https://github.com/flutter/flutter/pull/87962) Fix errors in examples (a: tests, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[87976](https://github.com/flutter/flutter/pull/87976) feat: migrate macos/application_package.dart to null-safety (tool, cla: yes, waiting for tree to go green)
[87991](https://github.com/flutter/flutter/pull/87991) Add dartPluginClass support for Android and iOS (tool, cla: yes, waiting for tree to go green)
[88015](https://github.com/flutter/flutter/pull/88015) feat: migrate base/dds.dart to null-safety (tool, cla: yes, waiting for tree to go green)
[88042](https://github.com/flutter/flutter/pull/88042) Fix incorrect logging. (tool, cla: yes, waiting for tree to go green)
[88061](https://github.com/flutter/flutter/pull/88061) Update the timeouts since tests time out after 15 minutes not 30 seconds (tool, cla: yes, waiting for tree to go green)
[88074](https://github.com/flutter/flutter/pull/88074) Update flutter create templates for Xcode 13 (platform-ios, tool, platform-mac, cla: yes, waiting for tree to go green, t: xcode)
[88076](https://github.com/flutter/flutter/pull/88076) Support flutter create --platform singular flag (tool, cla: yes, waiting for tree to go green)
[88081](https://github.com/flutter/flutter/pull/88081) feat: migrate windows/application_package.dart to null-safety (tool, cla: yes, waiting for tree to go green)
[88095](https://github.com/flutter/flutter/pull/88095) feat: migrate fuchsia/application_package.dart to null-safe (tool, cla: yes, waiting for tree to go green)
[88116](https://github.com/flutter/flutter/pull/88116) [flutter_tool] Fix DesktopLogReader to capture all output (tool, cla: yes, waiting for tree to go green)
[88137](https://github.com/flutter/flutter/pull/88137) Make doctor Xcode version requirement clearer (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[88141](https://github.com/flutter/flutter/pull/88141) Add favicon link to web template (tool, cla: yes, waiting for tree to go green)
[88144](https://github.com/flutter/flutter/pull/88144) Rename IOSDeviceInterface to IOSDeviceConnectionInterface (platform-ios, tool, cla: yes, waiting for tree to go green, tech-debt)
[88178](https://github.com/flutter/flutter/pull/88178) [flutter_tools] Fix hang in DesktopLogReader (tool, cla: yes, waiting for tree to go green)
[88201](https://github.com/flutter/flutter/pull/88201) Fix URL construction in the test entry point generated by the web bootstrap script (tool, cla: yes, waiting for tree to go green)
[88308](https://github.com/flutter/flutter/pull/88308) clean up stale or unnecessary TODOS (a: tests, team, tool, framework, cla: yes, waiting for tree to go green, tech-debt)
[88320](https://github.com/flutter/flutter/pull/88320) migrate vm service to null safety (tool, cla: yes, waiting for tree to go green)
[88322](https://github.com/flutter/flutter/pull/88322) Fix race conditions in test_driver for tool tests (tool, cla: yes, waiting for tree to go green)
[88367](https://github.com/flutter/flutter/pull/88367) Revert "feat: migrate base/dds.dart to null-safety" (tool, cla: yes, waiting for tree to go green)
[88382](https://github.com/flutter/flutter/pull/88382) Migrate dds.dart to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88384](https://github.com/flutter/flutter/pull/88384) [tools] Fix Android Studio duplicate detection (tool, cla: yes, waiting for tree to go green)
[88387](https://github.com/flutter/flutter/pull/88387) [flutter_tools] flutter update-packages --force-upgrade (team, tool, cla: yes)
[88396](https://github.com/flutter/flutter/pull/88396) Run plugin_lint_mac task when either flutter_tools or integration_test packages change (a: tests, team, tool, cla: yes, waiting for tree to go green, integration_test)
[88404](https://github.com/flutter/flutter/pull/88404) Verbosify and print every command in ios_content_validation_test (tool, cla: yes, team: flakes, waiting for tree to go green)
[88409](https://github.com/flutter/flutter/pull/88409) Reland "Android Q transition by default (#82670)" (tool, framework, f: material design, cla: yes)
[88439](https://github.com/flutter/flutter/pull/88439) fix: typo spelling grammar (a: tests, team, tool, framework, f: material design, cla: yes)
[88457](https://github.com/flutter/flutter/pull/88457) Add package_name for consistency across all platforms in version.json (tool, cla: yes, waiting for tree to go green)
[88476](https://github.com/flutter/flutter/pull/88476) [flutter_releases] Flutter beta 2.5.0-5.2.pre Framework Cherrypicks (tool, engine, f: material design, a: internationalization, cla: yes)
[88482](https://github.com/flutter/flutter/pull/88482) Revert "Reland "Android Q transition by default (#82670)"" (tool, framework, f: material design, cla: yes, waiting for tree to go green)
[88509](https://github.com/flutter/flutter/pull/88509) Use `dart pub` instead of `pub` to invoke pub from tools (tool, cla: yes)
[88707](https://github.com/flutter/flutter/pull/88707) reassign jonahwilliams todos (a: tests, team, tool, framework, a: accessibility, cla: yes, waiting for tree to go green)
[88743](https://github.com/flutter/flutter/pull/88743) Change min Dart SDK constraint to track actual version (tool, cla: yes)
[88792](https://github.com/flutter/flutter/pull/88792) Revert "Use `dart pub` instead of `pub` to invoke pub from tools" (tool, cla: yes)
[88805](https://github.com/flutter/flutter/pull/88805) roll ios-deploy to HEAD (tool, cla: yes, waiting for tree to go green)
[88825](https://github.com/flutter/flutter/pull/88825) Use async timeline events for the phases of the scheduler binding (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[88846](https://github.com/flutter/flutter/pull/88846) Migrate mac.dart to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88850](https://github.com/flutter/flutter/pull/88850) Migrate some flutter_tools tests to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88851](https://github.com/flutter/flutter/pull/88851) Migrate ios_deploy to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88902](https://github.com/flutter/flutter/pull/88902) Account for additional warning text from the tool (tool, cla: yes, waiting for tree to go green)
[88914](https://github.com/flutter/flutter/pull/88914) Fix web_tool_tests failure on dart roll (tool, cla: yes)
[88920](https://github.com/flutter/flutter/pull/88920) Migrate fuchsia sdk and dependencies to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88923](https://github.com/flutter/flutter/pull/88923) Changed tool cached properties to late finals (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88934](https://github.com/flutter/flutter/pull/88934) Clean up null assumptions in devfs to prep for null safety migration (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88991](https://github.com/flutter/flutter/pull/88991) Adjust plugins and packages .gitignore to be most useful (tool, cla: yes)
[89009](https://github.com/flutter/flutter/pull/89009) Clean up null assumptions in vmservice for null safe migration (tool, cla: yes, waiting for tree to go green, a: null-safety)
[89021](https://github.com/flutter/flutter/pull/89021) Add smoke tests for all the examples, fix 17 broken examples. (team, tool, framework, f: material design, cla: yes, f: cupertino, d: examples)
[89032](https://github.com/flutter/flutter/pull/89032) Stop calling top level pub (tool, cla: yes)
[89390](https://github.com/flutter/flutter/pull/89390) Reduce required Windows CMake version to 3.14 (team, tool, cla: yes, d: examples)
[89445](https://github.com/flutter/flutter/pull/89445) Remove files that are unnecessary in a plugin (tool, cla: yes, waiting for tree to go green)
[89485](https://github.com/flutter/flutter/pull/89485) Fixed several typos (a: tests, team, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[89600](https://github.com/flutter/flutter/pull/89600) Enable caching of CPU samples collected at application startup (tool, cla: yes, waiting for tree to go green)
[89695](https://github.com/flutter/flutter/pull/89695) Set plugin template minimum Flutter SDK to 2.5 (platform-ios, tool, cla: yes, waiting for tree to go green)
[89704](https://github.com/flutter/flutter/pull/89704) Revert "Enable caching of CPU samples collected at application startup" (tool, cla: yes)
[89779](https://github.com/flutter/flutter/pull/89779) Run the flutter_tools create test in online mode before testing offline mode (tool, cla: yes)
[89782](https://github.com/flutter/flutter/pull/89782) master->main default branch migration (a: tests, tool, framework, cla: yes, waiting for tree to go green)
[89785](https://github.com/flutter/flutter/pull/89785) Replace amber_ctl with pkgctl for Fuchsia (tool, cla: yes)
[89795](https://github.com/flutter/flutter/pull/89795) Remove "unnecessary" imports from packages/ (a: tests, tool, framework, cla: yes, waiting for tree to go green)
[89872](https://github.com/flutter/flutter/pull/89872) Remove a redundant test case in the flutter_tools create_test (tool, cla: yes, waiting for tree to go green)
[90010](https://github.com/flutter/flutter/pull/90010) [flutter_tools] use test logger, which does not allow colors (tool, cla: yes, waiting for tree to go green)
[90021](https://github.com/flutter/flutter/pull/90021) Default new project to the ios-signing-cert development team (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[90022](https://github.com/flutter/flutter/pull/90022) Close the IntegrationTestTestDevice stream when the VM service shuts down (tool, cla: yes, waiting for tree to go green)
[90088](https://github.com/flutter/flutter/pull/90088) Set BUILD_DIR and OBJROOT when determining if plugins support arm64 simulators (team, platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[90090](https://github.com/flutter/flutter/pull/90090) [flutter_tools] remove non-null check from AndroidValidator (tool, cla: yes, waiting for tree to go green)
[90096](https://github.com/flutter/flutter/pull/90096) internationalization: fix select with incorrect message (tool, a: internationalization, cla: yes)
[90142](https://github.com/flutter/flutter/pull/90142) Use report_lines flag in flutter coverage (tool, cla: yes)
[90227](https://github.com/flutter/flutter/pull/90227) Some test cleanup for flutter_tools. (a: text input, team, tool, cla: yes, waiting for tree to go green)
[90288](https://github.com/flutter/flutter/pull/90288) Fix Dart plugin registrant interaction with 'flutter test' (tool, cla: yes)
[90304](https://github.com/flutter/flutter/pull/90304) Migrate iOS project to Xcode 13 compatibility (team, platform-ios, tool, cla: yes, d: examples, waiting for tree to go green, t: xcode)
[90394](https://github.com/flutter/flutter/pull/90394) Do not retry if pub get is run in offline mode (tool, cla: yes, waiting for tree to go green)
[90417](https://github.com/flutter/flutter/pull/90417) Fix an unnecessary_import analyzer error in the skeleton app template (tool, cla: yes)
[90546](https://github.com/flutter/flutter/pull/90546) Fixes resident_web_runner_test initialize the mock correctly (tool, cla: yes, waiting for tree to go green)
[90611](https://github.com/flutter/flutter/pull/90611) Reland "Enable caching of CPU samples collected at application startup (#89600)" (tool, cla: yes)
[90620](https://github.com/flutter/flutter/pull/90620) Add tests for web library platform defines (tool, cla: yes, waiting for tree to go green)
[90642](https://github.com/flutter/flutter/pull/90642) Migrate Gradle (team, tool, a: accessibility, cla: yes, d: examples, integration_test)
[90894](https://github.com/flutter/flutter/pull/90894) Launch DevTools from the 'dart devtools' command instead of pub (a: text input, tool, cla: yes)
[90906](https://github.com/flutter/flutter/pull/90906) Xcode 13 as minimum recommended version (platform-ios, tool, cla: yes, t: xcode)
[90915](https://github.com/flutter/flutter/pull/90915) Add iOS build -destination flag (tool, cla: yes, waiting for tree to go green)
[90944](https://github.com/flutter/flutter/pull/90944) Add multidex flag and automatic multidex support (tool, cla: yes, waiting for tree to go green)
[90966](https://github.com/flutter/flutter/pull/90966) Catch FormatException from bad simulator log output (platform-ios, tool, cla: yes, waiting for tree to go green)
[90967](https://github.com/flutter/flutter/pull/90967) Catch FormatException parsing XCDevice._getAllDevices (platform-ios, tool, cla: yes, waiting for tree to go green)
[90996](https://github.com/flutter/flutter/pull/90996) [flutter_tools] Handle disk device not found (tool, cla: yes, waiting for tree to go green)
[91006](https://github.com/flutter/flutter/pull/91006) Make `flutter update-packages` run in parallel (tool, cla: yes)
[91014](https://github.com/flutter/flutter/pull/91014) Add new pub command 'Token' (tool, cla: yes)
[91030](https://github.com/flutter/flutter/pull/91030) Change project.buildDir in standalone `subprojects` property (team, tool, a: accessibility, cla: yes, d: examples, waiting for tree to go green, integration_test)
[91047](https://github.com/flutter/flutter/pull/91047) [flutter_releases] Flutter stable 2.5.2 Framework Cherrypicks (team, tool, engine, cla: yes)
[91067](https://github.com/flutter/flutter/pull/91067) Enable avoid_setters_without_getters (a: tests, a: text input, tool, framework, a: accessibility, cla: yes, f: cupertino, waiting for tree to go green)
[91078](https://github.com/flutter/flutter/pull/91078) Enable `avoid_implementing_value_types` lint (a: tests, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[91109](https://github.com/flutter/flutter/pull/91109) Clean up dependency pins and update all packages (team, tool, cla: yes, waiting for tree to go green)
[91125](https://github.com/flutter/flutter/pull/91125) Update outdated platform directories in examples (team, tool, cla: yes, d: examples)
[91126](https://github.com/flutter/flutter/pull/91126) Update outdated runners in the benchmarks folder (team, tool, cla: yes, integration_test)
[91267](https://github.com/flutter/flutter/pull/91267) Migrate protocol_discovery to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[91281](https://github.com/flutter/flutter/pull/91281) Don't generate plugin registry in ResidentWebRunner (tool, cla: yes, waiting for tree to go green)
[91300](https://github.com/flutter/flutter/pull/91300) Remove 10 second timewarp in integration test pubspec.yamls (tool, cla: yes)
[91309](https://github.com/flutter/flutter/pull/91309) Migrate assets, common, icon_tree_shaker to null safety (tool, cla: yes, a: null-safety, tech-debt)
[91317](https://github.com/flutter/flutter/pull/91317) Remove accidental print (tool, cla: yes, waiting for tree to go green)
[91332](https://github.com/flutter/flutter/pull/91332) Enable `avoid_print` lint. (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, waiting for tree to go green, f: focus, integration_test)
[91409](https://github.com/flutter/flutter/pull/91409) Enable avoid_redundant_argument_values lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91411](https://github.com/flutter/flutter/pull/91411) Fix android template for Gradle 7 (tool, cla: yes)
[91435](https://github.com/flutter/flutter/pull/91435) Fix analysis throwing string (tool, cla: yes)
[91436](https://github.com/flutter/flutter/pull/91436) [flutter_tools] add working directory to ProcessException when pub get fails (tool, cla: yes, waiting for tree to go green)
[91438](https://github.com/flutter/flutter/pull/91438) Revert "Enable `avoid_print` lint." (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, f: focus, integration_test)
[91444](https://github.com/flutter/flutter/pull/91444) Enable `avoid_print` lint. (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, waiting for tree to go green, f: focus, integration_test)
[91455](https://github.com/flutter/flutter/pull/91455) Migrate android build target to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[91457](https://github.com/flutter/flutter/pull/91457) Move DeviceManager into null migrated globals library (tool, cla: yes, a: null-safety, tech-debt)
[91459](https://github.com/flutter/flutter/pull/91459) Revert gradle roll (team, tool, a: accessibility, cla: yes, d: examples, integration_test)
[91461](https://github.com/flutter/flutter/pull/91461) Revert "Enable avoid_redundant_argument_values lint" (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91462](https://github.com/flutter/flutter/pull/91462) Enable avoid_redundant_argument_values lint (#91409) (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91502](https://github.com/flutter/flutter/pull/91502) [fuchsia] - remove device-finder for device discovery (tool, cla: yes)
[91516](https://github.com/flutter/flutter/pull/91516) Migrate crash_reporting and github_template (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[91527](https://github.com/flutter/flutter/pull/91527) Document why some lints aren't enabled and fix some minor issues. (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[91529](https://github.com/flutter/flutter/pull/91529) [flutter_tools] iOS: display name defaults to the Title Case of flutter project name. (tool, cla: yes, waiting for tree to go green)
[91530](https://github.com/flutter/flutter/pull/91530) Enable no_default_cases lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, f: scrolling, cla: yes, f: cupertino, d: examples, waiting for tree to go green, f: focus, integration_test)
[91534](https://github.com/flutter/flutter/pull/91534) [flutter_tools] Fix redundant argument value lint (tool, cla: yes)
[91567](https://github.com/flutter/flutter/pull/91567) Enable `only_throw_errors` (a: tests, team, tool, framework, cla: yes, d: examples, waiting for tree to go green)
[91632](https://github.com/flutter/flutter/pull/91632) [flutter_tools] migrate web_device.dart to null-safety (tool, cla: yes, waiting for tree to go green)
[91642](https://github.com/flutter/flutter/pull/91642) Enable more lints (a: tests, a: text input, team, tool, framework, a: animation, f: scrolling, cla: yes, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91704](https://github.com/flutter/flutter/pull/91704) Migrate xcdevice and ios devices to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[91705](https://github.com/flutter/flutter/pull/91705) Migrate desktop_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[91719](https://github.com/flutter/flutter/pull/91719) Bump targetSdkVersion to 31 and organize static values (team, tool, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[91754](https://github.com/flutter/flutter/pull/91754) Revert "Reland "Enable caching of CPU samples collected at application startup (#89600)"" (tool, cla: yes)
[91789](https://github.com/flutter/flutter/pull/91789) Improve error message for when you're not running chromedriver (tool, cla: yes, waiting for tree to go green)
[91791](https://github.com/flutter/flutter/pull/91791) Revert "Add multidex flag and automatic multidex support" (tool, cla: yes)
[91802](https://github.com/flutter/flutter/pull/91802) Add a "flutter debug_adapter" command that runs a DAP server (tool, cla: yes, waiting for tree to go green)
[91856](https://github.com/flutter/flutter/pull/91856) Rewire all Dart entrypoints when the Dart plugin registrant is used. (tool, cla: yes, waiting for tree to go green)
[91866](https://github.com/flutter/flutter/pull/91866) Fix typo in settings_controller.dart (waiting for customer response, tool, cla: yes)
[91871](https://github.com/flutter/flutter/pull/91871) [flutter_releases] Flutter stable 2.5.3 Framework Cherrypicks (team, tool, engine, cla: yes)
[91911](https://github.com/flutter/flutter/pull/91911) Revert "Migrate desktop_device to null safety" (tool, cla: yes)
[91912](https://github.com/flutter/flutter/pull/91912) Revert "Migrate xcdevice and ios devices to null safety" (tool, cla: yes)
[92022](https://github.com/flutter/flutter/pull/92022) Bump Android Compile SDK to 31 (team, tool, cla: yes, waiting for tree to go green, integration_test)
[92049](https://github.com/flutter/flutter/pull/92049) Reland "Add multidex flag and automatic multidex support (#90944)" (tool, cla: yes)
[92052](https://github.com/flutter/flutter/pull/92052) Bump Kotlin version in templates and projects (team, tool, a: accessibility, cla: yes, d: examples, waiting for tree to go green, integration_test)
[92055](https://github.com/flutter/flutter/pull/92055) Migrate desktop_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92056](https://github.com/flutter/flutter/pull/92056) Migrate xcdevice and ios devices to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92062](https://github.com/flutter/flutter/pull/92062) feat: migrate install_manifest.dart to null-safety (tool, cla: yes, waiting for tree to go green)
[92106](https://github.com/flutter/flutter/pull/92106) Revert "Update outdated runners in the benchmarks folder" (team, tool, cla: yes, integration_test)
[92124](https://github.com/flutter/flutter/pull/92124) Migrate mdns_discovery and ios simulator to null safety (a: text input, tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92128](https://github.com/flutter/flutter/pull/92128) Migrate android_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92131](https://github.com/flutter/flutter/pull/92131) Migrate doctor to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92134](https://github.com/flutter/flutter/pull/92134) [web] enable CanvasKit tests using a local bundle fetched from CIPD (a: tests, team, tool, framework, cla: yes)
[92147](https://github.com/flutter/flutter/pull/92147) Migrate integration test shard test data to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92211](https://github.com/flutter/flutter/pull/92211) remove Downloading ... stderr messages (tool, cla: yes, waiting for tree to go green)
[92220](https://github.com/flutter/flutter/pull/92220) Reland "Enable caching of CPU samples collected at application startup (#89600)" (tool, cla: yes)
[92235](https://github.com/flutter/flutter/pull/92235) Revert "Reland "Enable caching of CPU samples collected at application startup (#89600)"" (tool, cla: yes)
[92272](https://github.com/flutter/flutter/pull/92272) [fuchsia] delete fuchsia_attach as it is no longer being used (tool, cla: yes)
[92508](https://github.com/flutter/flutter/pull/92508) Run flutter tester with arch -x86_64 on arm64 Mac (tool, platform-mac, cla: yes, waiting for tree to go green, platform-host-arm)
[92511](https://github.com/flutter/flutter/pull/92511) Set TargetFile define for resident builds (tool, cla: yes)
[92520](https://github.com/flutter/flutter/pull/92520) Add integration_test to flavor test project (team, platform-android, platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode, integration_test)
[92529](https://github.com/flutter/flutter/pull/92529) [flutter_tools] Skip create_test test (tool, cla: yes)
[92534](https://github.com/flutter/flutter/pull/92534) Remove the pub offline flag from tests of the flutter_tools create command (tool, cla: yes, waiting for tree to go green)
[92557](https://github.com/flutter/flutter/pull/92557) feat: migrate ios/bitcode.dart to null safety (tool, cla: yes, waiting for tree to go green)
[92587](https://github.com/flutter/flutter/pull/92587) Add support for running tests through debug-adapter (tool, cla: yes)
[92604](https://github.com/flutter/flutter/pull/92604) [flutter_tools] xcresult parser. (tool, cla: yes, waiting for tree to go green, t: xcode)
[92633](https://github.com/flutter/flutter/pull/92633) feat: migrate macos/macos_device.dart to null safety (tool, cla: yes, waiting for tree to go green)
[92646](https://github.com/flutter/flutter/pull/92646) feat: migrate test_data/project.dart to null safety (tool, cla: yes, waiting for tree to go green)
[92647](https://github.com/flutter/flutter/pull/92647) [flutter_tools] [iOS] Change UIViewControllerBasedStatusBarAppearance to true to fix rotation status bar disappear in portrait (tool, cla: yes, waiting for tree to go green)
#### f: material design - 143 pull request(s)
[65015](https://github.com/flutter/flutter/pull/65015) PageView resize from zero-size viewport should not lose state (framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green, a: state restoration)
[75110](https://github.com/flutter/flutter/pull/75110) use FadeTransition instead of Opacity where applicable (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[82670](https://github.com/flutter/flutter/pull/82670) Android Q transition by default (framework, f: material design, cla: yes, waiting for tree to go green)
[83028](https://github.com/flutter/flutter/pull/83028) Fix comments (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, documentation)
[83047](https://github.com/flutter/flutter/pull/83047) [Material 3] Add Navigation Bar component to flutter framework. (framework, f: material design, cla: yes, waiting for tree to go green)
[84307](https://github.com/flutter/flutter/pull/84307) Restart input connection after `EditableText.onSubmitted` (a: text input, platform-android, platform-ios, framework, f: material design, a: fidelity, cla: yes, waiting for tree to go green)
[84946](https://github.com/flutter/flutter/pull/84946) Fixed mouse cursor of disabled IconButton (framework, f: material design, cla: yes)
[84993](https://github.com/flutter/flutter/pull/84993) fix: Preserve state in horizontal stepper (framework, f: material design, cla: yes, waiting for tree to go green)
[85482](https://github.com/flutter/flutter/pull/85482) Fix avoid_renaming_method_parameters for pending analyzer change. (team, framework, f: material design, a: internationalization, cla: yes, waiting for tree to go green)
[86067](https://github.com/flutter/flutter/pull/86067) add margin to vertical stepper (framework, f: material design, cla: yes, waiting for tree to go green)
[86312](https://github.com/flutter/flutter/pull/86312) [autofill] opt-out instead of opt-in (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[86736](https://github.com/flutter/flutter/pull/86736) Text Editing Model Refactor (framework, f: material design, cla: yes, f: cupertino, work in progress; do not review)
[86796](https://github.com/flutter/flutter/pull/86796) [EditableText] preserve selection/composition range on unfocus (framework, f: material design, cla: yes, waiting for tree to go green)
[86821](https://github.com/flutter/flutter/pull/86821) Add tag support for executing reduced test sets (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[87109](https://github.com/flutter/flutter/pull/87109) TextField.autofocus should skip the element that never layout (framework, f: material design, cla: yes, waiting for tree to go green)
[87172](https://github.com/flutter/flutter/pull/87172) Adding onLongPress for DataRow (framework, f: material design, cla: yes)
[87231](https://github.com/flutter/flutter/pull/87231) Switch document generation to use the snippets package (team, framework, f: material design, cla: yes, f: cupertino)
[87280](https://github.com/flutter/flutter/pull/87280) Extract Sample code into examples/api (team, framework, f: material design, cla: yes, f: cupertino, d: examples)
[87329](https://github.com/flutter/flutter/pull/87329) Make kMaterialEdges const (framework, f: material design, cla: yes)
[87404](https://github.com/flutter/flutter/pull/87404) Fix computeMinIntrinsicHeight in _RenderDecoration (framework, f: material design, cla: yes, waiting for tree to go green)
[87430](https://github.com/flutter/flutter/pull/87430) Update TabPageSelector Semantics Label Localization (framework, f: material design, a: internationalization, cla: yes, waiting for tree to go green)
[87557](https://github.com/flutter/flutter/pull/87557) [NNBD] Update dart preamble code. (framework, f: material design, cla: yes)
[87595](https://github.com/flutter/flutter/pull/87595) Added time picker entry mode callback and tests (framework, f: material design, cla: yes)
[87638](https://github.com/flutter/flutter/pull/87638) Don't display empty tooltips (Tooltips with empty `message` property) (framework, f: material design, cla: yes, waiting for tree to go green)
[87678](https://github.com/flutter/flutter/pull/87678) hasStrings support for eliminating clipboard notifications (framework, f: material design, cla: yes, f: cupertino)
[87707](https://github.com/flutter/flutter/pull/87707) `showModalBottomSheet` should not dispose the controller provided by user (framework, f: material design, cla: yes, waiting for tree to go green)
[87740](https://github.com/flutter/flutter/pull/87740) Update MaterialScrollBehavior.buildScrollbar for horizontal axes (framework, f: material design, a: fidelity, f: scrolling, cla: yes, waiting for tree to go green)
[87775](https://github.com/flutter/flutter/pull/87775) Fix the showBottomSheet controller leaking (framework, a: animation, f: material design, cla: yes, a: quality, waiting for tree to go green, perf: memory)
[87792](https://github.com/flutter/flutter/pull/87792) Change hitTest signatures to be non-nullable (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[87839](https://github.com/flutter/flutter/pull/87839) Android 12 overscroll stretch effect (severe: new feature, platform-android, framework, f: material design, f: scrolling, cla: yes, f: cupertino, f: gestures, customer: crowd, waiting for tree to go green, customer: money (g3), will affect goldens, e: OS Version specific)
[87872](https://github.com/flutter/flutter/pull/87872) Fix compile error in SliverAppBar sample code (framework, f: material design, cla: yes, waiting for tree to go green)
[87901](https://github.com/flutter/flutter/pull/87901) Changing ElevatedButton.child to be non-nullable (framework, f: material design, cla: yes)
[87929](https://github.com/flutter/flutter/pull/87929) [docs] spelling correction for showModalBottomSheet docs in bottom sheet file (framework, f: material design, cla: yes, waiting for tree to go green)
[87962](https://github.com/flutter/flutter/pull/87962) Fix errors in examples (a: tests, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[87971](https://github.com/flutter/flutter/pull/87971) [EditableText] call `onSelectionChanged` only when there are actual selection/cause changes (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[88019](https://github.com/flutter/flutter/pull/88019) add `?` in Checkbox onChanged property (framework, f: material design, cla: yes, waiting for tree to go green)
[88071](https://github.com/flutter/flutter/pull/88071) Revert "Changing ElevatedButton.child to be non-nullable" (framework, f: material design, cla: yes)
[88129](https://github.com/flutter/flutter/pull/88129) Revert "Update MaterialScrollBehavior.buildScrollbar for horizontal axes" (framework, f: material design, cla: yes, waiting for tree to go green)
[88153](https://github.com/flutter/flutter/pull/88153) [Fonts] Improved icons update script (team, framework, f: material design, cla: yes)
[88183](https://github.com/flutter/flutter/pull/88183) Revert "[EditableText] call `onSelectionChanged` only when there're actual selection/cause changes" (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[88295](https://github.com/flutter/flutter/pull/88295) Add theme support for choosing android overscroll indicator (severe: new feature, platform-android, framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green)
[88301](https://github.com/flutter/flutter/pull/88301) RefreshProgressIndicator to look native (framework, f: material design, cla: yes, will affect goldens)
[88328](https://github.com/flutter/flutter/pull/88328) l10n updates for August beta (f: material design, a: internationalization, cla: yes)
[88365](https://github.com/flutter/flutter/pull/88365) Add fixes for AppBar deprecations (team, framework, f: material design, cla: yes, waiting for tree to go green, tech-debt)
[88375](https://github.com/flutter/flutter/pull/88375) Fixed leak and removed no-shuffle tag on scaffold_test.dart (framework, f: material design, cla: yes, waiting for tree to go green)
[88394](https://github.com/flutter/flutter/pull/88394) Revert "Android Q transition by default" (framework, f: material design, cla: yes)
[88409](https://github.com/flutter/flutter/pull/88409) Reland "Android Q transition by default (#82670)" (tool, framework, f: material design, cla: yes)
[88439](https://github.com/flutter/flutter/pull/88439) fix: typo spelling grammar (a: tests, team, tool, framework, f: material design, cla: yes)
[88476](https://github.com/flutter/flutter/pull/88476) [flutter_releases] Flutter beta 2.5.0-5.2.pre Framework Cherrypicks (tool, engine, f: material design, a: internationalization, cla: yes)
[88477](https://github.com/flutter/flutter/pull/88477) Framework can receive TextEditingDeltas from engine (framework, f: material design, cla: yes, waiting for tree to go green)
[88482](https://github.com/flutter/flutter/pull/88482) Revert "Reland "Android Q transition by default (#82670)"" (tool, framework, f: material design, cla: yes, waiting for tree to go green)
[88538](https://github.com/flutter/flutter/pull/88538) fix: refactor Stepper.controlsBuilder to use ControlsDetails (framework, f: material design, cla: yes)
[88539](https://github.com/flutter/flutter/pull/88539) Add `richMessage` parameter to the `Tooltip` widget. (a: tests, framework, f: material design, cla: yes)
[88576](https://github.com/flutter/flutter/pull/88576) fixes DropdownButton ignoring itemHeight in popup menu (#88574) (framework, f: material design, cla: yes, waiting for tree to go green)
[88878](https://github.com/flutter/flutter/pull/88878) Fix index of TabBarView when decrementing (framework, f: material design, cla: yes)
[88893](https://github.com/flutter/flutter/pull/88893) Updated some skip test comments that were missed in the audit. (team, framework, f: material design, cla: yes, tech-debt, skip-test)
[88984](https://github.com/flutter/flutter/pull/88984) [Material] Allow for custom alignment for Dialogs (framework, f: material design, cla: yes)
[89021](https://github.com/flutter/flutter/pull/89021) Add smoke tests for all the examples, fix 17 broken examples. (team, tool, framework, f: material design, cla: yes, f: cupertino, d: examples)
[89062](https://github.com/flutter/flutter/pull/89062) Fix (Vertical)Divider samples & docs (team, framework, f: material design, cla: yes, d: examples, waiting for tree to go green)
[89064](https://github.com/flutter/flutter/pull/89064) Fix RadioThemeData documentation issues (framework, f: material design, cla: yes, waiting for tree to go green)
[89079](https://github.com/flutter/flutter/pull/89079) Add & improve DropdownButtonFormField reference to DropdownButton (framework, f: material design, cla: yes, d: api docs, waiting for tree to go green, documentation)
[89199](https://github.com/flutter/flutter/pull/89199) fix a dropdown button menu position bug (framework, f: material design, cla: yes, waiting for tree to go green)
[89237](https://github.com/flutter/flutter/pull/89237) Add ability to customize drawer shape and color as well as theme drawer properties (framework, f: material design, cla: yes, waiting for tree to go green)
[89264](https://github.com/flutter/flutter/pull/89264) Make sure Opacity widgets/layers do not drop the offset (framework, f: material design, cla: yes, will affect goldens)
[89353](https://github.com/flutter/flutter/pull/89353) [CheckboxListTile, SwitchListTile, RadioListTile] Adds visualDensity, focusNode and enableFeedback (framework, f: material design, cla: yes, waiting for tree to go green)
[89362](https://github.com/flutter/flutter/pull/89362) fix a BottomSheet nullable issue (framework, f: material design, cla: yes, waiting for tree to go green)
[89369](https://github.com/flutter/flutter/pull/89369) Add `semanticsLabel` to `SelectableText` (framework, f: material design, cla: yes)
[89386](https://github.com/flutter/flutter/pull/89386) Issue 88543: TextField labelText doesn't get hintTextStyle when labelTextStyle is non-null Fixed (framework, f: material design, cla: yes)
[89485](https://github.com/flutter/flutter/pull/89485) Fixed several typos (a: tests, team, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[89641](https://github.com/flutter/flutter/pull/89641) Fix document of the switch (framework, f: material design, cla: yes)
[89667](https://github.com/flutter/flutter/pull/89667) Revert "Fix computeMinIntrinsicHeight in _RenderDecoration" (framework, f: material design, cla: yes, waiting for tree to go green)
[89670](https://github.com/flutter/flutter/pull/89670) Revert "Implement operator = and hashcode for CupertinoThemeData" (framework, f: material design, cla: yes, f: cupertino)
[89675](https://github.com/flutter/flutter/pull/89675) Revert "Fix computeMinIntrinsicHeight in _RenderDecoration (#87404)" … (framework, f: material design, cla: yes)
[89699](https://github.com/flutter/flutter/pull/89699) Skip the drawShadow call in a MergeableMaterial with zero elevation (framework, f: material design, cla: yes, waiting for tree to go green)
[89700](https://github.com/flutter/flutter/pull/89700) Update ScaffoldMessenger docs for MaterialBanners (framework, f: material design, cla: yes, d: api docs, waiting for tree to go green, documentation)
[89822](https://github.com/flutter/flutter/pull/89822) Revert "Revert "Fix computeMinIntrinsicHeight in _RenderDecoration (#87404)" (#89667)" (framework, f: material design, cla: yes)
[89997](https://github.com/flutter/flutter/pull/89997) Revert "Removed default page transitions for desktop and web platforms. (#82596)" (framework, f: material design, cla: yes)
[90075](https://github.com/flutter/flutter/pull/90075) Fixes dialog title announce twice (framework, f: material design, cla: yes, waiting for tree to go green)
[90136](https://github.com/flutter/flutter/pull/90136) Exclude semantics is `semanticslabel` is present for `SelectableText` (framework, f: material design, cla: yes, waiting for tree to go green)
[90217](https://github.com/flutter/flutter/pull/90217) Fix error from bad dart-fix rule (team, framework, f: material design, cla: yes, a: quality, waiting for tree to go green, a: error message, tech-debt)
[90281](https://github.com/flutter/flutter/pull/90281) [flutter_releases] Flutter stable 2.5.1 Framework Cherrypicks (team, framework, engine, f: material design, a: accessibility, cla: yes)
[90291](https://github.com/flutter/flutter/pull/90291) Add more tests for dart fixes (team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[90292](https://github.com/flutter/flutter/pull/90292) Remove autovalidate deprecations (a: text input, team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[90295](https://github.com/flutter/flutter/pull/90295) Remove BottomNavigationBarItem.title deprecation (team, framework, f: material design, severe: API break, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[90311](https://github.com/flutter/flutter/pull/90311) Fix some scrollbar track and border painting issues (framework, f: material design, f: scrolling, cla: yes, f: cupertino, waiting for tree to go green)
[90380](https://github.com/flutter/flutter/pull/90380) Material banner updates (framework, f: material design, cla: yes)
[90406](https://github.com/flutter/flutter/pull/90406) Revert "Issue 88543: TextField labelText doesn't get hintTextStyle when labelTextStyle is non-null Fixed" (framework, f: material design, cla: yes, waiting for tree to go green)
[90423](https://github.com/flutter/flutter/pull/90423) Add clipBeheavior support to TextFields (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[90457](https://github.com/flutter/flutter/pull/90457) Fix tooltip so only one shows at a time when hovering (framework, f: material design, cla: yes, waiting for tree to go green)
[90464](https://github.com/flutter/flutter/pull/90464) Fix Chip tooltip so that useDeleteButtonTooltip only applies to the delete button. (framework, f: material design, cla: yes, waiting for tree to go green)
[90531](https://github.com/flutter/flutter/pull/90531) Fix various problems with Chip delete button. (framework, f: material design, cla: yes, waiting for tree to go green)
[90629](https://github.com/flutter/flutter/pull/90629) Fix nested stretch overscroll (a: tests, framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green, customer: money (g3))
[90688](https://github.com/flutter/flutter/pull/90688) make Elevated&Outlined&TextButton support onHover&onFocus callback (framework, f: material design, cla: yes)
[90703](https://github.com/flutter/flutter/pull/90703) Correct notch geometry when MediaQuery padding.top is non-zero (severe: regression, framework, f: material design, cla: yes, a: layout)
[90845](https://github.com/flutter/flutter/pull/90845) Adjust size of delete button to take up at most less than half of chip. (framework, f: material design, cla: yes)
[90909](https://github.com/flutter/flutter/pull/90909) Revert "Fix tooltip so only one shows at a time when hovering (#90457)" (framework, f: material design, cla: yes)
[90917](https://github.com/flutter/flutter/pull/90917) Reland: "Fix tooltip so only one shows at a time when hovering (#90457)" (framework, f: material design, cla: yes)
[90986](https://github.com/flutter/flutter/pull/90986) TextStyle.apply,copyWith,merge should support a package parameter (a: text input, framework, f: material design, cla: yes)
[91046](https://github.com/flutter/flutter/pull/91046) [SwitchListTile] Adds hoverColor to SwitchListTile (framework, f: material design, cla: yes, waiting for tree to go green)
[91051](https://github.com/flutter/flutter/pull/91051) Add a warning about Icon.size to IconButton (framework, f: material design, cla: yes, waiting for tree to go green)
[91078](https://github.com/flutter/flutter/pull/91078) Enable `avoid_implementing_value_types` lint (a: tests, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[91133](https://github.com/flutter/flutter/pull/91133) Clean up examples, remove section markers and --template args (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus)
[91182](https://github.com/flutter/flutter/pull/91182) Added support for MaterialState to InputDecorator (framework, f: material design, cla: yes)
[91239](https://github.com/flutter/flutter/pull/91239) Replace all BorderRadius.circular with const BorderRadius.all (a: text input, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[91332](https://github.com/flutter/flutter/pull/91332) Enable `avoid_print` lint. (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, waiting for tree to go green, f: focus, integration_test)
[91409](https://github.com/flutter/flutter/pull/91409) Enable avoid_redundant_argument_values lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91438](https://github.com/flutter/flutter/pull/91438) Revert "Enable `avoid_print` lint." (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, f: focus, integration_test)
[91439](https://github.com/flutter/flutter/pull/91439) Revert "Remove autovalidate deprecations" (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[91443](https://github.com/flutter/flutter/pull/91443) Reland Remove autovalidate deprecations (a: text input, team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[91444](https://github.com/flutter/flutter/pull/91444) Enable `avoid_print` lint. (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, waiting for tree to go green, f: focus, integration_test)
[91448](https://github.com/flutter/flutter/pull/91448) Revert "Added support for MaterialState to InputDecorator" (team, framework, f: material design, cla: yes, d: examples)
[91449](https://github.com/flutter/flutter/pull/91449) Refactored ListTileTheme: ListTileThemeData, ThemeData.listThemeData (framework, f: material design, cla: yes)
[91453](https://github.com/flutter/flutter/pull/91453) Remove extensions (framework, f: material design, cla: yes, waiting for tree to go green)
[91461](https://github.com/flutter/flutter/pull/91461) Revert "Enable avoid_redundant_argument_values lint" (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91462](https://github.com/flutter/flutter/pull/91462) Enable avoid_redundant_argument_values lint (#91409) (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91497](https://github.com/flutter/flutter/pull/91497) Refactor ThemeData (framework, f: material design, cla: yes)
[91530](https://github.com/flutter/flutter/pull/91530) Enable no_default_cases lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, f: scrolling, cla: yes, f: cupertino, d: examples, waiting for tree to go green, f: focus, integration_test)
[91585](https://github.com/flutter/flutter/pull/91585) Enable `sort_child_properties_last` lint (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, integration_test)
[91593](https://github.com/flutter/flutter/pull/91593) Do not output the error msg to the console when run a throwable test (a: tests, framework, f: material design, cla: yes, waiting for tree to go green, a: error message)
[91609](https://github.com/flutter/flutter/pull/91609) Add `TooltipVisibility` widget (framework, f: material design, cla: yes, waiting for tree to go green)
[91762](https://github.com/flutter/flutter/pull/91762) Added support for MaterialState to InputDecorator (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation)
[91774](https://github.com/flutter/flutter/pull/91774) ThemeData property cleanup. (framework, f: material design, cla: yes)
[91811](https://github.com/flutter/flutter/pull/91811) Revert "Refactored ListTileTheme: ListTileThemeData, ThemeData.listThemeData" (framework, f: material design, cla: yes)
[91840](https://github.com/flutter/flutter/pull/91840) Reland Refactored ListTileTheme: ListTileThemeData, ThemeData.listThemeData (framework, f: material design, cla: yes)
[91930](https://github.com/flutter/flutter/pull/91930) Revert "Remove BottomNavigationBarItem.title deprecation" (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[91933](https://github.com/flutter/flutter/pull/91933) Cherrypick revert (framework, engine, f: material design, cla: yes)
[91995](https://github.com/flutter/flutter/pull/91995) Fix typo in code comments (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[91998](https://github.com/flutter/flutter/pull/91998) [doc] Update `suffixIcon`/`prefixIcon` for alignment with code snippet (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[92039](https://github.com/flutter/flutter/pull/92039) Fix persistentFooter padding (framework, f: material design, cla: yes, waiting for tree to go green)
[92088](https://github.com/flutter/flutter/pull/92088) Revert "Add `TooltipVisibility` widget" (framework, f: material design, cla: yes)
[92090](https://github.com/flutter/flutter/pull/92090) Reland "Add TooltipVisibility widget" (framework, f: material design, cla: yes, waiting for tree to go green)
[92167](https://github.com/flutter/flutter/pull/92167) Update clipboard status on cut (a: text input, framework, f: material design, cla: yes, f: cupertino)
[92245](https://github.com/flutter/flutter/pull/92245) Fix typos (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[92295](https://github.com/flutter/flutter/pull/92295) Remove assert that prevents WidgetSpans from being used in SelectableText (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[92329](https://github.com/flutter/flutter/pull/92329) Ignore `Scaffold` drawer callbacks when value doesn't change (framework, f: material design, cla: yes)
[92443](https://github.com/flutter/flutter/pull/92443) Removed primaryVariant from usage by the SnackBar. (framework, f: material design, cla: yes)
[92486](https://github.com/flutter/flutter/pull/92486) fix a throw due to double precison (framework, f: material design, cla: yes, waiting for tree to go green)
[92598](https://github.com/flutter/flutter/pull/92598) Leader not always dirty (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[92614](https://github.com/flutter/flutter/pull/92614) Blinking cursor respects TickerMode (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[92670](https://github.com/flutter/flutter/pull/92670) Update Data Table Class with Borders Like Table Widgets (#36837) (framework, f: material design, cla: yes, waiting for tree to go green)
[92698](https://github.com/flutter/flutter/pull/92698) InputDecorator floating label origin no longer depends on ThemeData.fixTextFieldOutlineLabel (framework, f: material design, cla: yes)
[92713](https://github.com/flutter/flutter/pull/92713) Fix typo in the API docs of brightness (framework, f: material design, cla: yes)
[92820](https://github.com/flutter/flutter/pull/92820) Revert "Refactor ThemeData (#91497)" (framework, f: material design, cla: yes)
#### a: tests - 57 pull request(s)
[86821](https://github.com/flutter/flutter/pull/86821) Add tag support for executing reduced test sets (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[87076](https://github.com/flutter/flutter/pull/87076) Add a hook for scroll position to notify scrolling context when dimen… (a: tests, framework, a: accessibility, f: scrolling, cla: yes, waiting for tree to go green)
[87197](https://github.com/flutter/flutter/pull/87197) Add RichText support to find.text() (a: tests, severe: new feature, framework, cla: yes)
[87297](https://github.com/flutter/flutter/pull/87297) Reattempt: Restores surface size and view configuration in the postTest of test binding (a: tests, framework, cla: yes)
[87604](https://github.com/flutter/flutter/pull/87604) Use Device specific gesture configuration for scroll views (a: tests, framework, cla: yes, waiting for tree to go green)
[87880](https://github.com/flutter/flutter/pull/87880) Updated skipped tests for flutter_test directory. (a: tests, framework, cla: yes, skip-test)
[87962](https://github.com/flutter/flutter/pull/87962) Fix errors in examples (a: tests, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[88293](https://github.com/flutter/flutter/pull/88293) Revert "Reattempt: Restores surface size and view configuration in the postTest of test binding" (a: tests, framework, cla: yes)
[88308](https://github.com/flutter/flutter/pull/88308) clean up stale or unnecessary TODOS (a: tests, team, tool, framework, cla: yes, waiting for tree to go green, tech-debt)
[88396](https://github.com/flutter/flutter/pull/88396) Run plugin_lint_mac task when either flutter_tools or integration_test packages change (a: tests, team, tool, cla: yes, waiting for tree to go green, integration_test)
[88427](https://github.com/flutter/flutter/pull/88427) createTestImage refactor (a: tests, framework, cla: yes, waiting for tree to go green)
[88439](https://github.com/flutter/flutter/pull/88439) fix: typo spelling grammar (a: tests, team, tool, framework, f: material design, cla: yes)
[88539](https://github.com/flutter/flutter/pull/88539) Add `richMessage` parameter to the `Tooltip` widget. (a: tests, framework, f: material design, cla: yes)
[88609](https://github.com/flutter/flutter/pull/88609) Fix DPR in test view configuration (a: tests, framework, cla: yes, will affect goldens)
[88707](https://github.com/flutter/flutter/pull/88707) reassign jonahwilliams todos (a: tests, team, tool, framework, a: accessibility, cla: yes, waiting for tree to go green)
[88761](https://github.com/flutter/flutter/pull/88761) feat: add Image support to finder (a: tests, framework, cla: yes, waiting for tree to go green)
[88784](https://github.com/flutter/flutter/pull/88784) Fixed leak and removed no-shuffle tag in binding_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88824](https://github.com/flutter/flutter/pull/88824) Fixed leak and removed no-shuffle tag in widgets/clip_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88825](https://github.com/flutter/flutter/pull/88825) Use async timeline events for the phases of the scheduler binding (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[88834](https://github.com/flutter/flutter/pull/88834) Do not try to codesign during plugin_test_ios (a: tests, team, platform-ios, cla: yes, waiting for tree to go green)
[88857](https://github.com/flutter/flutter/pull/88857) Fixed leak and removed no-shuffle tag in widgets/debug_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88877](https://github.com/flutter/flutter/pull/88877) Fixed leak and removed no-shuffle tag in platform_view_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88881](https://github.com/flutter/flutter/pull/88881) Fixed leak and removed no-shuffle tag in routes_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88889](https://github.com/flutter/flutter/pull/88889) Revert "Fix DPR in test view configuration" (a: tests, framework, cla: yes)
[88900](https://github.com/flutter/flutter/pull/88900) Fixed leak and removed no-shuffle tag in scroll_aware_image_provider_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88913](https://github.com/flutter/flutter/pull/88913) Configurable adb for deferred components release test script (a: tests, team, cla: yes, t: flutter driver, waiting for tree to go green, integration_test, tech-debt)
[88933](https://github.com/flutter/flutter/pull/88933) Fixed leak and removed no-shuffle tag in dismissible_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88989](https://github.com/flutter/flutter/pull/88989) Add no-shuffle tag to platform_channel_test.dart (a: tests, team, framework, cla: yes, team: infra)
[89020](https://github.com/flutter/flutter/pull/89020) feat: widget finders add widgetWithImage method (a: tests, framework, cla: yes, waiting for tree to go green)
[89306](https://github.com/flutter/flutter/pull/89306) Add `deferred components` LUCI test and configure to use `android_virtual_device` dep (a: tests, team, cla: yes, team: infra, integration_test)
[89393](https://github.com/flutter/flutter/pull/89393) Add raster cache metrics to timeline summaries (a: tests, team, framework, cla: yes, waiting for tree to go green)
[89477](https://github.com/flutter/flutter/pull/89477) Fixed order dependency and removed no-shuffle tag in flutter_driver_test (a: tests, team, framework, cla: yes, t: flutter driver, waiting for tree to go green, tech-debt)
[89485](https://github.com/flutter/flutter/pull/89485) Fixed several typos (a: tests, team, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[89620](https://github.com/flutter/flutter/pull/89620) Run flutter_gallery macOS native tests on presubmit (a: tests, team, platform-mac, cla: yes, waiting for tree to go green, a: desktop)
[89782](https://github.com/flutter/flutter/pull/89782) master->main default branch migration (a: tests, tool, framework, cla: yes, waiting for tree to go green)
[89795](https://github.com/flutter/flutter/pull/89795) Remove "unnecessary" imports from packages/ (a: tests, tool, framework, cla: yes, waiting for tree to go green)
[89806](https://github.com/flutter/flutter/pull/89806) Turn Linux flutter_plugins test off (a: tests, cla: yes)
[89952](https://github.com/flutter/flutter/pull/89952) Remove our extra timeout logic. (a: tests, team, framework, a: accessibility, cla: yes, waiting for tree to go green)
[90072](https://github.com/flutter/flutter/pull/90072) Update local gold api (a: tests, framework, cla: yes)
[90154](https://github.com/flutter/flutter/pull/90154) Update md5 method in flutter_goldens_client (a: tests, team, framework, cla: yes, waiting for tree to go green)
[90629](https://github.com/flutter/flutter/pull/90629) Fix nested stretch overscroll (a: tests, framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green, customer: money (g3))
[91067](https://github.com/flutter/flutter/pull/91067) Enable avoid_setters_without_getters (a: tests, a: text input, tool, framework, a: accessibility, cla: yes, f: cupertino, waiting for tree to go green)
[91078](https://github.com/flutter/flutter/pull/91078) Enable `avoid_implementing_value_types` lint (a: tests, tool, framework, f: material design, cla: yes, waiting for tree to go green)
[91324](https://github.com/flutter/flutter/pull/91324) Update number of IPHONEOS_DEPLOYMENT_TARGET in plugin_test_ios (a: tests, team, platform-ios, cla: yes, waiting for tree to go green)
[91332](https://github.com/flutter/flutter/pull/91332) Enable `avoid_print` lint. (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, waiting for tree to go green, f: focus, integration_test)
[91409](https://github.com/flutter/flutter/pull/91409) Enable avoid_redundant_argument_values lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91438](https://github.com/flutter/flutter/pull/91438) Revert "Enable `avoid_print` lint." (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, f: focus, integration_test)
[91444](https://github.com/flutter/flutter/pull/91444) Enable `avoid_print` lint. (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, waiting for tree to go green, f: focus, integration_test)
[91461](https://github.com/flutter/flutter/pull/91461) Revert "Enable avoid_redundant_argument_values lint" (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91462](https://github.com/flutter/flutter/pull/91462) Enable avoid_redundant_argument_values lint (#91409) (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91527](https://github.com/flutter/flutter/pull/91527) Document why some lints aren't enabled and fix some minor issues. (a: tests, team, tool, framework, cla: yes, waiting for tree to go green)
[91530](https://github.com/flutter/flutter/pull/91530) Enable no_default_cases lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, f: scrolling, cla: yes, f: cupertino, d: examples, waiting for tree to go green, f: focus, integration_test)
[91567](https://github.com/flutter/flutter/pull/91567) Enable `only_throw_errors` (a: tests, team, tool, framework, cla: yes, d: examples, waiting for tree to go green)
[91573](https://github.com/flutter/flutter/pull/91573) Enable `prefer_relative_imports` and fix files. (a: tests, a: text input, team, framework, cla: yes, waiting for tree to go green, integration_test)
[91593](https://github.com/flutter/flutter/pull/91593) Do not output the error msg to the console when run a throwable test (a: tests, framework, f: material design, cla: yes, waiting for tree to go green, a: error message)
[91642](https://github.com/flutter/flutter/pull/91642) Enable more lints (a: tests, a: text input, team, tool, framework, a: animation, f: scrolling, cla: yes, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[92134](https://github.com/flutter/flutter/pull/92134) [web] enable CanvasKit tests using a local bundle fetched from CIPD (a: tests, team, tool, framework, cla: yes)
#### tech-debt - 42 pull request(s)
[86821](https://github.com/flutter/flutter/pull/86821) Add tag support for executing reduced test sets (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[87700](https://github.com/flutter/flutter/pull/87700) Updated skipped tests for rendering directory. (team, framework, cla: yes, tech-debt, skip-test)
[87873](https://github.com/flutter/flutter/pull/87873) Updated skipped tests for scheduler directory. (team, framework, cla: yes, tech-debt, skip-test)
[87874](https://github.com/flutter/flutter/pull/87874) Updated skipped tests for services directory. (team, framework, cla: yes, tech-debt, skip-test)
[87879](https://github.com/flutter/flutter/pull/87879) Updated skipped tests for widgets directory. (team, framework, cla: yes, will affect goldens, tech-debt, skip-test)
[87925](https://github.com/flutter/flutter/pull/87925) Updated skipped tests for flutter_tools. (team, tool, cla: yes, tech-debt, skip-test)
[88144](https://github.com/flutter/flutter/pull/88144) Rename IOSDeviceInterface to IOSDeviceConnectionInterface (platform-ios, tool, cla: yes, waiting for tree to go green, tech-debt)
[88308](https://github.com/flutter/flutter/pull/88308) clean up stale or unnecessary TODOS (a: tests, team, tool, framework, cla: yes, waiting for tree to go green, tech-debt)
[88365](https://github.com/flutter/flutter/pull/88365) Add fixes for AppBar deprecations (team, framework, f: material design, cla: yes, waiting for tree to go green, tech-debt)
[88784](https://github.com/flutter/flutter/pull/88784) Fixed leak and removed no-shuffle tag in binding_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88824](https://github.com/flutter/flutter/pull/88824) Fixed leak and removed no-shuffle tag in widgets/clip_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88857](https://github.com/flutter/flutter/pull/88857) Fixed leak and removed no-shuffle tag in widgets/debug_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88877](https://github.com/flutter/flutter/pull/88877) Fixed leak and removed no-shuffle tag in platform_view_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88881](https://github.com/flutter/flutter/pull/88881) Fixed leak and removed no-shuffle tag in routes_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88893](https://github.com/flutter/flutter/pull/88893) Updated some skip test comments that were missed in the audit. (team, framework, f: material design, cla: yes, tech-debt, skip-test)
[88894](https://github.com/flutter/flutter/pull/88894) Enhance the skip test parsing the analyzer script. (team, cla: yes, waiting for tree to go green, tech-debt, skip-test)
[88900](https://github.com/flutter/flutter/pull/88900) Fixed leak and removed no-shuffle tag in scroll_aware_image_provider_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[88913](https://github.com/flutter/flutter/pull/88913) Configurable adb for deferred components release test script (a: tests, team, cla: yes, t: flutter driver, waiting for tree to go green, integration_test, tech-debt)
[88933](https://github.com/flutter/flutter/pull/88933) Fixed leak and removed no-shuffle tag in dismissible_test.dart (a: tests, team, framework, cla: yes, waiting for tree to go green, tech-debt)
[89477](https://github.com/flutter/flutter/pull/89477) Fixed order dependency and removed no-shuffle tag in flutter_driver_test (a: tests, team, framework, cla: yes, t: flutter driver, waiting for tree to go green, tech-debt)
[90217](https://github.com/flutter/flutter/pull/90217) Fix error from bad dart-fix rule (team, framework, f: material design, cla: yes, a: quality, waiting for tree to go green, a: error message, tech-debt)
[90291](https://github.com/flutter/flutter/pull/90291) Add more tests for dart fixes (team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[90292](https://github.com/flutter/flutter/pull/90292) Remove autovalidate deprecations (a: text input, team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[90293](https://github.com/flutter/flutter/pull/90293) Remove FloatingHeaderSnapConfiguration.vsync deprecation (team, framework, severe: API break, f: scrolling, cla: yes, waiting for tree to go green, tech-debt)
[90294](https://github.com/flutter/flutter/pull/90294) Remove AndroidViewController.id deprecation (team, framework, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[90295](https://github.com/flutter/flutter/pull/90295) Remove BottomNavigationBarItem.title deprecation (team, framework, f: material design, severe: API break, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[90296](https://github.com/flutter/flutter/pull/90296) Remove deprecated text input formatting classes (a: text input, team, framework, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[91309](https://github.com/flutter/flutter/pull/91309) Migrate assets, common, icon_tree_shaker to null safety (tool, cla: yes, a: null-safety, tech-debt)
[91443](https://github.com/flutter/flutter/pull/91443) Reland Remove autovalidate deprecations (a: text input, team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[91455](https://github.com/flutter/flutter/pull/91455) Migrate android build target to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[91457](https://github.com/flutter/flutter/pull/91457) Move DeviceManager into null migrated globals library (tool, cla: yes, a: null-safety, tech-debt)
[91516](https://github.com/flutter/flutter/pull/91516) Migrate crash_reporting and github_template (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[91704](https://github.com/flutter/flutter/pull/91704) Migrate xcdevice and ios devices to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[91705](https://github.com/flutter/flutter/pull/91705) Migrate desktop_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92019](https://github.com/flutter/flutter/pull/92019) Marks Linux_android flutter_gallery__image_cache_memory to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[92055](https://github.com/flutter/flutter/pull/92055) Migrate desktop_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92056](https://github.com/flutter/flutter/pull/92056) Migrate xcdevice and ios devices to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92124](https://github.com/flutter/flutter/pull/92124) Migrate mdns_discovery and ios simulator to null safety (a: text input, tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92128](https://github.com/flutter/flutter/pull/92128) Migrate android_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92131](https://github.com/flutter/flutter/pull/92131) Migrate doctor to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92147](https://github.com/flutter/flutter/pull/92147) Migrate integration test shard test data to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92423](https://github.com/flutter/flutter/pull/92423) Marks Mac_ios platform_view_ios__start_up to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
#### integration_test - 41 pull request(s)
[84611](https://github.com/flutter/flutter/pull/84611) Add native iOS screenshots to integration_test (team, platform-ios, cla: yes, waiting for tree to go green, integration_test)
[88013](https://github.com/flutter/flutter/pull/88013) Refactor iOS integration_test API to support Swift, dynamically add native tests (platform-ios, cla: yes, waiting for tree to go green, integration_test)
[88030](https://github.com/flutter/flutter/pull/88030) Deferred components integration test app (team, platform-android, framework, cla: yes, t: flutter driver, waiting for tree to go green, integration_test)
[88396](https://github.com/flutter/flutter/pull/88396) Run plugin_lint_mac task when either flutter_tools or integration_test packages change (a: tests, team, tool, cla: yes, waiting for tree to go green, integration_test)
[88604](https://github.com/flutter/flutter/pull/88604) Document multi-timeline usage (cla: yes, waiting for tree to go green, integration_test)
[88913](https://github.com/flutter/flutter/pull/88913) Configurable adb for deferred components release test script (a: tests, team, cla: yes, t: flutter driver, waiting for tree to go green, integration_test, tech-debt)
[89306](https://github.com/flutter/flutter/pull/89306) Add `deferred components` LUCI test and configure to use `android_virtual_device` dep (a: tests, team, cla: yes, team: infra, integration_test)
[89621](https://github.com/flutter/flutter/pull/89621) Increase integration_test package minimum iOS version to 9.0 (platform-ios, cla: yes, waiting for tree to go green, integration_test)
[89698](https://github.com/flutter/flutter/pull/89698) Fix Shrine scrollbar crash (team, severe: crash, team: gallery, cla: yes, waiting for tree to go green, integration_test)
[90642](https://github.com/flutter/flutter/pull/90642) Migrate Gradle (team, tool, a: accessibility, cla: yes, d: examples, integration_test)
[91030](https://github.com/flutter/flutter/pull/91030) Change project.buildDir in standalone `subprojects` property (team, tool, a: accessibility, cla: yes, d: examples, waiting for tree to go green, integration_test)
[91126](https://github.com/flutter/flutter/pull/91126) Update outdated runners in the benchmarks folder (team, tool, cla: yes, integration_test)
[91332](https://github.com/flutter/flutter/pull/91332) Enable `avoid_print` lint. (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, waiting for tree to go green, f: focus, integration_test)
[91346](https://github.com/flutter/flutter/pull/91346) Add a startup test that delays runApp (team, cla: yes, waiting for tree to go green, integration_test)
[91409](https://github.com/flutter/flutter/pull/91409) Enable avoid_redundant_argument_values lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91438](https://github.com/flutter/flutter/pull/91438) Revert "Enable `avoid_print` lint." (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, f: focus, integration_test)
[91444](https://github.com/flutter/flutter/pull/91444) Enable `avoid_print` lint. (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, waiting for tree to go green, f: focus, integration_test)
[91459](https://github.com/flutter/flutter/pull/91459) Revert gradle roll (team, tool, a: accessibility, cla: yes, d: examples, integration_test)
[91461](https://github.com/flutter/flutter/pull/91461) Revert "Enable avoid_redundant_argument_values lint" (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91462](https://github.com/flutter/flutter/pull/91462) Enable avoid_redundant_argument_values lint (#91409) (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91530](https://github.com/flutter/flutter/pull/91530) Enable no_default_cases lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, f: scrolling, cla: yes, f: cupertino, d: examples, waiting for tree to go green, f: focus, integration_test)
[91573](https://github.com/flutter/flutter/pull/91573) Enable `prefer_relative_imports` and fix files. (a: tests, a: text input, team, framework, cla: yes, waiting for tree to go green, integration_test)
[91585](https://github.com/flutter/flutter/pull/91585) Enable `sort_child_properties_last` lint (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, integration_test)
[91642](https://github.com/flutter/flutter/pull/91642) Enable more lints (a: tests, a: text input, team, tool, framework, a: animation, f: scrolling, cla: yes, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91653](https://github.com/flutter/flutter/pull/91653) Enable `depend_on_referenced_packages` lint (team, cla: yes, waiting for tree to go green, integration_test)
[91659](https://github.com/flutter/flutter/pull/91659) Add some more new lints (team, cla: yes, waiting for tree to go green, integration_test)
[91719](https://github.com/flutter/flutter/pull/91719) Bump targetSdkVersion to 31 and organize static values (team, tool, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[92022](https://github.com/flutter/flutter/pull/92022) Bump Android Compile SDK to 31 (team, tool, cla: yes, waiting for tree to go green, integration_test)
[92032](https://github.com/flutter/flutter/pull/92032) [keyboard_textfield_test] wait until the keyboard becomes visible (a: text input, team, cla: yes, waiting for tree to go green, integration_test)
[92052](https://github.com/flutter/flutter/pull/92052) Bump Kotlin version in templates and projects (team, tool, a: accessibility, cla: yes, d: examples, waiting for tree to go green, integration_test)
[92065](https://github.com/flutter/flutter/pull/92065) Remove sandbox entitlement to allow tests to run on big sur. (team, cla: yes, waiting for tree to go green, integration_test, warning: land on red to fix tree breakage)
[92066](https://github.com/flutter/flutter/pull/92066) Add android:exported property to support API 31 for deferred components test (team, cla: yes, waiting for tree to go green, integration_test)
[92106](https://github.com/flutter/flutter/pull/92106) Revert "Update outdated runners in the benchmarks folder" (team, tool, cla: yes, integration_test)
[92118](https://github.com/flutter/flutter/pull/92118) Set exported to true to allow external adb to start app for CI (team, cla: yes, waiting for tree to go green, integration_test)
[92271](https://github.com/flutter/flutter/pull/92271) Ignore analyzer implict dynamic checks for js_util generic return type (a: text input, team, cla: yes, waiting for tree to go green, integration_test)
[92277](https://github.com/flutter/flutter/pull/92277) [web] fix web_e2e_tests README (team, cla: yes, waiting for tree to go green, integration_test)
[92303](https://github.com/flutter/flutter/pull/92303) [web] fix race in the image_loading_integration.dart test (team, cla: yes, waiting for tree to go green, integration_test)
[92305](https://github.com/flutter/flutter/pull/92305) [web] use local CanvasKit bundle in all e2e tests (team, cla: yes, waiting for tree to go green, integration_test)
[92520](https://github.com/flutter/flutter/pull/92520) Add integration_test to flavor test project (team, platform-android, platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode, integration_test)
[92602](https://github.com/flutter/flutter/pull/92602) Differentiate between TalkBack versions for semantics tests. (team, a: accessibility, cla: yes, integration_test)
[92800](https://github.com/flutter/flutter/pull/92800) Manually roll the engine and update Gradle dependency locks (team, engine, a: accessibility, cla: yes, d: examples, integration_test)
#### a: text input - 38 pull request(s)
[84307](https://github.com/flutter/flutter/pull/84307) Restart input connection after `EditableText.onSubmitted` (a: text input, platform-android, platform-ios, framework, f: material design, a: fidelity, cla: yes, waiting for tree to go green)
[85653](https://github.com/flutter/flutter/pull/85653) Keyboard text selection and wordwrap (a: text input, framework, cla: yes)
[88193](https://github.com/flutter/flutter/pull/88193) Autocomplete: support asynchronous options (a: text input, severe: new feature, framework, cla: yes, waiting for tree to go green)
[90227](https://github.com/flutter/flutter/pull/90227) Some test cleanup for flutter_tools. (a: text input, team, tool, cla: yes, waiting for tree to go green)
[90292](https://github.com/flutter/flutter/pull/90292) Remove autovalidate deprecations (a: text input, team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[90296](https://github.com/flutter/flutter/pull/90296) Remove deprecated text input formatting classes (a: text input, team, framework, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[90526](https://github.com/flutter/flutter/pull/90526) Unskip some editable tests on web (a: text input, framework, cla: yes, a: typography, platform-web, waiting for tree to go green)
[90894](https://github.com/flutter/flutter/pull/90894) Launch DevTools from the 'dart devtools' command instead of pub (a: text input, tool, cla: yes)
[90986](https://github.com/flutter/flutter/pull/90986) TextStyle.apply,copyWith,merge should support a package parameter (a: text input, framework, f: material design, cla: yes)
[91067](https://github.com/flutter/flutter/pull/91067) Enable avoid_setters_without_getters (a: tests, a: text input, tool, framework, a: accessibility, cla: yes, f: cupertino, waiting for tree to go green)
[91129](https://github.com/flutter/flutter/pull/91129) Fix ActivateIntent overriding the spacebar for text entry (a: text input, framework, cla: yes, waiting for tree to go green)
[91133](https://github.com/flutter/flutter/pull/91133) Clean up examples, remove section markers and --template args (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus)
[91239](https://github.com/flutter/flutter/pull/91239) Replace all BorderRadius.circular with const BorderRadius.all (a: text input, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[91332](https://github.com/flutter/flutter/pull/91332) Enable `avoid_print` lint. (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, waiting for tree to go green, f: focus, integration_test)
[91362](https://github.com/flutter/flutter/pull/91362) Remove duplicate comments in TextEditingActionTarget (a: text input, framework, cla: yes, waiting for tree to go green)
[91389](https://github.com/flutter/flutter/pull/91389) Conditionally apply clipping in StretchingOverscrollIndicator (a: text input, framework, f: scrolling, cla: yes, waiting for tree to go green, customer: money (g3), will affect goldens)
[91409](https://github.com/flutter/flutter/pull/91409) Enable avoid_redundant_argument_values lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91438](https://github.com/flutter/flutter/pull/91438) Revert "Enable `avoid_print` lint." (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, f: focus, integration_test)
[91439](https://github.com/flutter/flutter/pull/91439) Revert "Remove autovalidate deprecations" (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[91443](https://github.com/flutter/flutter/pull/91443) Reland Remove autovalidate deprecations (a: text input, team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[91444](https://github.com/flutter/flutter/pull/91444) Enable `avoid_print` lint. (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, waiting for tree to go green, f: focus, integration_test)
[91461](https://github.com/flutter/flutter/pull/91461) Revert "Enable avoid_redundant_argument_values lint" (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91462](https://github.com/flutter/flutter/pull/91462) Enable avoid_redundant_argument_values lint (#91409) (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91530](https://github.com/flutter/flutter/pull/91530) Enable no_default_cases lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, f: scrolling, cla: yes, f: cupertino, d: examples, waiting for tree to go green, f: focus, integration_test)
[91573](https://github.com/flutter/flutter/pull/91573) Enable `prefer_relative_imports` and fix files. (a: tests, a: text input, team, framework, cla: yes, waiting for tree to go green, integration_test)
[91585](https://github.com/flutter/flutter/pull/91585) Enable `sort_child_properties_last` lint (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, integration_test)
[91642](https://github.com/flutter/flutter/pull/91642) Enable more lints (a: tests, a: text input, team, tool, framework, a: animation, f: scrolling, cla: yes, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91827](https://github.com/flutter/flutter/pull/91827) _CastError on Semantics copy in release mode (a: text input, framework, cla: yes, waiting for tree to go green)
[91995](https://github.com/flutter/flutter/pull/91995) Fix typo in code comments (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[92032](https://github.com/flutter/flutter/pull/92032) [keyboard_textfield_test] wait until the keyboard becomes visible (a: text input, team, cla: yes, waiting for tree to go green, integration_test)
[92124](https://github.com/flutter/flutter/pull/92124) Migrate mdns_discovery and ios simulator to null safety (a: text input, tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92167](https://github.com/flutter/flutter/pull/92167) Update clipboard status on cut (a: text input, framework, f: material design, cla: yes, f: cupertino)
[92245](https://github.com/flutter/flutter/pull/92245) Fix typos (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[92271](https://github.com/flutter/flutter/pull/92271) Ignore analyzer implict dynamic checks for js_util generic return type (a: text input, team, cla: yes, waiting for tree to go green, integration_test)
[92295](https://github.com/flutter/flutter/pull/92295) Remove assert that prevents WidgetSpans from being used in SelectableText (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[92544](https://github.com/flutter/flutter/pull/92544) Revert "Fix ActivateIntent overriding the spacebar for text entry" (a: text input, framework, cla: yes)
[92598](https://github.com/flutter/flutter/pull/92598) Leader not always dirty (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
[92614](https://github.com/flutter/flutter/pull/92614) Blinking cursor respects TickerMode (a: text input, framework, f: material design, cla: yes, waiting for tree to go green)
#### f: cupertino - 36 pull request(s)
[75110](https://github.com/flutter/flutter/pull/75110) use FadeTransition instead of Opacity where applicable (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[83028](https://github.com/flutter/flutter/pull/83028) Fix comments (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, documentation)
[86312](https://github.com/flutter/flutter/pull/86312) [autofill] opt-out instead of opt-in (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[86736](https://github.com/flutter/flutter/pull/86736) Text Editing Model Refactor (framework, f: material design, cla: yes, f: cupertino, work in progress; do not review)
[86821](https://github.com/flutter/flutter/pull/86821) Add tag support for executing reduced test sets (a: tests, team, tool, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[87231](https://github.com/flutter/flutter/pull/87231) Switch document generation to use the snippets package (team, framework, f: material design, cla: yes, f: cupertino)
[87280](https://github.com/flutter/flutter/pull/87280) Extract Sample code into examples/api (team, framework, f: material design, cla: yes, f: cupertino, d: examples)
[87678](https://github.com/flutter/flutter/pull/87678) hasStrings support for eliminating clipboard notifications (framework, f: material design, cla: yes, f: cupertino)
[87693](https://github.com/flutter/flutter/pull/87693) Revert "update ScrollMetricsNotification" (framework, cla: yes, f: cupertino)
[87792](https://github.com/flutter/flutter/pull/87792) Change hitTest signatures to be non-nullable (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[87818](https://github.com/flutter/flutter/pull/87818) Reland "update ScrollMetricsNotification (#87421)" (framework, cla: yes, f: cupertino)
[87839](https://github.com/flutter/flutter/pull/87839) Android 12 overscroll stretch effect (severe: new feature, platform-android, framework, f: material design, f: scrolling, cla: yes, f: cupertino, f: gestures, customer: crowd, waiting for tree to go green, customer: money (g3), will affect goldens, e: OS Version specific)
[87971](https://github.com/flutter/flutter/pull/87971) [EditableText] call `onSelectionChanged` only when there are actual selection/cause changes (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[88183](https://github.com/flutter/flutter/pull/88183) Revert "[EditableText] call `onSelectionChanged` only when there're actual selection/cause changes" (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[88935](https://github.com/flutter/flutter/pull/88935) Workaround rounding erros in cupertino nav bar transition (framework, cla: yes, f: cupertino, waiting for tree to go green)
[89021](https://github.com/flutter/flutter/pull/89021) Add smoke tests for all the examples, fix 17 broken examples. (team, tool, framework, f: material design, cla: yes, f: cupertino, d: examples)
[89117](https://github.com/flutter/flutter/pull/89117) Fix text field naming (framework, cla: yes, f: cupertino, waiting for tree to go green)
[89331](https://github.com/flutter/flutter/pull/89331) Use rootOverlay for CupertinoContextMenu (framework, cla: yes, f: cupertino, waiting for tree to go green)
[89604](https://github.com/flutter/flutter/pull/89604) Implement operator = and hashcode for CupertinoThemeData (framework, cla: yes, f: cupertino, waiting for tree to go green)
[89670](https://github.com/flutter/flutter/pull/89670) Revert "Implement operator = and hashcode for CupertinoThemeData" (framework, f: material design, cla: yes, f: cupertino)
[90291](https://github.com/flutter/flutter/pull/90291) Add more tests for dart fixes (team, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[90295](https://github.com/flutter/flutter/pull/90295) Remove BottomNavigationBarItem.title deprecation (team, framework, f: material design, severe: API break, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[90311](https://github.com/flutter/flutter/pull/90311) Fix some scrollbar track and border painting issues (framework, f: material design, f: scrolling, cla: yes, f: cupertino, waiting for tree to go green)
[90423](https://github.com/flutter/flutter/pull/90423) Add clipBeheavior support to TextFields (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[91067](https://github.com/flutter/flutter/pull/91067) Enable avoid_setters_without_getters (a: tests, a: text input, tool, framework, a: accessibility, cla: yes, f: cupertino, waiting for tree to go green)
[91133](https://github.com/flutter/flutter/pull/91133) Clean up examples, remove section markers and --template args (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus)
[91239](https://github.com/flutter/flutter/pull/91239) Replace all BorderRadius.circular with const BorderRadius.all (a: text input, framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[91409](https://github.com/flutter/flutter/pull/91409) Enable avoid_redundant_argument_values lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91461](https://github.com/flutter/flutter/pull/91461) Revert "Enable avoid_redundant_argument_values lint" (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91462](https://github.com/flutter/flutter/pull/91462) Enable avoid_redundant_argument_values lint (#91409) (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91530](https://github.com/flutter/flutter/pull/91530) Enable no_default_cases lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, f: scrolling, cla: yes, f: cupertino, d: examples, waiting for tree to go green, f: focus, integration_test)
[91585](https://github.com/flutter/flutter/pull/91585) Enable `sort_child_properties_last` lint (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, integration_test)
[91763](https://github.com/flutter/flutter/pull/91763) [CupertinoTabBar] Add an official interactive sample (team, framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[91829](https://github.com/flutter/flutter/pull/91829) Minor doc fix for `CupertinoTabBar` (framework, cla: yes, f: cupertino, waiting for tree to go green)
[91930](https://github.com/flutter/flutter/pull/91930) Revert "Remove BottomNavigationBarItem.title deprecation" (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green)
[92167](https://github.com/flutter/flutter/pull/92167) Update clipboard status on cut (a: text input, framework, f: material design, cla: yes, f: cupertino)
#### f: scrolling - 32 pull request(s)
[65015](https://github.com/flutter/flutter/pull/65015) PageView resize from zero-size viewport should not lose state (framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green, a: state restoration)
[84394](https://github.com/flutter/flutter/pull/84394) Add Snapping Behavior to DraggableScrollableSheet (severe: new feature, team, framework, f: scrolling, cla: yes, d: examples, waiting for tree to go green)
[85652](https://github.com/flutter/flutter/pull/85652) [new feature] Add support for a RawScrollbar.shape (severe: new feature, framework, f: scrolling, cla: yes, waiting for tree to go green)
[87076](https://github.com/flutter/flutter/pull/87076) Add a hook for scroll position to notify scrolling context when dimen… (a: tests, framework, a: accessibility, f: scrolling, cla: yes, waiting for tree to go green)
[87698](https://github.com/flutter/flutter/pull/87698) Prevent Scrollbar axis flipping when there is an oriented scroll controller (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green, a: error message)
[87740](https://github.com/flutter/flutter/pull/87740) Update MaterialScrollBehavior.buildScrollbar for horizontal axes (framework, f: material design, a: fidelity, f: scrolling, cla: yes, waiting for tree to go green)
[87801](https://github.com/flutter/flutter/pull/87801) Fix precision error in NestedScrollView (framework, f: scrolling, cla: yes, waiting for tree to go green)
[87839](https://github.com/flutter/flutter/pull/87839) Android 12 overscroll stretch effect (severe: new feature, platform-android, framework, f: material design, f: scrolling, cla: yes, f: cupertino, f: gestures, customer: crowd, waiting for tree to go green, customer: money (g3), will affect goldens, e: OS Version specific)
[88152](https://github.com/flutter/flutter/pull/88152) fix a scrollbar updating bug (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green)
[88295](https://github.com/flutter/flutter/pull/88295) Add theme support for choosing android overscroll indicator (severe: new feature, platform-android, framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green)
[89242](https://github.com/flutter/flutter/pull/89242) Update StretchingOverscrollIndicator for reversed scrollables (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green, will affect goldens, a: annoyance)
[89885](https://github.com/flutter/flutter/pull/89885) Revert clamping scroll simulation changes (severe: regression, team, framework, a: accessibility, f: scrolling, cla: yes, waiting for tree to go green)
[90215](https://github.com/flutter/flutter/pull/90215) Fix overflow in stretching overscroll (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green, customer: money (g3), a: layout)
[90293](https://github.com/flutter/flutter/pull/90293) Remove FloatingHeaderSnapConfiguration.vsync deprecation (team, framework, severe: API break, f: scrolling, cla: yes, waiting for tree to go green, tech-debt)
[90311](https://github.com/flutter/flutter/pull/90311) Fix some scrollbar track and border painting issues (framework, f: material design, f: scrolling, cla: yes, f: cupertino, waiting for tree to go green)
[90419](https://github.com/flutter/flutter/pull/90419) Fix overflow edge case in overscrolled RenderShrinkWrappingViewport (severe: regression, framework, f: scrolling, cla: yes, waiting for tree to go green, a: layout)
[90629](https://github.com/flutter/flutter/pull/90629) Fix nested stretch overscroll (a: tests, framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green, customer: money (g3))
[90634](https://github.com/flutter/flutter/pull/90634) Fix scrollbar dragging into overscroll when not allowed (framework, a: fidelity, f: scrolling, cla: yes, f: gestures, waiting for tree to go green, a: desktop, a: mouse)
[90636](https://github.com/flutter/flutter/pull/90636) Always support hover to reveal scrollbar (framework, a: fidelity, f: scrolling, cla: yes, a: quality, platform-web, waiting for tree to go green, a: desktop, a: mouse)
[91133](https://github.com/flutter/flutter/pull/91133) Clean up examples, remove section markers and --template args (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus)
[91389](https://github.com/flutter/flutter/pull/91389) Conditionally apply clipping in StretchingOverscrollIndicator (a: text input, framework, f: scrolling, cla: yes, waiting for tree to go green, customer: money (g3), will affect goldens)
[91409](https://github.com/flutter/flutter/pull/91409) Enable avoid_redundant_argument_values lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91461](https://github.com/flutter/flutter/pull/91461) Revert "Enable avoid_redundant_argument_values lint" (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91462](https://github.com/flutter/flutter/pull/91462) Enable avoid_redundant_argument_values lint (#91409) (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91498](https://github.com/flutter/flutter/pull/91498) Fixed a very small typo in code comments. (framework, f: scrolling, cla: yes, waiting for tree to go green)
[91506](https://github.com/flutter/flutter/pull/91506) Scrollbar shouldRepaint to respect the shape (framework, f: scrolling, cla: yes, waiting for tree to go green)
[91530](https://github.com/flutter/flutter/pull/91530) Enable no_default_cases lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, f: scrolling, cla: yes, f: cupertino, d: examples, waiting for tree to go green, f: focus, integration_test)
[91585](https://github.com/flutter/flutter/pull/91585) Enable `sort_child_properties_last` lint (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, integration_test)
[91620](https://github.com/flutter/flutter/pull/91620) Fix visual overflow when overscrolling RenderShrinkWrappingViewport (framework, f: scrolling, cla: yes, waiting for tree to go green, will affect goldens)
[91642](https://github.com/flutter/flutter/pull/91642) Enable more lints (a: tests, a: text input, team, tool, framework, a: animation, f: scrolling, cla: yes, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91775](https://github.com/flutter/flutter/pull/91775) Rename "*Extent" to "*Size" (framework, f: scrolling, cla: yes)
[91834](https://github.com/flutter/flutter/pull/91834) Fix ScrollBehavior copyWith (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green)
#### d: examples - 31 pull request(s)
[84394](https://github.com/flutter/flutter/pull/84394) Add Snapping Behavior to DraggableScrollableSheet (severe: new feature, team, framework, f: scrolling, cla: yes, d: examples, waiting for tree to go green)
[87280](https://github.com/flutter/flutter/pull/87280) Extract Sample code into examples/api (team, framework, f: material design, cla: yes, f: cupertino, d: examples)
[88455](https://github.com/flutter/flutter/pull/88455) Reland remove DefaultShaderWarmup (team, framework, cla: yes, d: examples, waiting for tree to go green)
[89021](https://github.com/flutter/flutter/pull/89021) Add smoke tests for all the examples, fix 17 broken examples. (team, tool, framework, f: material design, cla: yes, f: cupertino, d: examples)
[89062](https://github.com/flutter/flutter/pull/89062) Fix (Vertical)Divider samples & docs (team, framework, f: material design, cla: yes, d: examples, waiting for tree to go green)
[89076](https://github.com/flutter/flutter/pull/89076) Add all cubics to Cubic class doc (framework, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[89390](https://github.com/flutter/flutter/pull/89390) Reduce required Windows CMake version to 3.14 (team, tool, cla: yes, d: examples)
[90304](https://github.com/flutter/flutter/pull/90304) Migrate iOS project to Xcode 13 compatibility (team, platform-ios, tool, cla: yes, d: examples, waiting for tree to go green, t: xcode)
[90642](https://github.com/flutter/flutter/pull/90642) Migrate Gradle (team, tool, a: accessibility, cla: yes, d: examples, integration_test)
[91030](https://github.com/flutter/flutter/pull/91030) Change project.buildDir in standalone `subprojects` property (team, tool, a: accessibility, cla: yes, d: examples, waiting for tree to go green, integration_test)
[91125](https://github.com/flutter/flutter/pull/91125) Update outdated platform directories in examples (team, tool, cla: yes, d: examples)
[91130](https://github.com/flutter/flutter/pull/91130) Add example test, update example READMEs (team, cla: yes, d: examples, waiting for tree to go green)
[91133](https://github.com/flutter/flutter/pull/91133) Clean up examples, remove section markers and --template args (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus)
[91332](https://github.com/flutter/flutter/pull/91332) Enable `avoid_print` lint. (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, waiting for tree to go green, f: focus, integration_test)
[91409](https://github.com/flutter/flutter/pull/91409) Enable avoid_redundant_argument_values lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91438](https://github.com/flutter/flutter/pull/91438) Revert "Enable `avoid_print` lint." (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, f: focus, integration_test)
[91444](https://github.com/flutter/flutter/pull/91444) Enable `avoid_print` lint. (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, waiting for tree to go green, f: focus, integration_test)
[91448](https://github.com/flutter/flutter/pull/91448) Revert "Added support for MaterialState to InputDecorator" (team, framework, f: material design, cla: yes, d: examples)
[91459](https://github.com/flutter/flutter/pull/91459) Revert gradle roll (team, tool, a: accessibility, cla: yes, d: examples, integration_test)
[91461](https://github.com/flutter/flutter/pull/91461) Revert "Enable avoid_redundant_argument_values lint" (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91462](https://github.com/flutter/flutter/pull/91462) Enable avoid_redundant_argument_values lint (#91409) (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91530](https://github.com/flutter/flutter/pull/91530) Enable no_default_cases lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, f: scrolling, cla: yes, f: cupertino, d: examples, waiting for tree to go green, f: focus, integration_test)
[91567](https://github.com/flutter/flutter/pull/91567) Enable `only_throw_errors` (a: tests, team, tool, framework, cla: yes, d: examples, waiting for tree to go green)
[91585](https://github.com/flutter/flutter/pull/91585) Enable `sort_child_properties_last` lint (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, integration_test)
[91642](https://github.com/flutter/flutter/pull/91642) Enable more lints (a: tests, a: text input, team, tool, framework, a: animation, f: scrolling, cla: yes, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91719](https://github.com/flutter/flutter/pull/91719) Bump targetSdkVersion to 31 and organize static values (team, tool, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[91762](https://github.com/flutter/flutter/pull/91762) Added support for MaterialState to InputDecorator (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation)
[91763](https://github.com/flutter/flutter/pull/91763) [CupertinoTabBar] Add an official interactive sample (team, framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[91998](https://github.com/flutter/flutter/pull/91998) [doc] Update `suffixIcon`/`prefixIcon` for alignment with code snippet (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[92052](https://github.com/flutter/flutter/pull/92052) Bump Kotlin version in templates and projects (team, tool, a: accessibility, cla: yes, d: examples, waiting for tree to go green, integration_test)
[92800](https://github.com/flutter/flutter/pull/92800) Manually roll the engine and update Gradle dependency locks (team, engine, a: accessibility, cla: yes, d: examples, integration_test)
#### a: accessibility - 22 pull request(s)
[87076](https://github.com/flutter/flutter/pull/87076) Add a hook for scroll position to notify scrolling context when dimen… (a: tests, framework, a: accessibility, f: scrolling, cla: yes, waiting for tree to go green)
[88190](https://github.com/flutter/flutter/pull/88190) Fixes renderparagraph crashes due to truncated semantics node (framework, a: accessibility, cla: yes)
[88318](https://github.com/flutter/flutter/pull/88318) Enable soft transition for tooltip (framework, a: accessibility, cla: yes, waiting for tree to go green)
[88707](https://github.com/flutter/flutter/pull/88707) reassign jonahwilliams todos (a: tests, team, tool, framework, a: accessibility, cla: yes, waiting for tree to go green)
[89885](https://github.com/flutter/flutter/pull/89885) Revert clamping scroll simulation changes (severe: regression, team, framework, a: accessibility, f: scrolling, cla: yes, waiting for tree to go green)
[89952](https://github.com/flutter/flutter/pull/89952) Remove our extra timeout logic. (a: tests, team, framework, a: accessibility, cla: yes, waiting for tree to go green)
[90281](https://github.com/flutter/flutter/pull/90281) [flutter_releases] Flutter stable 2.5.1 Framework Cherrypicks (team, framework, engine, f: material design, a: accessibility, cla: yes)
[90466](https://github.com/flutter/flutter/pull/90466) Reland "Migrate android_semantics_testing to null safety" (team, a: accessibility, cla: yes)
[90483](https://github.com/flutter/flutter/pull/90483) Revert "Reland "Migrate android_semantics_testing to null safety"" (team, a: accessibility, cla: yes)
[90642](https://github.com/flutter/flutter/pull/90642) Migrate Gradle (team, tool, a: accessibility, cla: yes, d: examples, integration_test)
[91030](https://github.com/flutter/flutter/pull/91030) Change project.buildDir in standalone `subprojects` property (team, tool, a: accessibility, cla: yes, d: examples, waiting for tree to go green, integration_test)
[91067](https://github.com/flutter/flutter/pull/91067) Enable avoid_setters_without_getters (a: tests, a: text input, tool, framework, a: accessibility, cla: yes, f: cupertino, waiting for tree to go green)
[91409](https://github.com/flutter/flutter/pull/91409) Enable avoid_redundant_argument_values lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91459](https://github.com/flutter/flutter/pull/91459) Revert gradle roll (team, tool, a: accessibility, cla: yes, d: examples, integration_test)
[91461](https://github.com/flutter/flutter/pull/91461) Revert "Enable avoid_redundant_argument_values lint" (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91462](https://github.com/flutter/flutter/pull/91462) Enable avoid_redundant_argument_values lint (#91409) (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91530](https://github.com/flutter/flutter/pull/91530) Enable no_default_cases lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, f: scrolling, cla: yes, f: cupertino, d: examples, waiting for tree to go green, f: focus, integration_test)
[91719](https://github.com/flutter/flutter/pull/91719) Bump targetSdkVersion to 31 and organize static values (team, tool, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[92052](https://github.com/flutter/flutter/pull/92052) Bump Kotlin version in templates and projects (team, tool, a: accessibility, cla: yes, d: examples, waiting for tree to go green, integration_test)
[92450](https://github.com/flutter/flutter/pull/92450) Improve how AttributedStrings are presented in the widget inspector (framework, a: accessibility, cla: yes, waiting for tree to go green)
[92602](https://github.com/flutter/flutter/pull/92602) Differentiate between TalkBack versions for semantics tests. (team, a: accessibility, cla: yes, integration_test)
[92800](https://github.com/flutter/flutter/pull/92800) Manually roll the engine and update Gradle dependency locks (team, engine, a: accessibility, cla: yes, d: examples, integration_test)
#### a: null-safety - 21 pull request(s)
[88382](https://github.com/flutter/flutter/pull/88382) Migrate dds.dart to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88846](https://github.com/flutter/flutter/pull/88846) Migrate mac.dart to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88850](https://github.com/flutter/flutter/pull/88850) Migrate some flutter_tools tests to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88851](https://github.com/flutter/flutter/pull/88851) Migrate ios_deploy to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88920](https://github.com/flutter/flutter/pull/88920) Migrate fuchsia sdk and dependencies to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88923](https://github.com/flutter/flutter/pull/88923) Changed tool cached properties to late finals (tool, cla: yes, waiting for tree to go green, a: null-safety)
[88934](https://github.com/flutter/flutter/pull/88934) Clean up null assumptions in devfs to prep for null safety migration (tool, cla: yes, waiting for tree to go green, a: null-safety)
[89009](https://github.com/flutter/flutter/pull/89009) Clean up null assumptions in vmservice for null safe migration (tool, cla: yes, waiting for tree to go green, a: null-safety)
[91267](https://github.com/flutter/flutter/pull/91267) Migrate protocol_discovery to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety)
[91309](https://github.com/flutter/flutter/pull/91309) Migrate assets, common, icon_tree_shaker to null safety (tool, cla: yes, a: null-safety, tech-debt)
[91455](https://github.com/flutter/flutter/pull/91455) Migrate android build target to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[91457](https://github.com/flutter/flutter/pull/91457) Move DeviceManager into null migrated globals library (tool, cla: yes, a: null-safety, tech-debt)
[91516](https://github.com/flutter/flutter/pull/91516) Migrate crash_reporting and github_template (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[91704](https://github.com/flutter/flutter/pull/91704) Migrate xcdevice and ios devices to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[91705](https://github.com/flutter/flutter/pull/91705) Migrate desktop_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92055](https://github.com/flutter/flutter/pull/92055) Migrate desktop_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92056](https://github.com/flutter/flutter/pull/92056) Migrate xcdevice and ios devices to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92124](https://github.com/flutter/flutter/pull/92124) Migrate mdns_discovery and ios simulator to null safety (a: text input, tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92128](https://github.com/flutter/flutter/pull/92128) Migrate android_device to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92131](https://github.com/flutter/flutter/pull/92131) Migrate doctor to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
[92147](https://github.com/flutter/flutter/pull/92147) Migrate integration test shard test data to null safety (tool, cla: yes, waiting for tree to go green, a: null-safety, tech-debt)
#### platform-ios - 20 pull request(s)
[84307](https://github.com/flutter/flutter/pull/84307) Restart input connection after `EditableText.onSubmitted` (a: text input, platform-android, platform-ios, framework, f: material design, a: fidelity, cla: yes, waiting for tree to go green)
[84611](https://github.com/flutter/flutter/pull/84611) Add native iOS screenshots to integration_test (team, platform-ios, cla: yes, waiting for tree to go green, integration_test)
[88013](https://github.com/flutter/flutter/pull/88013) Refactor iOS integration_test API to support Swift, dynamically add native tests (platform-ios, cla: yes, waiting for tree to go green, integration_test)
[88074](https://github.com/flutter/flutter/pull/88074) Update flutter create templates for Xcode 13 (platform-ios, tool, platform-mac, cla: yes, waiting for tree to go green, t: xcode)
[88137](https://github.com/flutter/flutter/pull/88137) Make doctor Xcode version requirement clearer (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[88144](https://github.com/flutter/flutter/pull/88144) Rename IOSDeviceInterface to IOSDeviceConnectionInterface (platform-ios, tool, cla: yes, waiting for tree to go green, tech-debt)
[88834](https://github.com/flutter/flutter/pull/88834) Do not try to codesign during plugin_test_ios (a: tests, team, platform-ios, cla: yes, waiting for tree to go green)
[89618](https://github.com/flutter/flutter/pull/89618) Run flutter_gallery ios tests on arm64 device (team, platform-ios, cla: yes, waiting for tree to go green)
[89621](https://github.com/flutter/flutter/pull/89621) Increase integration_test package minimum iOS version to 9.0 (platform-ios, cla: yes, waiting for tree to go green, integration_test)
[89695](https://github.com/flutter/flutter/pull/89695) Set plugin template minimum Flutter SDK to 2.5 (platform-ios, tool, cla: yes, waiting for tree to go green)
[89991](https://github.com/flutter/flutter/pull/89991) Bump cocoapods from 1.10.2 to 1.11.2 (team, platform-ios, cla: yes)
[90021](https://github.com/flutter/flutter/pull/90021) Default new project to the ios-signing-cert development team (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[90088](https://github.com/flutter/flutter/pull/90088) Set BUILD_DIR and OBJROOT when determining if plugins support arm64 simulators (team, platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[90304](https://github.com/flutter/flutter/pull/90304) Migrate iOS project to Xcode 13 compatibility (team, platform-ios, tool, cla: yes, d: examples, waiting for tree to go green, t: xcode)
[90893](https://github.com/flutter/flutter/pull/90893) Roll ios-deploy to support new iOS devices (platform-ios, cla: yes, waiting for tree to go green)
[90906](https://github.com/flutter/flutter/pull/90906) Xcode 13 as minimum recommended version (platform-ios, tool, cla: yes, t: xcode)
[90966](https://github.com/flutter/flutter/pull/90966) Catch FormatException from bad simulator log output (platform-ios, tool, cla: yes, waiting for tree to go green)
[90967](https://github.com/flutter/flutter/pull/90967) Catch FormatException parsing XCDevice._getAllDevices (platform-ios, tool, cla: yes, waiting for tree to go green)
[91324](https://github.com/flutter/flutter/pull/91324) Update number of IPHONEOS_DEPLOYMENT_TARGET in plugin_test_ios (a: tests, team, platform-ios, cla: yes, waiting for tree to go green)
[92520](https://github.com/flutter/flutter/pull/92520) Add integration_test to flavor test project (team, platform-android, platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode, integration_test)
#### engine - 19 pull request(s)
[88062](https://github.com/flutter/flutter/pull/88062) [flutter_releases] Flutter beta 2.5.0-5.1.pre Framework Cherrypicks (engine, cla: yes)
[88204](https://github.com/flutter/flutter/pull/88204) Revert "Roll Engine from b3248764e4dd to 6227940c3a06 (17 revisions)" (engine, cla: yes)
[88476](https://github.com/flutter/flutter/pull/88476) [flutter_releases] Flutter beta 2.5.0-5.2.pre Framework Cherrypicks (tool, engine, f: material design, a: internationalization, cla: yes)
[89305](https://github.com/flutter/flutter/pull/89305) Revert "Roll Engine from d149231127c0 to c31aba1eecde (1 revision)" (engine, cla: yes)
[89345](https://github.com/flutter/flutter/pull/89345) [flutter_releases] Flutter beta 2.5.0-5.3.pre Framework Cherrypicks (team, engine, cla: yes)
[89625](https://github.com/flutter/flutter/pull/89625) [flutter_releases] Flutter stable 2.5.0 Framework Cherrypicks (engine, cla: yes)
[90141](https://github.com/flutter/flutter/pull/90141) [flutter_releases] Flutter beta 2.6.0-5.2.pre Framework Cherrypicks (team, engine, cla: yes)
[90281](https://github.com/flutter/flutter/pull/90281) [flutter_releases] Flutter stable 2.5.1 Framework Cherrypicks (team, framework, engine, f: material design, a: accessibility, cla: yes)
[91047](https://github.com/flutter/flutter/pull/91047) [flutter_releases] Flutter stable 2.5.2 Framework Cherrypicks (team, tool, engine, cla: yes)
[91154](https://github.com/flutter/flutter/pull/91154) Cherry pick engine to include a Fuchsia revert. (engine, cla: yes)
[91699](https://github.com/flutter/flutter/pull/91699) Cherrypick Engine to include Fuchsia SDK revert (engine, cla: yes)
[91871](https://github.com/flutter/flutter/pull/91871) [flutter_releases] Flutter stable 2.5.3 Framework Cherrypicks (team, tool, engine, cla: yes)
[91907](https://github.com/flutter/flutter/pull/91907) Roll Engine from 8034050e7810 to 60d0fdfa2232 (18 revisions) (framework, engine, cla: yes)
[91918](https://github.com/flutter/flutter/pull/91918) Cherry pick engine 33ad6c4d3fc3f9cb4391980531cb12cfc44e4137 (engine, cla: yes)
[91933](https://github.com/flutter/flutter/pull/91933) Cherrypick revert (framework, engine, f: material design, cla: yes)
[92104](https://github.com/flutter/flutter/pull/92104) [flutter_releases] Flutter beta 2.7.0-3.0.pre Framework Cherrypicks (engine, cla: yes)
[92605](https://github.com/flutter/flutter/pull/92605) [flutter_releases] Flutter beta 2.7.0-3.1.pre Framework Cherrypicks (engine, cla: yes)
[92795](https://github.com/flutter/flutter/pull/92795) Cherrypick an engine revert on flutter-2.8-candidate.2 (engine, cla: yes)
[92800](https://github.com/flutter/flutter/pull/92800) Manually roll the engine and update Gradle dependency locks (team, engine, a: accessibility, cla: yes, d: examples, integration_test)
#### documentation - 13 pull request(s)
[83028](https://github.com/flutter/flutter/pull/83028) Fix comments (framework, f: material design, cla: yes, f: cupertino, waiting for tree to go green, documentation)
[88264](https://github.com/flutter/flutter/pull/88264) Move the documentation for `compute` to the `ComputeImpl` typedef (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[88650](https://github.com/flutter/flutter/pull/88650) Minor PointerExitEvent class docs update :) (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[88822](https://github.com/flutter/flutter/pull/88822) Document AssetBundle loadString Decoding Behavior (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[89076](https://github.com/flutter/flutter/pull/89076) Add all cubics to Cubic class doc (framework, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[89079](https://github.com/flutter/flutter/pull/89079) Add & improve DropdownButtonFormField reference to DropdownButton (framework, f: material design, cla: yes, d: api docs, waiting for tree to go green, documentation)
[89700](https://github.com/flutter/flutter/pull/89700) Update ScaffoldMessenger docs for MaterialBanners (framework, f: material design, cla: yes, d: api docs, waiting for tree to go green, documentation)
[90081](https://github.com/flutter/flutter/pull/90081) Update docs for edge to edge (platform-android, framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[91585](https://github.com/flutter/flutter/pull/91585) Enable `sort_child_properties_last` lint (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, integration_test)
[91719](https://github.com/flutter/flutter/pull/91719) Bump targetSdkVersion to 31 and organize static values (team, tool, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[91762](https://github.com/flutter/flutter/pull/91762) Added support for MaterialState to InputDecorator (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation)
[91763](https://github.com/flutter/flutter/pull/91763) [CupertinoTabBar] Add an official interactive sample (team, framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[91998](https://github.com/flutter/flutter/pull/91998) [doc] Update `suffixIcon`/`prefixIcon` for alignment with code snippet (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
#### d: api docs - 12 pull request(s)
[88264](https://github.com/flutter/flutter/pull/88264) Move the documentation for `compute` to the `ComputeImpl` typedef (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[88650](https://github.com/flutter/flutter/pull/88650) Minor PointerExitEvent class docs update :) (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[88822](https://github.com/flutter/flutter/pull/88822) Document AssetBundle loadString Decoding Behavior (framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[89076](https://github.com/flutter/flutter/pull/89076) Add all cubics to Cubic class doc (framework, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
[89079](https://github.com/flutter/flutter/pull/89079) Add & improve DropdownButtonFormField reference to DropdownButton (framework, f: material design, cla: yes, d: api docs, waiting for tree to go green, documentation)
[89700](https://github.com/flutter/flutter/pull/89700) Update ScaffoldMessenger docs for MaterialBanners (framework, f: material design, cla: yes, d: api docs, waiting for tree to go green, documentation)
[90081](https://github.com/flutter/flutter/pull/90081) Update docs for edge to edge (platform-android, framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[91585](https://github.com/flutter/flutter/pull/91585) Enable `sort_child_properties_last` lint (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, integration_test)
[91719](https://github.com/flutter/flutter/pull/91719) Bump targetSdkVersion to 31 and organize static values (team, tool, a: accessibility, cla: yes, d: api docs, d: examples, documentation, integration_test)
[91762](https://github.com/flutter/flutter/pull/91762) Added support for MaterialState to InputDecorator (team, framework, f: material design, cla: yes, d: api docs, d: examples, documentation)
[91763](https://github.com/flutter/flutter/pull/91763) [CupertinoTabBar] Add an official interactive sample (team, framework, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation)
[91998](https://github.com/flutter/flutter/pull/91998) [doc] Update `suffixIcon`/`prefixIcon` for alignment with code snippet (team, framework, f: material design, cla: yes, d: api docs, d: examples, waiting for tree to go green, documentation)
#### f: focus - 11 pull request(s)
[87618](https://github.com/flutter/flutter/pull/87618) Fix AnimatedCrossFade would focus on a hidden widget (framework, a: animation, cla: yes, f: focus)
[90843](https://github.com/flutter/flutter/pull/90843) Add external focus node constructor to Focus widget (framework, cla: yes, f: focus)
[91133](https://github.com/flutter/flutter/pull/91133) Clean up examples, remove section markers and --template args (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus)
[91332](https://github.com/flutter/flutter/pull/91332) Enable `avoid_print` lint. (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, waiting for tree to go green, f: focus, integration_test)
[91409](https://github.com/flutter/flutter/pull/91409) Enable avoid_redundant_argument_values lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91438](https://github.com/flutter/flutter/pull/91438) Revert "Enable `avoid_print` lint." (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, f: focus, integration_test)
[91444](https://github.com/flutter/flutter/pull/91444) Enable `avoid_print` lint. (a: tests, a: text input, team, tool, framework, f: material design, cla: yes, d: examples, waiting for tree to go green, f: focus, integration_test)
[91461](https://github.com/flutter/flutter/pull/91461) Revert "Enable avoid_redundant_argument_values lint" (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91462](https://github.com/flutter/flutter/pull/91462) Enable avoid_redundant_argument_values lint (#91409) (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91530](https://github.com/flutter/flutter/pull/91530) Enable no_default_cases lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, f: scrolling, cla: yes, f: cupertino, d: examples, waiting for tree to go green, f: focus, integration_test)
[91642](https://github.com/flutter/flutter/pull/91642) Enable more lints (a: tests, a: text input, team, tool, framework, a: animation, f: scrolling, cla: yes, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
#### will affect goldens - 9 pull request(s)
[87839](https://github.com/flutter/flutter/pull/87839) Android 12 overscroll stretch effect (severe: new feature, platform-android, framework, f: material design, f: scrolling, cla: yes, f: cupertino, f: gestures, customer: crowd, waiting for tree to go green, customer: money (g3), will affect goldens, e: OS Version specific)
[87879](https://github.com/flutter/flutter/pull/87879) Updated skipped tests for widgets directory. (team, framework, cla: yes, will affect goldens, tech-debt, skip-test)
[88301](https://github.com/flutter/flutter/pull/88301) RefreshProgressIndicator to look native (framework, f: material design, cla: yes, will affect goldens)
[88609](https://github.com/flutter/flutter/pull/88609) Fix DPR in test view configuration (a: tests, framework, cla: yes, will affect goldens)
[88697](https://github.com/flutter/flutter/pull/88697) Blurstyle for boxshadow v2 (framework, cla: yes, waiting for tree to go green, will affect goldens)
[89242](https://github.com/flutter/flutter/pull/89242) Update StretchingOverscrollIndicator for reversed scrollables (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green, will affect goldens, a: annoyance)
[89264](https://github.com/flutter/flutter/pull/89264) Make sure Opacity widgets/layers do not drop the offset (framework, f: material design, cla: yes, will affect goldens)
[91389](https://github.com/flutter/flutter/pull/91389) Conditionally apply clipping in StretchingOverscrollIndicator (a: text input, framework, f: scrolling, cla: yes, waiting for tree to go green, customer: money (g3), will affect goldens)
[91620](https://github.com/flutter/flutter/pull/91620) Fix visual overflow when overscrolling RenderShrinkWrappingViewport (framework, f: scrolling, cla: yes, waiting for tree to go green, will affect goldens)
#### a: animation - 9 pull request(s)
[87618](https://github.com/flutter/flutter/pull/87618) Fix AnimatedCrossFade would focus on a hidden widget (framework, a: animation, cla: yes, f: focus)
[87775](https://github.com/flutter/flutter/pull/87775) Fix the showBottomSheet controller leaking (framework, a: animation, f: material design, cla: yes, a: quality, waiting for tree to go green, perf: memory)
[91133](https://github.com/flutter/flutter/pull/91133) Clean up examples, remove section markers and --template args (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus)
[91409](https://github.com/flutter/flutter/pull/91409) Enable avoid_redundant_argument_values lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91461](https://github.com/flutter/flutter/pull/91461) Revert "Enable avoid_redundant_argument_values lint" (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91462](https://github.com/flutter/flutter/pull/91462) Enable avoid_redundant_argument_values lint (#91409) (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91530](https://github.com/flutter/flutter/pull/91530) Enable no_default_cases lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, f: scrolling, cla: yes, f: cupertino, d: examples, waiting for tree to go green, f: focus, integration_test)
[91585](https://github.com/flutter/flutter/pull/91585) Enable `sort_child_properties_last` lint (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: api docs, d: examples, waiting for tree to go green, documentation, integration_test)
[91642](https://github.com/flutter/flutter/pull/91642) Enable more lints (a: tests, a: text input, team, tool, framework, a: animation, f: scrolling, cla: yes, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
#### a: internationalization - 9 pull request(s)
[85482](https://github.com/flutter/flutter/pull/85482) Fix avoid_renaming_method_parameters for pending analyzer change. (team, framework, f: material design, a: internationalization, cla: yes, waiting for tree to go green)
[87430](https://github.com/flutter/flutter/pull/87430) Update TabPageSelector Semantics Label Localization (framework, f: material design, a: internationalization, cla: yes, waiting for tree to go green)
[88328](https://github.com/flutter/flutter/pull/88328) l10n updates for August beta (f: material design, a: internationalization, cla: yes)
[88476](https://github.com/flutter/flutter/pull/88476) [flutter_releases] Flutter beta 2.5.0-5.2.pre Framework Cherrypicks (tool, engine, f: material design, a: internationalization, cla: yes)
[90096](https://github.com/flutter/flutter/pull/90096) internationalization: fix select with incorrect message (tool, a: internationalization, cla: yes)
[91409](https://github.com/flutter/flutter/pull/91409) Enable avoid_redundant_argument_values lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91461](https://github.com/flutter/flutter/pull/91461) Revert "Enable avoid_redundant_argument_values lint" (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91462](https://github.com/flutter/flutter/pull/91462) Enable avoid_redundant_argument_values lint (#91409) (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91479](https://github.com/flutter/flutter/pull/91479) [flutter_localizations] fix README links (framework, a: internationalization, cla: yes, waiting for tree to go green)
#### a: quality - 9 pull request(s)
[87698](https://github.com/flutter/flutter/pull/87698) Prevent Scrollbar axis flipping when there is an oriented scroll controller (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green, a: error message)
[87775](https://github.com/flutter/flutter/pull/87775) Fix the showBottomSheet controller leaking (framework, a: animation, f: material design, cla: yes, a: quality, waiting for tree to go green, perf: memory)
[88152](https://github.com/flutter/flutter/pull/88152) fix a scrollbar updating bug (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green)
[88253](https://github.com/flutter/flutter/pull/88253) Make structuredErrors to not mess up with onError (framework, cla: yes, a: quality, waiting for tree to go green, a: error message)
[89242](https://github.com/flutter/flutter/pull/89242) Update StretchingOverscrollIndicator for reversed scrollables (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green, will affect goldens, a: annoyance)
[90215](https://github.com/flutter/flutter/pull/90215) Fix overflow in stretching overscroll (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green, customer: money (g3), a: layout)
[90217](https://github.com/flutter/flutter/pull/90217) Fix error from bad dart-fix rule (team, framework, f: material design, cla: yes, a: quality, waiting for tree to go green, a: error message, tech-debt)
[90636](https://github.com/flutter/flutter/pull/90636) Always support hover to reveal scrollbar (framework, a: fidelity, f: scrolling, cla: yes, a: quality, platform-web, waiting for tree to go green, a: desktop, a: mouse)
[91834](https://github.com/flutter/flutter/pull/91834) Fix ScrollBehavior copyWith (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green)
#### t: xcode - 8 pull request(s)
[88074](https://github.com/flutter/flutter/pull/88074) Update flutter create templates for Xcode 13 (platform-ios, tool, platform-mac, cla: yes, waiting for tree to go green, t: xcode)
[88137](https://github.com/flutter/flutter/pull/88137) Make doctor Xcode version requirement clearer (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[90021](https://github.com/flutter/flutter/pull/90021) Default new project to the ios-signing-cert development team (platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[90088](https://github.com/flutter/flutter/pull/90088) Set BUILD_DIR and OBJROOT when determining if plugins support arm64 simulators (team, platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode)
[90304](https://github.com/flutter/flutter/pull/90304) Migrate iOS project to Xcode 13 compatibility (team, platform-ios, tool, cla: yes, d: examples, waiting for tree to go green, t: xcode)
[90906](https://github.com/flutter/flutter/pull/90906) Xcode 13 as minimum recommended version (platform-ios, tool, cla: yes, t: xcode)
[92520](https://github.com/flutter/flutter/pull/92520) Add integration_test to flavor test project (team, platform-android, platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode, integration_test)
[92604](https://github.com/flutter/flutter/pull/92604) [flutter_tools] xcresult parser. (tool, cla: yes, waiting for tree to go green, t: xcode)
#### skip-test - 8 pull request(s)
[87700](https://github.com/flutter/flutter/pull/87700) Updated skipped tests for rendering directory. (team, framework, cla: yes, tech-debt, skip-test)
[87873](https://github.com/flutter/flutter/pull/87873) Updated skipped tests for scheduler directory. (team, framework, cla: yes, tech-debt, skip-test)
[87874](https://github.com/flutter/flutter/pull/87874) Updated skipped tests for services directory. (team, framework, cla: yes, tech-debt, skip-test)
[87879](https://github.com/flutter/flutter/pull/87879) Updated skipped tests for widgets directory. (team, framework, cla: yes, will affect goldens, tech-debt, skip-test)
[87880](https://github.com/flutter/flutter/pull/87880) Updated skipped tests for flutter_test directory. (a: tests, framework, cla: yes, skip-test)
[87925](https://github.com/flutter/flutter/pull/87925) Updated skipped tests for flutter_tools. (team, tool, cla: yes, tech-debt, skip-test)
[88893](https://github.com/flutter/flutter/pull/88893) Updated some skip test comments that were missed in the audit. (team, framework, f: material design, cla: yes, tech-debt, skip-test)
[88894](https://github.com/flutter/flutter/pull/88894) Enhance the skip test parsing the analyzer script. (team, cla: yes, waiting for tree to go green, tech-debt, skip-test)
#### severe: new feature - 7 pull request(s)
[84394](https://github.com/flutter/flutter/pull/84394) Add Snapping Behavior to DraggableScrollableSheet (severe: new feature, team, framework, f: scrolling, cla: yes, d: examples, waiting for tree to go green)
[85652](https://github.com/flutter/flutter/pull/85652) [new feature] Add support for a RawScrollbar.shape (severe: new feature, framework, f: scrolling, cla: yes, waiting for tree to go green)
[86555](https://github.com/flutter/flutter/pull/86555) ImageInfo adds a new getter named sizeBytes to decouple ImageCache and ui.Image (severe: new feature, framework, cla: yes, a: images)
[87197](https://github.com/flutter/flutter/pull/87197) Add RichText support to find.text() (a: tests, severe: new feature, framework, cla: yes)
[87839](https://github.com/flutter/flutter/pull/87839) Android 12 overscroll stretch effect (severe: new feature, platform-android, framework, f: material design, f: scrolling, cla: yes, f: cupertino, f: gestures, customer: crowd, waiting for tree to go green, customer: money (g3), will affect goldens, e: OS Version specific)
[88193](https://github.com/flutter/flutter/pull/88193) Autocomplete: support asynchronous options (a: text input, severe: new feature, framework, cla: yes, waiting for tree to go green)
[88295](https://github.com/flutter/flutter/pull/88295) Add theme support for choosing android overscroll indicator (severe: new feature, platform-android, framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green)
#### f: gestures - 7 pull request(s)
[87839](https://github.com/flutter/flutter/pull/87839) Android 12 overscroll stretch effect (severe: new feature, platform-android, framework, f: material design, f: scrolling, cla: yes, f: cupertino, f: gestures, customer: crowd, waiting for tree to go green, customer: money (g3), will affect goldens, e: OS Version specific)
[90634](https://github.com/flutter/flutter/pull/90634) Fix scrollbar dragging into overscroll when not allowed (framework, a: fidelity, f: scrolling, cla: yes, f: gestures, waiting for tree to go green, a: desktop, a: mouse)
[91133](https://github.com/flutter/flutter/pull/91133) Clean up examples, remove section markers and --template args (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus)
[91409](https://github.com/flutter/flutter/pull/91409) Enable avoid_redundant_argument_values lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91461](https://github.com/flutter/flutter/pull/91461) Revert "Enable avoid_redundant_argument_values lint" (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91462](https://github.com/flutter/flutter/pull/91462) Enable avoid_redundant_argument_values lint (#91409) (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91642](https://github.com/flutter/flutter/pull/91642) Enable more lints (a: tests, a: text input, team, tool, framework, a: animation, f: scrolling, cla: yes, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
#### f: routes - 6 pull request(s)
[88122](https://github.com/flutter/flutter/pull/88122) Makes PlatformInformationProvider aware of the browser default route … (framework, cla: yes, f: routes, waiting for tree to go green)
[91133](https://github.com/flutter/flutter/pull/91133) Clean up examples, remove section markers and --template args (a: text input, team, framework, a: animation, f: material design, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus)
[91409](https://github.com/flutter/flutter/pull/91409) Enable avoid_redundant_argument_values lint (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
[91461](https://github.com/flutter/flutter/pull/91461) Revert "Enable avoid_redundant_argument_values lint" (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91462](https://github.com/flutter/flutter/pull/91462) Enable avoid_redundant_argument_values lint (#91409) (a: tests, a: text input, team, tool, framework, a: animation, f: material design, a: accessibility, a: internationalization, f: scrolling, cla: yes, f: cupertino, d: examples, f: routes, f: gestures, f: focus, integration_test)
[91642](https://github.com/flutter/flutter/pull/91642) Enable more lints (a: tests, a: text input, team, tool, framework, a: animation, f: scrolling, cla: yes, d: examples, f: routes, f: gestures, waiting for tree to go green, f: focus, integration_test)
#### platform-android - 6 pull request(s)
[84307](https://github.com/flutter/flutter/pull/84307) Restart input connection after `EditableText.onSubmitted` (a: text input, platform-android, platform-ios, framework, f: material design, a: fidelity, cla: yes, waiting for tree to go green)
[87839](https://github.com/flutter/flutter/pull/87839) Android 12 overscroll stretch effect (severe: new feature, platform-android, framework, f: material design, f: scrolling, cla: yes, f: cupertino, f: gestures, customer: crowd, waiting for tree to go green, customer: money (g3), will affect goldens, e: OS Version specific)
[88030](https://github.com/flutter/flutter/pull/88030) Deferred components integration test app (team, platform-android, framework, cla: yes, t: flutter driver, waiting for tree to go green, integration_test)
[88295](https://github.com/flutter/flutter/pull/88295) Add theme support for choosing android overscroll indicator (severe: new feature, platform-android, framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green)
[90081](https://github.com/flutter/flutter/pull/90081) Update docs for edge to edge (platform-android, framework, cla: yes, d: api docs, waiting for tree to go green, documentation)
[92520](https://github.com/flutter/flutter/pull/92520) Add integration_test to flavor test project (team, platform-android, platform-ios, tool, cla: yes, waiting for tree to go green, t: xcode, integration_test)
#### severe: API break - 6 pull request(s)
[90292](https://github.com/flutter/flutter/pull/90292) Remove autovalidate deprecations (a: text input, team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[90293](https://github.com/flutter/flutter/pull/90293) Remove FloatingHeaderSnapConfiguration.vsync deprecation (team, framework, severe: API break, f: scrolling, cla: yes, waiting for tree to go green, tech-debt)
[90294](https://github.com/flutter/flutter/pull/90294) Remove AndroidViewController.id deprecation (team, framework, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[90295](https://github.com/flutter/flutter/pull/90295) Remove BottomNavigationBarItem.title deprecation (team, framework, f: material design, severe: API break, cla: yes, f: cupertino, waiting for tree to go green, tech-debt)
[90296](https://github.com/flutter/flutter/pull/90296) Remove deprecated text input formatting classes (a: text input, team, framework, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
[91443](https://github.com/flutter/flutter/pull/91443) Reland Remove autovalidate deprecations (a: text input, team, framework, f: material design, severe: API break, cla: yes, waiting for tree to go green, tech-debt)
#### team: flakes - 5 pull request(s)
[87607](https://github.com/flutter/flutter/pull/87607) Wait for module UI test buttons to be hittable before tapping them (team, cla: yes, team: flakes, waiting for tree to go green)
[88404](https://github.com/flutter/flutter/pull/88404) Verbosify and print every command in ios_content_validation_test (tool, cla: yes, team: flakes, waiting for tree to go green)
[89606](https://github.com/flutter/flutter/pull/89606) Directly specify keystore to prevent debug key signing flake in Deferred components integration test. (team, cla: yes, team: flakes, waiting for tree to go green, severe: flake)
[92019](https://github.com/flutter/flutter/pull/92019) Marks Linux_android flutter_gallery__image_cache_memory to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
[92423](https://github.com/flutter/flutter/pull/92423) Marks Mac_ios platform_view_ios__start_up to be flaky (team, cla: yes, team: flakes, waiting for tree to go green, tech-debt)
#### customer: money (g3) - 4 pull request(s)
[87839](https://github.com/flutter/flutter/pull/87839) Android 12 overscroll stretch effect (severe: new feature, platform-android, framework, f: material design, f: scrolling, cla: yes, f: cupertino, f: gestures, customer: crowd, waiting for tree to go green, customer: money (g3), will affect goldens, e: OS Version specific)
[90215](https://github.com/flutter/flutter/pull/90215) Fix overflow in stretching overscroll (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green, customer: money (g3), a: layout)
[90629](https://github.com/flutter/flutter/pull/90629) Fix nested stretch overscroll (a: tests, framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green, customer: money (g3))
[91389](https://github.com/flutter/flutter/pull/91389) Conditionally apply clipping in StretchingOverscrollIndicator (a: text input, framework, f: scrolling, cla: yes, waiting for tree to go green, customer: money (g3), will affect goldens)
#### a: error message - 4 pull request(s)
[87698](https://github.com/flutter/flutter/pull/87698) Prevent Scrollbar axis flipping when there is an oriented scroll controller (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green, a: error message)
[88253](https://github.com/flutter/flutter/pull/88253) Make structuredErrors to not mess up with onError (framework, cla: yes, a: quality, waiting for tree to go green, a: error message)
[90217](https://github.com/flutter/flutter/pull/90217) Fix error from bad dart-fix rule (team, framework, f: material design, cla: yes, a: quality, waiting for tree to go green, a: error message, tech-debt)
[91593](https://github.com/flutter/flutter/pull/91593) Do not output the error msg to the console when run a throwable test (a: tests, framework, f: material design, cla: yes, waiting for tree to go green, a: error message)
#### a: fidelity - 4 pull request(s)
[84307](https://github.com/flutter/flutter/pull/84307) Restart input connection after `EditableText.onSubmitted` (a: text input, platform-android, platform-ios, framework, f: material design, a: fidelity, cla: yes, waiting for tree to go green)
[87740](https://github.com/flutter/flutter/pull/87740) Update MaterialScrollBehavior.buildScrollbar for horizontal axes (framework, f: material design, a: fidelity, f: scrolling, cla: yes, waiting for tree to go green)
[90634](https://github.com/flutter/flutter/pull/90634) Fix scrollbar dragging into overscroll when not allowed (framework, a: fidelity, f: scrolling, cla: yes, f: gestures, waiting for tree to go green, a: desktop, a: mouse)
[90636](https://github.com/flutter/flutter/pull/90636) Always support hover to reveal scrollbar (framework, a: fidelity, f: scrolling, cla: yes, a: quality, platform-web, waiting for tree to go green, a: desktop, a: mouse)
#### team: infra - 4 pull request(s)
[88633](https://github.com/flutter/flutter/pull/88633) Add android_views integration tests to ci.yaml (team, cla: yes, waiting for tree to go green, team: infra)
[88989](https://github.com/flutter/flutter/pull/88989) Add no-shuffle tag to platform_channel_test.dart (a: tests, team, framework, cla: yes, team: infra)
[89306](https://github.com/flutter/flutter/pull/89306) Add `deferred components` LUCI test and configure to use `android_virtual_device` dep (a: tests, team, cla: yes, team: infra, integration_test)
[89820](https://github.com/flutter/flutter/pull/89820) Add specific permissions to .github/workflows/lock.yaml (team, cla: yes, waiting for tree to go green, team: infra)
#### a: desktop - 3 pull request(s)
[89620](https://github.com/flutter/flutter/pull/89620) Run flutter_gallery macOS native tests on presubmit (a: tests, team, platform-mac, cla: yes, waiting for tree to go green, a: desktop)
[90634](https://github.com/flutter/flutter/pull/90634) Fix scrollbar dragging into overscroll when not allowed (framework, a: fidelity, f: scrolling, cla: yes, f: gestures, waiting for tree to go green, a: desktop, a: mouse)
[90636](https://github.com/flutter/flutter/pull/90636) Always support hover to reveal scrollbar (framework, a: fidelity, f: scrolling, cla: yes, a: quality, platform-web, waiting for tree to go green, a: desktop, a: mouse)
#### t: flutter driver - 3 pull request(s)
[88030](https://github.com/flutter/flutter/pull/88030) Deferred components integration test app (team, platform-android, framework, cla: yes, t: flutter driver, waiting for tree to go green, integration_test)
[88913](https://github.com/flutter/flutter/pull/88913) Configurable adb for deferred components release test script (a: tests, team, cla: yes, t: flutter driver, waiting for tree to go green, integration_test, tech-debt)
[89477](https://github.com/flutter/flutter/pull/89477) Fixed order dependency and removed no-shuffle tag in flutter_driver_test (a: tests, team, framework, cla: yes, t: flutter driver, waiting for tree to go green, tech-debt)
#### a: layout - 3 pull request(s)
[90215](https://github.com/flutter/flutter/pull/90215) Fix overflow in stretching overscroll (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green, customer: money (g3), a: layout)
[90419](https://github.com/flutter/flutter/pull/90419) Fix overflow edge case in overscrolled RenderShrinkWrappingViewport (severe: regression, framework, f: scrolling, cla: yes, waiting for tree to go green, a: layout)
[90703](https://github.com/flutter/flutter/pull/90703) Correct notch geometry when MediaQuery padding.top is non-zero (severe: regression, framework, f: material design, cla: yes, a: layout)
#### platform-mac - 3 pull request(s)
[88074](https://github.com/flutter/flutter/pull/88074) Update flutter create templates for Xcode 13 (platform-ios, tool, platform-mac, cla: yes, waiting for tree to go green, t: xcode)
[89620](https://github.com/flutter/flutter/pull/89620) Run flutter_gallery macOS native tests on presubmit (a: tests, team, platform-mac, cla: yes, waiting for tree to go green, a: desktop)
[92508](https://github.com/flutter/flutter/pull/92508) Run flutter tester with arch -x86_64 on arm64 Mac (tool, platform-mac, cla: yes, waiting for tree to go green, platform-host-arm)
#### severe: regression - 3 pull request(s)
[89885](https://github.com/flutter/flutter/pull/89885) Revert clamping scroll simulation changes (severe: regression, team, framework, a: accessibility, f: scrolling, cla: yes, waiting for tree to go green)
[90419](https://github.com/flutter/flutter/pull/90419) Fix overflow edge case in overscrolled RenderShrinkWrappingViewport (severe: regression, framework, f: scrolling, cla: yes, waiting for tree to go green, a: layout)
[90703](https://github.com/flutter/flutter/pull/90703) Correct notch geometry when MediaQuery padding.top is non-zero (severe: regression, framework, f: material design, cla: yes, a: layout)
#### a: mouse - 2 pull request(s)
[90634](https://github.com/flutter/flutter/pull/90634) Fix scrollbar dragging into overscroll when not allowed (framework, a: fidelity, f: scrolling, cla: yes, f: gestures, waiting for tree to go green, a: desktop, a: mouse)
[90636](https://github.com/flutter/flutter/pull/90636) Always support hover to reveal scrollbar (framework, a: fidelity, f: scrolling, cla: yes, a: quality, platform-web, waiting for tree to go green, a: desktop, a: mouse)
#### waiting for customer response - 2 pull request(s)
[86844](https://github.com/flutter/flutter/pull/86844) [gen_l10n] to handle arbitrary DateFormat patterns (waiting for customer response, tool, cla: yes)
[91866](https://github.com/flutter/flutter/pull/91866) Fix typo in settings_controller.dart (waiting for customer response, tool, cla: yes)
#### platform-web - 2 pull request(s)
[90526](https://github.com/flutter/flutter/pull/90526) Unskip some editable tests on web (a: text input, framework, cla: yes, a: typography, platform-web, waiting for tree to go green)
[90636](https://github.com/flutter/flutter/pull/90636) Always support hover to reveal scrollbar (framework, a: fidelity, f: scrolling, cla: yes, a: quality, platform-web, waiting for tree to go green, a: desktop, a: mouse)
#### severe: crash - 1 pull request(s)
[89698](https://github.com/flutter/flutter/pull/89698) Fix Shrine scrollbar crash (team, severe: crash, team: gallery, cla: yes, waiting for tree to go green, integration_test)
#### work in progress; do not review - 1 pull request(s)
[86736](https://github.com/flutter/flutter/pull/86736) Text Editing Model Refactor (framework, f: material design, cla: yes, f: cupertino, work in progress; do not review)
#### platform-host-arm - 1 pull request(s)
[92508](https://github.com/flutter/flutter/pull/92508) Run flutter tester with arch -x86_64 on arm64 Mac (tool, platform-mac, cla: yes, waiting for tree to go green, platform-host-arm)
#### perf: memory - 1 pull request(s)
[87775](https://github.com/flutter/flutter/pull/87775) Fix the showBottomSheet controller leaking (framework, a: animation, f: material design, cla: yes, a: quality, waiting for tree to go green, perf: memory)
#### e: uwp - 1 pull request(s)
[87859](https://github.com/flutter/flutter/pull/87859) Use `{{projectName}}` as BINARY_NAME and CMake project name in UWP template (tool, cla: yes, waiting for tree to go green, e: uwp)
#### e: OS Version specific - 1 pull request(s)
[87839](https://github.com/flutter/flutter/pull/87839) Android 12 overscroll stretch effect (severe: new feature, platform-android, framework, f: material design, f: scrolling, cla: yes, f: cupertino, f: gestures, customer: crowd, waiting for tree to go green, customer: money (g3), will affect goldens, e: OS Version specific)
#### team: benchmark - 1 pull request(s)
[92530](https://github.com/flutter/flutter/pull/92530) Add extra benchmark metrics to test name in addition to builder name (team, cla: yes, waiting for tree to go green, team: benchmark)
#### CQ+1 - 1 pull request(s)
[88383](https://github.com/flutter/flutter/pull/88383) reland disable ideographic script test on web (framework, cla: yes, waiting for tree to go green, CQ+1)
#### team: gallery - 1 pull request(s)
[89698](https://github.com/flutter/flutter/pull/89698) Fix Shrine scrollbar crash (team, severe: crash, team: gallery, cla: yes, waiting for tree to go green, integration_test)
#### customer: crowd - 1 pull request(s)
[87839](https://github.com/flutter/flutter/pull/87839) Android 12 overscroll stretch effect (severe: new feature, platform-android, framework, f: material design, f: scrolling, cla: yes, f: cupertino, f: gestures, customer: crowd, waiting for tree to go green, customer: money (g3), will affect goldens, e: OS Version specific)
#### a: typography - 1 pull request(s)
[90526](https://github.com/flutter/flutter/pull/90526) Unskip some editable tests on web (a: text input, framework, cla: yes, a: typography, platform-web, waiting for tree to go green)
#### a: state restoration - 1 pull request(s)
[65015](https://github.com/flutter/flutter/pull/65015) PageView resize from zero-size viewport should not lose state (framework, f: material design, f: scrolling, cla: yes, waiting for tree to go green, a: state restoration)
#### a: images - 1 pull request(s)
[86555](https://github.com/flutter/flutter/pull/86555) ImageInfo adds a new getter named sizeBytes to decouple ImageCache and ui.Image (severe: new feature, framework, cla: yes, a: images)
#### a: annoyance - 1 pull request(s)
[89242](https://github.com/flutter/flutter/pull/89242) Update StretchingOverscrollIndicator for reversed scrollables (framework, f: scrolling, cla: yes, a: quality, waiting for tree to go green, will affect goldens, a: annoyance)
#### warning: land on red to fix tree breakage - 1 pull request(s)
[92065](https://github.com/flutter/flutter/pull/92065) Remove sandbox entitlement to allow tests to run on big sur. (team, cla: yes, waiting for tree to go green, integration_test, warning: land on red to fix tree breakage)
#### severe: flake - 1 pull request(s)
[89606](https://github.com/flutter/flutter/pull/89606) Directly specify keystore to prevent debug key signing flake in Deferred components integration test. (team, cla: yes, team: flakes, waiting for tree to go green, severe: flake)
## Merged PRs by labels for `flutter/engine`
#### cla: yes - 1142 pull request(s)
[24756](https://github.com/flutter/engine/pull/24756) Display Features support (Foldable and Cutout) (platform-android, cla: yes, waiting for tree to go green)
[24916](https://github.com/flutter/engine/pull/24916) Linux texture support (cla: yes, waiting for tree to go green)
[26880](https://github.com/flutter/engine/pull/26880) Migrated integration_flutter_test/embedder (scenic integration test) from fuchsia.git (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[26996](https://github.com/flutter/engine/pull/26996) Add SPIR-V FragmentShader API to painting.dart (platform-android, cla: yes, platform-web, platform-fuchsia)
[27413](https://github.com/flutter/engine/pull/27413) Bump Android version and add more info to create_sdk_cipd_package.sh (cla: yes, waiting for tree to go green)
[27423](https://github.com/flutter/engine/pull/27423) fuchsia: Add scaffolding and basic implementation for flatland migration (cla: yes, platform-fuchsia)
[27472](https://github.com/flutter/engine/pull/27472) Remove dead localization code from the iOS embedder (platform-ios, cla: yes, waiting for tree to go green, tech-debt)
[27662](https://github.com/flutter/engine/pull/27662) Implementation of two or more threads merging for multiple platform views (platform-android, cla: yes)
[27687](https://github.com/flutter/engine/pull/27687) Fix a typo in https://github.com/flutter/engine/pull/27311 (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[27694](https://github.com/flutter/engine/pull/27694) UWP: Fix uwptools that does not uninstall package (cla: yes, platform-windows, needs tests)
[27749](https://github.com/flutter/engine/pull/27749) hasStrings on Windows (cla: yes, waiting for tree to go green, platform-windows)
[27757](https://github.com/flutter/engine/pull/27757) Rename fl_get_length to fl_value_get_length (cla: yes, waiting for tree to go green, platform-linux)
[27760](https://github.com/flutter/engine/pull/27760) Do not call CoreWindow::Visible from raster thread (cla: yes, platform-windows, needs tests)
[27786](https://github.com/flutter/engine/pull/27786) fix crash SemanticsObject dealloc and access the children (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[27849](https://github.com/flutter/engine/pull/27849) [fuchsia] [ffi] Basic support for Channels and Handles (cla: yes, waiting for tree to go green, platform-fuchsia)
[27854](https://github.com/flutter/engine/pull/27854) Unskip iOS launch URL tests (platform-ios, cla: yes, waiting for tree to go green, tech-debt)
[27863](https://github.com/flutter/engine/pull/27863) Windows: Add multi-touch support (cla: yes, waiting for tree to go green, platform-windows)
[27872](https://github.com/flutter/engine/pull/27872) [web] Don't reset history on hot restart (cla: yes, platform-web, needs tests, cp: 2.5)
[27874](https://github.com/flutter/engine/pull/27874) Support iOS universal links route deep linking (platform-ios, cla: yes, waiting for tree to go green)
[27878](https://github.com/flutter/engine/pull/27878) Fix wrong EGL value in AndroidEnvironmentGL (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27882](https://github.com/flutter/engine/pull/27882) [web] remove implicit casts and implicit dynamic (cla: yes, platform-web)
[27884](https://github.com/flutter/engine/pull/27884) Prevent a race between SurfaceTexture.release and attachToGLContext (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27892](https://github.com/flutter/engine/pull/27892) Reland enable DisplayList by default (cla: yes, waiting for tree to go green)
[27893](https://github.com/flutter/engine/pull/27893) Adds semantics tooltip support (platform-android, cla: yes, waiting for tree to go green, platform-fuchsia, embedder)
[27896](https://github.com/flutter/engine/pull/27896) Roll Skia from f3868628f987 to b806da450199 (6 revisions) (cla: yes, waiting for tree to go green)
[27897](https://github.com/flutter/engine/pull/27897) fuchsia: Fix thread names + add test (cla: yes, waiting for tree to go green, platform-fuchsia)
[27898](https://github.com/flutter/engine/pull/27898) Roll buildroot (cla: yes, waiting for tree to go green)
[27899](https://github.com/flutter/engine/pull/27899) Embed OCMock and iOS tests into IosUnitTests app (platform-ios, cla: yes, waiting for tree to go green)
[27900](https://github.com/flutter/engine/pull/27900) Remove references to deprecated SkClipOps (cla: yes, waiting for tree to go green, needs tests)
[27901](https://github.com/flutter/engine/pull/27901) Roll Skia from b806da450199 to 36aef96fec47 (1 revision) (cla: yes, waiting for tree to go green)
[27902](https://github.com/flutter/engine/pull/27902) Roll Skia from 36aef96fec47 to 337e4848397d (1 revision) (cla: yes, waiting for tree to go green)
[27903](https://github.com/flutter/engine/pull/27903) Roll Dart SDK from 96fdaff98f48 to 5406f286f566 (5 revisions) (cla: yes, waiting for tree to go green)
[27904](https://github.com/flutter/engine/pull/27904) Roll Skia from 337e4848397d to 1f808360e586 (1 revision) (cla: yes, waiting for tree to go green)
[27905](https://github.com/flutter/engine/pull/27905) Roll Skia from 1f808360e586 to 100079422340 (2 revisions) (cla: yes, waiting for tree to go green)
[27906](https://github.com/flutter/engine/pull/27906) Roll Dart SDK from 5406f286f566 to 131d357297e2 (1 revision) (cla: yes, waiting for tree to go green)
[27908](https://github.com/flutter/engine/pull/27908) Roll Skia from 100079422340 to daa971741613 (3 revisions) (cla: yes, waiting for tree to go green)
[27909](https://github.com/flutter/engine/pull/27909) Roll Skia from daa971741613 to 8ba1e71a1f59 (2 revisions) (cla: yes, waiting for tree to go green)
[27910](https://github.com/flutter/engine/pull/27910) Roll Skia from 8ba1e71a1f59 to 7893d2d0862d (1 revision) (cla: yes, waiting for tree to go green)
[27911](https://github.com/flutter/engine/pull/27911) [web] Fix types of some event listeners (cla: yes, platform-web, needs tests)
[27912](https://github.com/flutter/engine/pull/27912) Roll Skia from 7893d2d0862d to c0bfdffe3d53 (1 revision) (cla: yes, waiting for tree to go green)
[27913](https://github.com/flutter/engine/pull/27913) Roll Dart SDK from 131d357297e2 to 6d96e6063edc (2 revisions) (cla: yes, waiting for tree to go green)
[27915](https://github.com/flutter/engine/pull/27915) Fix memory leak in PlatformViewsController (platform-android, cla: yes, waiting for tree to go green)
[27916](https://github.com/flutter/engine/pull/27916) Roll Skia from c0bfdffe3d53 to e53c721d781f (3 revisions) (cla: yes, waiting for tree to go green)
[27917](https://github.com/flutter/engine/pull/27917) Roll Skia from e53c721d781f to 134c5f7f690b (12 revisions) (cla: yes, waiting for tree to go green)
[27918](https://github.com/flutter/engine/pull/27918) Roll Skia from 134c5f7f690b to 462e18821630 (1 revision) (cla: yes, waiting for tree to go green)
[27919](https://github.com/flutter/engine/pull/27919) Roll Skia from 462e18821630 to aef5dc78f38a (1 revision) (cla: yes, waiting for tree to go green)
[27921](https://github.com/flutter/engine/pull/27921) Windows keyboard integration tests and fix a number of issues (cla: yes, platform-windows)
[27922](https://github.com/flutter/engine/pull/27922) [UWP] Remove 1px offset to make root widget fully shown (cla: yes, waiting for tree to go green, platform-windows)
[27924](https://github.com/flutter/engine/pull/27924) Fix the SurfaceTexture related crash by replacing the JNI weak global reference with WeakReference (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27926](https://github.com/flutter/engine/pull/27926) Roll Skia from aef5dc78f38a to 94fcb37e5b4f (15 revisions) (cla: yes, waiting for tree to go green)
[27929](https://github.com/flutter/engine/pull/27929) added python version note to the luci script (cla: yes, waiting for tree to go green)
[27932](https://github.com/flutter/engine/pull/27932) Fix routerinformationupdate can take complex json (cla: yes, platform-web)
[27934](https://github.com/flutter/engine/pull/27934) Roll Fuchsia Mac SDK from rQOi2N8BM... to XuRmqkWX2... (cla: yes, waiting for tree to go green)
[27935](https://github.com/flutter/engine/pull/27935) Roll Dart SDK from 6d96e6063edc to cf20a69c75cf (2 revisions) (cla: yes, waiting for tree to go green)
[27937](https://github.com/flutter/engine/pull/27937) Roll Fuchsia Linux SDK from q6H_ZE5Bs... to wX-ifEGo5... (cla: yes, waiting for tree to go green)
[27938](https://github.com/flutter/engine/pull/27938) Roll Skia from 94fcb37e5b4f to ca13a3acc4b2 (10 revisions) (cla: yes, waiting for tree to go green)
[27940](https://github.com/flutter/engine/pull/27940) [ci.yaml] Remove deprecated builder field (cla: yes, waiting for tree to go green)
[27941](https://github.com/flutter/engine/pull/27941) Fix sample analyzer errors in text.dart (cla: yes, needs tests)
[27942](https://github.com/flutter/engine/pull/27942) Provide Open JDK 11 (platform-android, cla: yes, waiting for tree to go green)
[27943](https://github.com/flutter/engine/pull/27943) Roll Dart SDK from cf20a69c75cf to 749ee4e9e053 (1 revision) (cla: yes, waiting for tree to go green)
[27944](https://github.com/flutter/engine/pull/27944) Roll Fuchsia Mac SDK from XuRmqkWX2... to 6XsAe3sPr... (cla: yes, waiting for tree to go green)
[27945](https://github.com/flutter/engine/pull/27945) Roll Fuchsia Linux SDK from wX-ifEGo5... to yZ4KOzDE1... (cla: yes, waiting for tree to go green)
[27946](https://github.com/flutter/engine/pull/27946) Avoid crashing when FlutterImageView is resized to zero dimension (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27947](https://github.com/flutter/engine/pull/27947) Roll Skia from ca13a3acc4b2 to 6bc126d24d1b (1 revision) (cla: yes, waiting for tree to go green)
[27948](https://github.com/flutter/engine/pull/27948) Roll Fuchsia Mac SDK from 6XsAe3sPr... to aDswwwLbx... (cla: yes, waiting for tree to go green)
[27949](https://github.com/flutter/engine/pull/27949) Roll Fuchsia Linux SDK from yZ4KOzDE1... to GBIahjoek... (cla: yes, waiting for tree to go green)
[27951](https://github.com/flutter/engine/pull/27951) Roll Skia from 6bc126d24d1b to a28795fd64a4 (2 revisions) (cla: yes, waiting for tree to go green)
[27952](https://github.com/flutter/engine/pull/27952) Roll Fuchsia Mac SDK from aDswwwLbx... to iVa6afHb7... (cla: yes, waiting for tree to go green)
[27954](https://github.com/flutter/engine/pull/27954) Roll Fuchsia Linux SDK from GBIahjoek... to TK8mj-iQr... (cla: yes, waiting for tree to go green)
[27955](https://github.com/flutter/engine/pull/27955) Roll Skia from a28795fd64a4 to d27a0d39cea2 (1 revision) (cla: yes, waiting for tree to go green)
[27956](https://github.com/flutter/engine/pull/27956) Roll Fuchsia Mac SDK from iVa6afHb7... to 0iDbdLRq3... (cla: yes, waiting for tree to go green)
[27957](https://github.com/flutter/engine/pull/27957) Roll Fuchsia Linux SDK from TK8mj-iQr... to D6VF_8x5s... (cla: yes, waiting for tree to go green)
[27958](https://github.com/flutter/engine/pull/27958) Roll Skia from d27a0d39cea2 to fdf7b3c41f8e (1 revision) (cla: yes, waiting for tree to go green)
[27959](https://github.com/flutter/engine/pull/27959) Fix StandardMessageCodec test leaks (affects: engine, affects: tests, cla: yes)
[27960](https://github.com/flutter/engine/pull/27960) Roll Skia from fdf7b3c41f8e to 717ef9472b56 (1 revision) (cla: yes, waiting for tree to go green)
[27962](https://github.com/flutter/engine/pull/27962) Roll Skia from 717ef9472b56 to ad5944cf8dbb (7 revisions) (cla: yes, waiting for tree to go green)
[27966](https://github.com/flutter/engine/pull/27966) Roll Fuchsia Mac SDK from 0iDbdLRq3... to CYrOc5v2a... (cla: yes, waiting for tree to go green)
[27967](https://github.com/flutter/engine/pull/27967) Roll buildroot to c37164f39300c6e42560a5853e16a919688f7b86 (cla: yes)
[27968](https://github.com/flutter/engine/pull/27968) Roll Fuchsia Linux SDK from D6VF_8x5s... to 78gBCb4IK... (cla: yes, waiting for tree to go green)
[27969](https://github.com/flutter/engine/pull/27969) Windows host builds don't need android SDK (cla: yes)
[27970](https://github.com/flutter/engine/pull/27970) Python 3 compatibility fix for running Java tests using run_tests.py (cla: yes)
[27971](https://github.com/flutter/engine/pull/27971) Engine build configuration for web engine. (cla: yes)
[27972](https://github.com/flutter/engine/pull/27972) Fix: modifier keys not recognized on macOS Web (cla: yes, platform-web, cp: 2.5)
[27974](https://github.com/flutter/engine/pull/27974) added log statement to timerfd_settime failure (cla: yes, needs tests)
[27975](https://github.com/flutter/engine/pull/27975) Enable Dart compressed pointers for 64-bit mobile targets (cla: yes)
[27976](https://github.com/flutter/engine/pull/27976) Roll Dart SDK from 749ee4e9e053 to defd2ae02a3f (2 revisions) (cla: yes, waiting for tree to go green)
[27977](https://github.com/flutter/engine/pull/27977) [canvaskit] Release overlays to the cache once they have been used (cla: yes, platform-web)
[27978](https://github.com/flutter/engine/pull/27978) Use runtime checks for arguments, out directory (cla: yes, waiting for tree to go green, needs tests)
[27980](https://github.com/flutter/engine/pull/27980) Eliminate Mac Android Debug Engine shard (cla: yes)
[27981](https://github.com/flutter/engine/pull/27981) Roll Dart SDK from defd2ae02a3f to 2ca55ab863e9 (1 revision) (cla: yes, waiting for tree to go green)
[27982](https://github.com/flutter/engine/pull/27982) Roll Fuchsia Mac SDK from CYrOc5v2a... to 65ocmUBj5... (cla: yes, waiting for tree to go green)
[27983](https://github.com/flutter/engine/pull/27983) Roll Dart SDK from 2ca55ab863e9 to 0e1f5a68c69f (1 revision) (cla: yes, waiting for tree to go green)
[27985](https://github.com/flutter/engine/pull/27985) [web_ui] Fixed aria-live attribute on web (cla: yes, platform-web)
[27987](https://github.com/flutter/engine/pull/27987) Roll Dart SDK from 0e1f5a68c69f to d68dff4d0820 (1 revision) (cla: yes, waiting for tree to go green)
[27988](https://github.com/flutter/engine/pull/27988) Roll Skia from ad5944cf8dbb to 23d8f9453581 (17 revisions) (cla: yes, waiting for tree to go green)
[27991](https://github.com/flutter/engine/pull/27991) Roll Skia from 23d8f9453581 to d89d445dea5e (10 revisions) (cla: yes, waiting for tree to go green)
[27992](https://github.com/flutter/engine/pull/27992) Sets focus before sending a11y focus event in Android (platform-android, cla: yes, waiting for tree to go green)
[27995](https://github.com/flutter/engine/pull/27995) [web] rename watcher.dart to pipeline.dart (cla: yes, waiting for tree to go green, platform-web, needs tests)
[27996](https://github.com/flutter/engine/pull/27996) GN build rules for tests using Fuchsia SDK Dart libraries and bindings (cla: yes, waiting for tree to go green, platform-fuchsia)
[27998](https://github.com/flutter/engine/pull/27998) Roll Dart SDK from d68dff4d0820 to 081dad8fea3e (1 revision) (cla: yes, waiting for tree to go green)
[28000](https://github.com/flutter/engine/pull/28000) Prevent potential leak of a closable render surface (platform-android, cla: yes, waiting for tree to go green)
[28001](https://github.com/flutter/engine/pull/28001) Roll Fuchsia Mac SDK from 65ocmUBj5... to KL3oDHUYH... (cla: yes, waiting for tree to go green)
[28005](https://github.com/flutter/engine/pull/28005) Roll Skia from d89d445dea5e to b5de6be2a85d (21 revisions) (cla: yes, waiting for tree to go green)
[28006](https://github.com/flutter/engine/pull/28006) Roll Dart SDK from 081dad8fea3e to 32238a66b5ca (1 revision) (cla: yes, waiting for tree to go green)
[28007](https://github.com/flutter/engine/pull/28007) ui.KeyData.toString (cla: yes, platform-web)
[28008](https://github.com/flutter/engine/pull/28008) Fix getLineBoundary for TextAffinity (cla: yes)
[28010](https://github.com/flutter/engine/pull/28010) Bump buildroot version (cla: yes)
[28013](https://github.com/flutter/engine/pull/28013) Fully inplement TaskRunner for UWP (flutter/flutter#70890) (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28015](https://github.com/flutter/engine/pull/28015) Roll Fuchsia Mac SDK from KL3oDHUYH... to Gou0gs-Pc... (cla: yes, waiting for tree to go green)
[28018](https://github.com/flutter/engine/pull/28018) Roll Skia from b5de6be2a85d to ae43303ce5fd (8 revisions) (cla: yes, waiting for tree to go green)
[28022](https://github.com/flutter/engine/pull/28022) kick builds (cla: yes)
[28023](https://github.com/flutter/engine/pull/28023) Roll Skia from ae43303ce5fd to ed7b4f6a237d (12 revisions) (cla: yes, waiting for tree to go green)
[28025](https://github.com/flutter/engine/pull/28025) [flutter_releases] Flutter beta 2.5.0-5.1.pre Engine Cherrypicks (cla: yes, platform-web)
[28026](https://github.com/flutter/engine/pull/28026) Add feature detection to automatically use new subsetting api. (cla: yes, needs tests)
[28027](https://github.com/flutter/engine/pull/28027) Roll Skia from ed7b4f6a237d to b65b4da55418 (2 revisions) (cla: yes, waiting for tree to go green)
[28029](https://github.com/flutter/engine/pull/28029) Roll Dart SDK from 32238a66b5ca to 624de6ea9e59 (4 revisions) (cla: yes, waiting for tree to go green)
[28031](https://github.com/flutter/engine/pull/28031) Roll Skia from b65b4da55418 to b7f2215bbb50 (7 revisions) (cla: yes, waiting for tree to go green)
[28032](https://github.com/flutter/engine/pull/28032) Roll Fuchsia Linux SDK from 78gBCb4IK... to DuaoKMSCx... (cla: yes, waiting for tree to go green)
[28036](https://github.com/flutter/engine/pull/28036) Revert '[fuchsia] Make dart_runner work with cfv2 (#27226)' (cla: yes, platform-fuchsia, needs tests)
[28037](https://github.com/flutter/engine/pull/28037) Roll Dart SDK from 624de6ea9e59 to 8e3be460559f (1 revision) (cla: yes, waiting for tree to go green)
[28038](https://github.com/flutter/engine/pull/28038) Update builder configurations to apply the new generators format. (cla: yes)
[28039](https://github.com/flutter/engine/pull/28039) Roll Fuchsia Mac SDK from Gou0gs-Pc... to j0tWnUn2K... (cla: yes, waiting for tree to go green)
[28040](https://github.com/flutter/engine/pull/28040) Add bundletool to DEPS and remove outdated header comment (cla: yes)
[28041](https://github.com/flutter/engine/pull/28041) Roll Fuchsia Linux SDK from DuaoKMSCx... to G1rAOfmj_... (cla: yes, waiting for tree to go green)
[28042](https://github.com/flutter/engine/pull/28042) Roll Skia from b7f2215bbb50 to ec07af1279ec (8 revisions) (cla: yes, waiting for tree to go green)
[28045](https://github.com/flutter/engine/pull/28045) Fix some warnings seen after the migration to JDK 11 (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28047](https://github.com/flutter/engine/pull/28047) Fix dead key crashes on Win32 (cla: yes, platform-windows)
[28048](https://github.com/flutter/engine/pull/28048) Roll Skia from ec07af1279ec to 1fc789943486 (8 revisions) (cla: yes, waiting for tree to go green)
[28049](https://github.com/flutter/engine/pull/28049) Roll Dart SDK from 8e3be460559f to 7b142a990f2b (2 revisions) (cla: yes, waiting for tree to go green)
[28050](https://github.com/flutter/engine/pull/28050) [web] Clean up legacy Paragraph implementation (cla: yes, platform-web)
[28051](https://github.com/flutter/engine/pull/28051) Roll Skia from 1fc789943486 to c01225114a00 (1 revision) (cla: yes, waiting for tree to go green)
[28054](https://github.com/flutter/engine/pull/28054) Roll Skia from c01225114a00 to ab005016f9aa (2 revisions) (cla: yes, waiting for tree to go green)
[28055](https://github.com/flutter/engine/pull/28055) Roll Dart SDK from 7b142a990f2b to 3272e5c97914 (2 revisions) (cla: yes, waiting for tree to go green)
[28056](https://github.com/flutter/engine/pull/28056) [web] add CanvasKit to CIPD; make it a DEPS dependency; add a manual roller script (cla: yes, platform-web, needs tests)
[28057](https://github.com/flutter/engine/pull/28057) Define WEB_UI_DIR using ENGINE_PATH. (cla: yes, platform-web)
[28059](https://github.com/flutter/engine/pull/28059) Fix memory leak in FlutterDarwinExternalTextureMetal (cla: yes, waiting for tree to go green, needs tests)
[28061](https://github.com/flutter/engine/pull/28061) Roll Fuchsia Linux SDK from G1rAOfmj_... to aRsjkcQxJ... (cla: yes, waiting for tree to go green)
[28062](https://github.com/flutter/engine/pull/28062) Roll Skia from ab005016f9aa to 801e5f7eb9b7 (2 revisions) (cla: yes, waiting for tree to go green)
[28063](https://github.com/flutter/engine/pull/28063) Roll Skia from 801e5f7eb9b7 to 35371bd92f10 (2 revisions) (cla: yes, waiting for tree to go green)
[28064](https://github.com/flutter/engine/pull/28064) [UWP] Implement clipboard. (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28065](https://github.com/flutter/engine/pull/28065) Fix memory leak in FlutterSwitchSemanticsObject (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[28066](https://github.com/flutter/engine/pull/28066) Roll Fuchsia Mac SDK from j0tWnUn2K... to qyqXnccT8... (cla: yes, waiting for tree to go green)
[28068](https://github.com/flutter/engine/pull/28068) Roll Dart SDK from 3272e5c97914 to eb7661b63527 (1 revision) (cla: yes, waiting for tree to go green)
[28070](https://github.com/flutter/engine/pull/28070) Roll Skia from 35371bd92f10 to 68e4e20fae84 (6 revisions) (cla: yes, waiting for tree to go green)
[28071](https://github.com/flutter/engine/pull/28071) Build dart:zircon and dart:zircon_ffi (cla: yes, waiting for tree to go green, platform-fuchsia)
[28072](https://github.com/flutter/engine/pull/28072) [ci.yaml] Add default properties and dimensions (cla: yes, waiting for tree to go green)
[28074](https://github.com/flutter/engine/pull/28074) Roll Dart SDK from eb7661b63527 to 481bdbce9a92 (1 revision) (cla: yes, waiting for tree to go green)
[28075](https://github.com/flutter/engine/pull/28075) Roll Skia from 68e4e20fae84 to 9032cc61bbe2 (6 revisions) (cla: yes, waiting for tree to go green)
[28076](https://github.com/flutter/engine/pull/28076) Roll Fuchsia Linux SDK from aRsjkcQxJ... to WoiEzs7XB... (cla: yes, waiting for tree to go green)
[28078](https://github.com/flutter/engine/pull/28078) Roll Skia from 9032cc61bbe2 to 73339ada9d13 (1 revision) (cla: yes, waiting for tree to go green)
[28079](https://github.com/flutter/engine/pull/28079) roll buildroot (cla: yes)
[28080](https://github.com/flutter/engine/pull/28080) Roll Skia from 73339ada9d13 to 364ea352b002 (3 revisions) (cla: yes, waiting for tree to go green)
[28081](https://github.com/flutter/engine/pull/28081) Roll Fuchsia Mac SDK from qyqXnccT8... to DV0pzjjZ4... (cla: yes, waiting for tree to go green)
[28082](https://github.com/flutter/engine/pull/28082) Add --asan-options flag to run_tests.py (cla: yes)
[28083](https://github.com/flutter/engine/pull/28083) Roll Dart SDK from 481bdbce9a92 to 3e8633bcbf8f (2 revisions) (cla: yes, waiting for tree to go green)
[28084](https://github.com/flutter/engine/pull/28084) Run the Android Robolectric tests using Gradle (platform-android, cla: yes, waiting for tree to go green)
[28085](https://github.com/flutter/engine/pull/28085) Roll Skia from 364ea352b002 to 1049d8206120 (3 revisions) (cla: yes, waiting for tree to go green)
[28087](https://github.com/flutter/engine/pull/28087) [canvaskit] Optimize CanvasKit platform views in special cases (cla: yes, platform-web)
[28089](https://github.com/flutter/engine/pull/28089) Roll Dart SDK from 3e8633bcbf8f to bedc39b7a80b (1 revision) (cla: yes, waiting for tree to go green)
[28090](https://github.com/flutter/engine/pull/28090) Roll Skia from 1049d8206120 to abe39f5cb932 (6 revisions) (cla: yes, waiting for tree to go green)
[28091](https://github.com/flutter/engine/pull/28091) Revert "Enable Dart compressed pointers for 64-bit mobile targets" (cla: yes, waiting for tree to go green)
[28092](https://github.com/flutter/engine/pull/28092) Revert "Sets focus before sending a11y focus event in Android" (platform-android, cla: yes)
[28093](https://github.com/flutter/engine/pull/28093) Roll Fuchsia Linux SDK from WoiEzs7XB... to 54i7Z2kLS... (cla: yes, waiting for tree to go green)
[28094](https://github.com/flutter/engine/pull/28094) Roll Fuchsia Mac SDK from DV0pzjjZ4... to a27NGktH6... (cla: yes, waiting for tree to go green)
[28095](https://github.com/flutter/engine/pull/28095) Roll Skia from abe39f5cb932 to 72171b75ed20 (1 revision) (cla: yes, waiting for tree to go green)
[28096](https://github.com/flutter/engine/pull/28096) Roll Skia from 72171b75ed20 to b1f34bf3c2cb (1 revision) (cla: yes, waiting for tree to go green)
[28098](https://github.com/flutter/engine/pull/28098) [UWP] Implement setting cursor icon. (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28100](https://github.com/flutter/engine/pull/28100) [UWP] Add all mouse buttons support (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28101](https://github.com/flutter/engine/pull/28101) Roll Skia from b1f34bf3c2cb to 6b9c7bb81419 (1 revision) (cla: yes, waiting for tree to go green)
[28102](https://github.com/flutter/engine/pull/28102) Roll Skia from 6b9c7bb81419 to fc3bee1232fa (1 revision) (cla: yes, waiting for tree to go green)
[28103](https://github.com/flutter/engine/pull/28103) Roll Skia from fc3bee1232fa to 7b2af606d352 (1 revision) (cla: yes, waiting for tree to go green)
[28104](https://github.com/flutter/engine/pull/28104) Roll Skia from 7b2af606d352 to 55ca4e692d8f (1 revision) (cla: yes, waiting for tree to go green)
[28105](https://github.com/flutter/engine/pull/28105) Roll Skia from 55ca4e692d8f to 9a6f3990aff7 (6 revisions) (cla: yes, waiting for tree to go green)
[28107](https://github.com/flutter/engine/pull/28107) Roll dart to 2.15.0-18.0.dev (cla: yes)
[28109](https://github.com/flutter/engine/pull/28109) Roll Skia from 9a6f3990aff7 to 7f4abe85a6d4 (1 revision) (cla: yes, waiting for tree to go green)
[28110](https://github.com/flutter/engine/pull/28110) Makes scrollable to use main screen if the flutter view is not attached (platform-ios, cla: yes, waiting for tree to go green)
[28111](https://github.com/flutter/engine/pull/28111) Remove unused python_binary build artifacts (cla: yes, waiting for tree to go green)
[28112](https://github.com/flutter/engine/pull/28112) Roll Skia from 7f4abe85a6d4 to 7d99ba2503e1 (2 revisions) (cla: yes, waiting for tree to go green)
[28114](https://github.com/flutter/engine/pull/28114) Roll Skia from 7d99ba2503e1 to bd40fb55bb11 (1 revision) (cla: yes, waiting for tree to go green)
[28117](https://github.com/flutter/engine/pull/28117) Issues/79528 reland (platform-android, cla: yes, waiting for tree to go green)
[28118](https://github.com/flutter/engine/pull/28118) Roll Fuchsia Mac SDK from a27NGktH6... to ZRdfbSetp... (cla: yes, waiting for tree to go green)
[28119](https://github.com/flutter/engine/pull/28119) Roll Skia from bd40fb55bb11 to 9ded59bbadb3 (2 revisions) (cla: yes, waiting for tree to go green)
[28121](https://github.com/flutter/engine/pull/28121) Roll Fuchsia Linux SDK from 54i7Z2kLS... to ctNKhIDQX... (cla: yes, waiting for tree to go green)
[28122](https://github.com/flutter/engine/pull/28122) [ci.yam] Enable roller dry on presubmit (cla: yes, waiting for tree to go green)
[28123](https://github.com/flutter/engine/pull/28123) Roll Dart SDK from d39206fb4e25 to 7bd8eb1d95e7 (1 revision) (cla: yes, waiting for tree to go green)
[28124](https://github.com/flutter/engine/pull/28124) Fix SkXfermode doc link in `lib/ui/painting.dart` (cla: yes, needs tests)
[28125](https://github.com/flutter/engine/pull/28125) Fix dead key handling on Win32 (again) (cla: yes, platform-windows)
[28127](https://github.com/flutter/engine/pull/28127) Roll Fuchsia Mac SDK from ZRdfbSetp... to n7ocDhOf_... (cla: yes, waiting for tree to go green)
[28128](https://github.com/flutter/engine/pull/28128) Revert "Add bundletool to DEPS and remove outdated header comment" (cla: yes, needs tests)
[28129](https://github.com/flutter/engine/pull/28129) Roll Fuchsia Linux SDK from ctNKhIDQX... to FJeJwYM81... (cla: yes, waiting for tree to go green)
[28130](https://github.com/flutter/engine/pull/28130) Roll Skia from 9ded59bbadb3 to 059798f40eac (12 revisions) (cla: yes, waiting for tree to go green)
[28131](https://github.com/flutter/engine/pull/28131) Windows: Add dark theme support. (cla: yes, platform-windows)
[28132](https://github.com/flutter/engine/pull/28132) Roll Dart SDK from 7bd8eb1d95e7 to 17c9a00cce20 (3 revisions) (cla: yes, waiting for tree to go green)
[28133](https://github.com/flutter/engine/pull/28133) Roll Skia from 059798f40eac to 17dc658f29e5 (1 revision) (cla: yes, waiting for tree to go green)
[28134](https://github.com/flutter/engine/pull/28134) [ci.yaml] Promote roller to blocking (cla: yes, waiting for tree to go green)
[28135](https://github.com/flutter/engine/pull/28135) Roll Skia from 17dc658f29e5 to 957ed75731e0 (4 revisions) (cla: yes, waiting for tree to go green)
[28136](https://github.com/flutter/engine/pull/28136) macOS: Do not swap surface if nothing was painted (cla: yes, waiting for tree to go green, platform-macos, needs tests)
[28138](https://github.com/flutter/engine/pull/28138) Declare flutter_gdb as a Python 2 script (cla: yes)
[28139](https://github.com/flutter/engine/pull/28139) fuchsia: Improve FakeSession & add tests (affects: tests, cla: yes, waiting for tree to go green, platform-fuchsia, tech-debt)
[28140](https://github.com/flutter/engine/pull/28140) Use the suppressions script to source runtime suppressions in `run_tests.py` (cla: yes)
[28142](https://github.com/flutter/engine/pull/28142) Roll Dart SDK from 17c9a00cce20 to fecde133832e (1 revision) (cla: yes, waiting for tree to go green)
[28143](https://github.com/flutter/engine/pull/28143) Revert "[ci.yaml] Promote roller to blocking" (cla: yes, waiting for tree to go green)
[28144](https://github.com/flutter/engine/pull/28144) fuchsia: Add FuchsiaExternalViewEmbedder tests (affects: tests, cla: yes, platform-fuchsia, tech-debt)
[28145](https://github.com/flutter/engine/pull/28145) Roll Skia from 957ed75731e0 to 7020699e3835 (7 revisions) (cla: yes, waiting for tree to go green)
[28146](https://github.com/flutter/engine/pull/28146) Fix Libtxt unit test errors found by ASAN (cla: yes, waiting for tree to go green)
[28147](https://github.com/flutter/engine/pull/28147) Fix some stack-use-after-scopes found by ASan (cla: yes, embedder)
[28148](https://github.com/flutter/engine/pull/28148) Roll Skia from 7020699e3835 to fdcf153f6caa (3 revisions) (cla: yes, waiting for tree to go green)
[28149](https://github.com/flutter/engine/pull/28149) Roll Fuchsia Mac SDK from n7ocDhOf_... to kAQ_HmUN5... (cla: yes, waiting for tree to go green)
[28150](https://github.com/flutter/engine/pull/28150) Roll Skia from fdcf153f6caa to b0697081b529 (2 revisions) (cla: yes, waiting for tree to go green)
[28151](https://github.com/flutter/engine/pull/28151) Roll Dart SDK from fecde133832e to ba50855227b3 (1 revision) (cla: yes, waiting for tree to go green)
[28152](https://github.com/flutter/engine/pull/28152) Roll Skia from b0697081b529 to db857ce628ff (1 revision) (cla: yes, waiting for tree to go green)
[28153](https://github.com/flutter/engine/pull/28153) Use Android linter from cmdline-tools (platform-android, cla: yes, waiting for tree to go green)
[28154](https://github.com/flutter/engine/pull/28154) Roll Dart SDK from ba50855227b3 to f2b0d387684d (1 revision) (cla: yes, waiting for tree to go green)
[28155](https://github.com/flutter/engine/pull/28155) Roll Fuchsia Linux SDK from FJeJwYM81... to 7UO7XyLyk... (cla: yes, waiting for tree to go green)
[28156](https://github.com/flutter/engine/pull/28156) Roll Skia from db857ce628ff to df62189fe5df (1 revision) (cla: yes, waiting for tree to go green)
[28157](https://github.com/flutter/engine/pull/28157) Roll Skia from df62189fe5df to f61ec43f84dd (1 revision) (cla: yes, waiting for tree to go green)
[28158](https://github.com/flutter/engine/pull/28158) fix leak of DisplayList storage (cla: yes, waiting for tree to go green, needs tests)
[28159](https://github.com/flutter/engine/pull/28159) Prevent app from accessing the GPU in the background in MultiFrameCodec (cla: yes)
[28160](https://github.com/flutter/engine/pull/28160) Roll Dart SDK from f2b0d387684d to 14549cfda2ea (1 revision) (cla: yes, waiting for tree to go green)
[28161](https://github.com/flutter/engine/pull/28161) Correct the return value of the method RunInIsolateScope (cla: yes, waiting for tree to go green, needs tests)
[28162](https://github.com/flutter/engine/pull/28162) Roll Fuchsia Mac SDK from kAQ_HmUN5... to mAEnhH7c-... (cla: yes, waiting for tree to go green)
[28163](https://github.com/flutter/engine/pull/28163) Roll Skia from f61ec43f84dd to a7ea66372d82 (1 revision) (cla: yes, waiting for tree to go green)
[28164](https://github.com/flutter/engine/pull/28164) Roll Skia from a7ea66372d82 to 3cb09c09047b (8 revisions) (cla: yes, waiting for tree to go green)
[28165](https://github.com/flutter/engine/pull/28165) [flutter_releases] Flutter beta 2.5.0-5.2.pre Engine Cherrypicks (cla: yes)
[28167](https://github.com/flutter/engine/pull/28167) Roll Skia from 3cb09c09047b to 0733d484289f (1 revision) (cla: yes, waiting for tree to go green)
[28168](https://github.com/flutter/engine/pull/28168) Add a comment in the FlutterEngineGroup's constructor to avoid using the activity's context (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28169](https://github.com/flutter/engine/pull/28169) Roll Dart SDK from 14549cfda2ea to 051994cd182f (2 revisions) (cla: yes, waiting for tree to go green)
[28172](https://github.com/flutter/engine/pull/28172) Roll Fuchsia Linux SDK from 7UO7XyLyk... to ZSqn1OAt7... (cla: yes, waiting for tree to go green)
[28175](https://github.com/flutter/engine/pull/28175) TextEditingDelta support for Android (platform-android, cla: yes)
[28178](https://github.com/flutter/engine/pull/28178) Roll Dart SDK from 051994cd182f to 0050849aff4e (1 revision) (cla: yes, waiting for tree to go green)
[28181](https://github.com/flutter/engine/pull/28181) Roll Skia from 0733d484289f to cbbe23da20ea (8 revisions) (cla: yes, waiting for tree to go green)
[28182](https://github.com/flutter/engine/pull/28182) Roll Dart SDK from 0050849aff4e to 217d0a4c4ad4 (1 revision) (cla: yes, waiting for tree to go green)
[28184](https://github.com/flutter/engine/pull/28184) Roll Fuchsia Mac SDK from mAEnhH7c-... to 9xK8HkMEI... (cla: yes, waiting for tree to go green)
[28188](https://github.com/flutter/engine/pull/28188) Roll Dart SDK from 217d0a4c4ad4 to cbbe9b6f08c8 (1 revision) (cla: yes, waiting for tree to go green)
[28189](https://github.com/flutter/engine/pull/28189) Roll Skia from cbbe23da20ea to 85108183bc04 (3 revisions) (cla: yes, waiting for tree to go green)
[28191](https://github.com/flutter/engine/pull/28191) Roll Dart SDK from cbbe9b6f08c8 to 0bfe86dce459 (1 revision) (cla: yes, waiting for tree to go green)
[28198](https://github.com/flutter/engine/pull/28198) Roll Skia from 85108183bc04 to eb0195e5b4d5 (11 revisions) (cla: yes, waiting for tree to go green)
[28199](https://github.com/flutter/engine/pull/28199) Roll Dart SDK from 0bfe86dce459 to bc7cf49acc5c (1 revision) (cla: yes, waiting for tree to go green)
[28200](https://github.com/flutter/engine/pull/28200) Roll Fuchsia Mac SDK from 9xK8HkMEI... to EZSVwdQoz... (cla: yes, waiting for tree to go green)
[28201](https://github.com/flutter/engine/pull/28201) Roll Fuchsia Linux SDK from ZSqn1OAt7... to czYvw1Rk3... (cla: yes, waiting for tree to go green)
[28202](https://github.com/flutter/engine/pull/28202) Revert "Add SPIR-V FragmentShader API to painting.dart" (cla: yes, platform-web, platform-fuchsia)
[28203](https://github.com/flutter/engine/pull/28203) Roll Skia from eb0195e5b4d5 to cd2c1beb1e4e (2 revisions) (cla: yes, waiting for tree to go green)
[28204](https://github.com/flutter/engine/pull/28204) Fix stack-buffer-overflow in FlValueTest.FloatList found by Asan (cla: yes, platform-linux)
[28205](https://github.com/flutter/engine/pull/28205) Roll Skia from cd2c1beb1e4e to e453fa063da5 (2 revisions) (cla: yes, waiting for tree to go green)
[28206](https://github.com/flutter/engine/pull/28206) Fix regression in system UI colors (platform-android, bug (regression), cla: yes, waiting for tree to go green)
[28207](https://github.com/flutter/engine/pull/28207) Revert "Adds semantics tooltip support" (platform-ios, platform-android, cla: yes, platform-web, platform-fuchsia, embedder)
[28208](https://github.com/flutter/engine/pull/28208) [Re-land] Add SPIR-V FragmentShader API to painting.dart (cla: yes, platform-web, platform-fuchsia)
[28210](https://github.com/flutter/engine/pull/28210) Roll Dart SDK from bc7cf49acc5c to 0f5cc29e104b (1 revision) (cla: yes, waiting for tree to go green)
[28211](https://github.com/flutter/engine/pull/28211) Issues/86577 reland (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web, platform-fuchsia, embedder)
[28212](https://github.com/flutter/engine/pull/28212) Roll Skia from e453fa063da5 to fbb736b0dccb (2 revisions) (cla: yes, waiting for tree to go green)
[28213](https://github.com/flutter/engine/pull/28213) Revert "Roll Fuchsia Linux SDK from ZSqn1OAt7... to czYvw1Rk3..." (cla: yes)
[28214](https://github.com/flutter/engine/pull/28214) Revert "Roll Fuchsia Mac SDK from 9xK8HkMEI... to EZSVwdQoz..." (cla: yes)
[28218](https://github.com/flutter/engine/pull/28218) Roll Dart SDK from 0f5cc29e104b to 690efd37fbcf (2 revisions) (cla: yes, waiting for tree to go green)
[28219](https://github.com/flutter/engine/pull/28219) Roll Skia from fbb736b0dccb to 2fadbede910d (3 revisions) (cla: yes, waiting for tree to go green)
[28222](https://github.com/flutter/engine/pull/28222) Normalize the path that we set the ANDROID_HOME environment variable to (cla: yes)
[28223](https://github.com/flutter/engine/pull/28223) Roll Skia from 2fadbede910d to 55dc5c8325b6 (1 revision) (cla: yes, waiting for tree to go green)
[28224](https://github.com/flutter/engine/pull/28224) Avoid deadlock while creating platform views with multiple engines. (cla: yes, waiting for tree to go green)
[28225](https://github.com/flutter/engine/pull/28225) Roll Skia from 55dc5c8325b6 to 890f3b37f634 (2 revisions) (cla: yes, waiting for tree to go green)
[28226](https://github.com/flutter/engine/pull/28226) Roll buildroot to 53a65e1c400c29e14e1f3e59be7a3c7327b204ee (cla: yes)
[28227](https://github.com/flutter/engine/pull/28227) Roll Dart SDK from 690efd37fbcf to 9665bccced0a (1 revision) (cla: yes, waiting for tree to go green)
[28229](https://github.com/flutter/engine/pull/28229) Makes empty scrollable not focusable in Talkback (platform-android, cla: yes, waiting for tree to go green)
[28230](https://github.com/flutter/engine/pull/28230) Update the ICU library to a38aef9142ace942a8bf166020c569f4cda0f8d3 (cla: yes)
[28231](https://github.com/flutter/engine/pull/28231) Roll Skia from 890f3b37f634 to 95c9734bac87 (2 revisions) (cla: yes, waiting for tree to go green)
[28233](https://github.com/flutter/engine/pull/28233) Roll libpng to 45c760458b4a83d567cc42d21bd79a3b3fe21815 (cla: yes)
[28234](https://github.com/flutter/engine/pull/28234) Roll Wuffs to 0.3.0-beta.8 (cla: yes)
[28235](https://github.com/flutter/engine/pull/28235) Add supported platforms assert for `run_tests.py` suppression flag (cla: yes)
[28236](https://github.com/flutter/engine/pull/28236) set pre-built dart sdk to default (cla: yes)
[28239](https://github.com/flutter/engine/pull/28239) Eliminate Android-specific Vulkan support (platform-android, cla: yes, Work in progress (WIP), platform-fuchsia, needs tests)
[28241](https://github.com/flutter/engine/pull/28241) Roll Dart SDK from 9665bccced0a to ee5b5dc4d910 (1 revision) (cla: yes, waiting for tree to go green)
[28242](https://github.com/flutter/engine/pull/28242) fuchsia.ui.pointer.TouchSource implementation for fuchsia platform view (cla: yes, waiting for tree to go green, platform-fuchsia)
[28243](https://github.com/flutter/engine/pull/28243) Roll Skia from 95c9734bac87 to 51e33b51542b (4 revisions) (cla: yes, waiting for tree to go green)
[28244](https://github.com/flutter/engine/pull/28244) Roll Dart SDK from ee5b5dc4d910 to 64d00fee8462 (1 revision) (cla: yes, waiting for tree to go green)
[28245](https://github.com/flutter/engine/pull/28245) Roll Dart SDK from 64d00fee8462 to c20ef394e132 (1 revision) (cla: yes, waiting for tree to go green)
[28247](https://github.com/flutter/engine/pull/28247) Roll Dart SDK from c20ef394e132 to c17fd9df122a (1 revision) (cla: yes, waiting for tree to go green)
[28251](https://github.com/flutter/engine/pull/28251) Roll Skia from 51e33b51542b to 6b335c53e8c2 (2 revisions) (cla: yes, waiting for tree to go green)
[28252](https://github.com/flutter/engine/pull/28252) Add browser_launcher and webkit_inspection_protocol packages (cla: yes, waiting for tree to go green)
[28253](https://github.com/flutter/engine/pull/28253) Enable repeat for desktop embedder tests (cla: yes, waiting for tree to go green, embedder)
[28254](https://github.com/flutter/engine/pull/28254) Roll Dart SDK from c17fd9df122a to 2b84af1e5f1a (1 revision) (cla: yes, waiting for tree to go green)
[28256](https://github.com/flutter/engine/pull/28256) Roll Skia from 6b335c53e8c2 to 2f0debc807d1 (2 revisions) (cla: yes, waiting for tree to go green)
[28258](https://github.com/flutter/engine/pull/28258) Roll Skia from 2f0debc807d1 to e312532442d1 (2 revisions) (cla: yes, waiting for tree to go green)
[28259](https://github.com/flutter/engine/pull/28259) Roll Dart SDK from 2b84af1e5f1a to abecc4bc4521 (1 revision) (cla: yes, waiting for tree to go green)
[28263](https://github.com/flutter/engine/pull/28263) Manual roll of Clang for Linux and Mac (cla: yes, waiting for tree to go green)
[28264](https://github.com/flutter/engine/pull/28264) No more gradlew (cla: yes)
[28265](https://github.com/flutter/engine/pull/28265) Roll Skia from e312532442d1 to e12730470004 (9 revisions) (cla: yes, waiting for tree to go green)
[28266](https://github.com/flutter/engine/pull/28266) Fix flaky stack-use-after-scope in PushingMutlipleFramesSetsUpNewReco… (cla: yes, embedder)
[28271](https://github.com/flutter/engine/pull/28271) [ci.yaml] Add gradle cache (cla: yes, waiting for tree to go green)
[28274](https://github.com/flutter/engine/pull/28274) Symbolize ASan traces when using `run_tests.py` (cla: yes, waiting for tree to go green, embedder)
[28277](https://github.com/flutter/engine/pull/28277) [android] Fix black and blank screen issues on the platform view page. (platform-android, cla: yes, needs tests)
[28278](https://github.com/flutter/engine/pull/28278) Roll Skia from e12730470004 to 0f36d11c1dcf (13 revisions) (cla: yes, waiting for tree to go green)
[28279](https://github.com/flutter/engine/pull/28279) Roll Dart SDK from abecc4bc4521 to 72f462ed2d34 (6 revisions) (cla: yes, waiting for tree to go green)
[28280](https://github.com/flutter/engine/pull/28280) Roll Skia from 0f36d11c1dcf to 6f90c702e6c8 (4 revisions) (cla: yes, waiting for tree to go green)
[28281](https://github.com/flutter/engine/pull/28281) Eliminate unnecessary null check in fixture (cla: yes, needs tests, embedder)
[28282](https://github.com/flutter/engine/pull/28282) Roll Skia from 6f90c702e6c8 to 877858a19502 (2 revisions) (cla: yes, waiting for tree to go green)
[28283](https://github.com/flutter/engine/pull/28283) Roll Skia from 877858a19502 to e43714f490ec (6 revisions) (cla: yes, waiting for tree to go green)
[28284](https://github.com/flutter/engine/pull/28284) Roll Dart SDK from 72f462ed2d34 to 35c81c55d91f (1 revision) (cla: yes, waiting for tree to go green)
[28285](https://github.com/flutter/engine/pull/28285) Roll Skia from e43714f490ec to 7b3edfa65923 (1 revision) (cla: yes, waiting for tree to go green)
[28286](https://github.com/flutter/engine/pull/28286) Roll buildroot to 14b15b2e8adf3365e5e924c9186f5d65d1d65b99 (cla: yes, waiting for tree to go green)
[28287](https://github.com/flutter/engine/pull/28287) ensure op counts match between DisplayList and SkPicture (cla: yes, waiting for tree to go green)
[28288](https://github.com/flutter/engine/pull/28288) Roll Clang Mac from T2LfgbJBs... to XvHmkqWWH... (cla: yes, waiting for tree to go green)
[28289](https://github.com/flutter/engine/pull/28289) Roll Clang Linux from cIFYQ49sp... to dO8igrHyL... (cla: yes, waiting for tree to go green)
[28290](https://github.com/flutter/engine/pull/28290) Roll Skia from 7b3edfa65923 to 80fc31bc61a9 (2 revisions) (cla: yes, waiting for tree to go green)
[28291](https://github.com/flutter/engine/pull/28291) Roll Dart SDK from 35c81c55d91f to 4c4bf41da092 (1 revision) (cla: yes, waiting for tree to go green)
[28292](https://github.com/flutter/engine/pull/28292) Roll Skia from 80fc31bc61a9 to 9155b338bb9c (1 revision) (cla: yes, waiting for tree to go green)
[28293](https://github.com/flutter/engine/pull/28293) Support raw straight RGBA format in Image.toByteData() (cla: yes, waiting for tree to go green)
[28294](https://github.com/flutter/engine/pull/28294) Roll Dart SDK from 4c4bf41da092 to 0507607e1380 (1 revision) (cla: yes, waiting for tree to go green)
[28295](https://github.com/flutter/engine/pull/28295) Roll Skia from 9155b338bb9c to 02c7dac0be64 (1 revision) (cla: yes, waiting for tree to go green)
[28296](https://github.com/flutter/engine/pull/28296) Roll Skia from 02c7dac0be64 to 0305e86ee48c (1 revision) (cla: yes, waiting for tree to go green)
[28297](https://github.com/flutter/engine/pull/28297) Roll Dart SDK from 0507607e1380 to 2a693f47e303 (1 revision) (cla: yes, waiting for tree to go green)
[28298](https://github.com/flutter/engine/pull/28298) Windows: FlutterDesktopPixelBuffer: Add optional release callback (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28300](https://github.com/flutter/engine/pull/28300) Roll Skia from 0305e86ee48c to 1e16937f4734 (2 revisions) (cla: yes, waiting for tree to go green)
[28301](https://github.com/flutter/engine/pull/28301) Roll Dart SDK from 2a693f47e303 to 6fecad447467 (1 revision) (cla: yes, waiting for tree to go green)
[28302](https://github.com/flutter/engine/pull/28302) Roll buildroot to 6ef1bf72e34e572f469386732a05de7c8495f874 (cla: yes)
[28303](https://github.com/flutter/engine/pull/28303) Roll Skia from 1e16937f4734 to d34406abf959 (1 revision) (cla: yes, waiting for tree to go green)
[28304](https://github.com/flutter/engine/pull/28304) Ensure that unregisterTexture is called when forget to call SurfaceTextureEntry.release (platform-android, cla: yes, waiting for tree to go green)
[28305](https://github.com/flutter/engine/pull/28305) Roll Skia from d34406abf959 to b61014d31064 (5 revisions) (cla: yes, waiting for tree to go green)
[28306](https://github.com/flutter/engine/pull/28306) Roll Skia from b61014d31064 to ad326ae032ee (6 revisions) (cla: yes, waiting for tree to go green)
[28308](https://github.com/flutter/engine/pull/28308) Revert "Reland enable DisplayList by default" (cla: yes, waiting for tree to go green)
[28309](https://github.com/flutter/engine/pull/28309) Revert "Roll Dart SDK from 2a693f47e303 to 6fecad447467 (1 revision)" (cla: yes)
[28311](https://github.com/flutter/engine/pull/28311) Fix lint that shows up in manual builds (cla: yes)
[28312](https://github.com/flutter/engine/pull/28312) Add flag to disable overlays (cla: yes, platform-web, needs tests)
[28313](https://github.com/flutter/engine/pull/28313) Revert "Build dart:zircon and dart:zircon_ffi (#28071)" (cla: yes, platform-fuchsia)
[28314](https://github.com/flutter/engine/pull/28314) Use vpython3 for gn script (cla: yes)
[28315](https://github.com/flutter/engine/pull/28315) Ensure that Skia persistent cache filenames do not exceed the maximum allowed length (cla: yes, waiting for tree to go green)
[28316](https://github.com/flutter/engine/pull/28316) Roll Skia from ad326ae032ee to 7c94cf95fece (8 revisions) (cla: yes, waiting for tree to go green)
[28317](https://github.com/flutter/engine/pull/28317) Remove container_overflow ASan suppression (cla: yes)
[28318](https://github.com/flutter/engine/pull/28318) Add --verbose flag to gn wrapper (cla: yes)
[28320](https://github.com/flutter/engine/pull/28320) Roll Skia from 7c94cf95fece to a3a8cba62e66 (1 revision) (cla: yes, waiting for tree to go green)
[28321](https://github.com/flutter/engine/pull/28321) Roll Skia from a3a8cba62e66 to c1727fc217a4 (1 revision) (cla: yes, waiting for tree to go green)
[28322](https://github.com/flutter/engine/pull/28322) Roll Skia from c1727fc217a4 to 3c0c185e0e3e (2 revisions) (cla: yes, waiting for tree to go green)
[28323](https://github.com/flutter/engine/pull/28323) Roll Skia from 3c0c185e0e3e to 62bd633b1c8c (1 revision) (cla: yes, waiting for tree to go green)
[28324](https://github.com/flutter/engine/pull/28324) Roll Fuchsia Mac SDK from 9xK8HkMEI... to 4p8By4CDl... (cla: yes, waiting for tree to go green)
[28325](https://github.com/flutter/engine/pull/28325) Roll Fuchsia Linux SDK from ZSqn1OAt7... to F0f_c0zno... (cla: yes, waiting for tree to go green)
[28328](https://github.com/flutter/engine/pull/28328) Fix a bug in the Base32 encoder that can cause improper encoding of the first byte (cla: yes, waiting for tree to go green)
[28330](https://github.com/flutter/engine/pull/28330) Revert Fuchsia SDK rolls (cla: yes)
[28331](https://github.com/flutter/engine/pull/28331) Roll Skia from 62bd633b1c8c to cb547586c7e6 (9 revisions) (cla: yes, waiting for tree to go green)
[28332](https://github.com/flutter/engine/pull/28332) Roll Skia from cb547586c7e6 to 31012fa353c8 (1 revision) (cla: yes, waiting for tree to go green)
[28333](https://github.com/flutter/engine/pull/28333) [TextInput] enroll in autofill by default (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web)
[28334](https://github.com/flutter/engine/pull/28334) Fix typo in a comment in #28098 (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28335](https://github.com/flutter/engine/pull/28335) Roll Skia from 31012fa353c8 to 2e3126dd22a6 (1 revision) (cla: yes, waiting for tree to go green)
[28336](https://github.com/flutter/engine/pull/28336) Roll Dart SDK from 2a693f47e303 to a0275f1d040d (9 revisions) (cla: yes, waiting for tree to go green)
[28337](https://github.com/flutter/engine/pull/28337) Roll Skia from 2e3126dd22a6 to 43a157cf27b6 (1 revision) (cla: yes, waiting for tree to go green)
[28338](https://github.com/flutter/engine/pull/28338) Roll Dart SDK from a0275f1d040d to 8e1a55ce1580 (1 revision) (cla: yes, waiting for tree to go green)
[28339](https://github.com/flutter/engine/pull/28339) [web] Support raw straight RGBA format in Image.toByteData() in CanvasKit (cla: yes, waiting for tree to go green, platform-web)
[28340](https://github.com/flutter/engine/pull/28340) Roll Skia from 43a157cf27b6 to bb8cf5804c83 (1 revision) (cla: yes, waiting for tree to go green)
[28341](https://github.com/flutter/engine/pull/28341) Macos external texture metal support yuv (cla: yes, waiting for tree to go green, platform-macos)
[28342](https://github.com/flutter/engine/pull/28342) Roll Dart SDK from 8e1a55ce1580 to 654a078603ea (1 revision) (cla: yes, waiting for tree to go green)
[28344](https://github.com/flutter/engine/pull/28344) Roll Skia from bb8cf5804c83 to c26cf6c2f589 (5 revisions) (cla: yes, waiting for tree to go green)
[28345](https://github.com/flutter/engine/pull/28345) organize snapshot/BUILD.gn targets and fix create_arm_gen_snapshot (cla: yes, waiting for tree to go green)
[28347](https://github.com/flutter/engine/pull/28347) Roll Dart SDK from 654a078603ea to 87900c1affc8 (1 revision) (cla: yes, waiting for tree to go green)
[28348](https://github.com/flutter/engine/pull/28348) [canvaskit] Implement invertColors (cla: yes, platform-web)
[28349](https://github.com/flutter/engine/pull/28349) Roll Skia from c26cf6c2f589 to c7774a779fac (4 revisions) (cla: yes, waiting for tree to go green)
[28350](https://github.com/flutter/engine/pull/28350) Roll Skia from c7774a779fac to 7bd3f1cc7822 (1 revision) (cla: yes, waiting for tree to go green)
[28351](https://github.com/flutter/engine/pull/28351) Roll Skia from 7bd3f1cc7822 to b42c3834afed (1 revision) (cla: yes, waiting for tree to go green)
[28352](https://github.com/flutter/engine/pull/28352) Fix function definitions in SPIR-V transpiler. (cla: yes)
[28354](https://github.com/flutter/engine/pull/28354) Roll Skia from b42c3834afed to 494eb3e877e6 (1 revision) (cla: yes, waiting for tree to go green)
[28355](https://github.com/flutter/engine/pull/28355) fuchsia: Fix renderer destructor (cla: yes, platform-fuchsia, needs tests)
[28356](https://github.com/flutter/engine/pull/28356) Correct outdated weak_ptr docs (cla: yes, waiting for tree to go green)
[28357](https://github.com/flutter/engine/pull/28357) [web] Support raw straight RGBA format in Image.toByteData() in Html (cla: yes, waiting for tree to go green, platform-web)
[28358](https://github.com/flutter/engine/pull/28358) Support passing existing SurfaceTexture to TextureRegistry (platform-android, cla: yes, waiting for tree to go green)
[28360](https://github.com/flutter/engine/pull/28360) Roll Skia from 494eb3e877e6 to f8a96584b64a (2 revisions) (cla: yes, waiting for tree to go green)
[28361](https://github.com/flutter/engine/pull/28361) Don't use Dart's application_snapshot() rule (cla: yes, waiting for tree to go green, platform-fuchsia)
[28362](https://github.com/flutter/engine/pull/28362) Roll Skia from f8a96584b64a to 5c4463ee0e27 (1 revision) (cla: yes, waiting for tree to go green)
[28363](https://github.com/flutter/engine/pull/28363) Roll Skia from 5c4463ee0e27 to 09e533b744ea (1 revision) (cla: yes, waiting for tree to go green)
[28364](https://github.com/flutter/engine/pull/28364) Roll Skia from 09e533b744ea to 91b781e7f670 (1 revision) (cla: yes, waiting for tree to go green)
[28365](https://github.com/flutter/engine/pull/28365) Roll Dart SDK from 87900c1affc8 to a81fbf00dde7 (1 revision) (cla: yes, waiting for tree to go green)
[28366](https://github.com/flutter/engine/pull/28366) Roll Skia from 91b781e7f670 to 2145390fbef1 (1 revision) (cla: yes, waiting for tree to go green)
[28367](https://github.com/flutter/engine/pull/28367) Roll Skia from 2145390fbef1 to a85560a9a396 (3 revisions) (cla: yes, waiting for tree to go green)
[28369](https://github.com/flutter/engine/pull/28369) Prevent app from accessing the GPU in the background in EncodeImage (cla: yes, waiting for tree to go green)
[28370](https://github.com/flutter/engine/pull/28370) Roll Fuchsia Mac SDK from 9xK8HkMEI... to _HYADWCi9... (cla: yes, waiting for tree to go green)
[28371](https://github.com/flutter/engine/pull/28371) Roll Fuchsia Linux SDK from ZSqn1OAt7... to KGgVwQrhW... (cla: yes, waiting for tree to go green)
[28373](https://github.com/flutter/engine/pull/28373) Roll Skia from a85560a9a396 to e5d07787f0f1 (5 revisions) (cla: yes, waiting for tree to go green)
[28374](https://github.com/flutter/engine/pull/28374) Roll Skia from e5d07787f0f1 to cadd5dbded4c (5 revisions) (cla: yes, waiting for tree to go green)
[28375](https://github.com/flutter/engine/pull/28375) Drop unneded kotlin dep (cla: yes, waiting for tree to go green)
[28376](https://github.com/flutter/engine/pull/28376) Add missing result for the TextInput.setEditableSizeAndTransform method handler on Android (platform-android, cla: yes, waiting for tree to go green)
[28378](https://github.com/flutter/engine/pull/28378) Roll Skia from cadd5dbded4c to 2303f7c4a918 (2 revisions) (cla: yes, waiting for tree to go green)
[28379](https://github.com/flutter/engine/pull/28379) Roll Skia from 2303f7c4a918 to f182b8d05046 (1 revision) (cla: yes, waiting for tree to go green)
[28380](https://github.com/flutter/engine/pull/28380) Delay matrix call in Preroll of picture layer (cla: yes, waiting for tree to go green)
[28381](https://github.com/flutter/engine/pull/28381) Roll Skia from f182b8d05046 to 78a00998f8d0 (1 revision) (cla: yes, waiting for tree to go green)
[28383](https://github.com/flutter/engine/pull/28383) Started providing the GPU sync switch to Rasterizer.DrawToSurface() (platform-ios, platform-android, cla: yes, platform-fuchsia, embedder)
[28384](https://github.com/flutter/engine/pull/28384) Roll Fuchsia Mac SDK from _HYADWCi9... to PBsQu7H2x... (cla: yes, waiting for tree to go green)
[28385](https://github.com/flutter/engine/pull/28385) Roll Skia from 78a00998f8d0 to 262713dc652a (2 revisions) (cla: yes, waiting for tree to go green)
[28386](https://github.com/flutter/engine/pull/28386) Roll Fuchsia Linux SDK from KGgVwQrhW... to FQnJKIHw7... (cla: yes, waiting for tree to go green)
[28387](https://github.com/flutter/engine/pull/28387) Roll Skia from 262713dc652a to 772061e83674 (11 revisions) (cla: yes, waiting for tree to go green)
[28388](https://github.com/flutter/engine/pull/28388) Turn compressed pointers on Android for 64 bit architectures. (cla: yes)
[28389](https://github.com/flutter/engine/pull/28389) Roll Skia from 772061e83674 to a8b897bfc13d (6 revisions) (cla: yes, waiting for tree to go green)
[28390](https://github.com/flutter/engine/pull/28390) Roll Skia from a8b897bfc13d to 3b2048987253 (7 revisions) (cla: yes, waiting for tree to go green)
[28391](https://github.com/flutter/engine/pull/28391) Make the LocalizationPluginTest package declaration match the source file path (platform-android, cla: yes, waiting for tree to go green)
[28392](https://github.com/flutter/engine/pull/28392) merge accounting of the picture and dl cache entries in reported statistics (cla: yes, waiting for tree to go green)
[28393](https://github.com/flutter/engine/pull/28393) Roll Skia from 3b2048987253 to 51b4b86da645 (4 revisions) (cla: yes, waiting for tree to go green)
[28394](https://github.com/flutter/engine/pull/28394) Roll Skia from 51b4b86da645 to 44b7568c8a4e (1 revision) (cla: yes, waiting for tree to go green)
[28395](https://github.com/flutter/engine/pull/28395) Fix typo in FlMethodResponse docs (cla: yes, platform-linux)
[28396](https://github.com/flutter/engine/pull/28396) Roll Fuchsia Mac SDK from PBsQu7H2x... to mBQmFpqqI... (cla: yes, waiting for tree to go green)
[28397](https://github.com/flutter/engine/pull/28397) Roll Fuchsia Linux SDK from FQnJKIHw7... to qywu-XJBK... (cla: yes, waiting for tree to go green)
[28398](https://github.com/flutter/engine/pull/28398) Roll Skia from 44b7568c8a4e to 4d6344c81d6d (1 revision) (cla: yes, waiting for tree to go green)
[28399](https://github.com/flutter/engine/pull/28399) Roll Skia from 4d6344c81d6d to e42508875792 (1 revision) (cla: yes, waiting for tree to go green)
[28402](https://github.com/flutter/engine/pull/28402) Roll Dart SDK from a81fbf00dde7 to 81c5961865cf (1 revision) (cla: yes, waiting for tree to go green)
[28403](https://github.com/flutter/engine/pull/28403) Remove fuchsia.net.NameLookup (cla: yes, waiting for tree to go green, platform-fuchsia)
[28405](https://github.com/flutter/engine/pull/28405) Revert "Turn compressed pointers on Android for 64 bit architectures." (cla: yes, waiting for tree to go green)
[28406](https://github.com/flutter/engine/pull/28406) Roll Skia from e42508875792 to ad284fe277bf (6 revisions) (cla: yes, waiting for tree to go green)
[28407](https://github.com/flutter/engine/pull/28407) fuchsia: Fix MissingPluginException being thrown in Dart from platform_view.cc (platform-ios, platform-android, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, needs tests, embedder)
[28408](https://github.com/flutter/engine/pull/28408) Roll Fuchsia Mac SDK from mBQmFpqqI... to l8aXovOpe... (cla: yes, waiting for tree to go green)
[28409](https://github.com/flutter/engine/pull/28409) Roll Fuchsia Linux SDK from qywu-XJBK... to 2KDbYfNb6... (cla: yes, waiting for tree to go green)
[28410](https://github.com/flutter/engine/pull/28410) Roll Dart SDK from 81c5961865cf to fad8e8989ab6 (1 revision) (cla: yes, waiting for tree to go green)
[28411](https://github.com/flutter/engine/pull/28411) Use `android_virtual_device` dep in Linux Scenarios LUCI test (cla: yes)
[28412](https://github.com/flutter/engine/pull/28412) Roll Skia from ad284fe277bf to 2af13c135b9c (3 revisions) (cla: yes, waiting for tree to go green)
[28413](https://github.com/flutter/engine/pull/28413) Fix building Dart Fuchsia components and packages (cla: yes, waiting for tree to go green, platform-fuchsia)
[28414](https://github.com/flutter/engine/pull/28414) Roll Skia from 2af13c135b9c to 0459a9373476 (5 revisions) (cla: yes, waiting for tree to go green)
[28415](https://github.com/flutter/engine/pull/28415) [flutter_releases] Flutter beta 2.5.0-5.3.pre Engine Cherrypicks (platform-ios, platform-android, cla: yes, platform-web)
[28416](https://github.com/flutter/engine/pull/28416) Roll Dart SDK from fad8e8989ab6 to 3e5ab8e22dc3 (1 revision) (cla: yes, waiting for tree to go green)
[28418](https://github.com/flutter/engine/pull/28418) TextEditingDelta support for iOS (platform-ios, cla: yes, waiting for tree to go green)
[28419](https://github.com/flutter/engine/pull/28419) Roll Fuchsia Mac SDK from l8aXovOpe... to YOSL2lcaL... (cla: yes, waiting for tree to go green)
[28420](https://github.com/flutter/engine/pull/28420) Roll Fuchsia Linux SDK from 2KDbYfNb6... to qhNUfwDZ6... (cla: yes, waiting for tree to go green)
[28421](https://github.com/flutter/engine/pull/28421) Roll Skia from 0459a9373476 to 517f4ffb12ca (15 revisions) (cla: yes, waiting for tree to go green)
[28423](https://github.com/flutter/engine/pull/28423) Roll Fuchsia Mac SDK from YOSL2lcaL... to VbLDH0aNK... (cla: yes, waiting for tree to go green)
[28426](https://github.com/flutter/engine/pull/28426) Roll Dart SDK from 3e5ab8e22dc3 to edf2936a5e06 (4 revisions) (cla: yes, waiting for tree to go green)
[28427](https://github.com/flutter/engine/pull/28427) Roll Clang Mac from XvHmkqWWH... to xdUzo8i18... (cla: yes, waiting for tree to go green)
[28429](https://github.com/flutter/engine/pull/28429) Roll Fuchsia Linux SDK from qhNUfwDZ6... to pypCKSnUc... (cla: yes, waiting for tree to go green)
[28437](https://github.com/flutter/engine/pull/28437) Revert "Roll Dart SDK from 3e5ab8e22dc3 to edf2936a5e06 (4 revisions)" (cla: yes)
[28439](https://github.com/flutter/engine/pull/28439) Add RasterCache metrics to the FrameTimings (cla: yes, waiting for tree to go green, platform-web)
[28441](https://github.com/flutter/engine/pull/28441) Roll Fuchsia Mac SDK from VbLDH0aNK... to igx6EXsq_... (cla: yes, waiting for tree to go green)
[28443](https://github.com/flutter/engine/pull/28443) Roll Clang Mac from xdUzo8i18... to XvHmkqWWH... (cla: yes, waiting for tree to go green)
[28444](https://github.com/flutter/engine/pull/28444) Roll Fuchsia Linux SDK from pypCKSnUc... to 8CGViPqZj... (cla: yes, waiting for tree to go green)
[28447](https://github.com/flutter/engine/pull/28447) Revert "Display Features support (Foldable and Cutout)" (platform-android, cla: yes, platform-web, platform-fuchsia)
[28448](https://github.com/flutter/engine/pull/28448) Roll Dart SDK from 3e5ab8e22dc3 to 9ad577b3a3e4 (9 revisions) (cla: yes, waiting for tree to go green)
[28451](https://github.com/flutter/engine/pull/28451) Roll Skia from 517f4ffb12ca to 678ec7187a33 (29 revisions) (cla: yes, waiting for tree to go green)
[28452](https://github.com/flutter/engine/pull/28452) Roll Skia from 678ec7187a33 to 0ed278b42de3 (1 revision) (cla: yes, waiting for tree to go green)
[28454](https://github.com/flutter/engine/pull/28454) Roll Fuchsia Mac SDK from igx6EXsq_... to c0W6I_W1n... (cla: yes, waiting for tree to go green)
[28455](https://github.com/flutter/engine/pull/28455) Roll Dart SDK from 9ad577b3a3e4 to 7b3ede5086e0 (2 revisions) (cla: yes, waiting for tree to go green)
[28456](https://github.com/flutter/engine/pull/28456) Roll Skia from 0ed278b42de3 to 360db877be35 (4 revisions) (cla: yes, waiting for tree to go green)
[28458](https://github.com/flutter/engine/pull/28458) Roll Dart SDK from 7b3ede5086e0 to 238108dd9c6f (1 revision) (cla: yes, waiting for tree to go green)
[28459](https://github.com/flutter/engine/pull/28459) Roll Fuchsia Linux SDK from 8CGViPqZj... to oSxtpYn84... (cla: yes, waiting for tree to go green)
[28460](https://github.com/flutter/engine/pull/28460) Roll Fuchsia Mac SDK from c0W6I_W1n... to CYEiDwUB9... (cla: yes, waiting for tree to go green)
[28461](https://github.com/flutter/engine/pull/28461) Roll Dart SDK from 238108dd9c6f to d6fa0d686082 (1 revision) (cla: yes, waiting for tree to go green)
[28463](https://github.com/flutter/engine/pull/28463) Roll Fuchsia Linux SDK from oSxtpYn84... to DzxXYKzlk... (cla: yes, waiting for tree to go green)
[28464](https://github.com/flutter/engine/pull/28464) Roll Fuchsia Mac SDK from CYEiDwUB9... to lOgxSvrjd... (cla: yes, waiting for tree to go green)
[28466](https://github.com/flutter/engine/pull/28466) Roll Fuchsia Linux SDK from DzxXYKzlk... to GpAkjCJKU... (cla: yes, waiting for tree to go green)
[28467](https://github.com/flutter/engine/pull/28467) Factor out a task synchronization help function for unit tests (cla: yes, waiting for tree to go green)
[28468](https://github.com/flutter/engine/pull/28468) Roll Skia from 360db877be35 to f65cd9be7330 (1 revision) (cla: yes, waiting for tree to go green)
[28470](https://github.com/flutter/engine/pull/28470) Roll Fuchsia Mac SDK from lOgxSvrjd... to 7OyGTsKNy... (cla: yes, waiting for tree to go green)
[28471](https://github.com/flutter/engine/pull/28471) Roll Fuchsia Linux SDK from GpAkjCJKU... to eYuGUghZ1... (cla: yes, waiting for tree to go green)
[28472](https://github.com/flutter/engine/pull/28472) Roll Fuchsia Mac SDK from 7OyGTsKNy... to bmShnqcSD... (cla: yes, waiting for tree to go green)
[28473](https://github.com/flutter/engine/pull/28473) Roll Skia from f65cd9be7330 to fc5efe32b404 (1 revision) (cla: yes, waiting for tree to go green)
[28474](https://github.com/flutter/engine/pull/28474) Discard the resubmitted layer tree of the wrong size instead of rendering it (cla: yes, waiting for tree to go green)
[28475](https://github.com/flutter/engine/pull/28475) Roll Skia from fc5efe32b404 to 48bb9a59e063 (1 revision) (cla: yes, waiting for tree to go green)
[28476](https://github.com/flutter/engine/pull/28476) Roll Fuchsia Linux SDK from eYuGUghZ1... to ExKaxwFai... (cla: yes, waiting for tree to go green)
[28477](https://github.com/flutter/engine/pull/28477) Roll Fuchsia Mac SDK from bmShnqcSD... to 8tsd1ptRi... (cla: yes, waiting for tree to go green)
[28482](https://github.com/flutter/engine/pull/28482) Roll Fuchsia Mac SDK from 8tsd1ptRi... to rP-YL86e_... (cla: yes, waiting for tree to go green)
[28484](https://github.com/flutter/engine/pull/28484) Roll Fuchsia Linux SDK from ExKaxwFai... to F3B5fctvV... (cla: yes, waiting for tree to go green)
[28486](https://github.com/flutter/engine/pull/28486) Roll Skia from 48bb9a59e063 to 10fa1c84b4b2 (1 revision) (cla: yes, waiting for tree to go green)
[28489](https://github.com/flutter/engine/pull/28489) Roll Skia from 10fa1c84b4b2 to ca5d31e4592c (14 revisions) (cla: yes, waiting for tree to go green)
[28491](https://github.com/flutter/engine/pull/28491) [fuchsia] Add CML files for dart_runner on CFv2. (cla: yes, platform-fuchsia)
[28492](https://github.com/flutter/engine/pull/28492) Add benchmarks to measure dart -> native time (cla: yes, waiting for tree to go green)
[28493](https://github.com/flutter/engine/pull/28493) Roll Skia from ca5d31e4592c to a2c76c77c496 (9 revisions) (cla: yes, waiting for tree to go green)
[28494](https://github.com/flutter/engine/pull/28494) [Web text input] Make placeholder text invisible (cla: yes, waiting for tree to go green, platform-web)
[28495](https://github.com/flutter/engine/pull/28495) Fixes accessibility issue that bridge fails to clean up FlutterScrollableSemanticsObject (platform-ios, cla: yes, waiting for tree to go green)
[28496](https://github.com/flutter/engine/pull/28496) [flutter_releases] Flutter Stable 2.5.0 Engine Cherrypicks (cla: yes)
[28500](https://github.com/flutter/engine/pull/28500) backdrop_filter_layer only pushes to the leaf_nodes_canvas (platform-ios, cla: yes, waiting for tree to go green)
[28501](https://github.com/flutter/engine/pull/28501) Roll Skia from a2c76c77c496 to 72fe2e5e5d8e (7 revisions) (cla: yes, waiting for tree to go green)
[28502](https://github.com/flutter/engine/pull/28502) Roll Fuchsia Linux SDK from F3B5fctvV... to j7aYNNbVt... (cla: yes, waiting for tree to go green)
[28503](https://github.com/flutter/engine/pull/28503) Roll Skia from 72fe2e5e5d8e to 5ccad8aa4ee5 (3 revisions) (cla: yes, waiting for tree to go green)
[28504](https://github.com/flutter/engine/pull/28504) Roll Fuchsia Mac SDK from rP-YL86e_... to cDn94pEla... (cla: yes, waiting for tree to go green)
[28505](https://github.com/flutter/engine/pull/28505) Roll Skia from 5ccad8aa4ee5 to 30f8611655b4 (1 revision) (cla: yes, waiting for tree to go green)
[28507](https://github.com/flutter/engine/pull/28507) Roll Skia from 30f8611655b4 to a0d61eb56199 (8 revisions) (cla: yes, waiting for tree to go green)
[28509](https://github.com/flutter/engine/pull/28509) Revert "Add benchmarks to measure dart -> native time" (cla: yes)
[28510](https://github.com/flutter/engine/pull/28510) Reland "Add benchmarks to measure dart -> native time (#28492)" (cla: yes, waiting for tree to go green)
[28512](https://github.com/flutter/engine/pull/28512) Roll Fuchsia Linux SDK from j7aYNNbVt... to BP1AUqX5m... (cla: yes, waiting for tree to go green)
[28513](https://github.com/flutter/engine/pull/28513) Revert "Add benchmarks to measure dart -> native time (#28492)" (cla: yes)
[28514](https://github.com/flutter/engine/pull/28514) RTM must acquire lock before called IsMergedUnsafe (cla: yes, needs tests)
[28515](https://github.com/flutter/engine/pull/28515) Roll Skia from a0d61eb56199 to 51f95129285f (5 revisions) (cla: yes, waiting for tree to go green)
[28517](https://github.com/flutter/engine/pull/28517) Roll Fuchsia Mac SDK from cDn94pEla... to YnuT0nBZG... (cla: yes, waiting for tree to go green)
[28520](https://github.com/flutter/engine/pull/28520) [flutter_releases] apply patches to flutter-2.5-candidate.8 (platform-ios, platform-android, cla: yes, platform-fuchsia, embedder)
[28521](https://github.com/flutter/engine/pull/28521) Roll Clang Linux from dO8igrHyL... to KK8UQefBW... (cla: yes, waiting for tree to go green)
[28522](https://github.com/flutter/engine/pull/28522) Roll Clang Mac from XvHmkqWWH... to OWP5QAE8i... (cla: yes, waiting for tree to go green)
[28523](https://github.com/flutter/engine/pull/28523) Roll Skia from 51f95129285f to b6981fb6a4c1 (1 revision) (cla: yes, waiting for tree to go green)
[28524](https://github.com/flutter/engine/pull/28524) Roll Skia from b6981fb6a4c1 to f4f2f7542d5d (3 revisions) (cla: yes, waiting for tree to go green)
[28525](https://github.com/flutter/engine/pull/28525) [Desktop][Linux] Add RUNPATH $ORIGIN to flutter_linux_gtk (cla: yes, platform-linux)
[28526](https://github.com/flutter/engine/pull/28526) Roll Fuchsia Linux SDK from BP1AUqX5m... to Y6zuLOGqK... (cla: yes, waiting for tree to go green)
[28528](https://github.com/flutter/engine/pull/28528) Roll Fuchsia Mac SDK from YnuT0nBZG... to 5hlfN-425... (cla: yes, waiting for tree to go green)
[28529](https://github.com/flutter/engine/pull/28529) Roll Skia from f4f2f7542d5d to 9605042e8eb2 (1 revision) (cla: yes, waiting for tree to go green)
[28530](https://github.com/flutter/engine/pull/28530) Roll Dart SDK from d6fa0d686082 to 45b4f2d77247 (9 revisions) (cla: yes, waiting for tree to go green)
[28531](https://github.com/flutter/engine/pull/28531) Roll Skia from 9605042e8eb2 to db2b44e01f9a (1 revision) (cla: yes, waiting for tree to go green)
[28533](https://github.com/flutter/engine/pull/28533) Revert "RTM must to acquire lock before called IsMergedUnsafe (#28514)" (cla: yes, needs tests)
[28534](https://github.com/flutter/engine/pull/28534) Roll Skia from db2b44e01f9a to 2c704669fb7b (3 revisions) (cla: yes, waiting for tree to go green)
[28535](https://github.com/flutter/engine/pull/28535) [flutter_releases] flutter-2.6-candidate.3 Engine Cherrypicks (platform-ios, platform-android, cla: yes, platform-fuchsia, embedder)
[28537](https://github.com/flutter/engine/pull/28537) Roll Dart SDK from 45b4f2d77247 to c1f80cf5fde6 (1 revision) (cla: yes, waiting for tree to go green)
[28538](https://github.com/flutter/engine/pull/28538) Roll Fuchsia Linux SDK from Y6zuLOGqK... to 7rmb7v6Rn... (cla: yes, waiting for tree to go green)
[28539](https://github.com/flutter/engine/pull/28539) Roll Skia from 2c704669fb7b to f17e4008a89b (11 revisions) (cla: yes, waiting for tree to go green)
[28540](https://github.com/flutter/engine/pull/28540) Roll Fuchsia Mac SDK from 5hlfN-425... to crjfjPXZN... (cla: yes, waiting for tree to go green)
[28541](https://github.com/flutter/engine/pull/28541) Roll Dart SDK from c1f80cf5fde6 to 5171a2583ace (1 revision) (cla: yes, waiting for tree to go green)
[28543](https://github.com/flutter/engine/pull/28543) Allow injection of ExecutorService (platform-android, cla: yes)
[28544](https://github.com/flutter/engine/pull/28544) Roll Skia from f17e4008a89b to 9292c806e97d (1 revision) (cla: yes, waiting for tree to go green)
[28545](https://github.com/flutter/engine/pull/28545) Roll Dart SDK from 5171a2583ace to e92d1fb9117c (1 revision) (cla: yes, waiting for tree to go green)
[28546](https://github.com/flutter/engine/pull/28546) Roll Skia from 9292c806e97d to c96f97938462 (2 revisions) (cla: yes, waiting for tree to go green)
[28547](https://github.com/flutter/engine/pull/28547) Roll Dart SDK from e92d1fb9117c to 39f81c50c2e1 (1 revision) (cla: yes, waiting for tree to go green)
[28548](https://github.com/flutter/engine/pull/28548) Roll Fuchsia Linux SDK from 7rmb7v6Rn... to E-2zyKFAo... (cla: yes, waiting for tree to go green)
[28549](https://github.com/flutter/engine/pull/28549) Roll Skia from c96f97938462 to 588dcc093d81 (1 revision) (cla: yes, waiting for tree to go green)
[28551](https://github.com/flutter/engine/pull/28551) Roll Dart SDK from 39f81c50c2e1 to 8ed0a66c8802 (1 revision) (cla: yes, waiting for tree to go green)
[28552](https://github.com/flutter/engine/pull/28552) Roll Fuchsia Mac SDK from crjfjPXZN... to TXPmKCwBR... (cla: yes, waiting for tree to go green)
[28553](https://github.com/flutter/engine/pull/28553) Roll Skia from 588dcc093d81 to c7ffd5e6809e (5 revisions) (cla: yes, waiting for tree to go green)
[28554](https://github.com/flutter/engine/pull/28554) Roll Skia from c7ffd5e6809e to c9d65f0b8ab6 (1 revision) (cla: yes, waiting for tree to go green)
[28555](https://github.com/flutter/engine/pull/28555) Roll Skia from c9d65f0b8ab6 to 2b868d6b9aa3 (5 revisions) (cla: yes, waiting for tree to go green)
[28557](https://github.com/flutter/engine/pull/28557) Roll Skia from 2b868d6b9aa3 to 9a1f92e4fff5 (2 revisions) (cla: yes, waiting for tree to go green)
[28559](https://github.com/flutter/engine/pull/28559) Roll Skia from 9a1f92e4fff5 to b13f36944ca7 (5 revisions) (cla: yes, waiting for tree to go green)
[28562](https://github.com/flutter/engine/pull/28562) Roll Fuchsia Linux SDK from E-2zyKFAo... to rYYCP4o1F... (cla: yes, waiting for tree to go green)
[28563](https://github.com/flutter/engine/pull/28563) Roll Dart SDK from 8ed0a66c8802 to 86bd94a5b8dd (2 revisions) (cla: yes, waiting for tree to go green)
[28565](https://github.com/flutter/engine/pull/28565) Roll Fuchsia Mac SDK from TXPmKCwBR... to N5vbbACOm... (cla: yes, waiting for tree to go green)
[28566](https://github.com/flutter/engine/pull/28566) Delete is_background_view from FlutterJNI (platform-android, cla: yes, waiting for tree to go green)
[28568](https://github.com/flutter/engine/pull/28568) Roll Skia from b13f36944ca7 to 2e4dc863da04 (1 revision) (cla: yes, waiting for tree to go green)
[28570](https://github.com/flutter/engine/pull/28570) Roll Fuchsia Linux SDK from rYYCP4o1F... to evxB7Rykf... (cla: yes, waiting for tree to go green)
[28572](https://github.com/flutter/engine/pull/28572) Roll buildroot to drop support for iOS 8.0. (cla: yes, waiting for tree to go green)
[28573](https://github.com/flutter/engine/pull/28573) Linux mock interfaces (cla: yes, platform-linux, needs tests)
[28576](https://github.com/flutter/engine/pull/28576) Call _isLoopback as a last resort (cla: yes, waiting for tree to go green, needs tests)
[28577](https://github.com/flutter/engine/pull/28577) Roll Skia from 2e4dc863da04 to 56efcf2d5bc1 (5 revisions) (cla: yes, waiting for tree to go green)
[28580](https://github.com/flutter/engine/pull/28580) Roll Skia from 56efcf2d5bc1 to ec7b63a74585 (4 revisions) (cla: yes, waiting for tree to go green)
[28581](https://github.com/flutter/engine/pull/28581) Reland "RTM must to acquire lock before called IsMergedUnsafe (#28514)" (cla: yes, needs tests)
[28582](https://github.com/flutter/engine/pull/28582) Roll Dart SDK from 86bd94a5b8dd to 904ca10d48a7 (1 revision) (cla: yes, waiting for tree to go green)
[28584](https://github.com/flutter/engine/pull/28584) Renew cirrus gcp credentials (cla: yes, waiting for tree to go green)
[28585](https://github.com/flutter/engine/pull/28585) Roll Fuchsia Mac SDK from N5vbbACOm... to 7JrylIRbJ... (cla: yes, waiting for tree to go green)
[28586](https://github.com/flutter/engine/pull/28586) Parse the benchmarks on presubmit jobs (cla: yes, waiting for tree to go green, needs tests)
[28587](https://github.com/flutter/engine/pull/28587) Roll Fuchsia Linux SDK from evxB7Rykf... to 90jKZc0CF... (cla: yes, waiting for tree to go green)
[28588](https://github.com/flutter/engine/pull/28588) Roll Skia from ec7b63a74585 to 7591d4b5ef28 (4 revisions) (cla: yes, waiting for tree to go green)
[28589](https://github.com/flutter/engine/pull/28589) [web] fix the last matrix element in CkPath.shift (cla: yes, waiting for tree to go green, platform-web)
[28590](https://github.com/flutter/engine/pull/28590) Roll Skia from 7591d4b5ef28 to 92f1bc0083bf (1 revision) (cla: yes, waiting for tree to go green)
[28591](https://github.com/flutter/engine/pull/28591) Roll Dart SDK from 904ca10d48a7 to 6d30f47da59b (2 revisions) (cla: yes, waiting for tree to go green)
[28593](https://github.com/flutter/engine/pull/28593) Don't use rFD in pre-Q versions (platform-android, cla: yes)
[28594](https://github.com/flutter/engine/pull/28594) Roll buildroot to 480e54b791ebb136fbac15f2e1e9bc081b52653a (platform-android, cla: yes)
[28596](https://github.com/flutter/engine/pull/28596) prepare drawPoints MaskFilter test for Skia bug fix (cla: yes, waiting for tree to go green)
[28597](https://github.com/flutter/engine/pull/28597) [canvaskit] Don't assign overlays when overlays are disabled (cla: yes, platform-web, needs tests)
[28598](https://github.com/flutter/engine/pull/28598) Roll Dart SDK from 6d30f47da59b to 73e8595bcba1 (1 revision) (cla: yes, waiting for tree to go green)
[28600](https://github.com/flutter/engine/pull/28600) Roll Skia from 92f1bc0083bf to c3e7cadc1015 (7 revisions) (cla: yes, waiting for tree to go green)
[28601](https://github.com/flutter/engine/pull/28601) Roll Skia from c3e7cadc1015 to a31021db2b54 (3 revisions) (cla: yes, waiting for tree to go green)
[28602](https://github.com/flutter/engine/pull/28602) Roll Fuchsia Linux SDK from 90jKZc0CF... to 2eVinpLwx... (cla: yes, waiting for tree to go green)
[28603](https://github.com/flutter/engine/pull/28603) Roll Fuchsia Mac SDK from 7JrylIRbJ... to iychQeTRD... (cla: yes, waiting for tree to go green)
[28604](https://github.com/flutter/engine/pull/28604) Roll Dart SDK from 73e8595bcba1 to 1101a7e8c0e6 (1 revision) (cla: yes, waiting for tree to go green)
[28605](https://github.com/flutter/engine/pull/28605) Roll Skia from a31021db2b54 to 7d19065eefe4 (1 revision) (cla: yes, waiting for tree to go green)
[28607](https://github.com/flutter/engine/pull/28607) Roll Skia from 7d19065eefe4 to 8d9e313db8a3 (7 revisions) (cla: yes, waiting for tree to go green)
[28608](https://github.com/flutter/engine/pull/28608) Roll Skia from 8d9e313db8a3 to 4ff44eff1cb4 (3 revisions) (cla: yes, waiting for tree to go green)
[28610](https://github.com/flutter/engine/pull/28610) Roll Skia from 4ff44eff1cb4 to 143e85023798 (1 revision) (cla: yes, waiting for tree to go green)
[28611](https://github.com/flutter/engine/pull/28611) Fix UNNECESSARY_TYPE_CHECK_TRUE (cla: yes, platform-web)
[28613](https://github.com/flutter/engine/pull/28613) [fuchsia] Create DartComponentController for CFv2. (cla: yes, platform-fuchsia, needs tests)
[28614](https://github.com/flutter/engine/pull/28614) Roll Skia from 143e85023798 to b701fa0ac070 (2 revisions) (cla: yes, waiting for tree to go green)
[28615](https://github.com/flutter/engine/pull/28615) Cherry-pick #28230 to fuchsia_f6 (cla: yes, platform-fuchsia)
[28616](https://github.com/flutter/engine/pull/28616) Update API availability of edge to edge mode (platform-android, cla: yes)
[28617](https://github.com/flutter/engine/pull/28617) Roll Fuchsia Linux SDK from 2eVinpLwx... to JOJ3jjqpt... (cla: yes, waiting for tree to go green)
[28618](https://github.com/flutter/engine/pull/28618) Roll Skia from b701fa0ac070 to 7e33d95f4f88 (4 revisions) (cla: yes, waiting for tree to go green)
[28619](https://github.com/flutter/engine/pull/28619) [canvaskit] Handle case where platform view is prerolled but not composited (cla: yes, platform-web)
[28620](https://github.com/flutter/engine/pull/28620) Roll Fuchsia Mac SDK from iychQeTRD... to njsyK4m3B... (cla: yes, waiting for tree to go green)
[28621](https://github.com/flutter/engine/pull/28621) Roll Dart SDK from 1101a7e8c0e6 to cee6ac3df70e (1 revision) (cla: yes, waiting for tree to go green)
[28622](https://github.com/flutter/engine/pull/28622) [licenses] Ignore .ccls-cache folder when generating engine licenses. (cla: yes, waiting for tree to go green, needs tests)
[28623](https://github.com/flutter/engine/pull/28623) Limit download_dart_sdk task pool size on Windows (cla: yes)
[28624](https://github.com/flutter/engine/pull/28624) Roll Skia from 7e33d95f4f88 to b51994990bb4 (1 revision) (cla: yes, waiting for tree to go green)
[28625](https://github.com/flutter/engine/pull/28625) Flip on leak detector and suppress or fix remaining leak traces (platform-android, cla: yes, platform-linux, embedder)
[28626](https://github.com/flutter/engine/pull/28626) Roll Dart SDK from cee6ac3df70e to 65ae60047c2b (1 revision) (cla: yes, waiting for tree to go green)
[28629](https://github.com/flutter/engine/pull/28629) Roll Skia from b51994990bb4 to 9680fed583ca (2 revisions) (cla: yes, waiting for tree to go green)
[28630](https://github.com/flutter/engine/pull/28630) Roll Dart SDK from 65ae60047c2b to 25f8064d7387 (2 revisions) (cla: yes, waiting for tree to go green)
[28631](https://github.com/flutter/engine/pull/28631) Roll Fuchsia Linux SDK from JOJ3jjqpt... to vM2cIvcGj... (cla: yes, waiting for tree to go green)
[28632](https://github.com/flutter/engine/pull/28632) Roll Fuchsia Mac SDK from njsyK4m3B... to OVVg7oNPI... (cla: yes, waiting for tree to go green)
[28634](https://github.com/flutter/engine/pull/28634) Roll Skia from 9680fed583ca to 720674e1190d (1 revision) (cla: yes, waiting for tree to go green)
[28635](https://github.com/flutter/engine/pull/28635) Roll Dart SDK from 25f8064d7387 to 05661056d153 (1 revision) (cla: yes, waiting for tree to go green)
[28637](https://github.com/flutter/engine/pull/28637) Roll Skia from 720674e1190d to 0c5b05c3ab53 (2 revisions) (cla: yes, waiting for tree to go green)
[28638](https://github.com/flutter/engine/pull/28638) Roll Skia from 0c5b05c3ab53 to 398ef4487b2a (7 revisions) (cla: yes, waiting for tree to go green)
[28639](https://github.com/flutter/engine/pull/28639) Enable compressed pointers on Android for 64 bit architectures. (cla: yes)
[28640](https://github.com/flutter/engine/pull/28640) [flutter_releases] Flutter beta 2.6.0-5.2.pre Engine Cherrypicks (cla: yes)
[28641](https://github.com/flutter/engine/pull/28641) Roll Skia from 398ef4487b2a to a047e8bf4d49 (2 revisions) (cla: yes, waiting for tree to go green)
[28642](https://github.com/flutter/engine/pull/28642) [web] Multiple fixes to text layout and line breaks (cla: yes, waiting for tree to go green, platform-web)
[28643](https://github.com/flutter/engine/pull/28643) Roll Dart SDK from 05661056d153 to 41e5c7114f9c (2 revisions) (cla: yes, waiting for tree to go green)
[28644](https://github.com/flutter/engine/pull/28644) Roll Skia from a047e8bf4d49 to 81b7060ef036 (5 revisions) (cla: yes, waiting for tree to go green)
[28645](https://github.com/flutter/engine/pull/28645) Roll Skia from 81b7060ef036 to e1bb73ede418 (3 revisions) (cla: yes, waiting for tree to go green)
[28646](https://github.com/flutter/engine/pull/28646) [icu] Update the ICU library to 2b50fa94b07b601293d7c1f791e853bba8ffbb84 (cla: yes)
[28647](https://github.com/flutter/engine/pull/28647) Roll Skia from e1bb73ede418 to c915da9b2070 (3 revisions) (cla: yes, waiting for tree to go green)
[28648](https://github.com/flutter/engine/pull/28648) Keyboard guarantee non empty events (cla: yes, platform-web, platform-macos, platform-linux, platform-windows)
[28649](https://github.com/flutter/engine/pull/28649) Roll Dart SDK from 41e5c7114f9c to 9e15d1a2afb5 (1 revision) (cla: yes, waiting for tree to go green)
[28650](https://github.com/flutter/engine/pull/28650) Roll Fuchsia Linux SDK from vM2cIvcGj... to aSzZz6T3u... (cla: yes, waiting for tree to go green)
[28651](https://github.com/flutter/engine/pull/28651) Roll Fuchsia Mac SDK from OVVg7oNPI... to 0XCXzG3BW... (cla: yes, waiting for tree to go green)
[28652](https://github.com/flutter/engine/pull/28652) Roll Skia from c915da9b2070 to 3e7cd00126b8 (2 revisions) (cla: yes, waiting for tree to go green)
[28653](https://github.com/flutter/engine/pull/28653) Roll Skia from 3e7cd00126b8 to 25868511fd05 (2 revisions) (cla: yes, waiting for tree to go green)
[28656](https://github.com/flutter/engine/pull/28656) Improve DisplayList bounds calculations (cla: yes, waiting for tree to go green)
[28658](https://github.com/flutter/engine/pull/28658) [shared_engine] Avoid the method surfaceUpdated is called many times when multiple FlutterViewController shared one engine (platform-ios, cla: yes, waiting for tree to go green)
[28659](https://github.com/flutter/engine/pull/28659) Roll Dart SDK from 9e15d1a2afb5 to b3da4b661c48 (2 revisions) (cla: yes, waiting for tree to go green)
[28660](https://github.com/flutter/engine/pull/28660) [fuchsia] Replace amberctl in serve.sh with pkgctl (cla: yes)
[28661](https://github.com/flutter/engine/pull/28661) Roll Fuchsia Mac SDK from 0XCXzG3BW... to ejEFL6p3B... (cla: yes, waiting for tree to go green)
[28662](https://github.com/flutter/engine/pull/28662) Roll Fuchsia Linux SDK from aSzZz6T3u... to x3PP_nSNw... (cla: yes, waiting for tree to go green)
[28664](https://github.com/flutter/engine/pull/28664) Roll Skia from 25868511fd05 to db285de24756 (9 revisions) (cla: yes, waiting for tree to go green)
[28665](https://github.com/flutter/engine/pull/28665) [flutter_releases] Flutter stable 2.5.1 Engine Cherrypicks (platform-android, cla: yes)
[28666](https://github.com/flutter/engine/pull/28666) MacOS keyboard: RawKeyboard uses filtered modifier (cla: yes, platform-macos)
[28667](https://github.com/flutter/engine/pull/28667) Don't use Build.VERSION_CODES.S in test (platform-android, cla: yes, waiting for tree to go green)
[28668](https://github.com/flutter/engine/pull/28668) Roll Skia from db285de24756 to 4f3ca106c9d8 (1 revision) (cla: yes, waiting for tree to go green)
[28669](https://github.com/flutter/engine/pull/28669) Roll Dart SDK from b3da4b661c48 to 4aff633d5ef2 (3 revisions) (cla: yes, waiting for tree to go green)
[28670](https://github.com/flutter/engine/pull/28670) Fix GLFW embedder example for current flutter libs/Dart SDK (cla: yes, waiting for tree to go green)
[28673](https://github.com/flutter/engine/pull/28673) Implement a default font manager for Fuchsia. (cla: yes, platform-fuchsia)
[28674](https://github.com/flutter/engine/pull/28674) Roll Skia from 4f3ca106c9d8 to 941812fdcc84 (4 revisions) (cla: yes, waiting for tree to go green)
[28675](https://github.com/flutter/engine/pull/28675) [web] clear surfaces on hot restart (cla: yes, platform-web, needs tests)
[28676](https://github.com/flutter/engine/pull/28676) fuchsia: Convert vulkan headers to DEPS (cla: yes, platform-fuchsia)
[28678](https://github.com/flutter/engine/pull/28678) Roll Dart SDK from 4aff633d5ef2 to 1874cf447307 (2 revisions) (cla: yes, waiting for tree to go green)
[28679](https://github.com/flutter/engine/pull/28679) hold DisplayList objects in SkiaGPUObject wrappers (cla: yes, waiting for tree to go green)
[28680](https://github.com/flutter/engine/pull/28680) Roll Skia from 941812fdcc84 to cd334839a74b (1 revision) (cla: yes, waiting for tree to go green)
[28681](https://github.com/flutter/engine/pull/28681) Roll Fuchsia Mac SDK from ejEFL6p3B... to bLXO_leTc... (cla: yes, waiting for tree to go green)
[28682](https://github.com/flutter/engine/pull/28682) Roll Fuchsia Linux SDK from x3PP_nSNw... to HtSlIxjFq... (cla: yes, waiting for tree to go green)
[28683](https://github.com/flutter/engine/pull/28683) fuchsia: Use buffer_collection_x extension (cla: yes, platform-fuchsia, needs tests)
[28684](https://github.com/flutter/engine/pull/28684) Roll Skia from cd334839a74b to 149156550e75 (2 revisions) (cla: yes, waiting for tree to go green)
[28685](https://github.com/flutter/engine/pull/28685) Roll Skia from 149156550e75 to 7cece5e053ab (1 revision) (cla: yes, waiting for tree to go green)
[28686](https://github.com/flutter/engine/pull/28686) Roll Dart SDK from 1874cf447307 to 70186deed4f2 (1 revision) (cla: yes, waiting for tree to go green)
[28687](https://github.com/flutter/engine/pull/28687) Roll Skia from 7cece5e053ab to 56cab7f9cb1a (1 revision) (cla: yes, waiting for tree to go green)
[28688](https://github.com/flutter/engine/pull/28688) Roll Skia from 56cab7f9cb1a to cd0b01cf18cc (5 revisions) (cla: yes, waiting for tree to go green)
[28689](https://github.com/flutter/engine/pull/28689) Roll Skia from cd0b01cf18cc to 14cc21fd99a3 (4 revisions) (cla: yes, waiting for tree to go green)
[28690](https://github.com/flutter/engine/pull/28690) Roll Skia from 14cc21fd99a3 to 40e5f545b2ab (4 revisions) (cla: yes, waiting for tree to go green)
[28691](https://github.com/flutter/engine/pull/28691) Roll Dart SDK from 70186deed4f2 to acc4a3e2b78b (1 revision) (cla: yes, waiting for tree to go green)
[28692](https://github.com/flutter/engine/pull/28692) Roll Fuchsia Linux SDK from HtSlIxjFq... to oSwtt3qS9... (cla: yes, waiting for tree to go green)
[28694](https://github.com/flutter/engine/pull/28694) Do not share the GrDirectContext across engine instances on Android (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28695](https://github.com/flutter/engine/pull/28695) Roll Skia from 40e5f545b2ab to 6694a36a7f14 (2 revisions) (cla: yes, waiting for tree to go green)
[28696](https://github.com/flutter/engine/pull/28696) Roll Fuchsia Mac SDK from bLXO_leTc... to ig96PZ9uu... (cla: yes, waiting for tree to go green)
[28697](https://github.com/flutter/engine/pull/28697) Roll Skia from 6694a36a7f14 to 3299eb7febaf (2 revisions) (cla: yes, waiting for tree to go green)
[28698](https://github.com/flutter/engine/pull/28698) Wrap ImageShader::sk_image_ with a SkiaGPUObject (cla: yes, waiting for tree to go green, needs tests)
[28699](https://github.com/flutter/engine/pull/28699) Roll Skia from 3299eb7febaf to dcfa824c3830 (1 revision) (cla: yes, waiting for tree to go green)
[28700](https://github.com/flutter/engine/pull/28700) Use Gradle cache (cla: yes, waiting for tree to go green)
[28701](https://github.com/flutter/engine/pull/28701) Roll Skia from dcfa824c3830 to 6aac1193a7b6 (1 revision) (cla: yes, waiting for tree to go green)
[28702](https://github.com/flutter/engine/pull/28702) Roll Skia from 6aac1193a7b6 to ccef63db2666 (2 revisions) (cla: yes, waiting for tree to go green)
[28703](https://github.com/flutter/engine/pull/28703) Roll Dart SDK from acc4a3e2b78b to 347d212e6369 (2 revisions) (cla: yes, waiting for tree to go green)
[28704](https://github.com/flutter/engine/pull/28704) Roll Fuchsia Linux SDK from oSwtt3qS9... to cPLPB2qhF... (cla: yes, waiting for tree to go green)
[28706](https://github.com/flutter/engine/pull/28706) Roll Fuchsia Mac SDK from ig96PZ9uu... to CcH9sMEUb... (cla: yes, waiting for tree to go green)
[28707](https://github.com/flutter/engine/pull/28707) Fix duplicated documentation (cla: yes, waiting for tree to go green, needs tests)
[28709](https://github.com/flutter/engine/pull/28709) Roll Skia from ccef63db2666 to 2f7ee02577ef (1 revision) (cla: yes, waiting for tree to go green)
[28711](https://github.com/flutter/engine/pull/28711) Roll Dart SDK from 347d212e6369 to d5a092696895 (1 revision) (cla: yes, waiting for tree to go green)
[28712](https://github.com/flutter/engine/pull/28712) Roll Fuchsia Mac SDK from CcH9sMEUb... to 9EIecNJDs... (cla: yes, waiting for tree to go green)
[28713](https://github.com/flutter/engine/pull/28713) Roll Fuchsia Linux SDK from cPLPB2qhF... to CW7NYvI5U... (cla: yes, waiting for tree to go green)
[28714](https://github.com/flutter/engine/pull/28714) Roll Skia from 2f7ee02577ef to 68a09699e942 (1 revision) (cla: yes, waiting for tree to go green)
[28715](https://github.com/flutter/engine/pull/28715) Roll Fuchsia Mac SDK from 9EIecNJDs... to aPxJXWrBJ... (cla: yes, waiting for tree to go green)
[28716](https://github.com/flutter/engine/pull/28716) Roll Fuchsia Linux SDK from CW7NYvI5U... to i6udvN3jP... (cla: yes, waiting for tree to go green)
[28718](https://github.com/flutter/engine/pull/28718) Roll Dart SDK from d5a092696895 to cdf1e48ee9cb (1 revision) (cla: yes, waiting for tree to go green)
[28719](https://github.com/flutter/engine/pull/28719) Roll Skia from 68a09699e942 to bec01c6add58 (1 revision) (cla: yes, waiting for tree to go green)
[28720](https://github.com/flutter/engine/pull/28720) Roll Dart SDK from cdf1e48ee9cb to aa8455aced77 (1 revision) (cla: yes, waiting for tree to go green)
[28721](https://github.com/flutter/engine/pull/28721) Roll Skia from bec01c6add58 to 06f3ea1e0a5c (1 revision) (cla: yes, waiting for tree to go green)
[28722](https://github.com/flutter/engine/pull/28722) Roll Fuchsia Mac SDK from aPxJXWrBJ... to YGOXMJb8s... (cla: yes, waiting for tree to go green)
[28723](https://github.com/flutter/engine/pull/28723) Roll Fuchsia Linux SDK from i6udvN3jP... to a-fOk8gAq... (cla: yes, waiting for tree to go green)
[28724](https://github.com/flutter/engine/pull/28724) [UWP] Add modifier keys support (cla: yes, platform-windows, needs tests)
[28725](https://github.com/flutter/engine/pull/28725) Roll Dart SDK from aa8455aced77 to 61f539dc7b50 (1 revision) (cla: yes, waiting for tree to go green)
[28726](https://github.com/flutter/engine/pull/28726) Reland "Add benchmarks to measure dart -> native time (#28492)" (cla: yes, waiting for tree to go green)
[28727](https://github.com/flutter/engine/pull/28727) Roll Skia from 06f3ea1e0a5c to 64be3c5867af (1 revision) (cla: yes, waiting for tree to go green)
[28729](https://github.com/flutter/engine/pull/28729) Roll Skia from 64be3c5867af to 14a9b089b6bf (6 revisions) (cla: yes, waiting for tree to go green)
[28731](https://github.com/flutter/engine/pull/28731) Roll Skia from 14a9b089b6bf to 498bfa4a8590 (2 revisions) (cla: yes, waiting for tree to go green)
[28732](https://github.com/flutter/engine/pull/28732) Remove obsolete instructions from scenario_app readme, pass depfile correctly. (cla: yes, waiting for tree to go green)
[28734](https://github.com/flutter/engine/pull/28734) [fuchsia] Fix missing function in V2 dart runner. (cla: yes, platform-fuchsia, needs tests)
[28735](https://github.com/flutter/engine/pull/28735) Roll Dart SDK from 61f539dc7b50 to a0243abd09e3 (1 revision) (cla: yes, waiting for tree to go green)
[28736](https://github.com/flutter/engine/pull/28736) Make benchmark parsing pre-submit non-bringup (cla: yes, waiting for tree to go green)
[28737](https://github.com/flutter/engine/pull/28737) Roll Skia from 498bfa4a8590 to f62934b85a49 (2 revisions) (cla: yes, waiting for tree to go green)
[28738](https://github.com/flutter/engine/pull/28738) Update build.gradle (cla: yes)
[28743](https://github.com/flutter/engine/pull/28743) Set MinimumOSVersion in iOS Info.plist based on buildroot setting (platform-ios, cla: yes, waiting for tree to go green, platform-macos, embedder)
[28753](https://github.com/flutter/engine/pull/28753) adjust naming of DisplayList methods, fields and parameters to match style guide (cla: yes, waiting for tree to go green)
[28768](https://github.com/flutter/engine/pull/28768) Roll Skia from f62934b85a49 to b8f1651f9b67 (15 revisions) (cla: yes, waiting for tree to go green)
[28769](https://github.com/flutter/engine/pull/28769) Roll Fuchsia Mac SDK from YGOXMJb8s... to 3k3-vCrm5... (cla: yes, waiting for tree to go green)
[28770](https://github.com/flutter/engine/pull/28770) Roll Fuchsia Linux SDK from a-fOk8gAq... to JD40LpEJO... (cla: yes, waiting for tree to go green)
[28771](https://github.com/flutter/engine/pull/28771) Roll Skia from b8f1651f9b67 to e32309d771ee (3 revisions) (cla: yes, waiting for tree to go green)
[28774](https://github.com/flutter/engine/pull/28774) Fix Android T deprecated WindowManager INCORRECT_CONTEXT_USAGE (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28775](https://github.com/flutter/engine/pull/28775) Remove outdated unused element suppressions (cla: yes, waiting for tree to go green)
[28777](https://github.com/flutter/engine/pull/28777) Replace jcenter() for mavenCentral() (platform-android, cla: yes, waiting for tree to go green)
[28779](https://github.com/flutter/engine/pull/28779) Roll Dart SDK from a0243abd09e3 to 86a21d182523 (6 revisions) (cla: yes, waiting for tree to go green)
[28780](https://github.com/flutter/engine/pull/28780) Revert "Replace flutter_runner::Thread with fml::Thread (#26783)" (cla: yes, platform-fuchsia, needs tests)
[28781](https://github.com/flutter/engine/pull/28781) Revert "Replace flutter_runner::Thread with fml::Thread (#26783)" and friends (cla: yes, platform-fuchsia)
[28782](https://github.com/flutter/engine/pull/28782) Roll Skia from e32309d771ee to a48e7b0186b3 (10 revisions) (cla: yes, waiting for tree to go green)
[28783](https://github.com/flutter/engine/pull/28783) Set MinimumOSVersion to iOS 9 in Info.plist (platform-ios, cla: yes, waiting for tree to go green)
[28784](https://github.com/flutter/engine/pull/28784) added unit tests for the android embedder that run on android devices (platform-android, cla: yes)
[28785](https://github.com/flutter/engine/pull/28785) Disable failing unit tests on UWP (cla: yes)
[28787](https://github.com/flutter/engine/pull/28787) Eliminate unnecessary canvaskit imports (cla: yes, platform-web, needs tests)
[28789](https://github.com/flutter/engine/pull/28789) Roll Dart SDK from 86a21d182523 to c2429dee845e (1 revision) (cla: yes, waiting for tree to go green)
[28790](https://github.com/flutter/engine/pull/28790) [canvaskit] Fix bug when overlays are disabled (cla: yes, platform-web)
[28791](https://github.com/flutter/engine/pull/28791) Roll Skia from a48e7b0186b3 to bb30fc16e1be (1 revision) (cla: yes, waiting for tree to go green)
[28792](https://github.com/flutter/engine/pull/28792) Roll Fuchsia Mac SDK from 3k3-vCrm5... to NM9FaaYay... (cla: yes, waiting for tree to go green)
[28793](https://github.com/flutter/engine/pull/28793) Roll Fuchsia Linux SDK from JD40LpEJO... to bWZcp2jnx... (cla: yes, waiting for tree to go green)
[28794](https://github.com/flutter/engine/pull/28794) Roll Skia from bb30fc16e1be to 5527735121f5 (1 revision) (cla: yes, waiting for tree to go green)
[28795](https://github.com/flutter/engine/pull/28795) Roll Dart SDK from c2429dee845e to 715a98df1828 (1 revision) (cla: yes, waiting for tree to go green)
[28796](https://github.com/flutter/engine/pull/28796) Roll Skia from 5527735121f5 to cb25d566c21d (3 revisions) (cla: yes, waiting for tree to go green)
[28797](https://github.com/flutter/engine/pull/28797) Roll Dart SDK from 715a98df1828 to 4e396689de4f (1 revision) (cla: yes, waiting for tree to go green)
[28800](https://github.com/flutter/engine/pull/28800) Roll Dart SDK from 4e396689de4f to 6e17953f4e7e (1 revision) (cla: yes, waiting for tree to go green)
[28803](https://github.com/flutter/engine/pull/28803) Roll Fuchsia Mac SDK from NM9FaaYay... to nblJjRFDA... (cla: yes, waiting for tree to go green)
[28804](https://github.com/flutter/engine/pull/28804) Roll Fuchsia Linux SDK from bWZcp2jnx... to tBL8VjITE... (cla: yes, waiting for tree to go green)
[28805](https://github.com/flutter/engine/pull/28805) [web] Fix disposal of browser history on hot restart (cla: yes, platform-web)
[28806](https://github.com/flutter/engine/pull/28806) Make DartExecutor.IsolateServiceIdListener public (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28807](https://github.com/flutter/engine/pull/28807) Roll Dart SDK from 6e17953f4e7e to ba343ec30c69 (1 revision) (cla: yes, waiting for tree to go green)
[28810](https://github.com/flutter/engine/pull/28810) Roll Dart SDK from ba343ec30c69 to ec4a8ac89fe5 (1 revision) (cla: yes, waiting for tree to go green)
[28811](https://github.com/flutter/engine/pull/28811) fuchsia: Add child views to flatland engine (cla: yes, waiting for tree to go green, platform-fuchsia)
[28813](https://github.com/flutter/engine/pull/28813) Roll Fuchsia Mac SDK from nblJjRFDA... to c3_45l-Rd... (cla: yes, waiting for tree to go green)
[28814](https://github.com/flutter/engine/pull/28814) Roll Fuchsia Linux SDK from tBL8VjITE... to vUHzQsB3f... (cla: yes, waiting for tree to go green)
[28815](https://github.com/flutter/engine/pull/28815) Roll Dart SDK from ec4a8ac89fe5 to eba0c93d96de (1 revision) (cla: yes, waiting for tree to go green)
[28817](https://github.com/flutter/engine/pull/28817) vsync_waiter_fallback should schedule firecallback for future (cla: yes, waiting for tree to go green, needs tests)
[28818](https://github.com/flutter/engine/pull/28818) Roll Dart SDK from eba0c93d96de to 1d7f47bf04d8 (1 revision) (cla: yes, waiting for tree to go green)
[28820](https://github.com/flutter/engine/pull/28820) [fuchsia] Rename FuchsiaExternalViewEmbedder to GfxExternalViewEmbedder (cla: yes, platform-fuchsia)
[28821](https://github.com/flutter/engine/pull/28821) [Fuchsia] Notify Shell when memory becomes low. (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[28823](https://github.com/flutter/engine/pull/28823) [fuchsia] Small shell scripts for workflow. (cla: yes, waiting for tree to go green)
[28825](https://github.com/flutter/engine/pull/28825) Roll Fuchsia Mac SDK from c3_45l-Rd... to lD33hO1tW... (cla: yes, waiting for tree to go green)
[28826](https://github.com/flutter/engine/pull/28826) Roll Dart SDK from 1d7f47bf04d8 to 6aa8a4aef43a (1 revision) (cla: yes, waiting for tree to go green)
[28827](https://github.com/flutter/engine/pull/28827) Roll Fuchsia Linux SDK from vUHzQsB3f... to tdrdF1Sz9... (cla: yes, waiting for tree to go green)
[28829](https://github.com/flutter/engine/pull/28829) Roll Dart SDK from 6aa8a4aef43a to 7e8e12d4d296 (2 revisions) (cla: yes, waiting for tree to go green)
[28830](https://github.com/flutter/engine/pull/28830) Add src/third_party/dart/third_party/yaml_edit to DEPS (cla: yes, waiting for tree to go green)
[28838](https://github.com/flutter/engine/pull/28838) Roll Fuchsia Linux SDK from tdrdF1Sz9... to Jo9QY1R3C... (cla: yes, waiting for tree to go green)
[28842](https://github.com/flutter/engine/pull/28842) Roll Skia from cb25d566c21d to 12732e4ad804 (55 revisions) (cla: yes, waiting for tree to go green)
[28843](https://github.com/flutter/engine/pull/28843) Roll Fuchsia Mac SDK from lD33hO1tW... to AaBCvnaBN... (cla: yes, waiting for tree to go green)
[28845](https://github.com/flutter/engine/pull/28845) Roll Skia from 12732e4ad804 to a909dd6b8d8d (4 revisions) (cla: yes, waiting for tree to go green)
[28846](https://github.com/flutter/engine/pull/28846) Fixes FlutterSemanticsScrollView to not implement accessibility conta… (platform-ios, cla: yes, needs tests)
[28847](https://github.com/flutter/engine/pull/28847) Use a relative path for the output when building a Dart kernel (cla: yes, waiting for tree to go green)
[28849](https://github.com/flutter/engine/pull/28849) Specify the root directory for Dart frontend server sources (cla: yes, waiting for tree to go green)
[28850](https://github.com/flutter/engine/pull/28850) fuchsia: Change flatland present's release fence logic (cla: yes, platform-fuchsia, needs tests)
[28851](https://github.com/flutter/engine/pull/28851) Roll Dart SDK from 7e8e12d4d296 to 1a4db5ddd0ea (3 revisions) (cla: yes, waiting for tree to go green)
[28852](https://github.com/flutter/engine/pull/28852) Flatland endpoints hookup (cla: yes, platform-fuchsia)
[28853](https://github.com/flutter/engine/pull/28853) Roll Skia from a909dd6b8d8d to 6e6bceeeea1e (7 revisions) (cla: yes, waiting for tree to go green)
[28854](https://github.com/flutter/engine/pull/28854) Roll Skia from 6e6bceeeea1e to 31fe2c51452a (3 revisions) (cla: yes, waiting for tree to go green)
[28856](https://github.com/flutter/engine/pull/28856) use all 16 matrix entries in Canvas.transform() to enable 3D matrix concatenation (cla: yes, waiting for tree to go green, platform-web)
[28857](https://github.com/flutter/engine/pull/28857) Roll Dart SDK from 1a4db5ddd0ea to 9e2228a0e880 (2 revisions) (cla: yes, waiting for tree to go green)
[28859](https://github.com/flutter/engine/pull/28859) Roll Fuchsia Mac SDK from AaBCvnaBN... to OPoARlWlE... (cla: yes, waiting for tree to go green)
[28863](https://github.com/flutter/engine/pull/28863) [fuchsia] Remove unused deps on fidl optional.h. (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[28868](https://github.com/flutter/engine/pull/28868) [iOSTextInput] remove floating cursor asserts (platform-ios, cla: yes, waiting for tree to go green)
[28874](https://github.com/flutter/engine/pull/28874) Roll Dart SDK from 9e2228a0e880 to 0cddaa9859a5 (1 revision) (cla: yes, waiting for tree to go green)
[28875](https://github.com/flutter/engine/pull/28875) Roll Fuchsia Linux SDK from Jo9QY1R3C... to UUcoJDQho... (cla: yes, waiting for tree to go green)
[28877](https://github.com/flutter/engine/pull/28877) [Linux] Reset keyboard states on engine restart (cla: yes, platform-linux, embedder)
[28878](https://github.com/flutter/engine/pull/28878) [Linux] Fix crash when a method channel is reassigned (cla: yes, waiting for tree to go green, platform-linux)
[28879](https://github.com/flutter/engine/pull/28879) Roll Skia from 31fe2c51452a to 496b89cb74b3 (4 revisions) (cla: yes, waiting for tree to go green)
[28880](https://github.com/flutter/engine/pull/28880) Roll Fuchsia Mac SDK from OPoARlWlE... to NxbeZ1Uke... (cla: yes, waiting for tree to go green)
[28881](https://github.com/flutter/engine/pull/28881) Roll Skia from 496b89cb74b3 to e96e066d538d (1 revision) (cla: yes, waiting for tree to go green)
[28882](https://github.com/flutter/engine/pull/28882) Roll Fuchsia Linux SDK from UUcoJDQho... to sFMn4Ory_... (cla: yes, waiting for tree to go green)
[28883](https://github.com/flutter/engine/pull/28883) Roll Dart SDK from 0cddaa9859a5 to 893000264e3c (1 revision) (cla: yes, waiting for tree to go green)
[28884](https://github.com/flutter/engine/pull/28884) Make FlutterEngineGroup support initialRoute (platform-ios, platform-android, cla: yes)
[28886](https://github.com/flutter/engine/pull/28886) Bump maximum supported sdk to 30 for Robolectric (platform-android, cla: yes, waiting for tree to go green)
[28888](https://github.com/flutter/engine/pull/28888) Roll Fuchsia Mac SDK from NxbeZ1Uke... to 3pvmnxd8-... (cla: yes, waiting for tree to go green)
[28889](https://github.com/flutter/engine/pull/28889) Roll Skia from e96e066d538d to b9982f492896 (9 revisions) (cla: yes, waiting for tree to go green)
[28891](https://github.com/flutter/engine/pull/28891) Avoid GCing aggressively during startup, and forward trim messages beyond low to application (platform-android, cla: yes)
[28892](https://github.com/flutter/engine/pull/28892) Roll Skia from b9982f492896 to ef96fa9e83c2 (4 revisions) (cla: yes, waiting for tree to go green)
[28893](https://github.com/flutter/engine/pull/28893) Roll Dart SDK from 893000264e3c to 06093fe5921e (2 revisions) (cla: yes, waiting for tree to go green)
[28894](https://github.com/flutter/engine/pull/28894) Destroy overlay surfaces when the rasterizer is torn down (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-fuchsia)
[28896](https://github.com/flutter/engine/pull/28896) Mirror master to main branch. (cla: yes, waiting for tree to go green)
[28897](https://github.com/flutter/engine/pull/28897) Roll Skia from ef96fa9e83c2 to 0bfac0127c5e (9 revisions) (cla: yes, waiting for tree to go green)
[28898](https://github.com/flutter/engine/pull/28898) Enable main branch. (cla: yes, waiting for tree to go green)
[28899](https://github.com/flutter/engine/pull/28899) Roll Dart SDK from 06093fe5921e to 1998f61b08f7 (1 revision) (cla: yes, waiting for tree to go green)
[28900](https://github.com/flutter/engine/pull/28900) Roll Fuchsia Linux SDK from sFMn4Ory_... to fvDpNa7Tc... (cla: yes, waiting for tree to go green)
[28902](https://github.com/flutter/engine/pull/28902) Roll Fuchsia Mac SDK from 3pvmnxd8-... to zIn8c0_Am... (cla: yes, waiting for tree to go green)
[28903](https://github.com/flutter/engine/pull/28903) Use the systrace recorder if systracing is enabled at startup, and enable systracing in release mode on Android (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28904](https://github.com/flutter/engine/pull/28904) Roll Skia from 0bfac0127c5e to f2fb26d162b9 (4 revisions) (cla: yes, waiting for tree to go green)
[28905](https://github.com/flutter/engine/pull/28905) fuchsia: Use runner services (cla: yes, platform-fuchsia)
[28906](https://github.com/flutter/engine/pull/28906) Roll Dart SDK from 1998f61b08f7 to f452a6585cbd (2 revisions) (cla: yes, waiting for tree to go green)
[28908](https://github.com/flutter/engine/pull/28908) Roll Skia from f2fb26d162b9 to 43264640f256 (2 revisions) (cla: yes, waiting for tree to go green)
[28909](https://github.com/flutter/engine/pull/28909) Roll Skia from 43264640f256 to 791c0d36a6f6 (2 revisions) (cla: yes, waiting for tree to go green)
[28910](https://github.com/flutter/engine/pull/28910) Roll Dart SDK from f452a6585cbd to 280a0c3efb21 (1 revision) (cla: yes, waiting for tree to go green)
[28911](https://github.com/flutter/engine/pull/28911) Roll Skia from 791c0d36a6f6 to 0f124cd7cd60 (2 revisions) (cla: yes, waiting for tree to go green)
[28913](https://github.com/flutter/engine/pull/28913) Roll Skia from 0f124cd7cd60 to aaa81ab61e43 (1 revision) (cla: yes, waiting for tree to go green)
[28914](https://github.com/flutter/engine/pull/28914) Roll Fuchsia Linux SDK from fvDpNa7Tc... to eEt3ktTjq... (cla: yes, waiting for tree to go green)
[28915](https://github.com/flutter/engine/pull/28915) Roll Fuchsia Mac SDK from zIn8c0_Am... to Lx_DI2yrc... (cla: yes, waiting for tree to go green)
[28916](https://github.com/flutter/engine/pull/28916) Roll Skia from aaa81ab61e43 to 2dc9c5d98f72 (3 revisions) (cla: yes, waiting for tree to go green)
[28917](https://github.com/flutter/engine/pull/28917) Roll Wuffs to 600cd96cf47788ee3a74b40a6028b035c9fd6a61 (cla: yes)
[28921](https://github.com/flutter/engine/pull/28921) Deprecate SplashScreenProvider (platform-android, cla: yes, needs tests)
[28923](https://github.com/flutter/engine/pull/28923) [fuchsia] Dart Runner for CF v2 components. (cla: yes, platform-fuchsia, needs tests)
[28924](https://github.com/flutter/engine/pull/28924) [Linux, Embedder] Add engine restart hooks (cla: yes, platform-linux, embedder)
[28925](https://github.com/flutter/engine/pull/28925) made android unit tests not require the host engine variant to exist (cla: yes, waiting for tree to go green)
[28926](https://github.com/flutter/engine/pull/28926) fuchsia: Add FakeFlatland and tests (affects: tests, cla: yes, platform-fuchsia)
[28930](https://github.com/flutter/engine/pull/28930) [ci.yaml] add main references (cla: yes)
[28931](https://github.com/flutter/engine/pull/28931) Update builder configs. (cla: yes)
[28932](https://github.com/flutter/engine/pull/28932) Roll Fuchsia Mac SDK from Lx_DI2yrc... to owSIykHxQ... (cla: yes, waiting for tree to go green)
[28933](https://github.com/flutter/engine/pull/28933) Roll Fuchsia Linux SDK from eEt3ktTjq... to BlL9tK7aj... (cla: yes, waiting for tree to go green)
[28934](https://github.com/flutter/engine/pull/28934) Roll Skia from 2dc9c5d98f72 to 31a94580b700 (13 revisions) (cla: yes, waiting for tree to go green)
[28935](https://github.com/flutter/engine/pull/28935) Roll Dart SDK from 280a0c3efb21 to d9092e3505ed (5 revisions) (cla: yes, waiting for tree to go green)
[28936](https://github.com/flutter/engine/pull/28936) [web] reuse browser instance across screenshot tests (cla: yes, platform-web, needs tests)
[28937](https://github.com/flutter/engine/pull/28937) Cherry-pick #28846 and #28743 into flutter-2.6-candidate.11 (platform-ios, platform-android, cla: yes, needs tests, embedder)
[28938](https://github.com/flutter/engine/pull/28938) fixed android unit tests (rotted before CI is running) (platform-android, cla: yes, waiting for tree to go green)
[28939](https://github.com/flutter/engine/pull/28939) Roll Skia from 31a94580b700 to 501e8e1a2c9f (5 revisions) (cla: yes, waiting for tree to go green)
[28940](https://github.com/flutter/engine/pull/28940) [flutter_releases] Flutter stable 2.5.2 Engine Cherrypicks (cla: yes)
[28941](https://github.com/flutter/engine/pull/28941) Roll Skia from 501e8e1a2c9f to d034db791d67 (2 revisions) (cla: yes, waiting for tree to go green)
[28942](https://github.com/flutter/engine/pull/28942) Roll Skia from d034db791d67 to a20c60d9e5d5 (2 revisions) (cla: yes, waiting for tree to go green)
[28943](https://github.com/flutter/engine/pull/28943) Roll Dart SDK from d9092e3505ed to 48283a35397d (1 revision) (cla: yes, waiting for tree to go green)
[28946](https://github.com/flutter/engine/pull/28946) enable DisplayList by default (cla: yes, waiting for tree to go green)
[28947](https://github.com/flutter/engine/pull/28947) Roll Skia from a20c60d9e5d5 to 58014fa9a6a0 (3 revisions) (cla: yes, waiting for tree to go green)
[28948](https://github.com/flutter/engine/pull/28948) Roll Dart SDK from 48283a35397d to acbcdc91a2c8 (1 revision) (cla: yes, waiting for tree to go green)
[28950](https://github.com/flutter/engine/pull/28950) Fix typos in spirv README (cla: yes, waiting for tree to go green)
[28951](https://github.com/flutter/engine/pull/28951) [fuchsia] Pass WeakPtrs to GfxConnection FIDL fns. (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[28952](https://github.com/flutter/engine/pull/28952) Roll Skia from 58014fa9a6a0 to ddbb97d741ff (1 revision) (cla: yes, waiting for tree to go green)
[28953](https://github.com/flutter/engine/pull/28953) Roll Dart SDK from acbcdc91a2c8 to 54d42054bcb1 (1 revision) (cla: yes, waiting for tree to go green)
[28954](https://github.com/flutter/engine/pull/28954) Roll Fuchsia Mac SDK from owSIykHxQ... to Fo7RBTco3... (cla: yes, waiting for tree to go green)
[28955](https://github.com/flutter/engine/pull/28955) Roll Skia from ddbb97d741ff to 4b6421f9474f (3 revisions) (cla: yes, waiting for tree to go green)
[28956](https://github.com/flutter/engine/pull/28956) Roll Fuchsia Linux SDK from BlL9tK7aj... to wGBwwbbE-... (cla: yes, waiting for tree to go green)
[28957](https://github.com/flutter/engine/pull/28957) Roll Dart SDK from 54d42054bcb1 to a35443bce002 (1 revision) (cla: yes, waiting for tree to go green)
[28958](https://github.com/flutter/engine/pull/28958) Roll Skia from 4b6421f9474f to c076abe32ab5 (1 revision) (cla: yes, waiting for tree to go green)
[28959](https://github.com/flutter/engine/pull/28959) Roll Skia from c076abe32ab5 to 4ae3fd33cfaa (2 revisions) (cla: yes, waiting for tree to go green)
[28961](https://github.com/flutter/engine/pull/28961) Roll Dart SDK from a35443bce002 to 4a4c1361ad7b (1 revision) (cla: yes, waiting for tree to go green)
[28962](https://github.com/flutter/engine/pull/28962) Roll Skia from 4ae3fd33cfaa to 9c0b84417309 (5 revisions) (cla: yes, waiting for tree to go green)
[28963](https://github.com/flutter/engine/pull/28963) Revert Fuchsia SDK to version from 9/23 (cla: yes, waiting for tree to go green)
[28964](https://github.com/flutter/engine/pull/28964) Roll Skia from 9c0b84417309 to f69f21e601f9 (4 revisions) (cla: yes, waiting for tree to go green)
[28965](https://github.com/flutter/engine/pull/28965) Roll CanvasKit to 0.30 (cla: yes, platform-web, needs tests)
[28966](https://github.com/flutter/engine/pull/28966) Add web support for tooltip (cla: yes, waiting for tree to go green, platform-web)
[28968](https://github.com/flutter/engine/pull/28968) include nested Picture stats in DisplayList byte and op counts (cla: yes, waiting for tree to go green)
[28970](https://github.com/flutter/engine/pull/28970) [Windows] Add restart hooks, and reset keyboard (cla: yes, platform-windows, needs tests)
[28971](https://github.com/flutter/engine/pull/28971) [iOS] Hardware keyboard text editing shortcuts (platform-ios, cla: yes)
[28973](https://github.com/flutter/engine/pull/28973) Manual clang roll (cla: yes)
[28975](https://github.com/flutter/engine/pull/28975) made it so you can specify which adb to use for android tests (cla: yes, waiting for tree to go green)
[28976](https://github.com/flutter/engine/pull/28976) Roll Skia from f69f21e601f9 to 7bb0ff05cec5 (7 revisions) (cla: yes, waiting for tree to go green)
[28977](https://github.com/flutter/engine/pull/28977) Remove some deprecated APIs from the Android embedding (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28979](https://github.com/flutter/engine/pull/28979) Roll Dart SDK from 4a4c1361ad7b to 4fa07f3ccd43 (1 revision) (cla: yes, waiting for tree to go green)
[28980](https://github.com/flutter/engine/pull/28980) [fuchsia][flatland] Fix for AwaitVsync race (cla: yes, platform-fuchsia)
[28981](https://github.com/flutter/engine/pull/28981) Roll Skia from 7bb0ff05cec5 to b011afc82fde (1 revision) (cla: yes, waiting for tree to go green)
[28982](https://github.com/flutter/engine/pull/28982) [fuchsia] CML files for Flutter runner CF v2. (cla: yes, platform-fuchsia)
[28984](https://github.com/flutter/engine/pull/28984) Roll Dart SDK from 4fa07f3ccd43 to cea2ea76fc66 (2 revisions) (cla: yes, waiting for tree to go green)
[28985](https://github.com/flutter/engine/pull/28985) Cherry-pick Fuchsia revert (cla: yes)
[28986](https://github.com/flutter/engine/pull/28986) Roll Skia from b011afc82fde to 8e29caf4c130 (6 revisions) (cla: yes, waiting for tree to go green)
[28987](https://github.com/flutter/engine/pull/28987) Defer setup of the default font manager if the embedding prefetched the font manager (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28988](https://github.com/flutter/engine/pull/28988) Roll Dart SDK from cea2ea76fc66 to d50eacfa4fcd (2 revisions) (cla: yes, waiting for tree to go green)
[28989](https://github.com/flutter/engine/pull/28989) Roll Skia from 8e29caf4c130 to 906e9eb53841 (6 revisions) (cla: yes, waiting for tree to go green)
[28990](https://github.com/flutter/engine/pull/28990) Roll Chrome to major version 96 (cla: yes, platform-web)
[28993](https://github.com/flutter/engine/pull/28993) [fuchsia] publish dart runner v2 protocol (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[28994](https://github.com/flutter/engine/pull/28994) Roll Dart SDK from d50eacfa4fcd to 8c385be2c663 (2 revisions) (cla: yes, waiting for tree to go green)
[28995](https://github.com/flutter/engine/pull/28995) Roll Dart SDK from 8c385be2c663 to f440a20ff15f (2 revisions) (cla: yes, waiting for tree to go green)
[28996](https://github.com/flutter/engine/pull/28996) Roll Skia from 906e9eb53841 to ce22e059ffeb (1 revision) (cla: yes, waiting for tree to go green)
[28997](https://github.com/flutter/engine/pull/28997) make dart_runner cmx files have valid json (cla: yes, waiting for tree to go green, platform-fuchsia)
[28998](https://github.com/flutter/engine/pull/28998) Pass argmuent list to dart_runner v2 main invocation. (cla: yes, platform-fuchsia, needs tests)
[28999](https://github.com/flutter/engine/pull/28999) Roll Skia from ce22e059ffeb to 23a66f7fb915 (1 revision) (cla: yes, waiting for tree to go green)
[29000](https://github.com/flutter/engine/pull/29000) Roll Skia from 23a66f7fb915 to f843d5cf7212 (1 revision) (cla: yes, waiting for tree to go green)
[29001](https://github.com/flutter/engine/pull/29001) Take SUPPORT_FRACTIONAL_TRANSLATION into account when diffing layers (cla: yes, waiting for tree to go green)
[29002](https://github.com/flutter/engine/pull/29002) Roll Dart SDK from f440a20ff15f to 7fe995e95e37 (1 revision) (cla: yes, waiting for tree to go green)
[29003](https://github.com/flutter/engine/pull/29003) Roll Skia from f843d5cf7212 to 03dd6a47a67b (1 revision) (cla: yes, waiting for tree to go green)
[29004](https://github.com/flutter/engine/pull/29004) Roll Skia from 03dd6a47a67b to 816d9179b3ca (3 revisions) (cla: yes, waiting for tree to go green)
[29005](https://github.com/flutter/engine/pull/29005) Roll Dart SDK from 7fe995e95e37 to aea166168df4 (1 revision) (cla: yes, waiting for tree to go green)
[29006](https://github.com/flutter/engine/pull/29006) Roll Skia from 816d9179b3ca to 923d83bf1875 (1 revision) (cla: yes, waiting for tree to go green)
[29007](https://github.com/flutter/engine/pull/29007) Start animator paused (cla: yes, waiting for tree to go green)
[29011](https://github.com/flutter/engine/pull/29011) [web] remove platform initialization timeout (cla: yes, platform-web, needs tests)
[29013](https://github.com/flutter/engine/pull/29013) Expose updateSystemUiOverlays in FlutterActivity and FlutterFragment (platform-android, cla: yes, waiting for tree to go green)
[29015](https://github.com/flutter/engine/pull/29015) Do not call Animator::Delegate::OnAnimatorNotifyIdle until at least one frame has been rendered. (cla: yes)
[29019](https://github.com/flutter/engine/pull/29019) fuchsia: Implement WakeUp using zx::timer (cla: yes, platform-fuchsia, needs tests)
[29022](https://github.com/flutter/engine/pull/29022) Roll Skia from 923d83bf1875 to a6d7296948d4 (33 revisions) (cla: yes, waiting for tree to go green)
[29024](https://github.com/flutter/engine/pull/29024) Roll Skia from a6d7296948d4 to 52d162904845 (2 revisions) (cla: yes, waiting for tree to go green)
[29025](https://github.com/flutter/engine/pull/29025) Attempt to bump to Flutter 2.5 builders. (cla: yes, platform-fuchsia)
[29026](https://github.com/flutter/engine/pull/29026) Roll Skia from 52d162904845 to 237c22adb8a1 (1 revision) (cla: yes, waiting for tree to go green)
[29027](https://github.com/flutter/engine/pull/29027) Revert "Attempt to bump to Flutter 2.5 builders. (#29025)" (cla: yes, platform-fuchsia)
[29028](https://github.com/flutter/engine/pull/29028) [web] Add support for textScaleFactor (cla: yes, platform-web)
[29029](https://github.com/flutter/engine/pull/29029) Kick Builds (cla: yes, platform-fuchsia)
[29030](https://github.com/flutter/engine/pull/29030) Roll Skia from 237c22adb8a1 to fd4dc2347dd4 (4 revisions) (cla: yes, waiting for tree to go green)
[29031](https://github.com/flutter/engine/pull/29031) Update gcp credentials for fuchsia_f5. (cla: yes, platform-fuchsia)
[29032](https://github.com/flutter/engine/pull/29032) Roll Skia from fd4dc2347dd4 to d4ca5e11a157 (1 revision) (cla: yes, waiting for tree to go green)
[29033](https://github.com/flutter/engine/pull/29033) Kick builds. (cla: yes, platform-fuchsia)
[29034](https://github.com/flutter/engine/pull/29034) [fuchsia] Implement fuchsia.ui.pointer.MouseSource (cla: yes, platform-fuchsia)
[29035](https://github.com/flutter/engine/pull/29035) fuchsia: fix build (cla: yes, waiting for tree to go green, platform-fuchsia)
[29037](https://github.com/flutter/engine/pull/29037) Roll Skia from d4ca5e11a157 to ff5bb37b72b2 (1 revision) (cla: yes, waiting for tree to go green)
[29038](https://github.com/flutter/engine/pull/29038) [web] force WebGL 1 on iOS (cla: yes, platform-web, needs tests)
[29039](https://github.com/flutter/engine/pull/29039) Roll Skia from ff5bb37b72b2 to 98eb297750e6 (1 revision) (cla: yes, waiting for tree to go green)
[29040](https://github.com/flutter/engine/pull/29040) Roll Skia from 98eb297750e6 to 7e03a9adf21b (1 revision) (cla: yes, waiting for tree to go green)
[29041](https://github.com/flutter/engine/pull/29041) Roll Skia from 7e03a9adf21b to 0c18d7f33227 (3 revisions) (cla: yes, waiting for tree to go green)
[29042](https://github.com/flutter/engine/pull/29042) Revert "Guard task queue id for fuchsia" (cla: yes, platform-fuchsia, needs tests)
[29044](https://github.com/flutter/engine/pull/29044) Roll Skia from 0c18d7f33227 to fbc64be80620 (2 revisions) (cla: yes, waiting for tree to go green)
[29045](https://github.com/flutter/engine/pull/29045) Roll Skia from fbc64be80620 to 47da0ac577aa (3 revisions) (cla: yes, waiting for tree to go green)
[29046](https://github.com/flutter/engine/pull/29046) Switch skipped UWP tests to disabled (cla: yes)
[29047](https://github.com/flutter/engine/pull/29047) Roll Skia from 47da0ac577aa to 6d0234673a40 (4 revisions) (cla: yes, waiting for tree to go green)
[29048](https://github.com/flutter/engine/pull/29048) fuchsia: Enable AOT builds of Dart test packages (affects: tests, cla: yes, platform-fuchsia)
[29049](https://github.com/flutter/engine/pull/29049) Roll Skia from 6d0234673a40 to a1b44b72eb47 (3 revisions) (cla: yes, waiting for tree to go green)
[29050](https://github.com/flutter/engine/pull/29050) [canvaskit] Fix bug when platform views are reused when overlays are disabled. (cla: yes, platform-web)
[29051](https://github.com/flutter/engine/pull/29051) Roll Skia from a1b44b72eb47 to 1190301c3dba (2 revisions) (cla: yes, waiting for tree to go green)
[29052](https://github.com/flutter/engine/pull/29052) Fixed flutter_shell_native_unittests so they are built by default. (cla: yes, waiting for tree to go green)
[29054](https://github.com/flutter/engine/pull/29054) Roll Skia from 1190301c3dba to 1347e1334fe0 (7 revisions) (cla: yes, waiting for tree to go green)
[29055](https://github.com/flutter/engine/pull/29055) Update contrast enforcement for null values (platform-android, cla: yes, waiting for tree to go green)
[29056](https://github.com/flutter/engine/pull/29056) [web] add FlutterConfiguration, use it to supply local CanvasKit files (cla: yes, platform-web)
[29057](https://github.com/flutter/engine/pull/29057) [fuchsia][flatland] Correct present credit accounting in FlatlandConnection (cla: yes, platform-fuchsia)
[29058](https://github.com/flutter/engine/pull/29058) Roll Skia from 1347e1334fe0 to 29eed809a315 (1 revision) (cla: yes, waiting for tree to go green)
[29059](https://github.com/flutter/engine/pull/29059) Roll Skia from 29eed809a315 to 96713facd789 (3 revisions) (cla: yes, waiting for tree to go green)
[29060](https://github.com/flutter/engine/pull/29060) Set system bar appearance using WindowInsetsControllerCompat instead of the deprecated View#setSystemUiVisibility (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29062](https://github.com/flutter/engine/pull/29062) [ci.yaml] Migrate engine_staging_config.star to ci.yaml (cla: yes, waiting for tree to go green)
[29063](https://github.com/flutter/engine/pull/29063) [web] Dart-format a file (cla: yes, platform-web)
[29065](https://github.com/flutter/engine/pull/29065) Roll Skia from 96713facd789 to 637275224b4c (12 revisions) (cla: yes, waiting for tree to go green)
[29066](https://github.com/flutter/engine/pull/29066) Roll Skia from 637275224b4c to 59b5f5258ba4 (1 revision) (cla: yes, waiting for tree to go green)
[29067](https://github.com/flutter/engine/pull/29067) Roll Skia from 59b5f5258ba4 to 1ab7ff6abf82 (1 revision) (cla: yes, waiting for tree to go green)
[29068](https://github.com/flutter/engine/pull/29068) Roll Skia from 1ab7ff6abf82 to 01b02956c75c (1 revision) (cla: yes, waiting for tree to go green)
[29071](https://github.com/flutter/engine/pull/29071) Revert "Use the systrace recorder if systracing is enabled at startup, and enable systracing in release mode on Android" (platform-android, cla: yes, needs tests)
[29072](https://github.com/flutter/engine/pull/29072) [fuchsia] Rename, move some CF v1 runner code. (cla: yes, platform-fuchsia)
[29073](https://github.com/flutter/engine/pull/29073) Roll Skia from 01b02956c75c to ae39340d247d (1 revision) (cla: yes, waiting for tree to go green)
[29074](https://github.com/flutter/engine/pull/29074) Roll Skia from ae39340d247d to 3156f4408b83 (3 revisions) (cla: yes, waiting for tree to go green)
[29080](https://github.com/flutter/engine/pull/29080) Reland Android systrace (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29082](https://github.com/flutter/engine/pull/29082) Roll Skia from 3156f4408b83 to 8fa6dbffff50 (8 revisions) (cla: yes, waiting for tree to go green)
[29083](https://github.com/flutter/engine/pull/29083) Roll Fuchsia Mac SDK from nblJjRFDA... to A-oFoYGCf... (cla: yes, waiting for tree to go green)
[29084](https://github.com/flutter/engine/pull/29084) Roll Fuchsia Linux SDK from tBL8VjITE... to v8lv8TQuR... (cla: yes, waiting for tree to go green)
[29085](https://github.com/flutter/engine/pull/29085) Roll Skia from 8fa6dbffff50 to cd2f207a2e3f (1 revision) (cla: yes, waiting for tree to go green)
[29087](https://github.com/flutter/engine/pull/29087) Roll Skia from cd2f207a2e3f to 89457e9237fc (1 revision) (cla: yes, waiting for tree to go green)
[29088](https://github.com/flutter/engine/pull/29088) Unzip Chrome to the correct location when testing locally on Linux (cla: yes, platform-web, needs tests)
[29089](https://github.com/flutter/engine/pull/29089) Roll Skia from 89457e9237fc to 6030e0a2c5bd (1 revision) (cla: yes, waiting for tree to go green)
[29090](https://github.com/flutter/engine/pull/29090) Always increment response_id for Android platform messages (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29091](https://github.com/flutter/engine/pull/29091) [fuchsia] Add Launcher & Resolver to Dart JIT CMX. (cla: yes, waiting for tree to go green, platform-fuchsia)
[29092](https://github.com/flutter/engine/pull/29092) Roll Skia from 6030e0a2c5bd to c63e913f574a (1 revision) (cla: yes, waiting for tree to go green)
[29093](https://github.com/flutter/engine/pull/29093) Map the Android VsyncWaiter frame start time to the clock used by fml::TimePoint (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29094](https://github.com/flutter/engine/pull/29094) Roll Skia from c63e913f574a to 4e6353d3fedf (1 revision) (cla: yes, waiting for tree to go green)
[29097](https://github.com/flutter/engine/pull/29097) Correct spell of method name in comment (cla: yes)
[29098](https://github.com/flutter/engine/pull/29098) Roll Fuchsia Mac SDK from A-oFoYGCf... to vPM5hitAH... (cla: yes, waiting for tree to go green)
[29099](https://github.com/flutter/engine/pull/29099) Roll Fuchsia Linux SDK from v8lv8TQuR... to QsO40jt0B... (cla: yes, waiting for tree to go green)
[29100](https://github.com/flutter/engine/pull/29100) Fix build flags for WinUWP (cla: yes, waiting for tree to go green, platform-windows)
[29101](https://github.com/flutter/engine/pull/29101) Roll Skia from 4e6353d3fedf to ac828b77f69a (1 revision) (cla: yes, waiting for tree to go green)
[29102](https://github.com/flutter/engine/pull/29102) Roll Fuchsia Mac SDK from vPM5hitAH... to kYysl-Ja9... (cla: yes, waiting for tree to go green)
[29103](https://github.com/flutter/engine/pull/29103) Roll Fuchsia Linux SDK from QsO40jt0B... to KjDL3k59m... (cla: yes, waiting for tree to go green)
[29104](https://github.com/flutter/engine/pull/29104) Roll Skia from ac828b77f69a to af2f73c1bbd3 (1 revision) (cla: yes, waiting for tree to go green)
[29105](https://github.com/flutter/engine/pull/29105) Roll Skia from af2f73c1bbd3 to cbaf52b37382 (4 revisions) (cla: yes, waiting for tree to go green)
[29106](https://github.com/flutter/engine/pull/29106) Roll Fuchsia Mac SDK from kYysl-Ja9... to XKmz7MquH... (cla: yes, waiting for tree to go green)
[29107](https://github.com/flutter/engine/pull/29107) Roll Fuchsia Linux SDK from KjDL3k59m... to DOvZT4ZBO... (cla: yes, waiting for tree to go green)
[29108](https://github.com/flutter/engine/pull/29108) [iOS] Using UIView container as text input superview for textinput plugin (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[29109](https://github.com/flutter/engine/pull/29109) Roll Skia from cbaf52b37382 to eafb39fc7edd (1 revision) (cla: yes, waiting for tree to go green)
[29110](https://github.com/flutter/engine/pull/29110) Roll buildroot to 7c0186c5f3acaaea6c59b6cdf4502968722a565c (cla: yes, waiting for tree to go green)
[29111](https://github.com/flutter/engine/pull/29111) Roll Skia from eafb39fc7edd to 108cb0cfa375 (6 revisions) (cla: yes, waiting for tree to go green)
[29112](https://github.com/flutter/engine/pull/29112) Roll Skia from 108cb0cfa375 to 206c1f3f7e01 (1 revision) (cla: yes, waiting for tree to go green)
[29113](https://github.com/flutter/engine/pull/29113) [iOS] Fix duplicated keys when typing quickly on HW keyboard (platform-ios, cla: yes)
[29114](https://github.com/flutter/engine/pull/29114) Roll Skia from 206c1f3f7e01 to 90a66821f0ba (2 revisions) (cla: yes, waiting for tree to go green)
[29115](https://github.com/flutter/engine/pull/29115) Roll Skia from 90a66821f0ba to 3286a6962f38 (1 revision) (cla: yes, waiting for tree to go green)
[29117](https://github.com/flutter/engine/pull/29117) updated the docs for platform_message_callback (cla: yes, embedder)
[29118](https://github.com/flutter/engine/pull/29118) Roll Dart SDK from aea166168df4 to 7c0d67ae7fbc (3 revisions) (cla: yes, waiting for tree to go green)
[29119](https://github.com/flutter/engine/pull/29119) Roll Fuchsia Linux SDK from DOvZT4ZBO... to phhPbZu01... (cla: yes, waiting for tree to go green)
[29122](https://github.com/flutter/engine/pull/29122) Roll Dart SDK from 7c0d67ae7fbc to f5177b16c50b (7 revisions) (cla: yes, waiting for tree to go green)
[29123](https://github.com/flutter/engine/pull/29123) Roll Skia from 3286a6962f38 to 732e4ebd2098 (6 revisions) (cla: yes, waiting for tree to go green)
[29124](https://github.com/flutter/engine/pull/29124) Roll Skia from 732e4ebd2098 to e5a06afeaedd (1 revision) (cla: yes, waiting for tree to go green)
[29125](https://github.com/flutter/engine/pull/29125) Roll Fuchsia Mac SDK from XKmz7MquH... to uD1eZQkE9... (cla: yes, waiting for tree to go green)
[29126](https://github.com/flutter/engine/pull/29126) Roll Skia from e5a06afeaedd to bcda412af714 (3 revisions) (cla: yes, waiting for tree to go green)
[29127](https://github.com/flutter/engine/pull/29127) [iOS] Fixes key press related memory leaks (platform-ios, cla: yes, needs tests)
[29128](https://github.com/flutter/engine/pull/29128) Roll Skia from bcda412af714 to f32ad08ac4a7 (1 revision) (cla: yes, waiting for tree to go green)
[29129](https://github.com/flutter/engine/pull/29129) Roll Fuchsia Linux SDK from phhPbZu01... to ENEBlk0Vl... (cla: yes, waiting for tree to go green)
[29130](https://github.com/flutter/engine/pull/29130) Roll Skia from f32ad08ac4a7 to c9f160b8dd4f (2 revisions) (cla: yes, waiting for tree to go green)
[29131](https://github.com/flutter/engine/pull/29131) Calculate the frame target time based on targetTimestamp in VsyncWaiterIOS (platform-ios, cla: yes, needs tests)
[29132](https://github.com/flutter/engine/pull/29132) Roll Dart SDK from f5177b16c50b to 92f5de5ee852 (8 revisions) (cla: yes, waiting for tree to go green)
[29133](https://github.com/flutter/engine/pull/29133) Roll buildroot to 2610767168166f98e7e0656893fe1a550d5f6fab (cla: yes)
[29134](https://github.com/flutter/engine/pull/29134) Roll Skia from c9f160b8dd4f to 35a74eab5d48 (2 revisions) (cla: yes, waiting for tree to go green)
[29135](https://github.com/flutter/engine/pull/29135) Revert Fuchsia SDK rolls to version from 9/23 (cla: yes, waiting for tree to go green)
[29136](https://github.com/flutter/engine/pull/29136) Roll Skia from 35a74eab5d48 to 87a0078b8909 (3 revisions) (cla: yes, waiting for tree to go green)
[29138](https://github.com/flutter/engine/pull/29138) Cherry pick Fuchsia SDK revert (cla: yes)
[29140](https://github.com/flutter/engine/pull/29140) Roll Dart SDK from 92f5de5ee852 to 6597e49b6291 (6 revisions) (cla: yes, waiting for tree to go green)
[29141](https://github.com/flutter/engine/pull/29141) Roll Skia from 87a0078b8909 to dc6a9e3e128e (9 revisions) (cla: yes, waiting for tree to go green)
[29142](https://github.com/flutter/engine/pull/29142) [fuchsia] Create CF v2 Flutter runner. (cla: yes, waiting for tree to go green, platform-fuchsia)
[29143](https://github.com/flutter/engine/pull/29143) Roll Skia from dc6a9e3e128e to 77e24f3b2ba1 (4 revisions) (cla: yes, waiting for tree to go green)
[29144](https://github.com/flutter/engine/pull/29144) Roll Skia from 77e24f3b2ba1 to 5420cbcf657d (1 revision) (cla: yes, waiting for tree to go green)
[29145](https://github.com/flutter/engine/pull/29145) Do not serialize on UI/Raster threads for Shell::OnCreatePlatformView (cla: yes)
[29146](https://github.com/flutter/engine/pull/29146) Cancel IME composing on clear text input client (cla: yes, platform-windows)
[29147](https://github.com/flutter/engine/pull/29147) Android Background Platform Channels (platform-android, cla: yes, waiting for tree to go green)
[29149](https://github.com/flutter/engine/pull/29149) Roll Dart SDK from 6597e49b6291 to 5703908f6d10 (6 revisions) (cla: yes, waiting for tree to go green)
[29150](https://github.com/flutter/engine/pull/29150) Roll Skia from 5420cbcf657d to 734d7e2be408 (1 revision) (cla: yes, waiting for tree to go green)
[29151](https://github.com/flutter/engine/pull/29151) Disable iOS simulator flag when targeting mac (cla: yes)
[29153](https://github.com/flutter/engine/pull/29153) Roll Skia from 734d7e2be408 to 1da50bea27c3 (1 revision) (cla: yes, waiting for tree to go green)
[29154](https://github.com/flutter/engine/pull/29154) Roll Skia from 1da50bea27c3 to d27bb77aaeab (3 revisions) (cla: yes, waiting for tree to go green)
[29156](https://github.com/flutter/engine/pull/29156) [iOS] Fixes FlutterUIPressProxy leaks (platform-ios, cla: yes, needs tests)
[29157](https://github.com/flutter/engine/pull/29157) Roll Skia from d27bb77aaeab to abb6814cc75a (1 revision) (cla: yes, waiting for tree to go green)
[29158](https://github.com/flutter/engine/pull/29158) [web] Implement TextAlign.justify (cla: yes, platform-web)
[29159](https://github.com/flutter/engine/pull/29159) Roll Skia from abb6814cc75a to 76f61debc6fb (1 revision) (cla: yes, waiting for tree to go green)
[29163](https://github.com/flutter/engine/pull/29163) Roll Dart SDK from 5703908f6d10 to ba59e2c850b8 (3 revisions) (cla: yes, waiting for tree to go green)
[29164](https://github.com/flutter/engine/pull/29164) Correct file line-endings from CRLF to LF (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[29166](https://github.com/flutter/engine/pull/29166) [web] Workaround iOS 15 Safari crash (cla: yes, platform-web)
[29167](https://github.com/flutter/engine/pull/29167) Roll Skia from 76f61debc6fb to 558aff92f98c (10 revisions) (cla: yes, waiting for tree to go green)
[29168](https://github.com/flutter/engine/pull/29168) [web] Add goldctl as a dependency in LUCI (cla: yes, platform-web)
[29169](https://github.com/flutter/engine/pull/29169) Roll Skia from 558aff92f98c to 9467361423e0 (6 revisions) (cla: yes, waiting for tree to go green)
[29170](https://github.com/flutter/engine/pull/29170) Roll Skia from 9467361423e0 to 37a6ec9e3ca0 (2 revisions) (cla: yes, waiting for tree to go green)
[29173](https://github.com/flutter/engine/pull/29173) Roll Skia from 37a6ec9e3ca0 to 4f7e0ad6b210 (1 revision) (cla: yes, waiting for tree to go green)
[29174](https://github.com/flutter/engine/pull/29174) Roll Dart SDK from ba59e2c850b8 to 081a57c06088 (6 revisions) (cla: yes)
[29175](https://github.com/flutter/engine/pull/29175) Roll Skia from 4f7e0ad6b210 to 21fe518fbb04 (1 revision) (cla: yes, waiting for tree to go green)
[29177](https://github.com/flutter/engine/pull/29177) Remove unused present method (cla: yes, platform-linux, needs tests)
[29179](https://github.com/flutter/engine/pull/29179) [web] use 'dart compile js' instead of 'dart2js' in web_ui and felt (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29180](https://github.com/flutter/engine/pull/29180) Roll Skia from 21fe518fbb04 to 7779a70f8729 (1 revision) (cla: yes, waiting for tree to go green)
[29182](https://github.com/flutter/engine/pull/29182) Roll Skia from 7779a70f8729 to 5ff51fb2e3cd (3 revisions) (cla: yes, waiting for tree to go green)
[29183](https://github.com/flutter/engine/pull/29183) Roll Skia from 5ff51fb2e3cd to 237dd2d94d06 (2 revisions) (cla: yes, waiting for tree to go green)
[29184](https://github.com/flutter/engine/pull/29184) [fuchsia] Keep track of all child transforms in FlatlandExternalViewEmbedder (cla: yes, platform-fuchsia, needs tests)
[29185](https://github.com/flutter/engine/pull/29185) Roll Skia from 237dd2d94d06 to 8b0ba16043ae (1 revision) (cla: yes, waiting for tree to go green)
[29186](https://github.com/flutter/engine/pull/29186) Roll Skia from 8b0ba16043ae to f7d267364393 (6 revisions) (cla: yes, waiting for tree to go green)
[29188](https://github.com/flutter/engine/pull/29188) [flutter_releases] Flutter stable 2.5.3 Engine Cherrypicks (cla: yes)
[29189](https://github.com/flutter/engine/pull/29189) Roll Skia from f7d267364393 to ab19daec3b88 (2 revisions) (cla: yes, waiting for tree to go green)
[29191](https://github.com/flutter/engine/pull/29191) Roll Skia from ab19daec3b88 to d0c7f636453b (1 revision) (cla: yes, waiting for tree to go green)
[29192](https://github.com/flutter/engine/pull/29192) Ignore implicit_dynamic_function analyzer error for js_util generic methods (cla: yes, waiting for tree to go green, platform-web)
[29194](https://github.com/flutter/engine/pull/29194) Roll Skia from d0c7f636453b to aa9656d8caa6 (3 revisions) (cla: yes, waiting for tree to go green)
[29195](https://github.com/flutter/engine/pull/29195) Roll Dart SDK from 081a57c06088 to 82b0281cbcf3 (3 revisions) (cla: yes, waiting for tree to go green)
[29196](https://github.com/flutter/engine/pull/29196) Roll Skia from aa9656d8caa6 to 72602b668e22 (1 revision) (cla: yes, waiting for tree to go green)
[29197](https://github.com/flutter/engine/pull/29197) [ios key handling] Return the correct physical key when the keycode isn't mapped (platform-ios, cla: yes, waiting for tree to go green)
[29198](https://github.com/flutter/engine/pull/29198) Roll Dart SDK from 82b0281cbcf3 to aaca2ac128ae (1 revision) (cla: yes, waiting for tree to go green)
[29199](https://github.com/flutter/engine/pull/29199) Set the use_ios_simulator flag only on platforms where it is defined (iOS/Mac) (cla: yes, waiting for tree to go green)
[29201](https://github.com/flutter/engine/pull/29201) Roll Dart SDK from aaca2ac128ae to 9f3cd7a49814 (1 revision) (cla: yes, waiting for tree to go green)
[29202](https://github.com/flutter/engine/pull/29202) Roll Skia from 72602b668e22 to 012f7146067a (1 revision) (cla: yes, waiting for tree to go green)
[29203](https://github.com/flutter/engine/pull/29203) Roll Skia from 012f7146067a to b24bad31dc05 (3 revisions) (cla: yes, waiting for tree to go green)
[29204](https://github.com/flutter/engine/pull/29204) Roll Dart SDK from 9f3cd7a49814 to e8c02a935741 (1 revision) (cla: yes, waiting for tree to go green)
[29205](https://github.com/flutter/engine/pull/29205) Roll Dart SDK from e8c02a935741 to 42acd2ae8fa8 (1 revision) (cla: yes, waiting for tree to go green)
[29206](https://github.com/flutter/engine/pull/29206) Revert "Set system bar appearance using WindowInsetsControllerCompat instead of the deprecated View#setSystemUiVisibility" (platform-android, cla: yes)
[29207](https://github.com/flutter/engine/pull/29207) Roll Skia from b24bad31dc05 to a750dfcce25c (1 revision) (cla: yes, waiting for tree to go green)
[29209](https://github.com/flutter/engine/pull/29209) Roll Skia from a750dfcce25c to 0e55a137ddaa (1 revision) (cla: yes, waiting for tree to go green)
[29210](https://github.com/flutter/engine/pull/29210) Roll Dart SDK from e8c02a935741 to 42acd2ae8fa8 (1 revision) (#29205) (cla: yes)
[29211](https://github.com/flutter/engine/pull/29211) Roll Dart SDK from 42acd2ae8fa8 to db761f01b501 (2 revisions) (cla: yes, waiting for tree to go green)
[29212](https://github.com/flutter/engine/pull/29212) Roll Skia from 0e55a137ddaa to 6a24fe4825b7 (2 revisions) (cla: yes, waiting for tree to go green)
[29213](https://github.com/flutter/engine/pull/29213) [ci.yaml] Disable framework tests on release branches (cla: yes, waiting for tree to go green)
[29214](https://github.com/flutter/engine/pull/29214) Roll Skia from 6a24fe4825b7 to 409bb0195f9e (1 revision) (cla: yes, waiting for tree to go green)
[29219](https://github.com/flutter/engine/pull/29219) Roll Skia from 409bb0195f9e to c41ac91167e3 (1 revision) (cla: yes, waiting for tree to go green)
[29221](https://github.com/flutter/engine/pull/29221) Roll Skia from c41ac91167e3 to 5bf1b51e61ce (2 revisions) (cla: yes, waiting for tree to go green)
[29222](https://github.com/flutter/engine/pull/29222) Roll Dart SDK from db761f01b501 to 715b701a3108 (1 revision) (cla: yes, waiting for tree to go green)
[29223](https://github.com/flutter/engine/pull/29223) [web] implement decodeImageFromPixels for CanvasKit (cla: yes, platform-web)
[29224](https://github.com/flutter/engine/pull/29224) Roll Skia from 5bf1b51e61ce to 4021b947f7b0 (1 revision) (cla: yes, waiting for tree to go green)
[29226](https://github.com/flutter/engine/pull/29226) Refactor FlutterViewTest with extracting common test code to methods (platform-android, cla: yes, waiting for tree to go green)
[29227](https://github.com/flutter/engine/pull/29227) Roll Skia from 4021b947f7b0 to a0c98f770f91 (1 revision) (cla: yes, waiting for tree to go green)
[29228](https://github.com/flutter/engine/pull/29228) Roll Skia from a0c98f770f91 to 835345aaa349 (1 revision) (cla: yes, waiting for tree to go green)
[29230](https://github.com/flutter/engine/pull/29230) Add traces to Android embedding (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29231](https://github.com/flutter/engine/pull/29231) Replace FragmentShader with FragmentShaderBuilder (cla: yes, waiting for tree to go green, platform-web)
[29233](https://github.com/flutter/engine/pull/29233) Remove Robolectric and add androidx.tracing to the android_embedding_dependencies package (cla: yes, waiting for tree to go green)
[29234](https://github.com/flutter/engine/pull/29234) [flutter_releases] Flutter beta 2.7.0-3.0.pre Engine Cherrypicks (cla: yes)
[29238](https://github.com/flutter/engine/pull/29238) Roll Clang Linux from FMLihg51s... to usfKkGnw0... (cla: yes, waiting for tree to go green)
[29239](https://github.com/flutter/engine/pull/29239) Update firebase_testlab.py (cla: yes)
[29240](https://github.com/flutter/engine/pull/29240) Roll Clang Mac from KP-N5ruFe... to HpW96jrB8... (cla: yes, waiting for tree to go green)
[29241](https://github.com/flutter/engine/pull/29241) Add FlutterPlayStoreSplitApplication to v2 embedding (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29242](https://github.com/flutter/engine/pull/29242) [macOS] Clearing overridden channel should not affect the latest channel (cla: yes, platform-macos)
[29243](https://github.com/flutter/engine/pull/29243) Roll Skia from 835345aaa349 to e1bfa18fc512 (33 revisions) (cla: yes, waiting for tree to go green)
[29244](https://github.com/flutter/engine/pull/29244) Roll Dart SDK from 715b701a3108 to 84c74548e30a (6 revisions) (cla: yes, waiting for tree to go green)
[29245](https://github.com/flutter/engine/pull/29245) Build a specialized snapshot for launching the service isolate in profile mode on Android (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29246](https://github.com/flutter/engine/pull/29246) [web] Fix keyboard popping up unexpectedly on iOS (cla: yes, platform-web)
[29247](https://github.com/flutter/engine/pull/29247) Roll Skia from e1bfa18fc512 to 2fceb21cb7ce (2 revisions) (cla: yes, waiting for tree to go green)
[29248](https://github.com/flutter/engine/pull/29248) Deprecate android v1 embedding (platform-android, cla: yes, needs tests)
[29249](https://github.com/flutter/engine/pull/29249) Roll Skia from 2fceb21cb7ce to c9b917447577 (1 revision) (cla: yes, waiting for tree to go green)
[29250](https://github.com/flutter/engine/pull/29250) Roll Skia from c9b917447577 to 40b143c1743b (2 revisions) (cla: yes, waiting for tree to go green)
[29252](https://github.com/flutter/engine/pull/29252) Roll Skia from 40b143c1743b to d62b7ef97056 (4 revisions) (cla: yes, waiting for tree to go green)
[29253](https://github.com/flutter/engine/pull/29253) Roll Dart SDK from 84c74548e30a to 663d08ea8777 (1 revision) (cla: yes, waiting for tree to go green)
[29254](https://github.com/flutter/engine/pull/29254) Fix bug where ImageGenerator factories with the same priority get dropped in release mode (cla: yes)
[29255](https://github.com/flutter/engine/pull/29255) Roll Skia from d62b7ef97056 to 8582724780d8 (1 revision) (cla: yes, waiting for tree to go green)
[29256](https://github.com/flutter/engine/pull/29256) Revert "Roll Dart SDK from 84c74548e30a to 663d08ea8777 (1 revision)" (cla: yes)
[29258](https://github.com/flutter/engine/pull/29258) Roll Skia from 8582724780d8 to 0edd2c33d31e (2 revisions) (cla: yes, waiting for tree to go green)
[29259](https://github.com/flutter/engine/pull/29259) fuchsia: Add graph to FakeFlatland (affects: tests, cla: yes, platform-fuchsia)
[29260](https://github.com/flutter/engine/pull/29260) Roll Skia from 0edd2c33d31e to cb3c02005c97 (1 revision) (cla: yes, waiting for tree to go green)
[29261](https://github.com/flutter/engine/pull/29261) Roll Skia from cb3c02005c97 to dd07eb01c8dd (5 revisions) (cla: yes, waiting for tree to go green)
[29263](https://github.com/flutter/engine/pull/29263) Roll HarfBuzz (cla: yes)
[29264](https://github.com/flutter/engine/pull/29264) Roll Skia from dd07eb01c8dd to aaa70658c277 (2 revisions) (cla: yes, waiting for tree to go green)
[29265](https://github.com/flutter/engine/pull/29265) use nested op counts to determine picture complexity for raster cache (affects: engine, cla: yes, waiting for tree to go green, perf: speed)
[29266](https://github.com/flutter/engine/pull/29266) Update to match harfbuzz subsetting 3.0.0 api. (cla: yes, needs tests)
[29267](https://github.com/flutter/engine/pull/29267) Roll Skia from aaa70658c277 to 6dcb6b44e9d9 (3 revisions) (cla: yes, waiting for tree to go green)
[29268](https://github.com/flutter/engine/pull/29268) Adding missing snapshot to the fuchsia package in AOT builds (cla: yes)
[29269](https://github.com/flutter/engine/pull/29269) Win32: Enable semantics on accessibility query (cla: yes, platform-windows)
[29270](https://github.com/flutter/engine/pull/29270) Call rapidjson::ParseResult::IsError to check for JSON parsing errors (cla: yes, waiting for tree to go green, needs tests)
[29271](https://github.com/flutter/engine/pull/29271) Roll Skia from 6dcb6b44e9d9 to b19be6381025 (1 revision) (cla: yes, waiting for tree to go green)
[29273](https://github.com/flutter/engine/pull/29273) Remove stray log (cla: yes, waiting for tree to go green)
[29274](https://github.com/flutter/engine/pull/29274) Roll Skia from b19be6381025 to e3ff9b178358 (1 revision) (cla: yes, waiting for tree to go green)
[29275](https://github.com/flutter/engine/pull/29275) Use accessibility_config for accessibility/ax (cla: yes)
[29277](https://github.com/flutter/engine/pull/29277) Roll Skia from e3ff9b178358 to d252ff3f66f6 (1 revision) (cla: yes, waiting for tree to go green)
[29278](https://github.com/flutter/engine/pull/29278) Add FlutterWindowsEngine::DispatchSemanticsAction (cla: yes, platform-windows)
[29279](https://github.com/flutter/engine/pull/29279) Roll Skia from d252ff3f66f6 to 9cb20400599b (3 revisions) (cla: yes, waiting for tree to go green)
[29280](https://github.com/flutter/engine/pull/29280) Fix typos (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web, platform-macos, platform-linux, platform-fuchsia, needs tests)
[29282](https://github.com/flutter/engine/pull/29282) [Win32, Keyboard] Fix toggled state synthesization misses up events (cla: yes, platform-windows)
[29283](https://github.com/flutter/engine/pull/29283) [macOS] Reset keyboard states on engine restart (platform-ios, cla: yes, platform-macos)
[29285](https://github.com/flutter/engine/pull/29285) Roll Skia from 9cb20400599b to 05ac1b86adbb (2 revisions) (cla: yes, waiting for tree to go green)
[29287](https://github.com/flutter/engine/pull/29287) VSyncWaiter on Fuchsia will defer firing until frame start time (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29290](https://github.com/flutter/engine/pull/29290) [fuchsia] Add missing protocols to V2 runner. (cla: yes, waiting for tree to go green, platform-fuchsia)
[29291](https://github.com/flutter/engine/pull/29291) Delay default font manager to run concurrently with isolate setup (cla: yes, waiting for tree to go green)
[29292](https://github.com/flutter/engine/pull/29292) Roll Dart SDK from 84c74548e30a to 64f7ed6aa45a (11 revisions) (cla: yes, waiting for tree to go green)
[29297](https://github.com/flutter/engine/pull/29297) Roll Dart SDK from 64f7ed6aa45a to 70c57ad7db0b (2 revisions) (cla: yes, waiting for tree to go green)
[29298](https://github.com/flutter/engine/pull/29298) add flow events to the timeline to track the lifecycle of cache images (cla: yes, waiting for tree to go green, needs tests)
[29301](https://github.com/flutter/engine/pull/29301) Roll Dart SDK from 70c57ad7db0b to ba3ccf09afa3 (1 revision) (cla: yes, waiting for tree to go green)
[29302](https://github.com/flutter/engine/pull/29302) Roll Dart SDK from ba3ccf09afa3 to 1dce95867df2 (1 revision) (cla: yes, waiting for tree to go green)
[29304](https://github.com/flutter/engine/pull/29304) Roll Skia from 05ac1b86adbb to 8dd1f50a65fd (26 revisions) (cla: yes, waiting for tree to go green)
[29305](https://github.com/flutter/engine/pull/29305) [fuchsia] fidl::InterfaceHandle<T> -> THandle. (cla: yes, platform-fuchsia)
[29306](https://github.com/flutter/engine/pull/29306) Roll Skia from 8dd1f50a65fd to d8e8681c98c6 (1 revision) (cla: yes, waiting for tree to go green)
[29307](https://github.com/flutter/engine/pull/29307) Fix undefined symbol in firebase_testlab.py (cla: yes)
[29308](https://github.com/flutter/engine/pull/29308) Roll Skia from d8e8681c98c6 to 2b0935b71a47 (2 revisions) (cla: yes, waiting for tree to go green)
[29309](https://github.com/flutter/engine/pull/29309) Roll Dart SDK from 1dce95867df2 to 56fa1c638f3d (1 revision) (cla: yes, waiting for tree to go green)
[29310](https://github.com/flutter/engine/pull/29310) Roll Skia from 2b0935b71a47 to c00c888db123 (1 revision) (cla: yes, waiting for tree to go green)
[29311](https://github.com/flutter/engine/pull/29311) Roll Skia from c00c888db123 to 52aee23ded91 (1 revision) (cla: yes, waiting for tree to go green)
[29312](https://github.com/flutter/engine/pull/29312) Roll Dart SDK from 56fa1c638f3d to 6e43eba8b51e (1 revision) (cla: yes, waiting for tree to go green)
[29313](https://github.com/flutter/engine/pull/29313) Bump ICU to ece15d049f2d360721716089372e3749fb89e0f4 (cla: yes, platform-fuchsia)
[29314](https://github.com/flutter/engine/pull/29314) Roll Skia from 52aee23ded91 to 2e20e7674cc0 (1 revision) (cla: yes, waiting for tree to go green)
[29315](https://github.com/flutter/engine/pull/29315) Roll Skia from 2e20e7674cc0 to e167dda4244f (3 revisions) (cla: yes, waiting for tree to go green)
[29317](https://github.com/flutter/engine/pull/29317) ImageFilterLayer should adjust child layer bounds during diffing (cla: yes)
[29319](https://github.com/flutter/engine/pull/29319) Roll Dart SDK from 6e43eba8b51e to 2aad12948249 (1 revision) (cla: yes, waiting for tree to go green)
[29320](https://github.com/flutter/engine/pull/29320) Inform the Dart VM when snapshots are safe to use with madvise(DONTNEED). (platform-ios, platform-android, cla: yes, platform-macos, platform-linux, platform-fuchsia)
[29322](https://github.com/flutter/engine/pull/29322) Roll Skia from e167dda4244f to a21aacf7c76d (3 revisions) (cla: yes, waiting for tree to go green)
[29323](https://github.com/flutter/engine/pull/29323) ensure web_ui and ui have the same toString methods for StringAttributes (cla: yes, waiting for tree to go green, platform-web)
[29325](https://github.com/flutter/engine/pull/29325) [fuchsia] Remove unused SettingsManager protocol (cla: yes, platform-fuchsia)
[29326](https://github.com/flutter/engine/pull/29326) Update documentation links to point to main branch. (platform-android, cla: yes, waiting for tree to go green, platform-web, platform-windows, needs tests)
[29327](https://github.com/flutter/engine/pull/29327) Roll Skia from a21aacf7c76d to 0d3f184582ee (1 revision) (cla: yes, waiting for tree to go green)
[29328](https://github.com/flutter/engine/pull/29328) Roll Dart SDK from 2aad12948249 to 56c3e28096a6 (2 revisions) (cla: yes, waiting for tree to go green)
[29330](https://github.com/flutter/engine/pull/29330) [fuchsia] INTERNAL epitaph for non-zero return codes (cla: yes, platform-fuchsia, needs tests)
[29332](https://github.com/flutter/engine/pull/29332) Roll Skia from 0d3f184582ee to 643bd0fc8fd7 (3 revisions) (cla: yes, waiting for tree to go green)
[29334](https://github.com/flutter/engine/pull/29334) Roll Dart SDK from 56c3e28096a6 to 216e673af260 (1 revision) (cla: yes, waiting for tree to go green)
[29335](https://github.com/flutter/engine/pull/29335) Roll Skia from 643bd0fc8fd7 to f6fb3db1dc9e (7 revisions) (cla: yes, waiting for tree to go green)
[29336](https://github.com/flutter/engine/pull/29336) Make mirror GitHub workflow not run on forks (cla: yes, waiting for tree to go green)
[29337](https://github.com/flutter/engine/pull/29337) Add mac_ios staging builders to staging environment. (cla: yes, waiting for tree to go green)
[29338](https://github.com/flutter/engine/pull/29338) Roll Skia from f6fb3db1dc9e to 215b48dc23e6 (3 revisions) (cla: yes, waiting for tree to go green)
[29339](https://github.com/flutter/engine/pull/29339) Revert "Bump ICU to ece15d049f2d360721716089372e3749fb89e0f4. (#29313)" (cla: yes, platform-fuchsia)
[29340](https://github.com/flutter/engine/pull/29340) Bump ICU to ece15d049f2d360721716089372e3749fb89e0f4. (#29313) (cla: yes, platform-fuchsia)
[29341](https://github.com/flutter/engine/pull/29341) Roll Skia from 215b48dc23e6 to 97284f255bcc (3 revisions) (cla: yes, waiting for tree to go green)
[29342](https://github.com/flutter/engine/pull/29342) Roll Dart SDK from 216e673af260 to 7b67e7a70d36 (2 revisions) (cla: yes, waiting for tree to go green)
[29343](https://github.com/flutter/engine/pull/29343) Roll Skia from 97284f255bcc to cb04e3981f3f (1 revision) (cla: yes, waiting for tree to go green)
[29344](https://github.com/flutter/engine/pull/29344) Revert "Android Background Platform Channels" (platform-android, cla: yes)
[29346](https://github.com/flutter/engine/pull/29346) Reapply: Android background platform channels (platform-android, cla: yes, waiting for tree to go green)
[29347](https://github.com/flutter/engine/pull/29347) Set default profiling rate on iOS 32 bit devices to 500Hz (cla: yes, needs tests)
[29348](https://github.com/flutter/engine/pull/29348) Roll Skia from cb04e3981f3f to 14c328247b88 (2 revisions) (cla: yes, waiting for tree to go green)
[29349](https://github.com/flutter/engine/pull/29349) Roll Dart SDK from 7b67e7a70d36 to 1a591034bf53 (1 revision) (cla: yes, waiting for tree to go green)
[29350](https://github.com/flutter/engine/pull/29350) Roll Skia from 14c328247b88 to c75e0ef2b31d (1 revision) (cla: yes, waiting for tree to go green)
[29351](https://github.com/flutter/engine/pull/29351) Roll Dart SDK from 1a591034bf53 to 55adbde97e62 (1 revision) (cla: yes, waiting for tree to go green)
[29353](https://github.com/flutter/engine/pull/29353) Roll Skia from c75e0ef2b31d to 1ddf724e3707 (4 revisions) (cla: yes, waiting for tree to go green)
[29355](https://github.com/flutter/engine/pull/29355) Roll Dart SDK from 55adbde97e62 to 7da0596a2c6a (1 revision) (cla: yes, waiting for tree to go green)
[29356](https://github.com/flutter/engine/pull/29356) Roll Skia from 1ddf724e3707 to f44bc854bf4c (1 revision) (cla: yes, waiting for tree to go green)
[29358](https://github.com/flutter/engine/pull/29358) Roll Dart SDK from 7da0596a2c6a to e400664a1dde (1 revision) (cla: yes)
[29359](https://github.com/flutter/engine/pull/29359) Roll Skia from f44bc854bf4c to 8a2a020ef4bc (1 revision) (cla: yes, waiting for tree to go green)
[29363](https://github.com/flutter/engine/pull/29363) [flutter_releases] Flutter beta 2.7.0-3.1.pre Engine Cherrypicks (platform-ios, cla: yes)
[29364](https://github.com/flutter/engine/pull/29364) Roll Skia from 8a2a020ef4bc to 13fd52e587d2 (10 revisions) (cla: yes, waiting for tree to go green)
[29365](https://github.com/flutter/engine/pull/29365) Remove deprecated scripts from engine. (cla: yes, waiting for tree to go green)
[29366](https://github.com/flutter/engine/pull/29366) Roll Skia from 13fd52e587d2 to 6a02277fa2cf (1 revision) (cla: yes, waiting for tree to go green)
[29368](https://github.com/flutter/engine/pull/29368) Roll Skia from 6a02277fa2cf to 1fa2c28ee1aa (2 revisions) (cla: yes, waiting for tree to go green)
[29369](https://github.com/flutter/engine/pull/29369) only report cache entries with images for RasterCache metrics (cla: yes, waiting for tree to go green)
[29372](https://github.com/flutter/engine/pull/29372) Roll Skia from 1fa2c28ee1aa to 9fcc959b13a4 (1 revision) (cla: yes, waiting for tree to go green)
[29373](https://github.com/flutter/engine/pull/29373) Roll Skia from 9fcc959b13a4 to 2cddedd5f9d8 (2 revisions) (cla: yes, waiting for tree to go green)
[29374](https://github.com/flutter/engine/pull/29374) Disallow pasting non-text into FlutterTextInputPlugin (platform-ios, cla: yes, waiting for tree to go green)
[29375](https://github.com/flutter/engine/pull/29375) Roll Skia from 2cddedd5f9d8 to fc0be67d1869 (1 revision) (cla: yes, waiting for tree to go green)
[29376](https://github.com/flutter/engine/pull/29376) Roll Skia from fc0be67d1869 to 1c5186754095 (3 revisions) (cla: yes, waiting for tree to go green)
[29378](https://github.com/flutter/engine/pull/29378) Revert "Temporarily delete deprecated Android v1 embedding " (platform-android, cla: yes)
[29380](https://github.com/flutter/engine/pull/29380) Roll Skia from 1c5186754095 to 146cfcc042e6 (1 revision) (cla: yes, waiting for tree to go green)
[29381](https://github.com/flutter/engine/pull/29381) Roll Skia from 146cfcc042e6 to ecac4fedaff6 (1 revision) (cla: yes, waiting for tree to go green)
[29382](https://github.com/flutter/engine/pull/29382) Roll Skia from ecac4fedaff6 to 66485f926843 (4 revisions) (cla: yes, waiting for tree to go green)
[29384](https://github.com/flutter/engine/pull/29384) Roll Dart SDK from e400664a1dde to e482fa83cc97 (1 revision) (cla: yes, waiting for tree to go green)
[29385](https://github.com/flutter/engine/pull/29385) Roll Skia from 66485f926843 to f2d016f12e22 (3 revisions) (cla: yes, waiting for tree to go green)
[29386](https://github.com/flutter/engine/pull/29386) Roll Skia from f2d016f12e22 to af5049b0d712 (6 revisions) (cla: yes, waiting for tree to go green)
[29387](https://github.com/flutter/engine/pull/29387) Roll Skia from af5049b0d712 to 762a01fd999e (5 revisions) (cla: yes, waiting for tree to go green)
[29388](https://github.com/flutter/engine/pull/29388) Roll Dart SDK from e482fa83cc97 to 8bfe3bb5af14 (1 revision) (cla: yes, waiting for tree to go green)
[29389](https://github.com/flutter/engine/pull/29389) Migrate golds script to use main branch. (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29390](https://github.com/flutter/engine/pull/29390) Roll Skia from 762a01fd999e to 721388ecdbbe (4 revisions) (cla: yes, waiting for tree to go green)
[29392](https://github.com/flutter/engine/pull/29392) Roll Skia from 721388ecdbbe to b5450fb9015b (2 revisions) (cla: yes, waiting for tree to go green)
[29393](https://github.com/flutter/engine/pull/29393) [fuchsia] Remove unused sdk_ext.gni. (cla: yes, waiting for tree to go green, platform-fuchsia)
[29394](https://github.com/flutter/engine/pull/29394) Roll Skia from b5450fb9015b to 9fc189f1cbdf (2 revisions) (cla: yes, waiting for tree to go green)
[29395](https://github.com/flutter/engine/pull/29395) Roll Dart SDK from 8bfe3bb5af14 to 46a60b9933cf (1 revision) (cla: yes, waiting for tree to go green)
[29396](https://github.com/flutter/engine/pull/29396) Add check for empty compose string (cla: yes, platform-windows, needs tests)
[29398](https://github.com/flutter/engine/pull/29398) [fuchsia] Remove remaining references to Topaz. (cla: yes, platform-fuchsia)
[29401](https://github.com/flutter/engine/pull/29401) Roll Skia from 9fc189f1cbdf to 5e4e56abe83f (3 revisions) (cla: yes, waiting for tree to go green)
[29403](https://github.com/flutter/engine/pull/29403) Reland "Set system bar appearance using WindowInsetsController" (platform-android, cla: yes, waiting for tree to go green)
[29404](https://github.com/flutter/engine/pull/29404) Roll Dart SDK from 46a60b9933cf to 8cf3f2b3ec46 (2 revisions) (cla: yes, waiting for tree to go green)
[29406](https://github.com/flutter/engine/pull/29406) Roll Skia from 5e4e56abe83f to b3ecd560a2ad (1 revision) (cla: yes, waiting for tree to go green)
[29407](https://github.com/flutter/engine/pull/29407) Roll Skia from b3ecd560a2ad to a143a37747b0 (3 revisions) (cla: yes, waiting for tree to go green)
[29408](https://github.com/flutter/engine/pull/29408) Embedder VsyncWaiter must schedule a frame for the right time (cla: yes, embedder)
[29409](https://github.com/flutter/engine/pull/29409) Roll Skia from a143a37747b0 to 378e4aecfe58 (1 revision) (cla: yes, waiting for tree to go green)
[29410](https://github.com/flutter/engine/pull/29410) Roll Dart SDK from 8cf3f2b3ec46 to 0647872b7242 (1 revision) (cla: yes, waiting for tree to go green)
[29411](https://github.com/flutter/engine/pull/29411) Roll Skia from 378e4aecfe58 to 1ea54a127fbe (4 revisions) (cla: yes, waiting for tree to go green)
[29412](https://github.com/flutter/engine/pull/29412) Revert "Update to match harfbuzz subsetting 3.0.0 api." (cla: yes, needs tests)
[29413](https://github.com/flutter/engine/pull/29413) Roll Skia from 1ea54a127fbe to 50add5af1a68 (1 revision) (cla: yes, waiting for tree to go green)
[29414](https://github.com/flutter/engine/pull/29414) fuchsia: Enable ASAN; add tests flag (affects: tests, cla: yes, platform-fuchsia)
[29415](https://github.com/flutter/engine/pull/29415) Roll Skia from 50add5af1a68 to d90e09b1ae09 (3 revisions) (cla: yes, waiting for tree to go green)
[29416](https://github.com/flutter/engine/pull/29416) Roll Dart SDK from 0647872b7242 to d84981bafae3 (1 revision) (cla: yes, waiting for tree to go green)
[29417](https://github.com/flutter/engine/pull/29417) Roll Skia from d90e09b1ae09 to 6bb17ab48dfa (1 revision) (cla: yes, waiting for tree to go green)
[29418](https://github.com/flutter/engine/pull/29418) Roll Skia from 6bb17ab48dfa to 9d24b02c2fdb (2 revisions) (cla: yes, waiting for tree to go green)
[29420](https://github.com/flutter/engine/pull/29420) Roll Dart SDK from d84981bafae3 to 3b11f88c96a5 (1 revision) (cla: yes, waiting for tree to go green)
[29421](https://github.com/flutter/engine/pull/29421) Roll Skia from 9d24b02c2fdb to 3828b4160b3d (1 revision) (cla: yes, waiting for tree to go green)
[29422](https://github.com/flutter/engine/pull/29422) Roll Skia from 3828b4160b3d to 9b9805959dc3 (1 revision) (cla: yes, waiting for tree to go green)
[29423](https://github.com/flutter/engine/pull/29423) Roll Skia from 9b9805959dc3 to 6ce94bbdefec (1 revision) (cla: yes, waiting for tree to go green)
[29424](https://github.com/flutter/engine/pull/29424) Roll Skia from 6ce94bbdefec to 30f1f34732fb (1 revision) (cla: yes, waiting for tree to go green)
[29425](https://github.com/flutter/engine/pull/29425) Roll Skia from 30f1f34732fb to 88b36ad61e80 (1 revision) (cla: yes, waiting for tree to go green)
[29427](https://github.com/flutter/engine/pull/29427) Cherry pick a revert on flutter-2.8-candidate.2 to unblock the internal roll. (cla: yes, needs tests)
[29435](https://github.com/flutter/engine/pull/29435) Roll Dart SDK from 3b11f88c96a5 to 976f160b547f (3 revisions) (cla: yes, waiting for tree to go green)
[29436](https://github.com/flutter/engine/pull/29436) Roll Dart SDK from 3b11f88c96a5 to 976f160b547f (3 revisions) (cla: yes, waiting for tree to go green)
[29437](https://github.com/flutter/engine/pull/29437) Roll Skia from 88b36ad61e80 to 2d76d7760f80 (3 revisions) (cla: yes, waiting for tree to go green)
[29438](https://github.com/flutter/engine/pull/29438) Roll Skia from 2d76d7760f80 to 259ad7844587 (1 revision) (cla: yes, waiting for tree to go green)
[29439](https://github.com/flutter/engine/pull/29439) Roll Skia from 259ad7844587 to 39eccabdc3e4 (1 revision) (cla: yes, waiting for tree to go green)
[29440](https://github.com/flutter/engine/pull/29440) Revert "Roll Dart SDK from 3b11f88c96a5 to 976f160b547f (3 revisions)" (cla: yes, waiting for tree to go green)
[29441](https://github.com/flutter/engine/pull/29441) Roll Skia from 39eccabdc3e4 to 81c86e8608c2 (3 revisions) (cla: yes, waiting for tree to go green)
[29442](https://github.com/flutter/engine/pull/29442) Roll Fuchsia Mac SDK from nblJjRFDA... to iK9xdlMLD... (cla: yes, waiting for tree to go green)
[29445](https://github.com/flutter/engine/pull/29445) Roll Skia from 81c86e8608c2 to c807847427a9 (1 revision) (cla: yes, waiting for tree to go green)
[29449](https://github.com/flutter/engine/pull/29449) Roll Skia from c807847427a9 to ccb459d57b26 (4 revisions) (cla: yes, waiting for tree to go green)
#### waiting for tree to go green - 905 pull request(s)
[24756](https://github.com/flutter/engine/pull/24756) Display Features support (Foldable and Cutout) (platform-android, cla: yes, waiting for tree to go green)
[24916](https://github.com/flutter/engine/pull/24916) Linux texture support (cla: yes, waiting for tree to go green)
[26880](https://github.com/flutter/engine/pull/26880) Migrated integration_flutter_test/embedder (scenic integration test) from fuchsia.git (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[27413](https://github.com/flutter/engine/pull/27413) Bump Android version and add more info to create_sdk_cipd_package.sh (cla: yes, waiting for tree to go green)
[27472](https://github.com/flutter/engine/pull/27472) Remove dead localization code from the iOS embedder (platform-ios, cla: yes, waiting for tree to go green, tech-debt)
[27687](https://github.com/flutter/engine/pull/27687) Fix a typo in https://github.com/flutter/engine/pull/27311 (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[27749](https://github.com/flutter/engine/pull/27749) hasStrings on Windows (cla: yes, waiting for tree to go green, platform-windows)
[27757](https://github.com/flutter/engine/pull/27757) Rename fl_get_length to fl_value_get_length (cla: yes, waiting for tree to go green, platform-linux)
[27786](https://github.com/flutter/engine/pull/27786) fix crash SemanticsObject dealloc and access the children (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[27849](https://github.com/flutter/engine/pull/27849) [fuchsia] [ffi] Basic support for Channels and Handles (cla: yes, waiting for tree to go green, platform-fuchsia)
[27854](https://github.com/flutter/engine/pull/27854) Unskip iOS launch URL tests (platform-ios, cla: yes, waiting for tree to go green, tech-debt)
[27863](https://github.com/flutter/engine/pull/27863) Windows: Add multi-touch support (cla: yes, waiting for tree to go green, platform-windows)
[27874](https://github.com/flutter/engine/pull/27874) Support iOS universal links route deep linking (platform-ios, cla: yes, waiting for tree to go green)
[27878](https://github.com/flutter/engine/pull/27878) Fix wrong EGL value in AndroidEnvironmentGL (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27884](https://github.com/flutter/engine/pull/27884) Prevent a race between SurfaceTexture.release and attachToGLContext (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27892](https://github.com/flutter/engine/pull/27892) Reland enable DisplayList by default (cla: yes, waiting for tree to go green)
[27893](https://github.com/flutter/engine/pull/27893) Adds semantics tooltip support (platform-android, cla: yes, waiting for tree to go green, platform-fuchsia, embedder)
[27896](https://github.com/flutter/engine/pull/27896) Roll Skia from f3868628f987 to b806da450199 (6 revisions) (cla: yes, waiting for tree to go green)
[27897](https://github.com/flutter/engine/pull/27897) fuchsia: Fix thread names + add test (cla: yes, waiting for tree to go green, platform-fuchsia)
[27898](https://github.com/flutter/engine/pull/27898) Roll buildroot (cla: yes, waiting for tree to go green)
[27899](https://github.com/flutter/engine/pull/27899) Embed OCMock and iOS tests into IosUnitTests app (platform-ios, cla: yes, waiting for tree to go green)
[27900](https://github.com/flutter/engine/pull/27900) Remove references to deprecated SkClipOps (cla: yes, waiting for tree to go green, needs tests)
[27901](https://github.com/flutter/engine/pull/27901) Roll Skia from b806da450199 to 36aef96fec47 (1 revision) (cla: yes, waiting for tree to go green)
[27902](https://github.com/flutter/engine/pull/27902) Roll Skia from 36aef96fec47 to 337e4848397d (1 revision) (cla: yes, waiting for tree to go green)
[27903](https://github.com/flutter/engine/pull/27903) Roll Dart SDK from 96fdaff98f48 to 5406f286f566 (5 revisions) (cla: yes, waiting for tree to go green)
[27904](https://github.com/flutter/engine/pull/27904) Roll Skia from 337e4848397d to 1f808360e586 (1 revision) (cla: yes, waiting for tree to go green)
[27905](https://github.com/flutter/engine/pull/27905) Roll Skia from 1f808360e586 to 100079422340 (2 revisions) (cla: yes, waiting for tree to go green)
[27906](https://github.com/flutter/engine/pull/27906) Roll Dart SDK from 5406f286f566 to 131d357297e2 (1 revision) (cla: yes, waiting for tree to go green)
[27908](https://github.com/flutter/engine/pull/27908) Roll Skia from 100079422340 to daa971741613 (3 revisions) (cla: yes, waiting for tree to go green)
[27909](https://github.com/flutter/engine/pull/27909) Roll Skia from daa971741613 to 8ba1e71a1f59 (2 revisions) (cla: yes, waiting for tree to go green)
[27910](https://github.com/flutter/engine/pull/27910) Roll Skia from 8ba1e71a1f59 to 7893d2d0862d (1 revision) (cla: yes, waiting for tree to go green)
[27912](https://github.com/flutter/engine/pull/27912) Roll Skia from 7893d2d0862d to c0bfdffe3d53 (1 revision) (cla: yes, waiting for tree to go green)
[27913](https://github.com/flutter/engine/pull/27913) Roll Dart SDK from 131d357297e2 to 6d96e6063edc (2 revisions) (cla: yes, waiting for tree to go green)
[27915](https://github.com/flutter/engine/pull/27915) Fix memory leak in PlatformViewsController (platform-android, cla: yes, waiting for tree to go green)
[27916](https://github.com/flutter/engine/pull/27916) Roll Skia from c0bfdffe3d53 to e53c721d781f (3 revisions) (cla: yes, waiting for tree to go green)
[27917](https://github.com/flutter/engine/pull/27917) Roll Skia from e53c721d781f to 134c5f7f690b (12 revisions) (cla: yes, waiting for tree to go green)
[27918](https://github.com/flutter/engine/pull/27918) Roll Skia from 134c5f7f690b to 462e18821630 (1 revision) (cla: yes, waiting for tree to go green)
[27919](https://github.com/flutter/engine/pull/27919) Roll Skia from 462e18821630 to aef5dc78f38a (1 revision) (cla: yes, waiting for tree to go green)
[27922](https://github.com/flutter/engine/pull/27922) [UWP] Remove 1px offset to make root widget fully shown (cla: yes, waiting for tree to go green, platform-windows)
[27924](https://github.com/flutter/engine/pull/27924) Fix the SurfaceTexture related crash by replacing the JNI weak global reference with WeakReference (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27926](https://github.com/flutter/engine/pull/27926) Roll Skia from aef5dc78f38a to 94fcb37e5b4f (15 revisions) (cla: yes, waiting for tree to go green)
[27929](https://github.com/flutter/engine/pull/27929) added python version note to the luci script (cla: yes, waiting for tree to go green)
[27934](https://github.com/flutter/engine/pull/27934) Roll Fuchsia Mac SDK from rQOi2N8BM... to XuRmqkWX2... (cla: yes, waiting for tree to go green)
[27935](https://github.com/flutter/engine/pull/27935) Roll Dart SDK from 6d96e6063edc to cf20a69c75cf (2 revisions) (cla: yes, waiting for tree to go green)
[27937](https://github.com/flutter/engine/pull/27937) Roll Fuchsia Linux SDK from q6H_ZE5Bs... to wX-ifEGo5... (cla: yes, waiting for tree to go green)
[27938](https://github.com/flutter/engine/pull/27938) Roll Skia from 94fcb37e5b4f to ca13a3acc4b2 (10 revisions) (cla: yes, waiting for tree to go green)
[27940](https://github.com/flutter/engine/pull/27940) [ci.yaml] Remove deprecated builder field (cla: yes, waiting for tree to go green)
[27942](https://github.com/flutter/engine/pull/27942) Provide Open JDK 11 (platform-android, cla: yes, waiting for tree to go green)
[27943](https://github.com/flutter/engine/pull/27943) Roll Dart SDK from cf20a69c75cf to 749ee4e9e053 (1 revision) (cla: yes, waiting for tree to go green)
[27944](https://github.com/flutter/engine/pull/27944) Roll Fuchsia Mac SDK from XuRmqkWX2... to 6XsAe3sPr... (cla: yes, waiting for tree to go green)
[27945](https://github.com/flutter/engine/pull/27945) Roll Fuchsia Linux SDK from wX-ifEGo5... to yZ4KOzDE1... (cla: yes, waiting for tree to go green)
[27946](https://github.com/flutter/engine/pull/27946) Avoid crashing when FlutterImageView is resized to zero dimension (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27947](https://github.com/flutter/engine/pull/27947) Roll Skia from ca13a3acc4b2 to 6bc126d24d1b (1 revision) (cla: yes, waiting for tree to go green)
[27948](https://github.com/flutter/engine/pull/27948) Roll Fuchsia Mac SDK from 6XsAe3sPr... to aDswwwLbx... (cla: yes, waiting for tree to go green)
[27949](https://github.com/flutter/engine/pull/27949) Roll Fuchsia Linux SDK from yZ4KOzDE1... to GBIahjoek... (cla: yes, waiting for tree to go green)
[27951](https://github.com/flutter/engine/pull/27951) Roll Skia from 6bc126d24d1b to a28795fd64a4 (2 revisions) (cla: yes, waiting for tree to go green)
[27952](https://github.com/flutter/engine/pull/27952) Roll Fuchsia Mac SDK from aDswwwLbx... to iVa6afHb7... (cla: yes, waiting for tree to go green)
[27954](https://github.com/flutter/engine/pull/27954) Roll Fuchsia Linux SDK from GBIahjoek... to TK8mj-iQr... (cla: yes, waiting for tree to go green)
[27955](https://github.com/flutter/engine/pull/27955) Roll Skia from a28795fd64a4 to d27a0d39cea2 (1 revision) (cla: yes, waiting for tree to go green)
[27956](https://github.com/flutter/engine/pull/27956) Roll Fuchsia Mac SDK from iVa6afHb7... to 0iDbdLRq3... (cla: yes, waiting for tree to go green)
[27957](https://github.com/flutter/engine/pull/27957) Roll Fuchsia Linux SDK from TK8mj-iQr... to D6VF_8x5s... (cla: yes, waiting for tree to go green)
[27958](https://github.com/flutter/engine/pull/27958) Roll Skia from d27a0d39cea2 to fdf7b3c41f8e (1 revision) (cla: yes, waiting for tree to go green)
[27960](https://github.com/flutter/engine/pull/27960) Roll Skia from fdf7b3c41f8e to 717ef9472b56 (1 revision) (cla: yes, waiting for tree to go green)
[27962](https://github.com/flutter/engine/pull/27962) Roll Skia from 717ef9472b56 to ad5944cf8dbb (7 revisions) (cla: yes, waiting for tree to go green)
[27966](https://github.com/flutter/engine/pull/27966) Roll Fuchsia Mac SDK from 0iDbdLRq3... to CYrOc5v2a... (cla: yes, waiting for tree to go green)
[27968](https://github.com/flutter/engine/pull/27968) Roll Fuchsia Linux SDK from D6VF_8x5s... to 78gBCb4IK... (cla: yes, waiting for tree to go green)
[27976](https://github.com/flutter/engine/pull/27976) Roll Dart SDK from 749ee4e9e053 to defd2ae02a3f (2 revisions) (cla: yes, waiting for tree to go green)
[27978](https://github.com/flutter/engine/pull/27978) Use runtime checks for arguments, out directory (cla: yes, waiting for tree to go green, needs tests)
[27981](https://github.com/flutter/engine/pull/27981) Roll Dart SDK from defd2ae02a3f to 2ca55ab863e9 (1 revision) (cla: yes, waiting for tree to go green)
[27982](https://github.com/flutter/engine/pull/27982) Roll Fuchsia Mac SDK from CYrOc5v2a... to 65ocmUBj5... (cla: yes, waiting for tree to go green)
[27983](https://github.com/flutter/engine/pull/27983) Roll Dart SDK from 2ca55ab863e9 to 0e1f5a68c69f (1 revision) (cla: yes, waiting for tree to go green)
[27987](https://github.com/flutter/engine/pull/27987) Roll Dart SDK from 0e1f5a68c69f to d68dff4d0820 (1 revision) (cla: yes, waiting for tree to go green)
[27988](https://github.com/flutter/engine/pull/27988) Roll Skia from ad5944cf8dbb to 23d8f9453581 (17 revisions) (cla: yes, waiting for tree to go green)
[27991](https://github.com/flutter/engine/pull/27991) Roll Skia from 23d8f9453581 to d89d445dea5e (10 revisions) (cla: yes, waiting for tree to go green)
[27992](https://github.com/flutter/engine/pull/27992) Sets focus before sending a11y focus event in Android (platform-android, cla: yes, waiting for tree to go green)
[27995](https://github.com/flutter/engine/pull/27995) [web] rename watcher.dart to pipeline.dart (cla: yes, waiting for tree to go green, platform-web, needs tests)
[27996](https://github.com/flutter/engine/pull/27996) GN build rules for tests using Fuchsia SDK Dart libraries and bindings (cla: yes, waiting for tree to go green, platform-fuchsia)
[27998](https://github.com/flutter/engine/pull/27998) Roll Dart SDK from d68dff4d0820 to 081dad8fea3e (1 revision) (cla: yes, waiting for tree to go green)
[28000](https://github.com/flutter/engine/pull/28000) Prevent potential leak of a closable render surface (platform-android, cla: yes, waiting for tree to go green)
[28001](https://github.com/flutter/engine/pull/28001) Roll Fuchsia Mac SDK from 65ocmUBj5... to KL3oDHUYH... (cla: yes, waiting for tree to go green)
[28005](https://github.com/flutter/engine/pull/28005) Roll Skia from d89d445dea5e to b5de6be2a85d (21 revisions) (cla: yes, waiting for tree to go green)
[28006](https://github.com/flutter/engine/pull/28006) Roll Dart SDK from 081dad8fea3e to 32238a66b5ca (1 revision) (cla: yes, waiting for tree to go green)
[28013](https://github.com/flutter/engine/pull/28013) Fully inplement TaskRunner for UWP (flutter/flutter#70890) (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28015](https://github.com/flutter/engine/pull/28015) Roll Fuchsia Mac SDK from KL3oDHUYH... to Gou0gs-Pc... (cla: yes, waiting for tree to go green)
[28018](https://github.com/flutter/engine/pull/28018) Roll Skia from b5de6be2a85d to ae43303ce5fd (8 revisions) (cla: yes, waiting for tree to go green)
[28023](https://github.com/flutter/engine/pull/28023) Roll Skia from ae43303ce5fd to ed7b4f6a237d (12 revisions) (cla: yes, waiting for tree to go green)
[28027](https://github.com/flutter/engine/pull/28027) Roll Skia from ed7b4f6a237d to b65b4da55418 (2 revisions) (cla: yes, waiting for tree to go green)
[28029](https://github.com/flutter/engine/pull/28029) Roll Dart SDK from 32238a66b5ca to 624de6ea9e59 (4 revisions) (cla: yes, waiting for tree to go green)
[28031](https://github.com/flutter/engine/pull/28031) Roll Skia from b65b4da55418 to b7f2215bbb50 (7 revisions) (cla: yes, waiting for tree to go green)
[28032](https://github.com/flutter/engine/pull/28032) Roll Fuchsia Linux SDK from 78gBCb4IK... to DuaoKMSCx... (cla: yes, waiting for tree to go green)
[28037](https://github.com/flutter/engine/pull/28037) Roll Dart SDK from 624de6ea9e59 to 8e3be460559f (1 revision) (cla: yes, waiting for tree to go green)
[28039](https://github.com/flutter/engine/pull/28039) Roll Fuchsia Mac SDK from Gou0gs-Pc... to j0tWnUn2K... (cla: yes, waiting for tree to go green)
[28041](https://github.com/flutter/engine/pull/28041) Roll Fuchsia Linux SDK from DuaoKMSCx... to G1rAOfmj_... (cla: yes, waiting for tree to go green)
[28042](https://github.com/flutter/engine/pull/28042) Roll Skia from b7f2215bbb50 to ec07af1279ec (8 revisions) (cla: yes, waiting for tree to go green)
[28045](https://github.com/flutter/engine/pull/28045) Fix some warnings seen after the migration to JDK 11 (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28048](https://github.com/flutter/engine/pull/28048) Roll Skia from ec07af1279ec to 1fc789943486 (8 revisions) (cla: yes, waiting for tree to go green)
[28049](https://github.com/flutter/engine/pull/28049) Roll Dart SDK from 8e3be460559f to 7b142a990f2b (2 revisions) (cla: yes, waiting for tree to go green)
[28051](https://github.com/flutter/engine/pull/28051) Roll Skia from 1fc789943486 to c01225114a00 (1 revision) (cla: yes, waiting for tree to go green)
[28054](https://github.com/flutter/engine/pull/28054) Roll Skia from c01225114a00 to ab005016f9aa (2 revisions) (cla: yes, waiting for tree to go green)
[28055](https://github.com/flutter/engine/pull/28055) Roll Dart SDK from 7b142a990f2b to 3272e5c97914 (2 revisions) (cla: yes, waiting for tree to go green)
[28059](https://github.com/flutter/engine/pull/28059) Fix memory leak in FlutterDarwinExternalTextureMetal (cla: yes, waiting for tree to go green, needs tests)
[28061](https://github.com/flutter/engine/pull/28061) Roll Fuchsia Linux SDK from G1rAOfmj_... to aRsjkcQxJ... (cla: yes, waiting for tree to go green)
[28062](https://github.com/flutter/engine/pull/28062) Roll Skia from ab005016f9aa to 801e5f7eb9b7 (2 revisions) (cla: yes, waiting for tree to go green)
[28063](https://github.com/flutter/engine/pull/28063) Roll Skia from 801e5f7eb9b7 to 35371bd92f10 (2 revisions) (cla: yes, waiting for tree to go green)
[28064](https://github.com/flutter/engine/pull/28064) [UWP] Implement clipboard. (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28065](https://github.com/flutter/engine/pull/28065) Fix memory leak in FlutterSwitchSemanticsObject (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[28066](https://github.com/flutter/engine/pull/28066) Roll Fuchsia Mac SDK from j0tWnUn2K... to qyqXnccT8... (cla: yes, waiting for tree to go green)
[28068](https://github.com/flutter/engine/pull/28068) Roll Dart SDK from 3272e5c97914 to eb7661b63527 (1 revision) (cla: yes, waiting for tree to go green)
[28070](https://github.com/flutter/engine/pull/28070) Roll Skia from 35371bd92f10 to 68e4e20fae84 (6 revisions) (cla: yes, waiting for tree to go green)
[28071](https://github.com/flutter/engine/pull/28071) Build dart:zircon and dart:zircon_ffi (cla: yes, waiting for tree to go green, platform-fuchsia)
[28072](https://github.com/flutter/engine/pull/28072) [ci.yaml] Add default properties and dimensions (cla: yes, waiting for tree to go green)
[28074](https://github.com/flutter/engine/pull/28074) Roll Dart SDK from eb7661b63527 to 481bdbce9a92 (1 revision) (cla: yes, waiting for tree to go green)
[28075](https://github.com/flutter/engine/pull/28075) Roll Skia from 68e4e20fae84 to 9032cc61bbe2 (6 revisions) (cla: yes, waiting for tree to go green)
[28076](https://github.com/flutter/engine/pull/28076) Roll Fuchsia Linux SDK from aRsjkcQxJ... to WoiEzs7XB... (cla: yes, waiting for tree to go green)
[28078](https://github.com/flutter/engine/pull/28078) Roll Skia from 9032cc61bbe2 to 73339ada9d13 (1 revision) (cla: yes, waiting for tree to go green)
[28080](https://github.com/flutter/engine/pull/28080) Roll Skia from 73339ada9d13 to 364ea352b002 (3 revisions) (cla: yes, waiting for tree to go green)
[28081](https://github.com/flutter/engine/pull/28081) Roll Fuchsia Mac SDK from qyqXnccT8... to DV0pzjjZ4... (cla: yes, waiting for tree to go green)
[28083](https://github.com/flutter/engine/pull/28083) Roll Dart SDK from 481bdbce9a92 to 3e8633bcbf8f (2 revisions) (cla: yes, waiting for tree to go green)
[28084](https://github.com/flutter/engine/pull/28084) Run the Android Robolectric tests using Gradle (platform-android, cla: yes, waiting for tree to go green)
[28085](https://github.com/flutter/engine/pull/28085) Roll Skia from 364ea352b002 to 1049d8206120 (3 revisions) (cla: yes, waiting for tree to go green)
[28089](https://github.com/flutter/engine/pull/28089) Roll Dart SDK from 3e8633bcbf8f to bedc39b7a80b (1 revision) (cla: yes, waiting for tree to go green)
[28090](https://github.com/flutter/engine/pull/28090) Roll Skia from 1049d8206120 to abe39f5cb932 (6 revisions) (cla: yes, waiting for tree to go green)
[28091](https://github.com/flutter/engine/pull/28091) Revert "Enable Dart compressed pointers for 64-bit mobile targets" (cla: yes, waiting for tree to go green)
[28093](https://github.com/flutter/engine/pull/28093) Roll Fuchsia Linux SDK from WoiEzs7XB... to 54i7Z2kLS... (cla: yes, waiting for tree to go green)
[28094](https://github.com/flutter/engine/pull/28094) Roll Fuchsia Mac SDK from DV0pzjjZ4... to a27NGktH6... (cla: yes, waiting for tree to go green)
[28095](https://github.com/flutter/engine/pull/28095) Roll Skia from abe39f5cb932 to 72171b75ed20 (1 revision) (cla: yes, waiting for tree to go green)
[28096](https://github.com/flutter/engine/pull/28096) Roll Skia from 72171b75ed20 to b1f34bf3c2cb (1 revision) (cla: yes, waiting for tree to go green)
[28098](https://github.com/flutter/engine/pull/28098) [UWP] Implement setting cursor icon. (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28100](https://github.com/flutter/engine/pull/28100) [UWP] Add all mouse buttons support (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28101](https://github.com/flutter/engine/pull/28101) Roll Skia from b1f34bf3c2cb to 6b9c7bb81419 (1 revision) (cla: yes, waiting for tree to go green)
[28102](https://github.com/flutter/engine/pull/28102) Roll Skia from 6b9c7bb81419 to fc3bee1232fa (1 revision) (cla: yes, waiting for tree to go green)
[28103](https://github.com/flutter/engine/pull/28103) Roll Skia from fc3bee1232fa to 7b2af606d352 (1 revision) (cla: yes, waiting for tree to go green)
[28104](https://github.com/flutter/engine/pull/28104) Roll Skia from 7b2af606d352 to 55ca4e692d8f (1 revision) (cla: yes, waiting for tree to go green)
[28105](https://github.com/flutter/engine/pull/28105) Roll Skia from 55ca4e692d8f to 9a6f3990aff7 (6 revisions) (cla: yes, waiting for tree to go green)
[28109](https://github.com/flutter/engine/pull/28109) Roll Skia from 9a6f3990aff7 to 7f4abe85a6d4 (1 revision) (cla: yes, waiting for tree to go green)
[28110](https://github.com/flutter/engine/pull/28110) Makes scrollable to use main screen if the flutter view is not attached (platform-ios, cla: yes, waiting for tree to go green)
[28111](https://github.com/flutter/engine/pull/28111) Remove unused python_binary build artifacts (cla: yes, waiting for tree to go green)
[28112](https://github.com/flutter/engine/pull/28112) Roll Skia from 7f4abe85a6d4 to 7d99ba2503e1 (2 revisions) (cla: yes, waiting for tree to go green)
[28114](https://github.com/flutter/engine/pull/28114) Roll Skia from 7d99ba2503e1 to bd40fb55bb11 (1 revision) (cla: yes, waiting for tree to go green)
[28117](https://github.com/flutter/engine/pull/28117) Issues/79528 reland (platform-android, cla: yes, waiting for tree to go green)
[28118](https://github.com/flutter/engine/pull/28118) Roll Fuchsia Mac SDK from a27NGktH6... to ZRdfbSetp... (cla: yes, waiting for tree to go green)
[28119](https://github.com/flutter/engine/pull/28119) Roll Skia from bd40fb55bb11 to 9ded59bbadb3 (2 revisions) (cla: yes, waiting for tree to go green)
[28121](https://github.com/flutter/engine/pull/28121) Roll Fuchsia Linux SDK from 54i7Z2kLS... to ctNKhIDQX... (cla: yes, waiting for tree to go green)
[28122](https://github.com/flutter/engine/pull/28122) [ci.yam] Enable roller dry on presubmit (cla: yes, waiting for tree to go green)
[28123](https://github.com/flutter/engine/pull/28123) Roll Dart SDK from d39206fb4e25 to 7bd8eb1d95e7 (1 revision) (cla: yes, waiting for tree to go green)
[28127](https://github.com/flutter/engine/pull/28127) Roll Fuchsia Mac SDK from ZRdfbSetp... to n7ocDhOf_... (cla: yes, waiting for tree to go green)
[28129](https://github.com/flutter/engine/pull/28129) Roll Fuchsia Linux SDK from ctNKhIDQX... to FJeJwYM81... (cla: yes, waiting for tree to go green)
[28130](https://github.com/flutter/engine/pull/28130) Roll Skia from 9ded59bbadb3 to 059798f40eac (12 revisions) (cla: yes, waiting for tree to go green)
[28132](https://github.com/flutter/engine/pull/28132) Roll Dart SDK from 7bd8eb1d95e7 to 17c9a00cce20 (3 revisions) (cla: yes, waiting for tree to go green)
[28133](https://github.com/flutter/engine/pull/28133) Roll Skia from 059798f40eac to 17dc658f29e5 (1 revision) (cla: yes, waiting for tree to go green)
[28134](https://github.com/flutter/engine/pull/28134) [ci.yaml] Promote roller to blocking (cla: yes, waiting for tree to go green)
[28135](https://github.com/flutter/engine/pull/28135) Roll Skia from 17dc658f29e5 to 957ed75731e0 (4 revisions) (cla: yes, waiting for tree to go green)
[28136](https://github.com/flutter/engine/pull/28136) macOS: Do not swap surface if nothing was painted (cla: yes, waiting for tree to go green, platform-macos, needs tests)
[28139](https://github.com/flutter/engine/pull/28139) fuchsia: Improve FakeSession & add tests (affects: tests, cla: yes, waiting for tree to go green, platform-fuchsia, tech-debt)
[28142](https://github.com/flutter/engine/pull/28142) Roll Dart SDK from 17c9a00cce20 to fecde133832e (1 revision) (cla: yes, waiting for tree to go green)
[28143](https://github.com/flutter/engine/pull/28143) Revert "[ci.yaml] Promote roller to blocking" (cla: yes, waiting for tree to go green)
[28145](https://github.com/flutter/engine/pull/28145) Roll Skia from 957ed75731e0 to 7020699e3835 (7 revisions) (cla: yes, waiting for tree to go green)
[28146](https://github.com/flutter/engine/pull/28146) Fix Libtxt unit test errors found by ASAN (cla: yes, waiting for tree to go green)
[28148](https://github.com/flutter/engine/pull/28148) Roll Skia from 7020699e3835 to fdcf153f6caa (3 revisions) (cla: yes, waiting for tree to go green)
[28149](https://github.com/flutter/engine/pull/28149) Roll Fuchsia Mac SDK from n7ocDhOf_... to kAQ_HmUN5... (cla: yes, waiting for tree to go green)
[28150](https://github.com/flutter/engine/pull/28150) Roll Skia from fdcf153f6caa to b0697081b529 (2 revisions) (cla: yes, waiting for tree to go green)
[28151](https://github.com/flutter/engine/pull/28151) Roll Dart SDK from fecde133832e to ba50855227b3 (1 revision) (cla: yes, waiting for tree to go green)
[28152](https://github.com/flutter/engine/pull/28152) Roll Skia from b0697081b529 to db857ce628ff (1 revision) (cla: yes, waiting for tree to go green)
[28153](https://github.com/flutter/engine/pull/28153) Use Android linter from cmdline-tools (platform-android, cla: yes, waiting for tree to go green)
[28154](https://github.com/flutter/engine/pull/28154) Roll Dart SDK from ba50855227b3 to f2b0d387684d (1 revision) (cla: yes, waiting for tree to go green)
[28155](https://github.com/flutter/engine/pull/28155) Roll Fuchsia Linux SDK from FJeJwYM81... to 7UO7XyLyk... (cla: yes, waiting for tree to go green)
[28156](https://github.com/flutter/engine/pull/28156) Roll Skia from db857ce628ff to df62189fe5df (1 revision) (cla: yes, waiting for tree to go green)
[28157](https://github.com/flutter/engine/pull/28157) Roll Skia from df62189fe5df to f61ec43f84dd (1 revision) (cla: yes, waiting for tree to go green)
[28158](https://github.com/flutter/engine/pull/28158) fix leak of DisplayList storage (cla: yes, waiting for tree to go green, needs tests)
[28160](https://github.com/flutter/engine/pull/28160) Roll Dart SDK from f2b0d387684d to 14549cfda2ea (1 revision) (cla: yes, waiting for tree to go green)
[28161](https://github.com/flutter/engine/pull/28161) Correct the return value of the method RunInIsolateScope (cla: yes, waiting for tree to go green, needs tests)
[28162](https://github.com/flutter/engine/pull/28162) Roll Fuchsia Mac SDK from kAQ_HmUN5... to mAEnhH7c-... (cla: yes, waiting for tree to go green)
[28163](https://github.com/flutter/engine/pull/28163) Roll Skia from f61ec43f84dd to a7ea66372d82 (1 revision) (cla: yes, waiting for tree to go green)
[28164](https://github.com/flutter/engine/pull/28164) Roll Skia from a7ea66372d82 to 3cb09c09047b (8 revisions) (cla: yes, waiting for tree to go green)
[28167](https://github.com/flutter/engine/pull/28167) Roll Skia from 3cb09c09047b to 0733d484289f (1 revision) (cla: yes, waiting for tree to go green)
[28168](https://github.com/flutter/engine/pull/28168) Add a comment in the FlutterEngineGroup's constructor to avoid using the activity's context (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28169](https://github.com/flutter/engine/pull/28169) Roll Dart SDK from 14549cfda2ea to 051994cd182f (2 revisions) (cla: yes, waiting for tree to go green)
[28172](https://github.com/flutter/engine/pull/28172) Roll Fuchsia Linux SDK from 7UO7XyLyk... to ZSqn1OAt7... (cla: yes, waiting for tree to go green)
[28178](https://github.com/flutter/engine/pull/28178) Roll Dart SDK from 051994cd182f to 0050849aff4e (1 revision) (cla: yes, waiting for tree to go green)
[28181](https://github.com/flutter/engine/pull/28181) Roll Skia from 0733d484289f to cbbe23da20ea (8 revisions) (cla: yes, waiting for tree to go green)
[28182](https://github.com/flutter/engine/pull/28182) Roll Dart SDK from 0050849aff4e to 217d0a4c4ad4 (1 revision) (cla: yes, waiting for tree to go green)
[28184](https://github.com/flutter/engine/pull/28184) Roll Fuchsia Mac SDK from mAEnhH7c-... to 9xK8HkMEI... (cla: yes, waiting for tree to go green)
[28188](https://github.com/flutter/engine/pull/28188) Roll Dart SDK from 217d0a4c4ad4 to cbbe9b6f08c8 (1 revision) (cla: yes, waiting for tree to go green)
[28189](https://github.com/flutter/engine/pull/28189) Roll Skia from cbbe23da20ea to 85108183bc04 (3 revisions) (cla: yes, waiting for tree to go green)
[28191](https://github.com/flutter/engine/pull/28191) Roll Dart SDK from cbbe9b6f08c8 to 0bfe86dce459 (1 revision) (cla: yes, waiting for tree to go green)
[28198](https://github.com/flutter/engine/pull/28198) Roll Skia from 85108183bc04 to eb0195e5b4d5 (11 revisions) (cla: yes, waiting for tree to go green)
[28199](https://github.com/flutter/engine/pull/28199) Roll Dart SDK from 0bfe86dce459 to bc7cf49acc5c (1 revision) (cla: yes, waiting for tree to go green)
[28200](https://github.com/flutter/engine/pull/28200) Roll Fuchsia Mac SDK from 9xK8HkMEI... to EZSVwdQoz... (cla: yes, waiting for tree to go green)
[28201](https://github.com/flutter/engine/pull/28201) Roll Fuchsia Linux SDK from ZSqn1OAt7... to czYvw1Rk3... (cla: yes, waiting for tree to go green)
[28203](https://github.com/flutter/engine/pull/28203) Roll Skia from eb0195e5b4d5 to cd2c1beb1e4e (2 revisions) (cla: yes, waiting for tree to go green)
[28205](https://github.com/flutter/engine/pull/28205) Roll Skia from cd2c1beb1e4e to e453fa063da5 (2 revisions) (cla: yes, waiting for tree to go green)
[28206](https://github.com/flutter/engine/pull/28206) Fix regression in system UI colors (platform-android, bug (regression), cla: yes, waiting for tree to go green)
[28210](https://github.com/flutter/engine/pull/28210) Roll Dart SDK from bc7cf49acc5c to 0f5cc29e104b (1 revision) (cla: yes, waiting for tree to go green)
[28211](https://github.com/flutter/engine/pull/28211) Issues/86577 reland (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web, platform-fuchsia, embedder)
[28212](https://github.com/flutter/engine/pull/28212) Roll Skia from e453fa063da5 to fbb736b0dccb (2 revisions) (cla: yes, waiting for tree to go green)
[28218](https://github.com/flutter/engine/pull/28218) Roll Dart SDK from 0f5cc29e104b to 690efd37fbcf (2 revisions) (cla: yes, waiting for tree to go green)
[28219](https://github.com/flutter/engine/pull/28219) Roll Skia from fbb736b0dccb to 2fadbede910d (3 revisions) (cla: yes, waiting for tree to go green)
[28223](https://github.com/flutter/engine/pull/28223) Roll Skia from 2fadbede910d to 55dc5c8325b6 (1 revision) (cla: yes, waiting for tree to go green)
[28224](https://github.com/flutter/engine/pull/28224) Avoid deadlock while creating platform views with multiple engines. (cla: yes, waiting for tree to go green)
[28225](https://github.com/flutter/engine/pull/28225) Roll Skia from 55dc5c8325b6 to 890f3b37f634 (2 revisions) (cla: yes, waiting for tree to go green)
[28227](https://github.com/flutter/engine/pull/28227) Roll Dart SDK from 690efd37fbcf to 9665bccced0a (1 revision) (cla: yes, waiting for tree to go green)
[28229](https://github.com/flutter/engine/pull/28229) Makes empty scrollable not focusable in Talkback (platform-android, cla: yes, waiting for tree to go green)
[28231](https://github.com/flutter/engine/pull/28231) Roll Skia from 890f3b37f634 to 95c9734bac87 (2 revisions) (cla: yes, waiting for tree to go green)
[28241](https://github.com/flutter/engine/pull/28241) Roll Dart SDK from 9665bccced0a to ee5b5dc4d910 (1 revision) (cla: yes, waiting for tree to go green)
[28242](https://github.com/flutter/engine/pull/28242) fuchsia.ui.pointer.TouchSource implementation for fuchsia platform view (cla: yes, waiting for tree to go green, platform-fuchsia)
[28243](https://github.com/flutter/engine/pull/28243) Roll Skia from 95c9734bac87 to 51e33b51542b (4 revisions) (cla: yes, waiting for tree to go green)
[28244](https://github.com/flutter/engine/pull/28244) Roll Dart SDK from ee5b5dc4d910 to 64d00fee8462 (1 revision) (cla: yes, waiting for tree to go green)
[28245](https://github.com/flutter/engine/pull/28245) Roll Dart SDK from 64d00fee8462 to c20ef394e132 (1 revision) (cla: yes, waiting for tree to go green)
[28247](https://github.com/flutter/engine/pull/28247) Roll Dart SDK from c20ef394e132 to c17fd9df122a (1 revision) (cla: yes, waiting for tree to go green)
[28251](https://github.com/flutter/engine/pull/28251) Roll Skia from 51e33b51542b to 6b335c53e8c2 (2 revisions) (cla: yes, waiting for tree to go green)
[28252](https://github.com/flutter/engine/pull/28252) Add browser_launcher and webkit_inspection_protocol packages (cla: yes, waiting for tree to go green)
[28253](https://github.com/flutter/engine/pull/28253) Enable repeat for desktop embedder tests (cla: yes, waiting for tree to go green, embedder)
[28254](https://github.com/flutter/engine/pull/28254) Roll Dart SDK from c17fd9df122a to 2b84af1e5f1a (1 revision) (cla: yes, waiting for tree to go green)
[28256](https://github.com/flutter/engine/pull/28256) Roll Skia from 6b335c53e8c2 to 2f0debc807d1 (2 revisions) (cla: yes, waiting for tree to go green)
[28258](https://github.com/flutter/engine/pull/28258) Roll Skia from 2f0debc807d1 to e312532442d1 (2 revisions) (cla: yes, waiting for tree to go green)
[28259](https://github.com/flutter/engine/pull/28259) Roll Dart SDK from 2b84af1e5f1a to abecc4bc4521 (1 revision) (cla: yes, waiting for tree to go green)
[28263](https://github.com/flutter/engine/pull/28263) Manual roll of Clang for Linux and Mac (cla: yes, waiting for tree to go green)
[28265](https://github.com/flutter/engine/pull/28265) Roll Skia from e312532442d1 to e12730470004 (9 revisions) (cla: yes, waiting for tree to go green)
[28271](https://github.com/flutter/engine/pull/28271) [ci.yaml] Add gradle cache (cla: yes, waiting for tree to go green)
[28274](https://github.com/flutter/engine/pull/28274) Symbolize ASan traces when using `run_tests.py` (cla: yes, waiting for tree to go green, embedder)
[28278](https://github.com/flutter/engine/pull/28278) Roll Skia from e12730470004 to 0f36d11c1dcf (13 revisions) (cla: yes, waiting for tree to go green)
[28279](https://github.com/flutter/engine/pull/28279) Roll Dart SDK from abecc4bc4521 to 72f462ed2d34 (6 revisions) (cla: yes, waiting for tree to go green)
[28280](https://github.com/flutter/engine/pull/28280) Roll Skia from 0f36d11c1dcf to 6f90c702e6c8 (4 revisions) (cla: yes, waiting for tree to go green)
[28282](https://github.com/flutter/engine/pull/28282) Roll Skia from 6f90c702e6c8 to 877858a19502 (2 revisions) (cla: yes, waiting for tree to go green)
[28283](https://github.com/flutter/engine/pull/28283) Roll Skia from 877858a19502 to e43714f490ec (6 revisions) (cla: yes, waiting for tree to go green)
[28284](https://github.com/flutter/engine/pull/28284) Roll Dart SDK from 72f462ed2d34 to 35c81c55d91f (1 revision) (cla: yes, waiting for tree to go green)
[28285](https://github.com/flutter/engine/pull/28285) Roll Skia from e43714f490ec to 7b3edfa65923 (1 revision) (cla: yes, waiting for tree to go green)
[28286](https://github.com/flutter/engine/pull/28286) Roll buildroot to 14b15b2e8adf3365e5e924c9186f5d65d1d65b99 (cla: yes, waiting for tree to go green)
[28287](https://github.com/flutter/engine/pull/28287) ensure op counts match between DisplayList and SkPicture (cla: yes, waiting for tree to go green)
[28288](https://github.com/flutter/engine/pull/28288) Roll Clang Mac from T2LfgbJBs... to XvHmkqWWH... (cla: yes, waiting for tree to go green)
[28289](https://github.com/flutter/engine/pull/28289) Roll Clang Linux from cIFYQ49sp... to dO8igrHyL... (cla: yes, waiting for tree to go green)
[28290](https://github.com/flutter/engine/pull/28290) Roll Skia from 7b3edfa65923 to 80fc31bc61a9 (2 revisions) (cla: yes, waiting for tree to go green)
[28291](https://github.com/flutter/engine/pull/28291) Roll Dart SDK from 35c81c55d91f to 4c4bf41da092 (1 revision) (cla: yes, waiting for tree to go green)
[28292](https://github.com/flutter/engine/pull/28292) Roll Skia from 80fc31bc61a9 to 9155b338bb9c (1 revision) (cla: yes, waiting for tree to go green)
[28293](https://github.com/flutter/engine/pull/28293) Support raw straight RGBA format in Image.toByteData() (cla: yes, waiting for tree to go green)
[28294](https://github.com/flutter/engine/pull/28294) Roll Dart SDK from 4c4bf41da092 to 0507607e1380 (1 revision) (cla: yes, waiting for tree to go green)
[28295](https://github.com/flutter/engine/pull/28295) Roll Skia from 9155b338bb9c to 02c7dac0be64 (1 revision) (cla: yes, waiting for tree to go green)
[28296](https://github.com/flutter/engine/pull/28296) Roll Skia from 02c7dac0be64 to 0305e86ee48c (1 revision) (cla: yes, waiting for tree to go green)
[28297](https://github.com/flutter/engine/pull/28297) Roll Dart SDK from 0507607e1380 to 2a693f47e303 (1 revision) (cla: yes, waiting for tree to go green)
[28298](https://github.com/flutter/engine/pull/28298) Windows: FlutterDesktopPixelBuffer: Add optional release callback (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28300](https://github.com/flutter/engine/pull/28300) Roll Skia from 0305e86ee48c to 1e16937f4734 (2 revisions) (cla: yes, waiting for tree to go green)
[28301](https://github.com/flutter/engine/pull/28301) Roll Dart SDK from 2a693f47e303 to 6fecad447467 (1 revision) (cla: yes, waiting for tree to go green)
[28303](https://github.com/flutter/engine/pull/28303) Roll Skia from 1e16937f4734 to d34406abf959 (1 revision) (cla: yes, waiting for tree to go green)
[28304](https://github.com/flutter/engine/pull/28304) Ensure that unregisterTexture is called when forget to call SurfaceTextureEntry.release (platform-android, cla: yes, waiting for tree to go green)
[28305](https://github.com/flutter/engine/pull/28305) Roll Skia from d34406abf959 to b61014d31064 (5 revisions) (cla: yes, waiting for tree to go green)
[28306](https://github.com/flutter/engine/pull/28306) Roll Skia from b61014d31064 to ad326ae032ee (6 revisions) (cla: yes, waiting for tree to go green)
[28308](https://github.com/flutter/engine/pull/28308) Revert "Reland enable DisplayList by default" (cla: yes, waiting for tree to go green)
[28315](https://github.com/flutter/engine/pull/28315) Ensure that Skia persistent cache filenames do not exceed the maximum allowed length (cla: yes, waiting for tree to go green)
[28316](https://github.com/flutter/engine/pull/28316) Roll Skia from ad326ae032ee to 7c94cf95fece (8 revisions) (cla: yes, waiting for tree to go green)
[28320](https://github.com/flutter/engine/pull/28320) Roll Skia from 7c94cf95fece to a3a8cba62e66 (1 revision) (cla: yes, waiting for tree to go green)
[28321](https://github.com/flutter/engine/pull/28321) Roll Skia from a3a8cba62e66 to c1727fc217a4 (1 revision) (cla: yes, waiting for tree to go green)
[28322](https://github.com/flutter/engine/pull/28322) Roll Skia from c1727fc217a4 to 3c0c185e0e3e (2 revisions) (cla: yes, waiting for tree to go green)
[28323](https://github.com/flutter/engine/pull/28323) Roll Skia from 3c0c185e0e3e to 62bd633b1c8c (1 revision) (cla: yes, waiting for tree to go green)
[28324](https://github.com/flutter/engine/pull/28324) Roll Fuchsia Mac SDK from 9xK8HkMEI... to 4p8By4CDl... (cla: yes, waiting for tree to go green)
[28325](https://github.com/flutter/engine/pull/28325) Roll Fuchsia Linux SDK from ZSqn1OAt7... to F0f_c0zno... (cla: yes, waiting for tree to go green)
[28328](https://github.com/flutter/engine/pull/28328) Fix a bug in the Base32 encoder that can cause improper encoding of the first byte (cla: yes, waiting for tree to go green)
[28331](https://github.com/flutter/engine/pull/28331) Roll Skia from 62bd633b1c8c to cb547586c7e6 (9 revisions) (cla: yes, waiting for tree to go green)
[28332](https://github.com/flutter/engine/pull/28332) Roll Skia from cb547586c7e6 to 31012fa353c8 (1 revision) (cla: yes, waiting for tree to go green)
[28333](https://github.com/flutter/engine/pull/28333) [TextInput] enroll in autofill by default (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web)
[28334](https://github.com/flutter/engine/pull/28334) Fix typo in a comment in #28098 (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28335](https://github.com/flutter/engine/pull/28335) Roll Skia from 31012fa353c8 to 2e3126dd22a6 (1 revision) (cla: yes, waiting for tree to go green)
[28336](https://github.com/flutter/engine/pull/28336) Roll Dart SDK from 2a693f47e303 to a0275f1d040d (9 revisions) (cla: yes, waiting for tree to go green)
[28337](https://github.com/flutter/engine/pull/28337) Roll Skia from 2e3126dd22a6 to 43a157cf27b6 (1 revision) (cla: yes, waiting for tree to go green)
[28338](https://github.com/flutter/engine/pull/28338) Roll Dart SDK from a0275f1d040d to 8e1a55ce1580 (1 revision) (cla: yes, waiting for tree to go green)
[28339](https://github.com/flutter/engine/pull/28339) [web] Support raw straight RGBA format in Image.toByteData() in CanvasKit (cla: yes, waiting for tree to go green, platform-web)
[28340](https://github.com/flutter/engine/pull/28340) Roll Skia from 43a157cf27b6 to bb8cf5804c83 (1 revision) (cla: yes, waiting for tree to go green)
[28341](https://github.com/flutter/engine/pull/28341) Macos external texture metal support yuv (cla: yes, waiting for tree to go green, platform-macos)
[28342](https://github.com/flutter/engine/pull/28342) Roll Dart SDK from 8e1a55ce1580 to 654a078603ea (1 revision) (cla: yes, waiting for tree to go green)
[28344](https://github.com/flutter/engine/pull/28344) Roll Skia from bb8cf5804c83 to c26cf6c2f589 (5 revisions) (cla: yes, waiting for tree to go green)
[28345](https://github.com/flutter/engine/pull/28345) organize snapshot/BUILD.gn targets and fix create_arm_gen_snapshot (cla: yes, waiting for tree to go green)
[28347](https://github.com/flutter/engine/pull/28347) Roll Dart SDK from 654a078603ea to 87900c1affc8 (1 revision) (cla: yes, waiting for tree to go green)
[28349](https://github.com/flutter/engine/pull/28349) Roll Skia from c26cf6c2f589 to c7774a779fac (4 revisions) (cla: yes, waiting for tree to go green)
[28350](https://github.com/flutter/engine/pull/28350) Roll Skia from c7774a779fac to 7bd3f1cc7822 (1 revision) (cla: yes, waiting for tree to go green)
[28351](https://github.com/flutter/engine/pull/28351) Roll Skia from 7bd3f1cc7822 to b42c3834afed (1 revision) (cla: yes, waiting for tree to go green)
[28354](https://github.com/flutter/engine/pull/28354) Roll Skia from b42c3834afed to 494eb3e877e6 (1 revision) (cla: yes, waiting for tree to go green)
[28356](https://github.com/flutter/engine/pull/28356) Correct outdated weak_ptr docs (cla: yes, waiting for tree to go green)
[28357](https://github.com/flutter/engine/pull/28357) [web] Support raw straight RGBA format in Image.toByteData() in Html (cla: yes, waiting for tree to go green, platform-web)
[28358](https://github.com/flutter/engine/pull/28358) Support passing existing SurfaceTexture to TextureRegistry (platform-android, cla: yes, waiting for tree to go green)
[28360](https://github.com/flutter/engine/pull/28360) Roll Skia from 494eb3e877e6 to f8a96584b64a (2 revisions) (cla: yes, waiting for tree to go green)
[28361](https://github.com/flutter/engine/pull/28361) Don't use Dart's application_snapshot() rule (cla: yes, waiting for tree to go green, platform-fuchsia)
[28362](https://github.com/flutter/engine/pull/28362) Roll Skia from f8a96584b64a to 5c4463ee0e27 (1 revision) (cla: yes, waiting for tree to go green)
[28363](https://github.com/flutter/engine/pull/28363) Roll Skia from 5c4463ee0e27 to 09e533b744ea (1 revision) (cla: yes, waiting for tree to go green)
[28364](https://github.com/flutter/engine/pull/28364) Roll Skia from 09e533b744ea to 91b781e7f670 (1 revision) (cla: yes, waiting for tree to go green)
[28365](https://github.com/flutter/engine/pull/28365) Roll Dart SDK from 87900c1affc8 to a81fbf00dde7 (1 revision) (cla: yes, waiting for tree to go green)
[28366](https://github.com/flutter/engine/pull/28366) Roll Skia from 91b781e7f670 to 2145390fbef1 (1 revision) (cla: yes, waiting for tree to go green)
[28367](https://github.com/flutter/engine/pull/28367) Roll Skia from 2145390fbef1 to a85560a9a396 (3 revisions) (cla: yes, waiting for tree to go green)
[28369](https://github.com/flutter/engine/pull/28369) Prevent app from accessing the GPU in the background in EncodeImage (cla: yes, waiting for tree to go green)
[28370](https://github.com/flutter/engine/pull/28370) Roll Fuchsia Mac SDK from 9xK8HkMEI... to _HYADWCi9... (cla: yes, waiting for tree to go green)
[28371](https://github.com/flutter/engine/pull/28371) Roll Fuchsia Linux SDK from ZSqn1OAt7... to KGgVwQrhW... (cla: yes, waiting for tree to go green)
[28373](https://github.com/flutter/engine/pull/28373) Roll Skia from a85560a9a396 to e5d07787f0f1 (5 revisions) (cla: yes, waiting for tree to go green)
[28374](https://github.com/flutter/engine/pull/28374) Roll Skia from e5d07787f0f1 to cadd5dbded4c (5 revisions) (cla: yes, waiting for tree to go green)
[28375](https://github.com/flutter/engine/pull/28375) Drop unneded kotlin dep (cla: yes, waiting for tree to go green)
[28376](https://github.com/flutter/engine/pull/28376) Add missing result for the TextInput.setEditableSizeAndTransform method handler on Android (platform-android, cla: yes, waiting for tree to go green)
[28378](https://github.com/flutter/engine/pull/28378) Roll Skia from cadd5dbded4c to 2303f7c4a918 (2 revisions) (cla: yes, waiting for tree to go green)
[28379](https://github.com/flutter/engine/pull/28379) Roll Skia from 2303f7c4a918 to f182b8d05046 (1 revision) (cla: yes, waiting for tree to go green)
[28380](https://github.com/flutter/engine/pull/28380) Delay matrix call in Preroll of picture layer (cla: yes, waiting for tree to go green)
[28381](https://github.com/flutter/engine/pull/28381) Roll Skia from f182b8d05046 to 78a00998f8d0 (1 revision) (cla: yes, waiting for tree to go green)
[28384](https://github.com/flutter/engine/pull/28384) Roll Fuchsia Mac SDK from _HYADWCi9... to PBsQu7H2x... (cla: yes, waiting for tree to go green)
[28385](https://github.com/flutter/engine/pull/28385) Roll Skia from 78a00998f8d0 to 262713dc652a (2 revisions) (cla: yes, waiting for tree to go green)
[28386](https://github.com/flutter/engine/pull/28386) Roll Fuchsia Linux SDK from KGgVwQrhW... to FQnJKIHw7... (cla: yes, waiting for tree to go green)
[28387](https://github.com/flutter/engine/pull/28387) Roll Skia from 262713dc652a to 772061e83674 (11 revisions) (cla: yes, waiting for tree to go green)
[28389](https://github.com/flutter/engine/pull/28389) Roll Skia from 772061e83674 to a8b897bfc13d (6 revisions) (cla: yes, waiting for tree to go green)
[28390](https://github.com/flutter/engine/pull/28390) Roll Skia from a8b897bfc13d to 3b2048987253 (7 revisions) (cla: yes, waiting for tree to go green)
[28391](https://github.com/flutter/engine/pull/28391) Make the LocalizationPluginTest package declaration match the source file path (platform-android, cla: yes, waiting for tree to go green)
[28392](https://github.com/flutter/engine/pull/28392) merge accounting of the picture and dl cache entries in reported statistics (cla: yes, waiting for tree to go green)
[28393](https://github.com/flutter/engine/pull/28393) Roll Skia from 3b2048987253 to 51b4b86da645 (4 revisions) (cla: yes, waiting for tree to go green)
[28394](https://github.com/flutter/engine/pull/28394) Roll Skia from 51b4b86da645 to 44b7568c8a4e (1 revision) (cla: yes, waiting for tree to go green)
[28396](https://github.com/flutter/engine/pull/28396) Roll Fuchsia Mac SDK from PBsQu7H2x... to mBQmFpqqI... (cla: yes, waiting for tree to go green)
[28397](https://github.com/flutter/engine/pull/28397) Roll Fuchsia Linux SDK from FQnJKIHw7... to qywu-XJBK... (cla: yes, waiting for tree to go green)
[28398](https://github.com/flutter/engine/pull/28398) Roll Skia from 44b7568c8a4e to 4d6344c81d6d (1 revision) (cla: yes, waiting for tree to go green)
[28399](https://github.com/flutter/engine/pull/28399) Roll Skia from 4d6344c81d6d to e42508875792 (1 revision) (cla: yes, waiting for tree to go green)
[28402](https://github.com/flutter/engine/pull/28402) Roll Dart SDK from a81fbf00dde7 to 81c5961865cf (1 revision) (cla: yes, waiting for tree to go green)
[28403](https://github.com/flutter/engine/pull/28403) Remove fuchsia.net.NameLookup (cla: yes, waiting for tree to go green, platform-fuchsia)
[28405](https://github.com/flutter/engine/pull/28405) Revert "Turn compressed pointers on Android for 64 bit architectures." (cla: yes, waiting for tree to go green)
[28406](https://github.com/flutter/engine/pull/28406) Roll Skia from e42508875792 to ad284fe277bf (6 revisions) (cla: yes, waiting for tree to go green)
[28408](https://github.com/flutter/engine/pull/28408) Roll Fuchsia Mac SDK from mBQmFpqqI... to l8aXovOpe... (cla: yes, waiting for tree to go green)
[28409](https://github.com/flutter/engine/pull/28409) Roll Fuchsia Linux SDK from qywu-XJBK... to 2KDbYfNb6... (cla: yes, waiting for tree to go green)
[28410](https://github.com/flutter/engine/pull/28410) Roll Dart SDK from 81c5961865cf to fad8e8989ab6 (1 revision) (cla: yes, waiting for tree to go green)
[28412](https://github.com/flutter/engine/pull/28412) Roll Skia from ad284fe277bf to 2af13c135b9c (3 revisions) (cla: yes, waiting for tree to go green)
[28413](https://github.com/flutter/engine/pull/28413) Fix building Dart Fuchsia components and packages (cla: yes, waiting for tree to go green, platform-fuchsia)
[28414](https://github.com/flutter/engine/pull/28414) Roll Skia from 2af13c135b9c to 0459a9373476 (5 revisions) (cla: yes, waiting for tree to go green)
[28416](https://github.com/flutter/engine/pull/28416) Roll Dart SDK from fad8e8989ab6 to 3e5ab8e22dc3 (1 revision) (cla: yes, waiting for tree to go green)
[28418](https://github.com/flutter/engine/pull/28418) TextEditingDelta support for iOS (platform-ios, cla: yes, waiting for tree to go green)
[28419](https://github.com/flutter/engine/pull/28419) Roll Fuchsia Mac SDK from l8aXovOpe... to YOSL2lcaL... (cla: yes, waiting for tree to go green)
[28420](https://github.com/flutter/engine/pull/28420) Roll Fuchsia Linux SDK from 2KDbYfNb6... to qhNUfwDZ6... (cla: yes, waiting for tree to go green)
[28421](https://github.com/flutter/engine/pull/28421) Roll Skia from 0459a9373476 to 517f4ffb12ca (15 revisions) (cla: yes, waiting for tree to go green)
[28423](https://github.com/flutter/engine/pull/28423) Roll Fuchsia Mac SDK from YOSL2lcaL... to VbLDH0aNK... (cla: yes, waiting for tree to go green)
[28426](https://github.com/flutter/engine/pull/28426) Roll Dart SDK from 3e5ab8e22dc3 to edf2936a5e06 (4 revisions) (cla: yes, waiting for tree to go green)
[28427](https://github.com/flutter/engine/pull/28427) Roll Clang Mac from XvHmkqWWH... to xdUzo8i18... (cla: yes, waiting for tree to go green)
[28429](https://github.com/flutter/engine/pull/28429) Roll Fuchsia Linux SDK from qhNUfwDZ6... to pypCKSnUc... (cla: yes, waiting for tree to go green)
[28439](https://github.com/flutter/engine/pull/28439) Add RasterCache metrics to the FrameTimings (cla: yes, waiting for tree to go green, platform-web)
[28441](https://github.com/flutter/engine/pull/28441) Roll Fuchsia Mac SDK from VbLDH0aNK... to igx6EXsq_... (cla: yes, waiting for tree to go green)
[28443](https://github.com/flutter/engine/pull/28443) Roll Clang Mac from xdUzo8i18... to XvHmkqWWH... (cla: yes, waiting for tree to go green)
[28444](https://github.com/flutter/engine/pull/28444) Roll Fuchsia Linux SDK from pypCKSnUc... to 8CGViPqZj... (cla: yes, waiting for tree to go green)
[28448](https://github.com/flutter/engine/pull/28448) Roll Dart SDK from 3e5ab8e22dc3 to 9ad577b3a3e4 (9 revisions) (cla: yes, waiting for tree to go green)
[28451](https://github.com/flutter/engine/pull/28451) Roll Skia from 517f4ffb12ca to 678ec7187a33 (29 revisions) (cla: yes, waiting for tree to go green)
[28452](https://github.com/flutter/engine/pull/28452) Roll Skia from 678ec7187a33 to 0ed278b42de3 (1 revision) (cla: yes, waiting for tree to go green)
[28454](https://github.com/flutter/engine/pull/28454) Roll Fuchsia Mac SDK from igx6EXsq_... to c0W6I_W1n... (cla: yes, waiting for tree to go green)
[28455](https://github.com/flutter/engine/pull/28455) Roll Dart SDK from 9ad577b3a3e4 to 7b3ede5086e0 (2 revisions) (cla: yes, waiting for tree to go green)
[28456](https://github.com/flutter/engine/pull/28456) Roll Skia from 0ed278b42de3 to 360db877be35 (4 revisions) (cla: yes, waiting for tree to go green)
[28458](https://github.com/flutter/engine/pull/28458) Roll Dart SDK from 7b3ede5086e0 to 238108dd9c6f (1 revision) (cla: yes, waiting for tree to go green)
[28459](https://github.com/flutter/engine/pull/28459) Roll Fuchsia Linux SDK from 8CGViPqZj... to oSxtpYn84... (cla: yes, waiting for tree to go green)
[28460](https://github.com/flutter/engine/pull/28460) Roll Fuchsia Mac SDK from c0W6I_W1n... to CYEiDwUB9... (cla: yes, waiting for tree to go green)
[28461](https://github.com/flutter/engine/pull/28461) Roll Dart SDK from 238108dd9c6f to d6fa0d686082 (1 revision) (cla: yes, waiting for tree to go green)
[28463](https://github.com/flutter/engine/pull/28463) Roll Fuchsia Linux SDK from oSxtpYn84... to DzxXYKzlk... (cla: yes, waiting for tree to go green)
[28464](https://github.com/flutter/engine/pull/28464) Roll Fuchsia Mac SDK from CYEiDwUB9... to lOgxSvrjd... (cla: yes, waiting for tree to go green)
[28466](https://github.com/flutter/engine/pull/28466) Roll Fuchsia Linux SDK from DzxXYKzlk... to GpAkjCJKU... (cla: yes, waiting for tree to go green)
[28467](https://github.com/flutter/engine/pull/28467) Factor out a task synchronization help function for unit tests (cla: yes, waiting for tree to go green)
[28468](https://github.com/flutter/engine/pull/28468) Roll Skia from 360db877be35 to f65cd9be7330 (1 revision) (cla: yes, waiting for tree to go green)
[28470](https://github.com/flutter/engine/pull/28470) Roll Fuchsia Mac SDK from lOgxSvrjd... to 7OyGTsKNy... (cla: yes, waiting for tree to go green)
[28471](https://github.com/flutter/engine/pull/28471) Roll Fuchsia Linux SDK from GpAkjCJKU... to eYuGUghZ1... (cla: yes, waiting for tree to go green)
[28472](https://github.com/flutter/engine/pull/28472) Roll Fuchsia Mac SDK from 7OyGTsKNy... to bmShnqcSD... (cla: yes, waiting for tree to go green)
[28473](https://github.com/flutter/engine/pull/28473) Roll Skia from f65cd9be7330 to fc5efe32b404 (1 revision) (cla: yes, waiting for tree to go green)
[28474](https://github.com/flutter/engine/pull/28474) Discard the resubmitted layer tree of the wrong size instead of rendering it (cla: yes, waiting for tree to go green)
[28475](https://github.com/flutter/engine/pull/28475) Roll Skia from fc5efe32b404 to 48bb9a59e063 (1 revision) (cla: yes, waiting for tree to go green)
[28476](https://github.com/flutter/engine/pull/28476) Roll Fuchsia Linux SDK from eYuGUghZ1... to ExKaxwFai... (cla: yes, waiting for tree to go green)
[28477](https://github.com/flutter/engine/pull/28477) Roll Fuchsia Mac SDK from bmShnqcSD... to 8tsd1ptRi... (cla: yes, waiting for tree to go green)
[28482](https://github.com/flutter/engine/pull/28482) Roll Fuchsia Mac SDK from 8tsd1ptRi... to rP-YL86e_... (cla: yes, waiting for tree to go green)
[28484](https://github.com/flutter/engine/pull/28484) Roll Fuchsia Linux SDK from ExKaxwFai... to F3B5fctvV... (cla: yes, waiting for tree to go green)
[28486](https://github.com/flutter/engine/pull/28486) Roll Skia from 48bb9a59e063 to 10fa1c84b4b2 (1 revision) (cla: yes, waiting for tree to go green)
[28489](https://github.com/flutter/engine/pull/28489) Roll Skia from 10fa1c84b4b2 to ca5d31e4592c (14 revisions) (cla: yes, waiting for tree to go green)
[28492](https://github.com/flutter/engine/pull/28492) Add benchmarks to measure dart -> native time (cla: yes, waiting for tree to go green)
[28493](https://github.com/flutter/engine/pull/28493) Roll Skia from ca5d31e4592c to a2c76c77c496 (9 revisions) (cla: yes, waiting for tree to go green)
[28494](https://github.com/flutter/engine/pull/28494) [Web text input] Make placeholder text invisible (cla: yes, waiting for tree to go green, platform-web)
[28495](https://github.com/flutter/engine/pull/28495) Fixes accessibility issue that bridge fails to clean up FlutterScrollableSemanticsObject (platform-ios, cla: yes, waiting for tree to go green)
[28500](https://github.com/flutter/engine/pull/28500) backdrop_filter_layer only pushes to the leaf_nodes_canvas (platform-ios, cla: yes, waiting for tree to go green)
[28501](https://github.com/flutter/engine/pull/28501) Roll Skia from a2c76c77c496 to 72fe2e5e5d8e (7 revisions) (cla: yes, waiting for tree to go green)
[28502](https://github.com/flutter/engine/pull/28502) Roll Fuchsia Linux SDK from F3B5fctvV... to j7aYNNbVt... (cla: yes, waiting for tree to go green)
[28503](https://github.com/flutter/engine/pull/28503) Roll Skia from 72fe2e5e5d8e to 5ccad8aa4ee5 (3 revisions) (cla: yes, waiting for tree to go green)
[28504](https://github.com/flutter/engine/pull/28504) Roll Fuchsia Mac SDK from rP-YL86e_... to cDn94pEla... (cla: yes, waiting for tree to go green)
[28505](https://github.com/flutter/engine/pull/28505) Roll Skia from 5ccad8aa4ee5 to 30f8611655b4 (1 revision) (cla: yes, waiting for tree to go green)
[28507](https://github.com/flutter/engine/pull/28507) Roll Skia from 30f8611655b4 to a0d61eb56199 (8 revisions) (cla: yes, waiting for tree to go green)
[28510](https://github.com/flutter/engine/pull/28510) Reland "Add benchmarks to measure dart -> native time (#28492)" (cla: yes, waiting for tree to go green)
[28512](https://github.com/flutter/engine/pull/28512) Roll Fuchsia Linux SDK from j7aYNNbVt... to BP1AUqX5m... (cla: yes, waiting for tree to go green)
[28515](https://github.com/flutter/engine/pull/28515) Roll Skia from a0d61eb56199 to 51f95129285f (5 revisions) (cla: yes, waiting for tree to go green)
[28517](https://github.com/flutter/engine/pull/28517) Roll Fuchsia Mac SDK from cDn94pEla... to YnuT0nBZG... (cla: yes, waiting for tree to go green)
[28521](https://github.com/flutter/engine/pull/28521) Roll Clang Linux from dO8igrHyL... to KK8UQefBW... (cla: yes, waiting for tree to go green)
[28522](https://github.com/flutter/engine/pull/28522) Roll Clang Mac from XvHmkqWWH... to OWP5QAE8i... (cla: yes, waiting for tree to go green)
[28523](https://github.com/flutter/engine/pull/28523) Roll Skia from 51f95129285f to b6981fb6a4c1 (1 revision) (cla: yes, waiting for tree to go green)
[28524](https://github.com/flutter/engine/pull/28524) Roll Skia from b6981fb6a4c1 to f4f2f7542d5d (3 revisions) (cla: yes, waiting for tree to go green)
[28526](https://github.com/flutter/engine/pull/28526) Roll Fuchsia Linux SDK from BP1AUqX5m... to Y6zuLOGqK... (cla: yes, waiting for tree to go green)
[28528](https://github.com/flutter/engine/pull/28528) Roll Fuchsia Mac SDK from YnuT0nBZG... to 5hlfN-425... (cla: yes, waiting for tree to go green)
[28529](https://github.com/flutter/engine/pull/28529) Roll Skia from f4f2f7542d5d to 9605042e8eb2 (1 revision) (cla: yes, waiting for tree to go green)
[28530](https://github.com/flutter/engine/pull/28530) Roll Dart SDK from d6fa0d686082 to 45b4f2d77247 (9 revisions) (cla: yes, waiting for tree to go green)
[28531](https://github.com/flutter/engine/pull/28531) Roll Skia from 9605042e8eb2 to db2b44e01f9a (1 revision) (cla: yes, waiting for tree to go green)
[28534](https://github.com/flutter/engine/pull/28534) Roll Skia from db2b44e01f9a to 2c704669fb7b (3 revisions) (cla: yes, waiting for tree to go green)
[28537](https://github.com/flutter/engine/pull/28537) Roll Dart SDK from 45b4f2d77247 to c1f80cf5fde6 (1 revision) (cla: yes, waiting for tree to go green)
[28538](https://github.com/flutter/engine/pull/28538) Roll Fuchsia Linux SDK from Y6zuLOGqK... to 7rmb7v6Rn... (cla: yes, waiting for tree to go green)
[28539](https://github.com/flutter/engine/pull/28539) Roll Skia from 2c704669fb7b to f17e4008a89b (11 revisions) (cla: yes, waiting for tree to go green)
[28540](https://github.com/flutter/engine/pull/28540) Roll Fuchsia Mac SDK from 5hlfN-425... to crjfjPXZN... (cla: yes, waiting for tree to go green)
[28541](https://github.com/flutter/engine/pull/28541) Roll Dart SDK from c1f80cf5fde6 to 5171a2583ace (1 revision) (cla: yes, waiting for tree to go green)
[28544](https://github.com/flutter/engine/pull/28544) Roll Skia from f17e4008a89b to 9292c806e97d (1 revision) (cla: yes, waiting for tree to go green)
[28545](https://github.com/flutter/engine/pull/28545) Roll Dart SDK from 5171a2583ace to e92d1fb9117c (1 revision) (cla: yes, waiting for tree to go green)
[28546](https://github.com/flutter/engine/pull/28546) Roll Skia from 9292c806e97d to c96f97938462 (2 revisions) (cla: yes, waiting for tree to go green)
[28547](https://github.com/flutter/engine/pull/28547) Roll Dart SDK from e92d1fb9117c to 39f81c50c2e1 (1 revision) (cla: yes, waiting for tree to go green)
[28548](https://github.com/flutter/engine/pull/28548) Roll Fuchsia Linux SDK from 7rmb7v6Rn... to E-2zyKFAo... (cla: yes, waiting for tree to go green)
[28549](https://github.com/flutter/engine/pull/28549) Roll Skia from c96f97938462 to 588dcc093d81 (1 revision) (cla: yes, waiting for tree to go green)
[28551](https://github.com/flutter/engine/pull/28551) Roll Dart SDK from 39f81c50c2e1 to 8ed0a66c8802 (1 revision) (cla: yes, waiting for tree to go green)
[28552](https://github.com/flutter/engine/pull/28552) Roll Fuchsia Mac SDK from crjfjPXZN... to TXPmKCwBR... (cla: yes, waiting for tree to go green)
[28553](https://github.com/flutter/engine/pull/28553) Roll Skia from 588dcc093d81 to c7ffd5e6809e (5 revisions) (cla: yes, waiting for tree to go green)
[28554](https://github.com/flutter/engine/pull/28554) Roll Skia from c7ffd5e6809e to c9d65f0b8ab6 (1 revision) (cla: yes, waiting for tree to go green)
[28555](https://github.com/flutter/engine/pull/28555) Roll Skia from c9d65f0b8ab6 to 2b868d6b9aa3 (5 revisions) (cla: yes, waiting for tree to go green)
[28557](https://github.com/flutter/engine/pull/28557) Roll Skia from 2b868d6b9aa3 to 9a1f92e4fff5 (2 revisions) (cla: yes, waiting for tree to go green)
[28559](https://github.com/flutter/engine/pull/28559) Roll Skia from 9a1f92e4fff5 to b13f36944ca7 (5 revisions) (cla: yes, waiting for tree to go green)
[28562](https://github.com/flutter/engine/pull/28562) Roll Fuchsia Linux SDK from E-2zyKFAo... to rYYCP4o1F... (cla: yes, waiting for tree to go green)
[28563](https://github.com/flutter/engine/pull/28563) Roll Dart SDK from 8ed0a66c8802 to 86bd94a5b8dd (2 revisions) (cla: yes, waiting for tree to go green)
[28565](https://github.com/flutter/engine/pull/28565) Roll Fuchsia Mac SDK from TXPmKCwBR... to N5vbbACOm... (cla: yes, waiting for tree to go green)
[28566](https://github.com/flutter/engine/pull/28566) Delete is_background_view from FlutterJNI (platform-android, cla: yes, waiting for tree to go green)
[28568](https://github.com/flutter/engine/pull/28568) Roll Skia from b13f36944ca7 to 2e4dc863da04 (1 revision) (cla: yes, waiting for tree to go green)
[28570](https://github.com/flutter/engine/pull/28570) Roll Fuchsia Linux SDK from rYYCP4o1F... to evxB7Rykf... (cla: yes, waiting for tree to go green)
[28572](https://github.com/flutter/engine/pull/28572) Roll buildroot to drop support for iOS 8.0. (cla: yes, waiting for tree to go green)
[28576](https://github.com/flutter/engine/pull/28576) Call _isLoopback as a last resort (cla: yes, waiting for tree to go green, needs tests)
[28577](https://github.com/flutter/engine/pull/28577) Roll Skia from 2e4dc863da04 to 56efcf2d5bc1 (5 revisions) (cla: yes, waiting for tree to go green)
[28580](https://github.com/flutter/engine/pull/28580) Roll Skia from 56efcf2d5bc1 to ec7b63a74585 (4 revisions) (cla: yes, waiting for tree to go green)
[28582](https://github.com/flutter/engine/pull/28582) Roll Dart SDK from 86bd94a5b8dd to 904ca10d48a7 (1 revision) (cla: yes, waiting for tree to go green)
[28584](https://github.com/flutter/engine/pull/28584) Renew cirrus gcp credentials (cla: yes, waiting for tree to go green)
[28585](https://github.com/flutter/engine/pull/28585) Roll Fuchsia Mac SDK from N5vbbACOm... to 7JrylIRbJ... (cla: yes, waiting for tree to go green)
[28586](https://github.com/flutter/engine/pull/28586) Parse the benchmarks on presubmit jobs (cla: yes, waiting for tree to go green, needs tests)
[28587](https://github.com/flutter/engine/pull/28587) Roll Fuchsia Linux SDK from evxB7Rykf... to 90jKZc0CF... (cla: yes, waiting for tree to go green)
[28588](https://github.com/flutter/engine/pull/28588) Roll Skia from ec7b63a74585 to 7591d4b5ef28 (4 revisions) (cla: yes, waiting for tree to go green)
[28589](https://github.com/flutter/engine/pull/28589) [web] fix the last matrix element in CkPath.shift (cla: yes, waiting for tree to go green, platform-web)
[28590](https://github.com/flutter/engine/pull/28590) Roll Skia from 7591d4b5ef28 to 92f1bc0083bf (1 revision) (cla: yes, waiting for tree to go green)
[28591](https://github.com/flutter/engine/pull/28591) Roll Dart SDK from 904ca10d48a7 to 6d30f47da59b (2 revisions) (cla: yes, waiting for tree to go green)
[28596](https://github.com/flutter/engine/pull/28596) prepare drawPoints MaskFilter test for Skia bug fix (cla: yes, waiting for tree to go green)
[28598](https://github.com/flutter/engine/pull/28598) Roll Dart SDK from 6d30f47da59b to 73e8595bcba1 (1 revision) (cla: yes, waiting for tree to go green)
[28600](https://github.com/flutter/engine/pull/28600) Roll Skia from 92f1bc0083bf to c3e7cadc1015 (7 revisions) (cla: yes, waiting for tree to go green)
[28601](https://github.com/flutter/engine/pull/28601) Roll Skia from c3e7cadc1015 to a31021db2b54 (3 revisions) (cla: yes, waiting for tree to go green)
[28602](https://github.com/flutter/engine/pull/28602) Roll Fuchsia Linux SDK from 90jKZc0CF... to 2eVinpLwx... (cla: yes, waiting for tree to go green)
[28603](https://github.com/flutter/engine/pull/28603) Roll Fuchsia Mac SDK from 7JrylIRbJ... to iychQeTRD... (cla: yes, waiting for tree to go green)
[28604](https://github.com/flutter/engine/pull/28604) Roll Dart SDK from 73e8595bcba1 to 1101a7e8c0e6 (1 revision) (cla: yes, waiting for tree to go green)
[28605](https://github.com/flutter/engine/pull/28605) Roll Skia from a31021db2b54 to 7d19065eefe4 (1 revision) (cla: yes, waiting for tree to go green)
[28607](https://github.com/flutter/engine/pull/28607) Roll Skia from 7d19065eefe4 to 8d9e313db8a3 (7 revisions) (cla: yes, waiting for tree to go green)
[28608](https://github.com/flutter/engine/pull/28608) Roll Skia from 8d9e313db8a3 to 4ff44eff1cb4 (3 revisions) (cla: yes, waiting for tree to go green)
[28610](https://github.com/flutter/engine/pull/28610) Roll Skia from 4ff44eff1cb4 to 143e85023798 (1 revision) (cla: yes, waiting for tree to go green)
[28614](https://github.com/flutter/engine/pull/28614) Roll Skia from 143e85023798 to b701fa0ac070 (2 revisions) (cla: yes, waiting for tree to go green)
[28617](https://github.com/flutter/engine/pull/28617) Roll Fuchsia Linux SDK from 2eVinpLwx... to JOJ3jjqpt... (cla: yes, waiting for tree to go green)
[28618](https://github.com/flutter/engine/pull/28618) Roll Skia from b701fa0ac070 to 7e33d95f4f88 (4 revisions) (cla: yes, waiting for tree to go green)
[28620](https://github.com/flutter/engine/pull/28620) Roll Fuchsia Mac SDK from iychQeTRD... to njsyK4m3B... (cla: yes, waiting for tree to go green)
[28621](https://github.com/flutter/engine/pull/28621) Roll Dart SDK from 1101a7e8c0e6 to cee6ac3df70e (1 revision) (cla: yes, waiting for tree to go green)
[28622](https://github.com/flutter/engine/pull/28622) [licenses] Ignore .ccls-cache folder when generating engine licenses. (cla: yes, waiting for tree to go green, needs tests)
[28624](https://github.com/flutter/engine/pull/28624) Roll Skia from 7e33d95f4f88 to b51994990bb4 (1 revision) (cla: yes, waiting for tree to go green)
[28626](https://github.com/flutter/engine/pull/28626) Roll Dart SDK from cee6ac3df70e to 65ae60047c2b (1 revision) (cla: yes, waiting for tree to go green)
[28629](https://github.com/flutter/engine/pull/28629) Roll Skia from b51994990bb4 to 9680fed583ca (2 revisions) (cla: yes, waiting for tree to go green)
[28630](https://github.com/flutter/engine/pull/28630) Roll Dart SDK from 65ae60047c2b to 25f8064d7387 (2 revisions) (cla: yes, waiting for tree to go green)
[28631](https://github.com/flutter/engine/pull/28631) Roll Fuchsia Linux SDK from JOJ3jjqpt... to vM2cIvcGj... (cla: yes, waiting for tree to go green)
[28632](https://github.com/flutter/engine/pull/28632) Roll Fuchsia Mac SDK from njsyK4m3B... to OVVg7oNPI... (cla: yes, waiting for tree to go green)
[28634](https://github.com/flutter/engine/pull/28634) Roll Skia from 9680fed583ca to 720674e1190d (1 revision) (cla: yes, waiting for tree to go green)
[28635](https://github.com/flutter/engine/pull/28635) Roll Dart SDK from 25f8064d7387 to 05661056d153 (1 revision) (cla: yes, waiting for tree to go green)
[28637](https://github.com/flutter/engine/pull/28637) Roll Skia from 720674e1190d to 0c5b05c3ab53 (2 revisions) (cla: yes, waiting for tree to go green)
[28638](https://github.com/flutter/engine/pull/28638) Roll Skia from 0c5b05c3ab53 to 398ef4487b2a (7 revisions) (cla: yes, waiting for tree to go green)
[28641](https://github.com/flutter/engine/pull/28641) Roll Skia from 398ef4487b2a to a047e8bf4d49 (2 revisions) (cla: yes, waiting for tree to go green)
[28642](https://github.com/flutter/engine/pull/28642) [web] Multiple fixes to text layout and line breaks (cla: yes, waiting for tree to go green, platform-web)
[28643](https://github.com/flutter/engine/pull/28643) Roll Dart SDK from 05661056d153 to 41e5c7114f9c (2 revisions) (cla: yes, waiting for tree to go green)
[28644](https://github.com/flutter/engine/pull/28644) Roll Skia from a047e8bf4d49 to 81b7060ef036 (5 revisions) (cla: yes, waiting for tree to go green)
[28645](https://github.com/flutter/engine/pull/28645) Roll Skia from 81b7060ef036 to e1bb73ede418 (3 revisions) (cla: yes, waiting for tree to go green)
[28647](https://github.com/flutter/engine/pull/28647) Roll Skia from e1bb73ede418 to c915da9b2070 (3 revisions) (cla: yes, waiting for tree to go green)
[28649](https://github.com/flutter/engine/pull/28649) Roll Dart SDK from 41e5c7114f9c to 9e15d1a2afb5 (1 revision) (cla: yes, waiting for tree to go green)
[28650](https://github.com/flutter/engine/pull/28650) Roll Fuchsia Linux SDK from vM2cIvcGj... to aSzZz6T3u... (cla: yes, waiting for tree to go green)
[28651](https://github.com/flutter/engine/pull/28651) Roll Fuchsia Mac SDK from OVVg7oNPI... to 0XCXzG3BW... (cla: yes, waiting for tree to go green)
[28652](https://github.com/flutter/engine/pull/28652) Roll Skia from c915da9b2070 to 3e7cd00126b8 (2 revisions) (cla: yes, waiting for tree to go green)
[28653](https://github.com/flutter/engine/pull/28653) Roll Skia from 3e7cd00126b8 to 25868511fd05 (2 revisions) (cla: yes, waiting for tree to go green)
[28656](https://github.com/flutter/engine/pull/28656) Improve DisplayList bounds calculations (cla: yes, waiting for tree to go green)
[28658](https://github.com/flutter/engine/pull/28658) [shared_engine] Avoid the method surfaceUpdated is called many times when multiple FlutterViewController shared one engine (platform-ios, cla: yes, waiting for tree to go green)
[28659](https://github.com/flutter/engine/pull/28659) Roll Dart SDK from 9e15d1a2afb5 to b3da4b661c48 (2 revisions) (cla: yes, waiting for tree to go green)
[28661](https://github.com/flutter/engine/pull/28661) Roll Fuchsia Mac SDK from 0XCXzG3BW... to ejEFL6p3B... (cla: yes, waiting for tree to go green)
[28662](https://github.com/flutter/engine/pull/28662) Roll Fuchsia Linux SDK from aSzZz6T3u... to x3PP_nSNw... (cla: yes, waiting for tree to go green)
[28664](https://github.com/flutter/engine/pull/28664) Roll Skia from 25868511fd05 to db285de24756 (9 revisions) (cla: yes, waiting for tree to go green)
[28667](https://github.com/flutter/engine/pull/28667) Don't use Build.VERSION_CODES.S in test (platform-android, cla: yes, waiting for tree to go green)
[28668](https://github.com/flutter/engine/pull/28668) Roll Skia from db285de24756 to 4f3ca106c9d8 (1 revision) (cla: yes, waiting for tree to go green)
[28669](https://github.com/flutter/engine/pull/28669) Roll Dart SDK from b3da4b661c48 to 4aff633d5ef2 (3 revisions) (cla: yes, waiting for tree to go green)
[28670](https://github.com/flutter/engine/pull/28670) Fix GLFW embedder example for current flutter libs/Dart SDK (cla: yes, waiting for tree to go green)
[28674](https://github.com/flutter/engine/pull/28674) Roll Skia from 4f3ca106c9d8 to 941812fdcc84 (4 revisions) (cla: yes, waiting for tree to go green)
[28678](https://github.com/flutter/engine/pull/28678) Roll Dart SDK from 4aff633d5ef2 to 1874cf447307 (2 revisions) (cla: yes, waiting for tree to go green)
[28679](https://github.com/flutter/engine/pull/28679) hold DisplayList objects in SkiaGPUObject wrappers (cla: yes, waiting for tree to go green)
[28680](https://github.com/flutter/engine/pull/28680) Roll Skia from 941812fdcc84 to cd334839a74b (1 revision) (cla: yes, waiting for tree to go green)
[28681](https://github.com/flutter/engine/pull/28681) Roll Fuchsia Mac SDK from ejEFL6p3B... to bLXO_leTc... (cla: yes, waiting for tree to go green)
[28682](https://github.com/flutter/engine/pull/28682) Roll Fuchsia Linux SDK from x3PP_nSNw... to HtSlIxjFq... (cla: yes, waiting for tree to go green)
[28684](https://github.com/flutter/engine/pull/28684) Roll Skia from cd334839a74b to 149156550e75 (2 revisions) (cla: yes, waiting for tree to go green)
[28685](https://github.com/flutter/engine/pull/28685) Roll Skia from 149156550e75 to 7cece5e053ab (1 revision) (cla: yes, waiting for tree to go green)
[28686](https://github.com/flutter/engine/pull/28686) Roll Dart SDK from 1874cf447307 to 70186deed4f2 (1 revision) (cla: yes, waiting for tree to go green)
[28687](https://github.com/flutter/engine/pull/28687) Roll Skia from 7cece5e053ab to 56cab7f9cb1a (1 revision) (cla: yes, waiting for tree to go green)
[28688](https://github.com/flutter/engine/pull/28688) Roll Skia from 56cab7f9cb1a to cd0b01cf18cc (5 revisions) (cla: yes, waiting for tree to go green)
[28689](https://github.com/flutter/engine/pull/28689) Roll Skia from cd0b01cf18cc to 14cc21fd99a3 (4 revisions) (cla: yes, waiting for tree to go green)
[28690](https://github.com/flutter/engine/pull/28690) Roll Skia from 14cc21fd99a3 to 40e5f545b2ab (4 revisions) (cla: yes, waiting for tree to go green)
[28691](https://github.com/flutter/engine/pull/28691) Roll Dart SDK from 70186deed4f2 to acc4a3e2b78b (1 revision) (cla: yes, waiting for tree to go green)
[28692](https://github.com/flutter/engine/pull/28692) Roll Fuchsia Linux SDK from HtSlIxjFq... to oSwtt3qS9... (cla: yes, waiting for tree to go green)
[28694](https://github.com/flutter/engine/pull/28694) Do not share the GrDirectContext across engine instances on Android (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28695](https://github.com/flutter/engine/pull/28695) Roll Skia from 40e5f545b2ab to 6694a36a7f14 (2 revisions) (cla: yes, waiting for tree to go green)
[28696](https://github.com/flutter/engine/pull/28696) Roll Fuchsia Mac SDK from bLXO_leTc... to ig96PZ9uu... (cla: yes, waiting for tree to go green)
[28697](https://github.com/flutter/engine/pull/28697) Roll Skia from 6694a36a7f14 to 3299eb7febaf (2 revisions) (cla: yes, waiting for tree to go green)
[28698](https://github.com/flutter/engine/pull/28698) Wrap ImageShader::sk_image_ with a SkiaGPUObject (cla: yes, waiting for tree to go green, needs tests)
[28699](https://github.com/flutter/engine/pull/28699) Roll Skia from 3299eb7febaf to dcfa824c3830 (1 revision) (cla: yes, waiting for tree to go green)
[28700](https://github.com/flutter/engine/pull/28700) Use Gradle cache (cla: yes, waiting for tree to go green)
[28701](https://github.com/flutter/engine/pull/28701) Roll Skia from dcfa824c3830 to 6aac1193a7b6 (1 revision) (cla: yes, waiting for tree to go green)
[28702](https://github.com/flutter/engine/pull/28702) Roll Skia from 6aac1193a7b6 to ccef63db2666 (2 revisions) (cla: yes, waiting for tree to go green)
[28703](https://github.com/flutter/engine/pull/28703) Roll Dart SDK from acc4a3e2b78b to 347d212e6369 (2 revisions) (cla: yes, waiting for tree to go green)
[28704](https://github.com/flutter/engine/pull/28704) Roll Fuchsia Linux SDK from oSwtt3qS9... to cPLPB2qhF... (cla: yes, waiting for tree to go green)
[28706](https://github.com/flutter/engine/pull/28706) Roll Fuchsia Mac SDK from ig96PZ9uu... to CcH9sMEUb... (cla: yes, waiting for tree to go green)
[28707](https://github.com/flutter/engine/pull/28707) Fix duplicated documentation (cla: yes, waiting for tree to go green, needs tests)
[28709](https://github.com/flutter/engine/pull/28709) Roll Skia from ccef63db2666 to 2f7ee02577ef (1 revision) (cla: yes, waiting for tree to go green)
[28711](https://github.com/flutter/engine/pull/28711) Roll Dart SDK from 347d212e6369 to d5a092696895 (1 revision) (cla: yes, waiting for tree to go green)
[28712](https://github.com/flutter/engine/pull/28712) Roll Fuchsia Mac SDK from CcH9sMEUb... to 9EIecNJDs... (cla: yes, waiting for tree to go green)
[28713](https://github.com/flutter/engine/pull/28713) Roll Fuchsia Linux SDK from cPLPB2qhF... to CW7NYvI5U... (cla: yes, waiting for tree to go green)
[28714](https://github.com/flutter/engine/pull/28714) Roll Skia from 2f7ee02577ef to 68a09699e942 (1 revision) (cla: yes, waiting for tree to go green)
[28715](https://github.com/flutter/engine/pull/28715) Roll Fuchsia Mac SDK from 9EIecNJDs... to aPxJXWrBJ... (cla: yes, waiting for tree to go green)
[28716](https://github.com/flutter/engine/pull/28716) Roll Fuchsia Linux SDK from CW7NYvI5U... to i6udvN3jP... (cla: yes, waiting for tree to go green)
[28718](https://github.com/flutter/engine/pull/28718) Roll Dart SDK from d5a092696895 to cdf1e48ee9cb (1 revision) (cla: yes, waiting for tree to go green)
[28719](https://github.com/flutter/engine/pull/28719) Roll Skia from 68a09699e942 to bec01c6add58 (1 revision) (cla: yes, waiting for tree to go green)
[28720](https://github.com/flutter/engine/pull/28720) Roll Dart SDK from cdf1e48ee9cb to aa8455aced77 (1 revision) (cla: yes, waiting for tree to go green)
[28721](https://github.com/flutter/engine/pull/28721) Roll Skia from bec01c6add58 to 06f3ea1e0a5c (1 revision) (cla: yes, waiting for tree to go green)
[28722](https://github.com/flutter/engine/pull/28722) Roll Fuchsia Mac SDK from aPxJXWrBJ... to YGOXMJb8s... (cla: yes, waiting for tree to go green)
[28723](https://github.com/flutter/engine/pull/28723) Roll Fuchsia Linux SDK from i6udvN3jP... to a-fOk8gAq... (cla: yes, waiting for tree to go green)
[28725](https://github.com/flutter/engine/pull/28725) Roll Dart SDK from aa8455aced77 to 61f539dc7b50 (1 revision) (cla: yes, waiting for tree to go green)
[28726](https://github.com/flutter/engine/pull/28726) Reland "Add benchmarks to measure dart -> native time (#28492)" (cla: yes, waiting for tree to go green)
[28727](https://github.com/flutter/engine/pull/28727) Roll Skia from 06f3ea1e0a5c to 64be3c5867af (1 revision) (cla: yes, waiting for tree to go green)
[28729](https://github.com/flutter/engine/pull/28729) Roll Skia from 64be3c5867af to 14a9b089b6bf (6 revisions) (cla: yes, waiting for tree to go green)
[28731](https://github.com/flutter/engine/pull/28731) Roll Skia from 14a9b089b6bf to 498bfa4a8590 (2 revisions) (cla: yes, waiting for tree to go green)
[28732](https://github.com/flutter/engine/pull/28732) Remove obsolete instructions from scenario_app readme, pass depfile correctly. (cla: yes, waiting for tree to go green)
[28735](https://github.com/flutter/engine/pull/28735) Roll Dart SDK from 61f539dc7b50 to a0243abd09e3 (1 revision) (cla: yes, waiting for tree to go green)
[28736](https://github.com/flutter/engine/pull/28736) Make benchmark parsing pre-submit non-bringup (cla: yes, waiting for tree to go green)
[28737](https://github.com/flutter/engine/pull/28737) Roll Skia from 498bfa4a8590 to f62934b85a49 (2 revisions) (cla: yes, waiting for tree to go green)
[28743](https://github.com/flutter/engine/pull/28743) Set MinimumOSVersion in iOS Info.plist based on buildroot setting (platform-ios, cla: yes, waiting for tree to go green, platform-macos, embedder)
[28753](https://github.com/flutter/engine/pull/28753) adjust naming of DisplayList methods, fields and parameters to match style guide (cla: yes, waiting for tree to go green)
[28768](https://github.com/flutter/engine/pull/28768) Roll Skia from f62934b85a49 to b8f1651f9b67 (15 revisions) (cla: yes, waiting for tree to go green)
[28769](https://github.com/flutter/engine/pull/28769) Roll Fuchsia Mac SDK from YGOXMJb8s... to 3k3-vCrm5... (cla: yes, waiting for tree to go green)
[28770](https://github.com/flutter/engine/pull/28770) Roll Fuchsia Linux SDK from a-fOk8gAq... to JD40LpEJO... (cla: yes, waiting for tree to go green)
[28771](https://github.com/flutter/engine/pull/28771) Roll Skia from b8f1651f9b67 to e32309d771ee (3 revisions) (cla: yes, waiting for tree to go green)
[28774](https://github.com/flutter/engine/pull/28774) Fix Android T deprecated WindowManager INCORRECT_CONTEXT_USAGE (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28775](https://github.com/flutter/engine/pull/28775) Remove outdated unused element suppressions (cla: yes, waiting for tree to go green)
[28777](https://github.com/flutter/engine/pull/28777) Replace jcenter() for mavenCentral() (platform-android, cla: yes, waiting for tree to go green)
[28779](https://github.com/flutter/engine/pull/28779) Roll Dart SDK from a0243abd09e3 to 86a21d182523 (6 revisions) (cla: yes, waiting for tree to go green)
[28782](https://github.com/flutter/engine/pull/28782) Roll Skia from e32309d771ee to a48e7b0186b3 (10 revisions) (cla: yes, waiting for tree to go green)
[28783](https://github.com/flutter/engine/pull/28783) Set MinimumOSVersion to iOS 9 in Info.plist (platform-ios, cla: yes, waiting for tree to go green)
[28789](https://github.com/flutter/engine/pull/28789) Roll Dart SDK from 86a21d182523 to c2429dee845e (1 revision) (cla: yes, waiting for tree to go green)
[28791](https://github.com/flutter/engine/pull/28791) Roll Skia from a48e7b0186b3 to bb30fc16e1be (1 revision) (cla: yes, waiting for tree to go green)
[28792](https://github.com/flutter/engine/pull/28792) Roll Fuchsia Mac SDK from 3k3-vCrm5... to NM9FaaYay... (cla: yes, waiting for tree to go green)
[28793](https://github.com/flutter/engine/pull/28793) Roll Fuchsia Linux SDK from JD40LpEJO... to bWZcp2jnx... (cla: yes, waiting for tree to go green)
[28794](https://github.com/flutter/engine/pull/28794) Roll Skia from bb30fc16e1be to 5527735121f5 (1 revision) (cla: yes, waiting for tree to go green)
[28795](https://github.com/flutter/engine/pull/28795) Roll Dart SDK from c2429dee845e to 715a98df1828 (1 revision) (cla: yes, waiting for tree to go green)
[28796](https://github.com/flutter/engine/pull/28796) Roll Skia from 5527735121f5 to cb25d566c21d (3 revisions) (cla: yes, waiting for tree to go green)
[28797](https://github.com/flutter/engine/pull/28797) Roll Dart SDK from 715a98df1828 to 4e396689de4f (1 revision) (cla: yes, waiting for tree to go green)
[28800](https://github.com/flutter/engine/pull/28800) Roll Dart SDK from 4e396689de4f to 6e17953f4e7e (1 revision) (cla: yes, waiting for tree to go green)
[28803](https://github.com/flutter/engine/pull/28803) Roll Fuchsia Mac SDK from NM9FaaYay... to nblJjRFDA... (cla: yes, waiting for tree to go green)
[28804](https://github.com/flutter/engine/pull/28804) Roll Fuchsia Linux SDK from bWZcp2jnx... to tBL8VjITE... (cla: yes, waiting for tree to go green)
[28806](https://github.com/flutter/engine/pull/28806) Make DartExecutor.IsolateServiceIdListener public (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28807](https://github.com/flutter/engine/pull/28807) Roll Dart SDK from 6e17953f4e7e to ba343ec30c69 (1 revision) (cla: yes, waiting for tree to go green)
[28810](https://github.com/flutter/engine/pull/28810) Roll Dart SDK from ba343ec30c69 to ec4a8ac89fe5 (1 revision) (cla: yes, waiting for tree to go green)
[28811](https://github.com/flutter/engine/pull/28811) fuchsia: Add child views to flatland engine (cla: yes, waiting for tree to go green, platform-fuchsia)
[28813](https://github.com/flutter/engine/pull/28813) Roll Fuchsia Mac SDK from nblJjRFDA... to c3_45l-Rd... (cla: yes, waiting for tree to go green)
[28814](https://github.com/flutter/engine/pull/28814) Roll Fuchsia Linux SDK from tBL8VjITE... to vUHzQsB3f... (cla: yes, waiting for tree to go green)
[28815](https://github.com/flutter/engine/pull/28815) Roll Dart SDK from ec4a8ac89fe5 to eba0c93d96de (1 revision) (cla: yes, waiting for tree to go green)
[28817](https://github.com/flutter/engine/pull/28817) vsync_waiter_fallback should schedule firecallback for future (cla: yes, waiting for tree to go green, needs tests)
[28818](https://github.com/flutter/engine/pull/28818) Roll Dart SDK from eba0c93d96de to 1d7f47bf04d8 (1 revision) (cla: yes, waiting for tree to go green)
[28821](https://github.com/flutter/engine/pull/28821) [Fuchsia] Notify Shell when memory becomes low. (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[28823](https://github.com/flutter/engine/pull/28823) [fuchsia] Small shell scripts for workflow. (cla: yes, waiting for tree to go green)
[28825](https://github.com/flutter/engine/pull/28825) Roll Fuchsia Mac SDK from c3_45l-Rd... to lD33hO1tW... (cla: yes, waiting for tree to go green)
[28826](https://github.com/flutter/engine/pull/28826) Roll Dart SDK from 1d7f47bf04d8 to 6aa8a4aef43a (1 revision) (cla: yes, waiting for tree to go green)
[28827](https://github.com/flutter/engine/pull/28827) Roll Fuchsia Linux SDK from vUHzQsB3f... to tdrdF1Sz9... (cla: yes, waiting for tree to go green)
[28829](https://github.com/flutter/engine/pull/28829) Roll Dart SDK from 6aa8a4aef43a to 7e8e12d4d296 (2 revisions) (cla: yes, waiting for tree to go green)
[28830](https://github.com/flutter/engine/pull/28830) Add src/third_party/dart/third_party/yaml_edit to DEPS (cla: yes, waiting for tree to go green)
[28838](https://github.com/flutter/engine/pull/28838) Roll Fuchsia Linux SDK from tdrdF1Sz9... to Jo9QY1R3C... (cla: yes, waiting for tree to go green)
[28842](https://github.com/flutter/engine/pull/28842) Roll Skia from cb25d566c21d to 12732e4ad804 (55 revisions) (cla: yes, waiting for tree to go green)
[28843](https://github.com/flutter/engine/pull/28843) Roll Fuchsia Mac SDK from lD33hO1tW... to AaBCvnaBN... (cla: yes, waiting for tree to go green)
[28845](https://github.com/flutter/engine/pull/28845) Roll Skia from 12732e4ad804 to a909dd6b8d8d (4 revisions) (cla: yes, waiting for tree to go green)
[28847](https://github.com/flutter/engine/pull/28847) Use a relative path for the output when building a Dart kernel (cla: yes, waiting for tree to go green)
[28849](https://github.com/flutter/engine/pull/28849) Specify the root directory for Dart frontend server sources (cla: yes, waiting for tree to go green)
[28851](https://github.com/flutter/engine/pull/28851) Roll Dart SDK from 7e8e12d4d296 to 1a4db5ddd0ea (3 revisions) (cla: yes, waiting for tree to go green)
[28853](https://github.com/flutter/engine/pull/28853) Roll Skia from a909dd6b8d8d to 6e6bceeeea1e (7 revisions) (cla: yes, waiting for tree to go green)
[28854](https://github.com/flutter/engine/pull/28854) Roll Skia from 6e6bceeeea1e to 31fe2c51452a (3 revisions) (cla: yes, waiting for tree to go green)
[28856](https://github.com/flutter/engine/pull/28856) use all 16 matrix entries in Canvas.transform() to enable 3D matrix concatenation (cla: yes, waiting for tree to go green, platform-web)
[28857](https://github.com/flutter/engine/pull/28857) Roll Dart SDK from 1a4db5ddd0ea to 9e2228a0e880 (2 revisions) (cla: yes, waiting for tree to go green)
[28859](https://github.com/flutter/engine/pull/28859) Roll Fuchsia Mac SDK from AaBCvnaBN... to OPoARlWlE... (cla: yes, waiting for tree to go green)
[28863](https://github.com/flutter/engine/pull/28863) [fuchsia] Remove unused deps on fidl optional.h. (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[28868](https://github.com/flutter/engine/pull/28868) [iOSTextInput] remove floating cursor asserts (platform-ios, cla: yes, waiting for tree to go green)
[28874](https://github.com/flutter/engine/pull/28874) Roll Dart SDK from 9e2228a0e880 to 0cddaa9859a5 (1 revision) (cla: yes, waiting for tree to go green)
[28875](https://github.com/flutter/engine/pull/28875) Roll Fuchsia Linux SDK from Jo9QY1R3C... to UUcoJDQho... (cla: yes, waiting for tree to go green)
[28878](https://github.com/flutter/engine/pull/28878) [Linux] Fix crash when a method channel is reassigned (cla: yes, waiting for tree to go green, platform-linux)
[28879](https://github.com/flutter/engine/pull/28879) Roll Skia from 31fe2c51452a to 496b89cb74b3 (4 revisions) (cla: yes, waiting for tree to go green)
[28880](https://github.com/flutter/engine/pull/28880) Roll Fuchsia Mac SDK from OPoARlWlE... to NxbeZ1Uke... (cla: yes, waiting for tree to go green)
[28881](https://github.com/flutter/engine/pull/28881) Roll Skia from 496b89cb74b3 to e96e066d538d (1 revision) (cla: yes, waiting for tree to go green)
[28882](https://github.com/flutter/engine/pull/28882) Roll Fuchsia Linux SDK from UUcoJDQho... to sFMn4Ory_... (cla: yes, waiting for tree to go green)
[28883](https://github.com/flutter/engine/pull/28883) Roll Dart SDK from 0cddaa9859a5 to 893000264e3c (1 revision) (cla: yes, waiting for tree to go green)
[28886](https://github.com/flutter/engine/pull/28886) Bump maximum supported sdk to 30 for Robolectric (platform-android, cla: yes, waiting for tree to go green)
[28888](https://github.com/flutter/engine/pull/28888) Roll Fuchsia Mac SDK from NxbeZ1Uke... to 3pvmnxd8-... (cla: yes, waiting for tree to go green)
[28889](https://github.com/flutter/engine/pull/28889) Roll Skia from e96e066d538d to b9982f492896 (9 revisions) (cla: yes, waiting for tree to go green)
[28892](https://github.com/flutter/engine/pull/28892) Roll Skia from b9982f492896 to ef96fa9e83c2 (4 revisions) (cla: yes, waiting for tree to go green)
[28893](https://github.com/flutter/engine/pull/28893) Roll Dart SDK from 893000264e3c to 06093fe5921e (2 revisions) (cla: yes, waiting for tree to go green)
[28894](https://github.com/flutter/engine/pull/28894) Destroy overlay surfaces when the rasterizer is torn down (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-fuchsia)
[28896](https://github.com/flutter/engine/pull/28896) Mirror master to main branch. (cla: yes, waiting for tree to go green)
[28897](https://github.com/flutter/engine/pull/28897) Roll Skia from ef96fa9e83c2 to 0bfac0127c5e (9 revisions) (cla: yes, waiting for tree to go green)
[28898](https://github.com/flutter/engine/pull/28898) Enable main branch. (cla: yes, waiting for tree to go green)
[28899](https://github.com/flutter/engine/pull/28899) Roll Dart SDK from 06093fe5921e to 1998f61b08f7 (1 revision) (cla: yes, waiting for tree to go green)
[28900](https://github.com/flutter/engine/pull/28900) Roll Fuchsia Linux SDK from sFMn4Ory_... to fvDpNa7Tc... (cla: yes, waiting for tree to go green)
[28902](https://github.com/flutter/engine/pull/28902) Roll Fuchsia Mac SDK from 3pvmnxd8-... to zIn8c0_Am... (cla: yes, waiting for tree to go green)
[28903](https://github.com/flutter/engine/pull/28903) Use the systrace recorder if systracing is enabled at startup, and enable systracing in release mode on Android (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28904](https://github.com/flutter/engine/pull/28904) Roll Skia from 0bfac0127c5e to f2fb26d162b9 (4 revisions) (cla: yes, waiting for tree to go green)
[28906](https://github.com/flutter/engine/pull/28906) Roll Dart SDK from 1998f61b08f7 to f452a6585cbd (2 revisions) (cla: yes, waiting for tree to go green)
[28908](https://github.com/flutter/engine/pull/28908) Roll Skia from f2fb26d162b9 to 43264640f256 (2 revisions) (cla: yes, waiting for tree to go green)
[28909](https://github.com/flutter/engine/pull/28909) Roll Skia from 43264640f256 to 791c0d36a6f6 (2 revisions) (cla: yes, waiting for tree to go green)
[28910](https://github.com/flutter/engine/pull/28910) Roll Dart SDK from f452a6585cbd to 280a0c3efb21 (1 revision) (cla: yes, waiting for tree to go green)
[28911](https://github.com/flutter/engine/pull/28911) Roll Skia from 791c0d36a6f6 to 0f124cd7cd60 (2 revisions) (cla: yes, waiting for tree to go green)
[28913](https://github.com/flutter/engine/pull/28913) Roll Skia from 0f124cd7cd60 to aaa81ab61e43 (1 revision) (cla: yes, waiting for tree to go green)
[28914](https://github.com/flutter/engine/pull/28914) Roll Fuchsia Linux SDK from fvDpNa7Tc... to eEt3ktTjq... (cla: yes, waiting for tree to go green)
[28915](https://github.com/flutter/engine/pull/28915) Roll Fuchsia Mac SDK from zIn8c0_Am... to Lx_DI2yrc... (cla: yes, waiting for tree to go green)
[28916](https://github.com/flutter/engine/pull/28916) Roll Skia from aaa81ab61e43 to 2dc9c5d98f72 (3 revisions) (cla: yes, waiting for tree to go green)
[28925](https://github.com/flutter/engine/pull/28925) made android unit tests not require the host engine variant to exist (cla: yes, waiting for tree to go green)
[28932](https://github.com/flutter/engine/pull/28932) Roll Fuchsia Mac SDK from Lx_DI2yrc... to owSIykHxQ... (cla: yes, waiting for tree to go green)
[28933](https://github.com/flutter/engine/pull/28933) Roll Fuchsia Linux SDK from eEt3ktTjq... to BlL9tK7aj... (cla: yes, waiting for tree to go green)
[28934](https://github.com/flutter/engine/pull/28934) Roll Skia from 2dc9c5d98f72 to 31a94580b700 (13 revisions) (cla: yes, waiting for tree to go green)
[28935](https://github.com/flutter/engine/pull/28935) Roll Dart SDK from 280a0c3efb21 to d9092e3505ed (5 revisions) (cla: yes, waiting for tree to go green)
[28938](https://github.com/flutter/engine/pull/28938) fixed android unit tests (rotted before CI is running) (platform-android, cla: yes, waiting for tree to go green)
[28939](https://github.com/flutter/engine/pull/28939) Roll Skia from 31a94580b700 to 501e8e1a2c9f (5 revisions) (cla: yes, waiting for tree to go green)
[28941](https://github.com/flutter/engine/pull/28941) Roll Skia from 501e8e1a2c9f to d034db791d67 (2 revisions) (cla: yes, waiting for tree to go green)
[28942](https://github.com/flutter/engine/pull/28942) Roll Skia from d034db791d67 to a20c60d9e5d5 (2 revisions) (cla: yes, waiting for tree to go green)
[28943](https://github.com/flutter/engine/pull/28943) Roll Dart SDK from d9092e3505ed to 48283a35397d (1 revision) (cla: yes, waiting for tree to go green)
[28946](https://github.com/flutter/engine/pull/28946) enable DisplayList by default (cla: yes, waiting for tree to go green)
[28947](https://github.com/flutter/engine/pull/28947) Roll Skia from a20c60d9e5d5 to 58014fa9a6a0 (3 revisions) (cla: yes, waiting for tree to go green)
[28948](https://github.com/flutter/engine/pull/28948) Roll Dart SDK from 48283a35397d to acbcdc91a2c8 (1 revision) (cla: yes, waiting for tree to go green)
[28950](https://github.com/flutter/engine/pull/28950) Fix typos in spirv README (cla: yes, waiting for tree to go green)
[28951](https://github.com/flutter/engine/pull/28951) [fuchsia] Pass WeakPtrs to GfxConnection FIDL fns. (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[28952](https://github.com/flutter/engine/pull/28952) Roll Skia from 58014fa9a6a0 to ddbb97d741ff (1 revision) (cla: yes, waiting for tree to go green)
[28953](https://github.com/flutter/engine/pull/28953) Roll Dart SDK from acbcdc91a2c8 to 54d42054bcb1 (1 revision) (cla: yes, waiting for tree to go green)
[28954](https://github.com/flutter/engine/pull/28954) Roll Fuchsia Mac SDK from owSIykHxQ... to Fo7RBTco3... (cla: yes, waiting for tree to go green)
[28955](https://github.com/flutter/engine/pull/28955) Roll Skia from ddbb97d741ff to 4b6421f9474f (3 revisions) (cla: yes, waiting for tree to go green)
[28956](https://github.com/flutter/engine/pull/28956) Roll Fuchsia Linux SDK from BlL9tK7aj... to wGBwwbbE-... (cla: yes, waiting for tree to go green)
[28957](https://github.com/flutter/engine/pull/28957) Roll Dart SDK from 54d42054bcb1 to a35443bce002 (1 revision) (cla: yes, waiting for tree to go green)
[28958](https://github.com/flutter/engine/pull/28958) Roll Skia from 4b6421f9474f to c076abe32ab5 (1 revision) (cla: yes, waiting for tree to go green)
[28959](https://github.com/flutter/engine/pull/28959) Roll Skia from c076abe32ab5 to 4ae3fd33cfaa (2 revisions) (cla: yes, waiting for tree to go green)
[28961](https://github.com/flutter/engine/pull/28961) Roll Dart SDK from a35443bce002 to 4a4c1361ad7b (1 revision) (cla: yes, waiting for tree to go green)
[28962](https://github.com/flutter/engine/pull/28962) Roll Skia from 4ae3fd33cfaa to 9c0b84417309 (5 revisions) (cla: yes, waiting for tree to go green)
[28963](https://github.com/flutter/engine/pull/28963) Revert Fuchsia SDK to version from 9/23 (cla: yes, waiting for tree to go green)
[28964](https://github.com/flutter/engine/pull/28964) Roll Skia from 9c0b84417309 to f69f21e601f9 (4 revisions) (cla: yes, waiting for tree to go green)
[28966](https://github.com/flutter/engine/pull/28966) Add web support for tooltip (cla: yes, waiting for tree to go green, platform-web)
[28968](https://github.com/flutter/engine/pull/28968) include nested Picture stats in DisplayList byte and op counts (cla: yes, waiting for tree to go green)
[28975](https://github.com/flutter/engine/pull/28975) made it so you can specify which adb to use for android tests (cla: yes, waiting for tree to go green)
[28976](https://github.com/flutter/engine/pull/28976) Roll Skia from f69f21e601f9 to 7bb0ff05cec5 (7 revisions) (cla: yes, waiting for tree to go green)
[28977](https://github.com/flutter/engine/pull/28977) Remove some deprecated APIs from the Android embedding (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28979](https://github.com/flutter/engine/pull/28979) Roll Dart SDK from 4a4c1361ad7b to 4fa07f3ccd43 (1 revision) (cla: yes, waiting for tree to go green)
[28981](https://github.com/flutter/engine/pull/28981) Roll Skia from 7bb0ff05cec5 to b011afc82fde (1 revision) (cla: yes, waiting for tree to go green)
[28984](https://github.com/flutter/engine/pull/28984) Roll Dart SDK from 4fa07f3ccd43 to cea2ea76fc66 (2 revisions) (cla: yes, waiting for tree to go green)
[28986](https://github.com/flutter/engine/pull/28986) Roll Skia from b011afc82fde to 8e29caf4c130 (6 revisions) (cla: yes, waiting for tree to go green)
[28987](https://github.com/flutter/engine/pull/28987) Defer setup of the default font manager if the embedding prefetched the font manager (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28988](https://github.com/flutter/engine/pull/28988) Roll Dart SDK from cea2ea76fc66 to d50eacfa4fcd (2 revisions) (cla: yes, waiting for tree to go green)
[28989](https://github.com/flutter/engine/pull/28989) Roll Skia from 8e29caf4c130 to 906e9eb53841 (6 revisions) (cla: yes, waiting for tree to go green)
[28993](https://github.com/flutter/engine/pull/28993) [fuchsia] publish dart runner v2 protocol (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[28994](https://github.com/flutter/engine/pull/28994) Roll Dart SDK from d50eacfa4fcd to 8c385be2c663 (2 revisions) (cla: yes, waiting for tree to go green)
[28995](https://github.com/flutter/engine/pull/28995) Roll Dart SDK from 8c385be2c663 to f440a20ff15f (2 revisions) (cla: yes, waiting for tree to go green)
[28996](https://github.com/flutter/engine/pull/28996) Roll Skia from 906e9eb53841 to ce22e059ffeb (1 revision) (cla: yes, waiting for tree to go green)
[28997](https://github.com/flutter/engine/pull/28997) make dart_runner cmx files have valid json (cla: yes, waiting for tree to go green, platform-fuchsia)
[28999](https://github.com/flutter/engine/pull/28999) Roll Skia from ce22e059ffeb to 23a66f7fb915 (1 revision) (cla: yes, waiting for tree to go green)
[29000](https://github.com/flutter/engine/pull/29000) Roll Skia from 23a66f7fb915 to f843d5cf7212 (1 revision) (cla: yes, waiting for tree to go green)
[29001](https://github.com/flutter/engine/pull/29001) Take SUPPORT_FRACTIONAL_TRANSLATION into account when diffing layers (cla: yes, waiting for tree to go green)
[29002](https://github.com/flutter/engine/pull/29002) Roll Dart SDK from f440a20ff15f to 7fe995e95e37 (1 revision) (cla: yes, waiting for tree to go green)
[29003](https://github.com/flutter/engine/pull/29003) Roll Skia from f843d5cf7212 to 03dd6a47a67b (1 revision) (cla: yes, waiting for tree to go green)
[29004](https://github.com/flutter/engine/pull/29004) Roll Skia from 03dd6a47a67b to 816d9179b3ca (3 revisions) (cla: yes, waiting for tree to go green)
[29005](https://github.com/flutter/engine/pull/29005) Roll Dart SDK from 7fe995e95e37 to aea166168df4 (1 revision) (cla: yes, waiting for tree to go green)
[29006](https://github.com/flutter/engine/pull/29006) Roll Skia from 816d9179b3ca to 923d83bf1875 (1 revision) (cla: yes, waiting for tree to go green)
[29007](https://github.com/flutter/engine/pull/29007) Start animator paused (cla: yes, waiting for tree to go green)
[29013](https://github.com/flutter/engine/pull/29013) Expose updateSystemUiOverlays in FlutterActivity and FlutterFragment (platform-android, cla: yes, waiting for tree to go green)
[29022](https://github.com/flutter/engine/pull/29022) Roll Skia from 923d83bf1875 to a6d7296948d4 (33 revisions) (cla: yes, waiting for tree to go green)
[29024](https://github.com/flutter/engine/pull/29024) Roll Skia from a6d7296948d4 to 52d162904845 (2 revisions) (cla: yes, waiting for tree to go green)
[29026](https://github.com/flutter/engine/pull/29026) Roll Skia from 52d162904845 to 237c22adb8a1 (1 revision) (cla: yes, waiting for tree to go green)
[29030](https://github.com/flutter/engine/pull/29030) Roll Skia from 237c22adb8a1 to fd4dc2347dd4 (4 revisions) (cla: yes, waiting for tree to go green)
[29032](https://github.com/flutter/engine/pull/29032) Roll Skia from fd4dc2347dd4 to d4ca5e11a157 (1 revision) (cla: yes, waiting for tree to go green)
[29035](https://github.com/flutter/engine/pull/29035) fuchsia: fix build (cla: yes, waiting for tree to go green, platform-fuchsia)
[29037](https://github.com/flutter/engine/pull/29037) Roll Skia from d4ca5e11a157 to ff5bb37b72b2 (1 revision) (cla: yes, waiting for tree to go green)
[29039](https://github.com/flutter/engine/pull/29039) Roll Skia from ff5bb37b72b2 to 98eb297750e6 (1 revision) (cla: yes, waiting for tree to go green)
[29040](https://github.com/flutter/engine/pull/29040) Roll Skia from 98eb297750e6 to 7e03a9adf21b (1 revision) (cla: yes, waiting for tree to go green)
[29041](https://github.com/flutter/engine/pull/29041) Roll Skia from 7e03a9adf21b to 0c18d7f33227 (3 revisions) (cla: yes, waiting for tree to go green)
[29044](https://github.com/flutter/engine/pull/29044) Roll Skia from 0c18d7f33227 to fbc64be80620 (2 revisions) (cla: yes, waiting for tree to go green)
[29045](https://github.com/flutter/engine/pull/29045) Roll Skia from fbc64be80620 to 47da0ac577aa (3 revisions) (cla: yes, waiting for tree to go green)
[29047](https://github.com/flutter/engine/pull/29047) Roll Skia from 47da0ac577aa to 6d0234673a40 (4 revisions) (cla: yes, waiting for tree to go green)
[29049](https://github.com/flutter/engine/pull/29049) Roll Skia from 6d0234673a40 to a1b44b72eb47 (3 revisions) (cla: yes, waiting for tree to go green)
[29051](https://github.com/flutter/engine/pull/29051) Roll Skia from a1b44b72eb47 to 1190301c3dba (2 revisions) (cla: yes, waiting for tree to go green)
[29052](https://github.com/flutter/engine/pull/29052) Fixed flutter_shell_native_unittests so they are built by default. (cla: yes, waiting for tree to go green)
[29054](https://github.com/flutter/engine/pull/29054) Roll Skia from 1190301c3dba to 1347e1334fe0 (7 revisions) (cla: yes, waiting for tree to go green)
[29055](https://github.com/flutter/engine/pull/29055) Update contrast enforcement for null values (platform-android, cla: yes, waiting for tree to go green)
[29058](https://github.com/flutter/engine/pull/29058) Roll Skia from 1347e1334fe0 to 29eed809a315 (1 revision) (cla: yes, waiting for tree to go green)
[29059](https://github.com/flutter/engine/pull/29059) Roll Skia from 29eed809a315 to 96713facd789 (3 revisions) (cla: yes, waiting for tree to go green)
[29060](https://github.com/flutter/engine/pull/29060) Set system bar appearance using WindowInsetsControllerCompat instead of the deprecated View#setSystemUiVisibility (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29062](https://github.com/flutter/engine/pull/29062) [ci.yaml] Migrate engine_staging_config.star to ci.yaml (cla: yes, waiting for tree to go green)
[29065](https://github.com/flutter/engine/pull/29065) Roll Skia from 96713facd789 to 637275224b4c (12 revisions) (cla: yes, waiting for tree to go green)
[29066](https://github.com/flutter/engine/pull/29066) Roll Skia from 637275224b4c to 59b5f5258ba4 (1 revision) (cla: yes, waiting for tree to go green)
[29067](https://github.com/flutter/engine/pull/29067) Roll Skia from 59b5f5258ba4 to 1ab7ff6abf82 (1 revision) (cla: yes, waiting for tree to go green)
[29068](https://github.com/flutter/engine/pull/29068) Roll Skia from 1ab7ff6abf82 to 01b02956c75c (1 revision) (cla: yes, waiting for tree to go green)
[29073](https://github.com/flutter/engine/pull/29073) Roll Skia from 01b02956c75c to ae39340d247d (1 revision) (cla: yes, waiting for tree to go green)
[29074](https://github.com/flutter/engine/pull/29074) Roll Skia from ae39340d247d to 3156f4408b83 (3 revisions) (cla: yes, waiting for tree to go green)
[29080](https://github.com/flutter/engine/pull/29080) Reland Android systrace (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29082](https://github.com/flutter/engine/pull/29082) Roll Skia from 3156f4408b83 to 8fa6dbffff50 (8 revisions) (cla: yes, waiting for tree to go green)
[29083](https://github.com/flutter/engine/pull/29083) Roll Fuchsia Mac SDK from nblJjRFDA... to A-oFoYGCf... (cla: yes, waiting for tree to go green)
[29084](https://github.com/flutter/engine/pull/29084) Roll Fuchsia Linux SDK from tBL8VjITE... to v8lv8TQuR... (cla: yes, waiting for tree to go green)
[29085](https://github.com/flutter/engine/pull/29085) Roll Skia from 8fa6dbffff50 to cd2f207a2e3f (1 revision) (cla: yes, waiting for tree to go green)
[29087](https://github.com/flutter/engine/pull/29087) Roll Skia from cd2f207a2e3f to 89457e9237fc (1 revision) (cla: yes, waiting for tree to go green)
[29089](https://github.com/flutter/engine/pull/29089) Roll Skia from 89457e9237fc to 6030e0a2c5bd (1 revision) (cla: yes, waiting for tree to go green)
[29090](https://github.com/flutter/engine/pull/29090) Always increment response_id for Android platform messages (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29091](https://github.com/flutter/engine/pull/29091) [fuchsia] Add Launcher & Resolver to Dart JIT CMX. (cla: yes, waiting for tree to go green, platform-fuchsia)
[29092](https://github.com/flutter/engine/pull/29092) Roll Skia from 6030e0a2c5bd to c63e913f574a (1 revision) (cla: yes, waiting for tree to go green)
[29093](https://github.com/flutter/engine/pull/29093) Map the Android VsyncWaiter frame start time to the clock used by fml::TimePoint (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29094](https://github.com/flutter/engine/pull/29094) Roll Skia from c63e913f574a to 4e6353d3fedf (1 revision) (cla: yes, waiting for tree to go green)
[29098](https://github.com/flutter/engine/pull/29098) Roll Fuchsia Mac SDK from A-oFoYGCf... to vPM5hitAH... (cla: yes, waiting for tree to go green)
[29099](https://github.com/flutter/engine/pull/29099) Roll Fuchsia Linux SDK from v8lv8TQuR... to QsO40jt0B... (cla: yes, waiting for tree to go green)
[29100](https://github.com/flutter/engine/pull/29100) Fix build flags for WinUWP (cla: yes, waiting for tree to go green, platform-windows)
[29101](https://github.com/flutter/engine/pull/29101) Roll Skia from 4e6353d3fedf to ac828b77f69a (1 revision) (cla: yes, waiting for tree to go green)
[29102](https://github.com/flutter/engine/pull/29102) Roll Fuchsia Mac SDK from vPM5hitAH... to kYysl-Ja9... (cla: yes, waiting for tree to go green)
[29103](https://github.com/flutter/engine/pull/29103) Roll Fuchsia Linux SDK from QsO40jt0B... to KjDL3k59m... (cla: yes, waiting for tree to go green)
[29104](https://github.com/flutter/engine/pull/29104) Roll Skia from ac828b77f69a to af2f73c1bbd3 (1 revision) (cla: yes, waiting for tree to go green)
[29105](https://github.com/flutter/engine/pull/29105) Roll Skia from af2f73c1bbd3 to cbaf52b37382 (4 revisions) (cla: yes, waiting for tree to go green)
[29106](https://github.com/flutter/engine/pull/29106) Roll Fuchsia Mac SDK from kYysl-Ja9... to XKmz7MquH... (cla: yes, waiting for tree to go green)
[29107](https://github.com/flutter/engine/pull/29107) Roll Fuchsia Linux SDK from KjDL3k59m... to DOvZT4ZBO... (cla: yes, waiting for tree to go green)
[29108](https://github.com/flutter/engine/pull/29108) [iOS] Using UIView container as text input superview for textinput plugin (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[29109](https://github.com/flutter/engine/pull/29109) Roll Skia from cbaf52b37382 to eafb39fc7edd (1 revision) (cla: yes, waiting for tree to go green)
[29110](https://github.com/flutter/engine/pull/29110) Roll buildroot to 7c0186c5f3acaaea6c59b6cdf4502968722a565c (cla: yes, waiting for tree to go green)
[29111](https://github.com/flutter/engine/pull/29111) Roll Skia from eafb39fc7edd to 108cb0cfa375 (6 revisions) (cla: yes, waiting for tree to go green)
[29112](https://github.com/flutter/engine/pull/29112) Roll Skia from 108cb0cfa375 to 206c1f3f7e01 (1 revision) (cla: yes, waiting for tree to go green)
[29114](https://github.com/flutter/engine/pull/29114) Roll Skia from 206c1f3f7e01 to 90a66821f0ba (2 revisions) (cla: yes, waiting for tree to go green)
[29115](https://github.com/flutter/engine/pull/29115) Roll Skia from 90a66821f0ba to 3286a6962f38 (1 revision) (cla: yes, waiting for tree to go green)
[29118](https://github.com/flutter/engine/pull/29118) Roll Dart SDK from aea166168df4 to 7c0d67ae7fbc (3 revisions) (cla: yes, waiting for tree to go green)
[29119](https://github.com/flutter/engine/pull/29119) Roll Fuchsia Linux SDK from DOvZT4ZBO... to phhPbZu01... (cla: yes, waiting for tree to go green)
[29122](https://github.com/flutter/engine/pull/29122) Roll Dart SDK from 7c0d67ae7fbc to f5177b16c50b (7 revisions) (cla: yes, waiting for tree to go green)
[29123](https://github.com/flutter/engine/pull/29123) Roll Skia from 3286a6962f38 to 732e4ebd2098 (6 revisions) (cla: yes, waiting for tree to go green)
[29124](https://github.com/flutter/engine/pull/29124) Roll Skia from 732e4ebd2098 to e5a06afeaedd (1 revision) (cla: yes, waiting for tree to go green)
[29125](https://github.com/flutter/engine/pull/29125) Roll Fuchsia Mac SDK from XKmz7MquH... to uD1eZQkE9... (cla: yes, waiting for tree to go green)
[29126](https://github.com/flutter/engine/pull/29126) Roll Skia from e5a06afeaedd to bcda412af714 (3 revisions) (cla: yes, waiting for tree to go green)
[29128](https://github.com/flutter/engine/pull/29128) Roll Skia from bcda412af714 to f32ad08ac4a7 (1 revision) (cla: yes, waiting for tree to go green)
[29129](https://github.com/flutter/engine/pull/29129) Roll Fuchsia Linux SDK from phhPbZu01... to ENEBlk0Vl... (cla: yes, waiting for tree to go green)
[29130](https://github.com/flutter/engine/pull/29130) Roll Skia from f32ad08ac4a7 to c9f160b8dd4f (2 revisions) (cla: yes, waiting for tree to go green)
[29132](https://github.com/flutter/engine/pull/29132) Roll Dart SDK from f5177b16c50b to 92f5de5ee852 (8 revisions) (cla: yes, waiting for tree to go green)
[29134](https://github.com/flutter/engine/pull/29134) Roll Skia from c9f160b8dd4f to 35a74eab5d48 (2 revisions) (cla: yes, waiting for tree to go green)
[29135](https://github.com/flutter/engine/pull/29135) Revert Fuchsia SDK rolls to version from 9/23 (cla: yes, waiting for tree to go green)
[29136](https://github.com/flutter/engine/pull/29136) Roll Skia from 35a74eab5d48 to 87a0078b8909 (3 revisions) (cla: yes, waiting for tree to go green)
[29140](https://github.com/flutter/engine/pull/29140) Roll Dart SDK from 92f5de5ee852 to 6597e49b6291 (6 revisions) (cla: yes, waiting for tree to go green)
[29141](https://github.com/flutter/engine/pull/29141) Roll Skia from 87a0078b8909 to dc6a9e3e128e (9 revisions) (cla: yes, waiting for tree to go green)
[29142](https://github.com/flutter/engine/pull/29142) [fuchsia] Create CF v2 Flutter runner. (cla: yes, waiting for tree to go green, platform-fuchsia)
[29143](https://github.com/flutter/engine/pull/29143) Roll Skia from dc6a9e3e128e to 77e24f3b2ba1 (4 revisions) (cla: yes, waiting for tree to go green)
[29144](https://github.com/flutter/engine/pull/29144) Roll Skia from 77e24f3b2ba1 to 5420cbcf657d (1 revision) (cla: yes, waiting for tree to go green)
[29147](https://github.com/flutter/engine/pull/29147) Android Background Platform Channels (platform-android, cla: yes, waiting for tree to go green)
[29149](https://github.com/flutter/engine/pull/29149) Roll Dart SDK from 6597e49b6291 to 5703908f6d10 (6 revisions) (cla: yes, waiting for tree to go green)
[29150](https://github.com/flutter/engine/pull/29150) Roll Skia from 5420cbcf657d to 734d7e2be408 (1 revision) (cla: yes, waiting for tree to go green)
[29153](https://github.com/flutter/engine/pull/29153) Roll Skia from 734d7e2be408 to 1da50bea27c3 (1 revision) (cla: yes, waiting for tree to go green)
[29154](https://github.com/flutter/engine/pull/29154) Roll Skia from 1da50bea27c3 to d27bb77aaeab (3 revisions) (cla: yes, waiting for tree to go green)
[29157](https://github.com/flutter/engine/pull/29157) Roll Skia from d27bb77aaeab to abb6814cc75a (1 revision) (cla: yes, waiting for tree to go green)
[29159](https://github.com/flutter/engine/pull/29159) Roll Skia from abb6814cc75a to 76f61debc6fb (1 revision) (cla: yes, waiting for tree to go green)
[29163](https://github.com/flutter/engine/pull/29163) Roll Dart SDK from 5703908f6d10 to ba59e2c850b8 (3 revisions) (cla: yes, waiting for tree to go green)
[29164](https://github.com/flutter/engine/pull/29164) Correct file line-endings from CRLF to LF (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[29167](https://github.com/flutter/engine/pull/29167) Roll Skia from 76f61debc6fb to 558aff92f98c (10 revisions) (cla: yes, waiting for tree to go green)
[29169](https://github.com/flutter/engine/pull/29169) Roll Skia from 558aff92f98c to 9467361423e0 (6 revisions) (cla: yes, waiting for tree to go green)
[29170](https://github.com/flutter/engine/pull/29170) Roll Skia from 9467361423e0 to 37a6ec9e3ca0 (2 revisions) (cla: yes, waiting for tree to go green)
[29173](https://github.com/flutter/engine/pull/29173) Roll Skia from 37a6ec9e3ca0 to 4f7e0ad6b210 (1 revision) (cla: yes, waiting for tree to go green)
[29175](https://github.com/flutter/engine/pull/29175) Roll Skia from 4f7e0ad6b210 to 21fe518fbb04 (1 revision) (cla: yes, waiting for tree to go green)
[29179](https://github.com/flutter/engine/pull/29179) [web] use 'dart compile js' instead of 'dart2js' in web_ui and felt (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29180](https://github.com/flutter/engine/pull/29180) Roll Skia from 21fe518fbb04 to 7779a70f8729 (1 revision) (cla: yes, waiting for tree to go green)
[29182](https://github.com/flutter/engine/pull/29182) Roll Skia from 7779a70f8729 to 5ff51fb2e3cd (3 revisions) (cla: yes, waiting for tree to go green)
[29183](https://github.com/flutter/engine/pull/29183) Roll Skia from 5ff51fb2e3cd to 237dd2d94d06 (2 revisions) (cla: yes, waiting for tree to go green)
[29185](https://github.com/flutter/engine/pull/29185) Roll Skia from 237dd2d94d06 to 8b0ba16043ae (1 revision) (cla: yes, waiting for tree to go green)
[29186](https://github.com/flutter/engine/pull/29186) Roll Skia from 8b0ba16043ae to f7d267364393 (6 revisions) (cla: yes, waiting for tree to go green)
[29189](https://github.com/flutter/engine/pull/29189) Roll Skia from f7d267364393 to ab19daec3b88 (2 revisions) (cla: yes, waiting for tree to go green)
[29191](https://github.com/flutter/engine/pull/29191) Roll Skia from ab19daec3b88 to d0c7f636453b (1 revision) (cla: yes, waiting for tree to go green)
[29192](https://github.com/flutter/engine/pull/29192) Ignore implicit_dynamic_function analyzer error for js_util generic methods (cla: yes, waiting for tree to go green, platform-web)
[29194](https://github.com/flutter/engine/pull/29194) Roll Skia from d0c7f636453b to aa9656d8caa6 (3 revisions) (cla: yes, waiting for tree to go green)
[29195](https://github.com/flutter/engine/pull/29195) Roll Dart SDK from 081a57c06088 to 82b0281cbcf3 (3 revisions) (cla: yes, waiting for tree to go green)
[29196](https://github.com/flutter/engine/pull/29196) Roll Skia from aa9656d8caa6 to 72602b668e22 (1 revision) (cla: yes, waiting for tree to go green)
[29197](https://github.com/flutter/engine/pull/29197) [ios key handling] Return the correct physical key when the keycode isn't mapped (platform-ios, cla: yes, waiting for tree to go green)
[29198](https://github.com/flutter/engine/pull/29198) Roll Dart SDK from 82b0281cbcf3 to aaca2ac128ae (1 revision) (cla: yes, waiting for tree to go green)
[29199](https://github.com/flutter/engine/pull/29199) Set the use_ios_simulator flag only on platforms where it is defined (iOS/Mac) (cla: yes, waiting for tree to go green)
[29201](https://github.com/flutter/engine/pull/29201) Roll Dart SDK from aaca2ac128ae to 9f3cd7a49814 (1 revision) (cla: yes, waiting for tree to go green)
[29202](https://github.com/flutter/engine/pull/29202) Roll Skia from 72602b668e22 to 012f7146067a (1 revision) (cla: yes, waiting for tree to go green)
[29203](https://github.com/flutter/engine/pull/29203) Roll Skia from 012f7146067a to b24bad31dc05 (3 revisions) (cla: yes, waiting for tree to go green)
[29204](https://github.com/flutter/engine/pull/29204) Roll Dart SDK from 9f3cd7a49814 to e8c02a935741 (1 revision) (cla: yes, waiting for tree to go green)
[29205](https://github.com/flutter/engine/pull/29205) Roll Dart SDK from e8c02a935741 to 42acd2ae8fa8 (1 revision) (cla: yes, waiting for tree to go green)
[29207](https://github.com/flutter/engine/pull/29207) Roll Skia from b24bad31dc05 to a750dfcce25c (1 revision) (cla: yes, waiting for tree to go green)
[29209](https://github.com/flutter/engine/pull/29209) Roll Skia from a750dfcce25c to 0e55a137ddaa (1 revision) (cla: yes, waiting for tree to go green)
[29211](https://github.com/flutter/engine/pull/29211) Roll Dart SDK from 42acd2ae8fa8 to db761f01b501 (2 revisions) (cla: yes, waiting for tree to go green)
[29212](https://github.com/flutter/engine/pull/29212) Roll Skia from 0e55a137ddaa to 6a24fe4825b7 (2 revisions) (cla: yes, waiting for tree to go green)
[29213](https://github.com/flutter/engine/pull/29213) [ci.yaml] Disable framework tests on release branches (cla: yes, waiting for tree to go green)
[29214](https://github.com/flutter/engine/pull/29214) Roll Skia from 6a24fe4825b7 to 409bb0195f9e (1 revision) (cla: yes, waiting for tree to go green)
[29219](https://github.com/flutter/engine/pull/29219) Roll Skia from 409bb0195f9e to c41ac91167e3 (1 revision) (cla: yes, waiting for tree to go green)
[29221](https://github.com/flutter/engine/pull/29221) Roll Skia from c41ac91167e3 to 5bf1b51e61ce (2 revisions) (cla: yes, waiting for tree to go green)
[29222](https://github.com/flutter/engine/pull/29222) Roll Dart SDK from db761f01b501 to 715b701a3108 (1 revision) (cla: yes, waiting for tree to go green)
[29224](https://github.com/flutter/engine/pull/29224) Roll Skia from 5bf1b51e61ce to 4021b947f7b0 (1 revision) (cla: yes, waiting for tree to go green)
[29226](https://github.com/flutter/engine/pull/29226) Refactor FlutterViewTest with extracting common test code to methods (platform-android, cla: yes, waiting for tree to go green)
[29227](https://github.com/flutter/engine/pull/29227) Roll Skia from 4021b947f7b0 to a0c98f770f91 (1 revision) (cla: yes, waiting for tree to go green)
[29228](https://github.com/flutter/engine/pull/29228) Roll Skia from a0c98f770f91 to 835345aaa349 (1 revision) (cla: yes, waiting for tree to go green)
[29230](https://github.com/flutter/engine/pull/29230) Add traces to Android embedding (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29231](https://github.com/flutter/engine/pull/29231) Replace FragmentShader with FragmentShaderBuilder (cla: yes, waiting for tree to go green, platform-web)
[29233](https://github.com/flutter/engine/pull/29233) Remove Robolectric and add androidx.tracing to the android_embedding_dependencies package (cla: yes, waiting for tree to go green)
[29238](https://github.com/flutter/engine/pull/29238) Roll Clang Linux from FMLihg51s... to usfKkGnw0... (cla: yes, waiting for tree to go green)
[29240](https://github.com/flutter/engine/pull/29240) Roll Clang Mac from KP-N5ruFe... to HpW96jrB8... (cla: yes, waiting for tree to go green)
[29241](https://github.com/flutter/engine/pull/29241) Add FlutterPlayStoreSplitApplication to v2 embedding (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29243](https://github.com/flutter/engine/pull/29243) Roll Skia from 835345aaa349 to e1bfa18fc512 (33 revisions) (cla: yes, waiting for tree to go green)
[29244](https://github.com/flutter/engine/pull/29244) Roll Dart SDK from 715b701a3108 to 84c74548e30a (6 revisions) (cla: yes, waiting for tree to go green)
[29245](https://github.com/flutter/engine/pull/29245) Build a specialized snapshot for launching the service isolate in profile mode on Android (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29247](https://github.com/flutter/engine/pull/29247) Roll Skia from e1bfa18fc512 to 2fceb21cb7ce (2 revisions) (cla: yes, waiting for tree to go green)
[29249](https://github.com/flutter/engine/pull/29249) Roll Skia from 2fceb21cb7ce to c9b917447577 (1 revision) (cla: yes, waiting for tree to go green)
[29250](https://github.com/flutter/engine/pull/29250) Roll Skia from c9b917447577 to 40b143c1743b (2 revisions) (cla: yes, waiting for tree to go green)
[29252](https://github.com/flutter/engine/pull/29252) Roll Skia from 40b143c1743b to d62b7ef97056 (4 revisions) (cla: yes, waiting for tree to go green)
[29253](https://github.com/flutter/engine/pull/29253) Roll Dart SDK from 84c74548e30a to 663d08ea8777 (1 revision) (cla: yes, waiting for tree to go green)
[29255](https://github.com/flutter/engine/pull/29255) Roll Skia from d62b7ef97056 to 8582724780d8 (1 revision) (cla: yes, waiting for tree to go green)
[29258](https://github.com/flutter/engine/pull/29258) Roll Skia from 8582724780d8 to 0edd2c33d31e (2 revisions) (cla: yes, waiting for tree to go green)
[29260](https://github.com/flutter/engine/pull/29260) Roll Skia from 0edd2c33d31e to cb3c02005c97 (1 revision) (cla: yes, waiting for tree to go green)
[29261](https://github.com/flutter/engine/pull/29261) Roll Skia from cb3c02005c97 to dd07eb01c8dd (5 revisions) (cla: yes, waiting for tree to go green)
[29264](https://github.com/flutter/engine/pull/29264) Roll Skia from dd07eb01c8dd to aaa70658c277 (2 revisions) (cla: yes, waiting for tree to go green)
[29265](https://github.com/flutter/engine/pull/29265) use nested op counts to determine picture complexity for raster cache (affects: engine, cla: yes, waiting for tree to go green, perf: speed)
[29267](https://github.com/flutter/engine/pull/29267) Roll Skia from aaa70658c277 to 6dcb6b44e9d9 (3 revisions) (cla: yes, waiting for tree to go green)
[29270](https://github.com/flutter/engine/pull/29270) Call rapidjson::ParseResult::IsError to check for JSON parsing errors (cla: yes, waiting for tree to go green, needs tests)
[29271](https://github.com/flutter/engine/pull/29271) Roll Skia from 6dcb6b44e9d9 to b19be6381025 (1 revision) (cla: yes, waiting for tree to go green)
[29273](https://github.com/flutter/engine/pull/29273) Remove stray log (cla: yes, waiting for tree to go green)
[29274](https://github.com/flutter/engine/pull/29274) Roll Skia from b19be6381025 to e3ff9b178358 (1 revision) (cla: yes, waiting for tree to go green)
[29277](https://github.com/flutter/engine/pull/29277) Roll Skia from e3ff9b178358 to d252ff3f66f6 (1 revision) (cla: yes, waiting for tree to go green)
[29279](https://github.com/flutter/engine/pull/29279) Roll Skia from d252ff3f66f6 to 9cb20400599b (3 revisions) (cla: yes, waiting for tree to go green)
[29280](https://github.com/flutter/engine/pull/29280) Fix typos (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web, platform-macos, platform-linux, platform-fuchsia, needs tests)
[29285](https://github.com/flutter/engine/pull/29285) Roll Skia from 9cb20400599b to 05ac1b86adbb (2 revisions) (cla: yes, waiting for tree to go green)
[29287](https://github.com/flutter/engine/pull/29287) VSyncWaiter on Fuchsia will defer firing until frame start time (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29290](https://github.com/flutter/engine/pull/29290) [fuchsia] Add missing protocols to V2 runner. (cla: yes, waiting for tree to go green, platform-fuchsia)
[29291](https://github.com/flutter/engine/pull/29291) Delay default font manager to run concurrently with isolate setup (cla: yes, waiting for tree to go green)
[29292](https://github.com/flutter/engine/pull/29292) Roll Dart SDK from 84c74548e30a to 64f7ed6aa45a (11 revisions) (cla: yes, waiting for tree to go green)
[29297](https://github.com/flutter/engine/pull/29297) Roll Dart SDK from 64f7ed6aa45a to 70c57ad7db0b (2 revisions) (cla: yes, waiting for tree to go green)
[29298](https://github.com/flutter/engine/pull/29298) add flow events to the timeline to track the lifecycle of cache images (cla: yes, waiting for tree to go green, needs tests)
[29301](https://github.com/flutter/engine/pull/29301) Roll Dart SDK from 70c57ad7db0b to ba3ccf09afa3 (1 revision) (cla: yes, waiting for tree to go green)
[29302](https://github.com/flutter/engine/pull/29302) Roll Dart SDK from ba3ccf09afa3 to 1dce95867df2 (1 revision) (cla: yes, waiting for tree to go green)
[29304](https://github.com/flutter/engine/pull/29304) Roll Skia from 05ac1b86adbb to 8dd1f50a65fd (26 revisions) (cla: yes, waiting for tree to go green)
[29306](https://github.com/flutter/engine/pull/29306) Roll Skia from 8dd1f50a65fd to d8e8681c98c6 (1 revision) (cla: yes, waiting for tree to go green)
[29308](https://github.com/flutter/engine/pull/29308) Roll Skia from d8e8681c98c6 to 2b0935b71a47 (2 revisions) (cla: yes, waiting for tree to go green)
[29309](https://github.com/flutter/engine/pull/29309) Roll Dart SDK from 1dce95867df2 to 56fa1c638f3d (1 revision) (cla: yes, waiting for tree to go green)
[29310](https://github.com/flutter/engine/pull/29310) Roll Skia from 2b0935b71a47 to c00c888db123 (1 revision) (cla: yes, waiting for tree to go green)
[29311](https://github.com/flutter/engine/pull/29311) Roll Skia from c00c888db123 to 52aee23ded91 (1 revision) (cla: yes, waiting for tree to go green)
[29312](https://github.com/flutter/engine/pull/29312) Roll Dart SDK from 56fa1c638f3d to 6e43eba8b51e (1 revision) (cla: yes, waiting for tree to go green)
[29314](https://github.com/flutter/engine/pull/29314) Roll Skia from 52aee23ded91 to 2e20e7674cc0 (1 revision) (cla: yes, waiting for tree to go green)
[29315](https://github.com/flutter/engine/pull/29315) Roll Skia from 2e20e7674cc0 to e167dda4244f (3 revisions) (cla: yes, waiting for tree to go green)
[29319](https://github.com/flutter/engine/pull/29319) Roll Dart SDK from 6e43eba8b51e to 2aad12948249 (1 revision) (cla: yes, waiting for tree to go green)
[29322](https://github.com/flutter/engine/pull/29322) Roll Skia from e167dda4244f to a21aacf7c76d (3 revisions) (cla: yes, waiting for tree to go green)
[29323](https://github.com/flutter/engine/pull/29323) ensure web_ui and ui have the same toString methods for StringAttributes (cla: yes, waiting for tree to go green, platform-web)
[29326](https://github.com/flutter/engine/pull/29326) Update documentation links to point to main branch. (platform-android, cla: yes, waiting for tree to go green, platform-web, platform-windows, needs tests)
[29327](https://github.com/flutter/engine/pull/29327) Roll Skia from a21aacf7c76d to 0d3f184582ee (1 revision) (cla: yes, waiting for tree to go green)
[29328](https://github.com/flutter/engine/pull/29328) Roll Dart SDK from 2aad12948249 to 56c3e28096a6 (2 revisions) (cla: yes, waiting for tree to go green)
[29332](https://github.com/flutter/engine/pull/29332) Roll Skia from 0d3f184582ee to 643bd0fc8fd7 (3 revisions) (cla: yes, waiting for tree to go green)
[29334](https://github.com/flutter/engine/pull/29334) Roll Dart SDK from 56c3e28096a6 to 216e673af260 (1 revision) (cla: yes, waiting for tree to go green)
[29335](https://github.com/flutter/engine/pull/29335) Roll Skia from 643bd0fc8fd7 to f6fb3db1dc9e (7 revisions) (cla: yes, waiting for tree to go green)
[29336](https://github.com/flutter/engine/pull/29336) Make mirror GitHub workflow not run on forks (cla: yes, waiting for tree to go green)
[29337](https://github.com/flutter/engine/pull/29337) Add mac_ios staging builders to staging environment. (cla: yes, waiting for tree to go green)
[29338](https://github.com/flutter/engine/pull/29338) Roll Skia from f6fb3db1dc9e to 215b48dc23e6 (3 revisions) (cla: yes, waiting for tree to go green)
[29341](https://github.com/flutter/engine/pull/29341) Roll Skia from 215b48dc23e6 to 97284f255bcc (3 revisions) (cla: yes, waiting for tree to go green)
[29342](https://github.com/flutter/engine/pull/29342) Roll Dart SDK from 216e673af260 to 7b67e7a70d36 (2 revisions) (cla: yes, waiting for tree to go green)
[29343](https://github.com/flutter/engine/pull/29343) Roll Skia from 97284f255bcc to cb04e3981f3f (1 revision) (cla: yes, waiting for tree to go green)
[29346](https://github.com/flutter/engine/pull/29346) Reapply: Android background platform channels (platform-android, cla: yes, waiting for tree to go green)
[29348](https://github.com/flutter/engine/pull/29348) Roll Skia from cb04e3981f3f to 14c328247b88 (2 revisions) (cla: yes, waiting for tree to go green)
[29349](https://github.com/flutter/engine/pull/29349) Roll Dart SDK from 7b67e7a70d36 to 1a591034bf53 (1 revision) (cla: yes, waiting for tree to go green)
[29350](https://github.com/flutter/engine/pull/29350) Roll Skia from 14c328247b88 to c75e0ef2b31d (1 revision) (cla: yes, waiting for tree to go green)
[29351](https://github.com/flutter/engine/pull/29351) Roll Dart SDK from 1a591034bf53 to 55adbde97e62 (1 revision) (cla: yes, waiting for tree to go green)
[29353](https://github.com/flutter/engine/pull/29353) Roll Skia from c75e0ef2b31d to 1ddf724e3707 (4 revisions) (cla: yes, waiting for tree to go green)
[29355](https://github.com/flutter/engine/pull/29355) Roll Dart SDK from 55adbde97e62 to 7da0596a2c6a (1 revision) (cla: yes, waiting for tree to go green)
[29356](https://github.com/flutter/engine/pull/29356) Roll Skia from 1ddf724e3707 to f44bc854bf4c (1 revision) (cla: yes, waiting for tree to go green)
[29359](https://github.com/flutter/engine/pull/29359) Roll Skia from f44bc854bf4c to 8a2a020ef4bc (1 revision) (cla: yes, waiting for tree to go green)
[29364](https://github.com/flutter/engine/pull/29364) Roll Skia from 8a2a020ef4bc to 13fd52e587d2 (10 revisions) (cla: yes, waiting for tree to go green)
[29365](https://github.com/flutter/engine/pull/29365) Remove deprecated scripts from engine. (cla: yes, waiting for tree to go green)
[29366](https://github.com/flutter/engine/pull/29366) Roll Skia from 13fd52e587d2 to 6a02277fa2cf (1 revision) (cla: yes, waiting for tree to go green)
[29368](https://github.com/flutter/engine/pull/29368) Roll Skia from 6a02277fa2cf to 1fa2c28ee1aa (2 revisions) (cla: yes, waiting for tree to go green)
[29369](https://github.com/flutter/engine/pull/29369) only report cache entries with images for RasterCache metrics (cla: yes, waiting for tree to go green)
[29372](https://github.com/flutter/engine/pull/29372) Roll Skia from 1fa2c28ee1aa to 9fcc959b13a4 (1 revision) (cla: yes, waiting for tree to go green)
[29373](https://github.com/flutter/engine/pull/29373) Roll Skia from 9fcc959b13a4 to 2cddedd5f9d8 (2 revisions) (cla: yes, waiting for tree to go green)
[29374](https://github.com/flutter/engine/pull/29374) Disallow pasting non-text into FlutterTextInputPlugin (platform-ios, cla: yes, waiting for tree to go green)
[29375](https://github.com/flutter/engine/pull/29375) Roll Skia from 2cddedd5f9d8 to fc0be67d1869 (1 revision) (cla: yes, waiting for tree to go green)
[29376](https://github.com/flutter/engine/pull/29376) Roll Skia from fc0be67d1869 to 1c5186754095 (3 revisions) (cla: yes, waiting for tree to go green)
[29380](https://github.com/flutter/engine/pull/29380) Roll Skia from 1c5186754095 to 146cfcc042e6 (1 revision) (cla: yes, waiting for tree to go green)
[29381](https://github.com/flutter/engine/pull/29381) Roll Skia from 146cfcc042e6 to ecac4fedaff6 (1 revision) (cla: yes, waiting for tree to go green)
[29382](https://github.com/flutter/engine/pull/29382) Roll Skia from ecac4fedaff6 to 66485f926843 (4 revisions) (cla: yes, waiting for tree to go green)
[29384](https://github.com/flutter/engine/pull/29384) Roll Dart SDK from e400664a1dde to e482fa83cc97 (1 revision) (cla: yes, waiting for tree to go green)
[29385](https://github.com/flutter/engine/pull/29385) Roll Skia from 66485f926843 to f2d016f12e22 (3 revisions) (cla: yes, waiting for tree to go green)
[29386](https://github.com/flutter/engine/pull/29386) Roll Skia from f2d016f12e22 to af5049b0d712 (6 revisions) (cla: yes, waiting for tree to go green)
[29387](https://github.com/flutter/engine/pull/29387) Roll Skia from af5049b0d712 to 762a01fd999e (5 revisions) (cla: yes, waiting for tree to go green)
[29388](https://github.com/flutter/engine/pull/29388) Roll Dart SDK from e482fa83cc97 to 8bfe3bb5af14 (1 revision) (cla: yes, waiting for tree to go green)
[29389](https://github.com/flutter/engine/pull/29389) Migrate golds script to use main branch. (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29390](https://github.com/flutter/engine/pull/29390) Roll Skia from 762a01fd999e to 721388ecdbbe (4 revisions) (cla: yes, waiting for tree to go green)
[29392](https://github.com/flutter/engine/pull/29392) Roll Skia from 721388ecdbbe to b5450fb9015b (2 revisions) (cla: yes, waiting for tree to go green)
[29393](https://github.com/flutter/engine/pull/29393) [fuchsia] Remove unused sdk_ext.gni. (cla: yes, waiting for tree to go green, platform-fuchsia)
[29394](https://github.com/flutter/engine/pull/29394) Roll Skia from b5450fb9015b to 9fc189f1cbdf (2 revisions) (cla: yes, waiting for tree to go green)
[29395](https://github.com/flutter/engine/pull/29395) Roll Dart SDK from 8bfe3bb5af14 to 46a60b9933cf (1 revision) (cla: yes, waiting for tree to go green)
[29401](https://github.com/flutter/engine/pull/29401) Roll Skia from 9fc189f1cbdf to 5e4e56abe83f (3 revisions) (cla: yes, waiting for tree to go green)
[29403](https://github.com/flutter/engine/pull/29403) Reland "Set system bar appearance using WindowInsetsController" (platform-android, cla: yes, waiting for tree to go green)
[29404](https://github.com/flutter/engine/pull/29404) Roll Dart SDK from 46a60b9933cf to 8cf3f2b3ec46 (2 revisions) (cla: yes, waiting for tree to go green)
[29406](https://github.com/flutter/engine/pull/29406) Roll Skia from 5e4e56abe83f to b3ecd560a2ad (1 revision) (cla: yes, waiting for tree to go green)
[29407](https://github.com/flutter/engine/pull/29407) Roll Skia from b3ecd560a2ad to a143a37747b0 (3 revisions) (cla: yes, waiting for tree to go green)
[29409](https://github.com/flutter/engine/pull/29409) Roll Skia from a143a37747b0 to 378e4aecfe58 (1 revision) (cla: yes, waiting for tree to go green)
[29410](https://github.com/flutter/engine/pull/29410) Roll Dart SDK from 8cf3f2b3ec46 to 0647872b7242 (1 revision) (cla: yes, waiting for tree to go green)
[29411](https://github.com/flutter/engine/pull/29411) Roll Skia from 378e4aecfe58 to 1ea54a127fbe (4 revisions) (cla: yes, waiting for tree to go green)
[29413](https://github.com/flutter/engine/pull/29413) Roll Skia from 1ea54a127fbe to 50add5af1a68 (1 revision) (cla: yes, waiting for tree to go green)
[29415](https://github.com/flutter/engine/pull/29415) Roll Skia from 50add5af1a68 to d90e09b1ae09 (3 revisions) (cla: yes, waiting for tree to go green)
[29416](https://github.com/flutter/engine/pull/29416) Roll Dart SDK from 0647872b7242 to d84981bafae3 (1 revision) (cla: yes, waiting for tree to go green)
[29417](https://github.com/flutter/engine/pull/29417) Roll Skia from d90e09b1ae09 to 6bb17ab48dfa (1 revision) (cla: yes, waiting for tree to go green)
[29418](https://github.com/flutter/engine/pull/29418) Roll Skia from 6bb17ab48dfa to 9d24b02c2fdb (2 revisions) (cla: yes, waiting for tree to go green)
[29420](https://github.com/flutter/engine/pull/29420) Roll Dart SDK from d84981bafae3 to 3b11f88c96a5 (1 revision) (cla: yes, waiting for tree to go green)
[29421](https://github.com/flutter/engine/pull/29421) Roll Skia from 9d24b02c2fdb to 3828b4160b3d (1 revision) (cla: yes, waiting for tree to go green)
[29422](https://github.com/flutter/engine/pull/29422) Roll Skia from 3828b4160b3d to 9b9805959dc3 (1 revision) (cla: yes, waiting for tree to go green)
[29423](https://github.com/flutter/engine/pull/29423) Roll Skia from 9b9805959dc3 to 6ce94bbdefec (1 revision) (cla: yes, waiting for tree to go green)
[29424](https://github.com/flutter/engine/pull/29424) Roll Skia from 6ce94bbdefec to 30f1f34732fb (1 revision) (cla: yes, waiting for tree to go green)
[29425](https://github.com/flutter/engine/pull/29425) Roll Skia from 30f1f34732fb to 88b36ad61e80 (1 revision) (cla: yes, waiting for tree to go green)
[29435](https://github.com/flutter/engine/pull/29435) Roll Dart SDK from 3b11f88c96a5 to 976f160b547f (3 revisions) (cla: yes, waiting for tree to go green)
[29436](https://github.com/flutter/engine/pull/29436) Roll Dart SDK from 3b11f88c96a5 to 976f160b547f (3 revisions) (cla: yes, waiting for tree to go green)
[29437](https://github.com/flutter/engine/pull/29437) Roll Skia from 88b36ad61e80 to 2d76d7760f80 (3 revisions) (cla: yes, waiting for tree to go green)
[29438](https://github.com/flutter/engine/pull/29438) Roll Skia from 2d76d7760f80 to 259ad7844587 (1 revision) (cla: yes, waiting for tree to go green)
[29439](https://github.com/flutter/engine/pull/29439) Roll Skia from 259ad7844587 to 39eccabdc3e4 (1 revision) (cla: yes, waiting for tree to go green)
[29440](https://github.com/flutter/engine/pull/29440) Revert "Roll Dart SDK from 3b11f88c96a5 to 976f160b547f (3 revisions)" (cla: yes, waiting for tree to go green)
[29441](https://github.com/flutter/engine/pull/29441) Roll Skia from 39eccabdc3e4 to 81c86e8608c2 (3 revisions) (cla: yes, waiting for tree to go green)
[29442](https://github.com/flutter/engine/pull/29442) Roll Fuchsia Mac SDK from nblJjRFDA... to iK9xdlMLD... (cla: yes, waiting for tree to go green)
[29445](https://github.com/flutter/engine/pull/29445) Roll Skia from 81c86e8608c2 to c807847427a9 (1 revision) (cla: yes, waiting for tree to go green)
[29449](https://github.com/flutter/engine/pull/29449) Roll Skia from c807847427a9 to ccb459d57b26 (4 revisions) (cla: yes, waiting for tree to go green)
#### needs tests - 111 pull request(s)
[26880](https://github.com/flutter/engine/pull/26880) Migrated integration_flutter_test/embedder (scenic integration test) from fuchsia.git (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[27687](https://github.com/flutter/engine/pull/27687) Fix a typo in https://github.com/flutter/engine/pull/27311 (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[27694](https://github.com/flutter/engine/pull/27694) UWP: Fix uwptools that does not uninstall package (cla: yes, platform-windows, needs tests)
[27760](https://github.com/flutter/engine/pull/27760) Do not call CoreWindow::Visible from raster thread (cla: yes, platform-windows, needs tests)
[27786](https://github.com/flutter/engine/pull/27786) fix crash SemanticsObject dealloc and access the children (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[27872](https://github.com/flutter/engine/pull/27872) [web] Don't reset history on hot restart (cla: yes, platform-web, needs tests, cp: 2.5)
[27878](https://github.com/flutter/engine/pull/27878) Fix wrong EGL value in AndroidEnvironmentGL (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27884](https://github.com/flutter/engine/pull/27884) Prevent a race between SurfaceTexture.release and attachToGLContext (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27900](https://github.com/flutter/engine/pull/27900) Remove references to deprecated SkClipOps (cla: yes, waiting for tree to go green, needs tests)
[27911](https://github.com/flutter/engine/pull/27911) [web] Fix types of some event listeners (cla: yes, platform-web, needs tests)
[27924](https://github.com/flutter/engine/pull/27924) Fix the SurfaceTexture related crash by replacing the JNI weak global reference with WeakReference (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27941](https://github.com/flutter/engine/pull/27941) Fix sample analyzer errors in text.dart (cla: yes, needs tests)
[27946](https://github.com/flutter/engine/pull/27946) Avoid crashing when FlutterImageView is resized to zero dimension (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27974](https://github.com/flutter/engine/pull/27974) added log statement to timerfd_settime failure (cla: yes, needs tests)
[27978](https://github.com/flutter/engine/pull/27978) Use runtime checks for arguments, out directory (cla: yes, waiting for tree to go green, needs tests)
[27995](https://github.com/flutter/engine/pull/27995) [web] rename watcher.dart to pipeline.dart (cla: yes, waiting for tree to go green, platform-web, needs tests)
[28013](https://github.com/flutter/engine/pull/28013) Fully inplement TaskRunner for UWP (flutter/flutter#70890) (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28026](https://github.com/flutter/engine/pull/28026) Add feature detection to automatically use new subsetting api. (cla: yes, needs tests)
[28036](https://github.com/flutter/engine/pull/28036) Revert '[fuchsia] Make dart_runner work with cfv2 (#27226)' (cla: yes, platform-fuchsia, needs tests)
[28045](https://github.com/flutter/engine/pull/28045) Fix some warnings seen after the migration to JDK 11 (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28056](https://github.com/flutter/engine/pull/28056) [web] add CanvasKit to CIPD; make it a DEPS dependency; add a manual roller script (cla: yes, platform-web, needs tests)
[28059](https://github.com/flutter/engine/pull/28059) Fix memory leak in FlutterDarwinExternalTextureMetal (cla: yes, waiting for tree to go green, needs tests)
[28064](https://github.com/flutter/engine/pull/28064) [UWP] Implement clipboard. (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28065](https://github.com/flutter/engine/pull/28065) Fix memory leak in FlutterSwitchSemanticsObject (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[28098](https://github.com/flutter/engine/pull/28098) [UWP] Implement setting cursor icon. (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28100](https://github.com/flutter/engine/pull/28100) [UWP] Add all mouse buttons support (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28124](https://github.com/flutter/engine/pull/28124) Fix SkXfermode doc link in `lib/ui/painting.dart` (cla: yes, needs tests)
[28128](https://github.com/flutter/engine/pull/28128) Revert "Add bundletool to DEPS and remove outdated header comment" (cla: yes, needs tests)
[28136](https://github.com/flutter/engine/pull/28136) macOS: Do not swap surface if nothing was painted (cla: yes, waiting for tree to go green, platform-macos, needs tests)
[28158](https://github.com/flutter/engine/pull/28158) fix leak of DisplayList storage (cla: yes, waiting for tree to go green, needs tests)
[28161](https://github.com/flutter/engine/pull/28161) Correct the return value of the method RunInIsolateScope (cla: yes, waiting for tree to go green, needs tests)
[28168](https://github.com/flutter/engine/pull/28168) Add a comment in the FlutterEngineGroup's constructor to avoid using the activity's context (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28239](https://github.com/flutter/engine/pull/28239) Eliminate Android-specific Vulkan support (platform-android, cla: yes, Work in progress (WIP), platform-fuchsia, needs tests)
[28277](https://github.com/flutter/engine/pull/28277) [android] Fix black and blank screen issues on the platform view page. (platform-android, cla: yes, needs tests)
[28281](https://github.com/flutter/engine/pull/28281) Eliminate unnecessary null check in fixture (cla: yes, needs tests, embedder)
[28298](https://github.com/flutter/engine/pull/28298) Windows: FlutterDesktopPixelBuffer: Add optional release callback (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28312](https://github.com/flutter/engine/pull/28312) Add flag to disable overlays (cla: yes, platform-web, needs tests)
[28334](https://github.com/flutter/engine/pull/28334) Fix typo in a comment in #28098 (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28355](https://github.com/flutter/engine/pull/28355) fuchsia: Fix renderer destructor (cla: yes, platform-fuchsia, needs tests)
[28407](https://github.com/flutter/engine/pull/28407) fuchsia: Fix MissingPluginException being thrown in Dart from platform_view.cc (platform-ios, platform-android, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, needs tests, embedder)
[28514](https://github.com/flutter/engine/pull/28514) RTM must acquire lock before called IsMergedUnsafe (cla: yes, needs tests)
[28533](https://github.com/flutter/engine/pull/28533) Revert "RTM must to acquire lock before called IsMergedUnsafe (#28514)" (cla: yes, needs tests)
[28573](https://github.com/flutter/engine/pull/28573) Linux mock interfaces (cla: yes, platform-linux, needs tests)
[28576](https://github.com/flutter/engine/pull/28576) Call _isLoopback as a last resort (cla: yes, waiting for tree to go green, needs tests)
[28581](https://github.com/flutter/engine/pull/28581) Reland "RTM must to acquire lock before called IsMergedUnsafe (#28514)" (cla: yes, needs tests)
[28586](https://github.com/flutter/engine/pull/28586) Parse the benchmarks on presubmit jobs (cla: yes, waiting for tree to go green, needs tests)
[28597](https://github.com/flutter/engine/pull/28597) [canvaskit] Don't assign overlays when overlays are disabled (cla: yes, platform-web, needs tests)
[28613](https://github.com/flutter/engine/pull/28613) [fuchsia] Create DartComponentController for CFv2. (cla: yes, platform-fuchsia, needs tests)
[28622](https://github.com/flutter/engine/pull/28622) [licenses] Ignore .ccls-cache folder when generating engine licenses. (cla: yes, waiting for tree to go green, needs tests)
[28675](https://github.com/flutter/engine/pull/28675) [web] clear surfaces on hot restart (cla: yes, platform-web, needs tests)
[28683](https://github.com/flutter/engine/pull/28683) fuchsia: Use buffer_collection_x extension (cla: yes, platform-fuchsia, needs tests)
[28694](https://github.com/flutter/engine/pull/28694) Do not share the GrDirectContext across engine instances on Android (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28698](https://github.com/flutter/engine/pull/28698) Wrap ImageShader::sk_image_ with a SkiaGPUObject (cla: yes, waiting for tree to go green, needs tests)
[28707](https://github.com/flutter/engine/pull/28707) Fix duplicated documentation (cla: yes, waiting for tree to go green, needs tests)
[28724](https://github.com/flutter/engine/pull/28724) [UWP] Add modifier keys support (cla: yes, platform-windows, needs tests)
[28734](https://github.com/flutter/engine/pull/28734) [fuchsia] Fix missing function in V2 dart runner. (cla: yes, platform-fuchsia, needs tests)
[28774](https://github.com/flutter/engine/pull/28774) Fix Android T deprecated WindowManager INCORRECT_CONTEXT_USAGE (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28780](https://github.com/flutter/engine/pull/28780) Revert "Replace flutter_runner::Thread with fml::Thread (#26783)" (cla: yes, platform-fuchsia, needs tests)
[28787](https://github.com/flutter/engine/pull/28787) Eliminate unnecessary canvaskit imports (cla: yes, platform-web, needs tests)
[28806](https://github.com/flutter/engine/pull/28806) Make DartExecutor.IsolateServiceIdListener public (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28817](https://github.com/flutter/engine/pull/28817) vsync_waiter_fallback should schedule firecallback for future (cla: yes, waiting for tree to go green, needs tests)
[28821](https://github.com/flutter/engine/pull/28821) [Fuchsia] Notify Shell when memory becomes low. (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[28846](https://github.com/flutter/engine/pull/28846) Fixes FlutterSemanticsScrollView to not implement accessibility conta… (platform-ios, cla: yes, needs tests)
[28850](https://github.com/flutter/engine/pull/28850) fuchsia: Change flatland present's release fence logic (cla: yes, platform-fuchsia, needs tests)
[28863](https://github.com/flutter/engine/pull/28863) [fuchsia] Remove unused deps on fidl optional.h. (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[28903](https://github.com/flutter/engine/pull/28903) Use the systrace recorder if systracing is enabled at startup, and enable systracing in release mode on Android (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28921](https://github.com/flutter/engine/pull/28921) Deprecate SplashScreenProvider (platform-android, cla: yes, needs tests)
[28923](https://github.com/flutter/engine/pull/28923) [fuchsia] Dart Runner for CF v2 components. (cla: yes, platform-fuchsia, needs tests)
[28936](https://github.com/flutter/engine/pull/28936) [web] reuse browser instance across screenshot tests (cla: yes, platform-web, needs tests)
[28937](https://github.com/flutter/engine/pull/28937) Cherry-pick #28846 and #28743 into flutter-2.6-candidate.11 (platform-ios, platform-android, cla: yes, needs tests, embedder)
[28951](https://github.com/flutter/engine/pull/28951) [fuchsia] Pass WeakPtrs to GfxConnection FIDL fns. (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[28965](https://github.com/flutter/engine/pull/28965) Roll CanvasKit to 0.30 (cla: yes, platform-web, needs tests)
[28970](https://github.com/flutter/engine/pull/28970) [Windows] Add restart hooks, and reset keyboard (cla: yes, platform-windows, needs tests)
[28977](https://github.com/flutter/engine/pull/28977) Remove some deprecated APIs from the Android embedding (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28987](https://github.com/flutter/engine/pull/28987) Defer setup of the default font manager if the embedding prefetched the font manager (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28993](https://github.com/flutter/engine/pull/28993) [fuchsia] publish dart runner v2 protocol (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[28998](https://github.com/flutter/engine/pull/28998) Pass argmuent list to dart_runner v2 main invocation. (cla: yes, platform-fuchsia, needs tests)
[29011](https://github.com/flutter/engine/pull/29011) [web] remove platform initialization timeout (cla: yes, platform-web, needs tests)
[29019](https://github.com/flutter/engine/pull/29019) fuchsia: Implement WakeUp using zx::timer (cla: yes, platform-fuchsia, needs tests)
[29038](https://github.com/flutter/engine/pull/29038) [web] force WebGL 1 on iOS (cla: yes, platform-web, needs tests)
[29042](https://github.com/flutter/engine/pull/29042) Revert "Guard task queue id for fuchsia" (cla: yes, platform-fuchsia, needs tests)
[29060](https://github.com/flutter/engine/pull/29060) Set system bar appearance using WindowInsetsControllerCompat instead of the deprecated View#setSystemUiVisibility (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29071](https://github.com/flutter/engine/pull/29071) Revert "Use the systrace recorder if systracing is enabled at startup, and enable systracing in release mode on Android" (platform-android, cla: yes, needs tests)
[29080](https://github.com/flutter/engine/pull/29080) Reland Android systrace (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29088](https://github.com/flutter/engine/pull/29088) Unzip Chrome to the correct location when testing locally on Linux (cla: yes, platform-web, needs tests)
[29090](https://github.com/flutter/engine/pull/29090) Always increment response_id for Android platform messages (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29093](https://github.com/flutter/engine/pull/29093) Map the Android VsyncWaiter frame start time to the clock used by fml::TimePoint (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29108](https://github.com/flutter/engine/pull/29108) [iOS] Using UIView container as text input superview for textinput plugin (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[29127](https://github.com/flutter/engine/pull/29127) [iOS] Fixes key press related memory leaks (platform-ios, cla: yes, needs tests)
[29131](https://github.com/flutter/engine/pull/29131) Calculate the frame target time based on targetTimestamp in VsyncWaiterIOS (platform-ios, cla: yes, needs tests)
[29156](https://github.com/flutter/engine/pull/29156) [iOS] Fixes FlutterUIPressProxy leaks (platform-ios, cla: yes, needs tests)
[29164](https://github.com/flutter/engine/pull/29164) Correct file line-endings from CRLF to LF (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[29177](https://github.com/flutter/engine/pull/29177) Remove unused present method (cla: yes, platform-linux, needs tests)
[29179](https://github.com/flutter/engine/pull/29179) [web] use 'dart compile js' instead of 'dart2js' in web_ui and felt (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29184](https://github.com/flutter/engine/pull/29184) [fuchsia] Keep track of all child transforms in FlatlandExternalViewEmbedder (cla: yes, platform-fuchsia, needs tests)
[29230](https://github.com/flutter/engine/pull/29230) Add traces to Android embedding (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29241](https://github.com/flutter/engine/pull/29241) Add FlutterPlayStoreSplitApplication to v2 embedding (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29245](https://github.com/flutter/engine/pull/29245) Build a specialized snapshot for launching the service isolate in profile mode on Android (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29248](https://github.com/flutter/engine/pull/29248) Deprecate android v1 embedding (platform-android, cla: yes, needs tests)
[29266](https://github.com/flutter/engine/pull/29266) Update to match harfbuzz subsetting 3.0.0 api. (cla: yes, needs tests)
[29270](https://github.com/flutter/engine/pull/29270) Call rapidjson::ParseResult::IsError to check for JSON parsing errors (cla: yes, waiting for tree to go green, needs tests)
[29280](https://github.com/flutter/engine/pull/29280) Fix typos (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web, platform-macos, platform-linux, platform-fuchsia, needs tests)
[29287](https://github.com/flutter/engine/pull/29287) VSyncWaiter on Fuchsia will defer firing until frame start time (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29298](https://github.com/flutter/engine/pull/29298) add flow events to the timeline to track the lifecycle of cache images (cla: yes, waiting for tree to go green, needs tests)
[29326](https://github.com/flutter/engine/pull/29326) Update documentation links to point to main branch. (platform-android, cla: yes, waiting for tree to go green, platform-web, platform-windows, needs tests)
[29330](https://github.com/flutter/engine/pull/29330) [fuchsia] INTERNAL epitaph for non-zero return codes (cla: yes, platform-fuchsia, needs tests)
[29347](https://github.com/flutter/engine/pull/29347) Set default profiling rate on iOS 32 bit devices to 500Hz (cla: yes, needs tests)
[29389](https://github.com/flutter/engine/pull/29389) Migrate golds script to use main branch. (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29396](https://github.com/flutter/engine/pull/29396) Add check for empty compose string (cla: yes, platform-windows, needs tests)
[29412](https://github.com/flutter/engine/pull/29412) Revert "Update to match harfbuzz subsetting 3.0.0 api." (cla: yes, needs tests)
[29427](https://github.com/flutter/engine/pull/29427) Cherry pick a revert on flutter-2.8-candidate.2 to unblock the internal roll. (cla: yes, needs tests)
#### platform-fuchsia - 81 pull request(s)
[26880](https://github.com/flutter/engine/pull/26880) Migrated integration_flutter_test/embedder (scenic integration test) from fuchsia.git (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[26996](https://github.com/flutter/engine/pull/26996) Add SPIR-V FragmentShader API to painting.dart (platform-android, cla: yes, platform-web, platform-fuchsia)
[27423](https://github.com/flutter/engine/pull/27423) fuchsia: Add scaffolding and basic implementation for flatland migration (cla: yes, platform-fuchsia)
[27849](https://github.com/flutter/engine/pull/27849) [fuchsia] [ffi] Basic support for Channels and Handles (cla: yes, waiting for tree to go green, platform-fuchsia)
[27893](https://github.com/flutter/engine/pull/27893) Adds semantics tooltip support (platform-android, cla: yes, waiting for tree to go green, platform-fuchsia, embedder)
[27897](https://github.com/flutter/engine/pull/27897) fuchsia: Fix thread names + add test (cla: yes, waiting for tree to go green, platform-fuchsia)
[27996](https://github.com/flutter/engine/pull/27996) GN build rules for tests using Fuchsia SDK Dart libraries and bindings (cla: yes, waiting for tree to go green, platform-fuchsia)
[28036](https://github.com/flutter/engine/pull/28036) Revert '[fuchsia] Make dart_runner work with cfv2 (#27226)' (cla: yes, platform-fuchsia, needs tests)
[28071](https://github.com/flutter/engine/pull/28071) Build dart:zircon and dart:zircon_ffi (cla: yes, waiting for tree to go green, platform-fuchsia)
[28139](https://github.com/flutter/engine/pull/28139) fuchsia: Improve FakeSession & add tests (affects: tests, cla: yes, waiting for tree to go green, platform-fuchsia, tech-debt)
[28144](https://github.com/flutter/engine/pull/28144) fuchsia: Add FuchsiaExternalViewEmbedder tests (affects: tests, cla: yes, platform-fuchsia, tech-debt)
[28202](https://github.com/flutter/engine/pull/28202) Revert "Add SPIR-V FragmentShader API to painting.dart" (cla: yes, platform-web, platform-fuchsia)
[28207](https://github.com/flutter/engine/pull/28207) Revert "Adds semantics tooltip support" (platform-ios, platform-android, cla: yes, platform-web, platform-fuchsia, embedder)
[28208](https://github.com/flutter/engine/pull/28208) [Re-land] Add SPIR-V FragmentShader API to painting.dart (cla: yes, platform-web, platform-fuchsia)
[28211](https://github.com/flutter/engine/pull/28211) Issues/86577 reland (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web, platform-fuchsia, embedder)
[28239](https://github.com/flutter/engine/pull/28239) Eliminate Android-specific Vulkan support (platform-android, cla: yes, Work in progress (WIP), platform-fuchsia, needs tests)
[28242](https://github.com/flutter/engine/pull/28242) fuchsia.ui.pointer.TouchSource implementation for fuchsia platform view (cla: yes, waiting for tree to go green, platform-fuchsia)
[28313](https://github.com/flutter/engine/pull/28313) Revert "Build dart:zircon and dart:zircon_ffi (#28071)" (cla: yes, platform-fuchsia)
[28355](https://github.com/flutter/engine/pull/28355) fuchsia: Fix renderer destructor (cla: yes, platform-fuchsia, needs tests)
[28361](https://github.com/flutter/engine/pull/28361) Don't use Dart's application_snapshot() rule (cla: yes, waiting for tree to go green, platform-fuchsia)
[28383](https://github.com/flutter/engine/pull/28383) Started providing the GPU sync switch to Rasterizer.DrawToSurface() (platform-ios, platform-android, cla: yes, platform-fuchsia, embedder)
[28403](https://github.com/flutter/engine/pull/28403) Remove fuchsia.net.NameLookup (cla: yes, waiting for tree to go green, platform-fuchsia)
[28407](https://github.com/flutter/engine/pull/28407) fuchsia: Fix MissingPluginException being thrown in Dart from platform_view.cc (platform-ios, platform-android, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, needs tests, embedder)
[28413](https://github.com/flutter/engine/pull/28413) Fix building Dart Fuchsia components and packages (cla: yes, waiting for tree to go green, platform-fuchsia)
[28447](https://github.com/flutter/engine/pull/28447) Revert "Display Features support (Foldable and Cutout)" (platform-android, cla: yes, platform-web, platform-fuchsia)
[28491](https://github.com/flutter/engine/pull/28491) [fuchsia] Add CML files for dart_runner on CFv2. (cla: yes, platform-fuchsia)
[28520](https://github.com/flutter/engine/pull/28520) [flutter_releases] apply patches to flutter-2.5-candidate.8 (platform-ios, platform-android, cla: yes, platform-fuchsia, embedder)
[28535](https://github.com/flutter/engine/pull/28535) [flutter_releases] flutter-2.6-candidate.3 Engine Cherrypicks (platform-ios, platform-android, cla: yes, platform-fuchsia, embedder)
[28613](https://github.com/flutter/engine/pull/28613) [fuchsia] Create DartComponentController for CFv2. (cla: yes, platform-fuchsia, needs tests)
[28615](https://github.com/flutter/engine/pull/28615) Cherry-pick #28230 to fuchsia_f6 (cla: yes, platform-fuchsia)
[28673](https://github.com/flutter/engine/pull/28673) Implement a default font manager for Fuchsia. (cla: yes, platform-fuchsia)
[28676](https://github.com/flutter/engine/pull/28676) fuchsia: Convert vulkan headers to DEPS (cla: yes, platform-fuchsia)
[28683](https://github.com/flutter/engine/pull/28683) fuchsia: Use buffer_collection_x extension (cla: yes, platform-fuchsia, needs tests)
[28734](https://github.com/flutter/engine/pull/28734) [fuchsia] Fix missing function in V2 dart runner. (cla: yes, platform-fuchsia, needs tests)
[28780](https://github.com/flutter/engine/pull/28780) Revert "Replace flutter_runner::Thread with fml::Thread (#26783)" (cla: yes, platform-fuchsia, needs tests)
[28781](https://github.com/flutter/engine/pull/28781) Revert "Replace flutter_runner::Thread with fml::Thread (#26783)" and friends (cla: yes, platform-fuchsia)
[28811](https://github.com/flutter/engine/pull/28811) fuchsia: Add child views to flatland engine (cla: yes, waiting for tree to go green, platform-fuchsia)
[28820](https://github.com/flutter/engine/pull/28820) [fuchsia] Rename FuchsiaExternalViewEmbedder to GfxExternalViewEmbedder (cla: yes, platform-fuchsia)
[28821](https://github.com/flutter/engine/pull/28821) [Fuchsia] Notify Shell when memory becomes low. (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[28850](https://github.com/flutter/engine/pull/28850) fuchsia: Change flatland present's release fence logic (cla: yes, platform-fuchsia, needs tests)
[28852](https://github.com/flutter/engine/pull/28852) Flatland endpoints hookup (cla: yes, platform-fuchsia)
[28863](https://github.com/flutter/engine/pull/28863) [fuchsia] Remove unused deps on fidl optional.h. (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[28894](https://github.com/flutter/engine/pull/28894) Destroy overlay surfaces when the rasterizer is torn down (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-fuchsia)
[28905](https://github.com/flutter/engine/pull/28905) fuchsia: Use runner services (cla: yes, platform-fuchsia)
[28923](https://github.com/flutter/engine/pull/28923) [fuchsia] Dart Runner for CF v2 components. (cla: yes, platform-fuchsia, needs tests)
[28926](https://github.com/flutter/engine/pull/28926) fuchsia: Add FakeFlatland and tests (affects: tests, cla: yes, platform-fuchsia)
[28951](https://github.com/flutter/engine/pull/28951) [fuchsia] Pass WeakPtrs to GfxConnection FIDL fns. (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[28980](https://github.com/flutter/engine/pull/28980) [fuchsia][flatland] Fix for AwaitVsync race (cla: yes, platform-fuchsia)
[28982](https://github.com/flutter/engine/pull/28982) [fuchsia] CML files for Flutter runner CF v2. (cla: yes, platform-fuchsia)
[28993](https://github.com/flutter/engine/pull/28993) [fuchsia] publish dart runner v2 protocol (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[28997](https://github.com/flutter/engine/pull/28997) make dart_runner cmx files have valid json (cla: yes, waiting for tree to go green, platform-fuchsia)
[28998](https://github.com/flutter/engine/pull/28998) Pass argmuent list to dart_runner v2 main invocation. (cla: yes, platform-fuchsia, needs tests)
[29019](https://github.com/flutter/engine/pull/29019) fuchsia: Implement WakeUp using zx::timer (cla: yes, platform-fuchsia, needs tests)
[29025](https://github.com/flutter/engine/pull/29025) Attempt to bump to Flutter 2.5 builders. (cla: yes, platform-fuchsia)
[29027](https://github.com/flutter/engine/pull/29027) Revert "Attempt to bump to Flutter 2.5 builders. (#29025)" (cla: yes, platform-fuchsia)
[29029](https://github.com/flutter/engine/pull/29029) Kick Builds (cla: yes, platform-fuchsia)
[29031](https://github.com/flutter/engine/pull/29031) Update gcp credentials for fuchsia_f5. (cla: yes, platform-fuchsia)
[29033](https://github.com/flutter/engine/pull/29033) Kick builds. (cla: yes, platform-fuchsia)
[29034](https://github.com/flutter/engine/pull/29034) [fuchsia] Implement fuchsia.ui.pointer.MouseSource (cla: yes, platform-fuchsia)
[29035](https://github.com/flutter/engine/pull/29035) fuchsia: fix build (cla: yes, waiting for tree to go green, platform-fuchsia)
[29042](https://github.com/flutter/engine/pull/29042) Revert "Guard task queue id for fuchsia" (cla: yes, platform-fuchsia, needs tests)
[29048](https://github.com/flutter/engine/pull/29048) fuchsia: Enable AOT builds of Dart test packages (affects: tests, cla: yes, platform-fuchsia)
[29057](https://github.com/flutter/engine/pull/29057) [fuchsia][flatland] Correct present credit accounting in FlatlandConnection (cla: yes, platform-fuchsia)
[29072](https://github.com/flutter/engine/pull/29072) [fuchsia] Rename, move some CF v1 runner code. (cla: yes, platform-fuchsia)
[29091](https://github.com/flutter/engine/pull/29091) [fuchsia] Add Launcher & Resolver to Dart JIT CMX. (cla: yes, waiting for tree to go green, platform-fuchsia)
[29142](https://github.com/flutter/engine/pull/29142) [fuchsia] Create CF v2 Flutter runner. (cla: yes, waiting for tree to go green, platform-fuchsia)
[29184](https://github.com/flutter/engine/pull/29184) [fuchsia] Keep track of all child transforms in FlatlandExternalViewEmbedder (cla: yes, platform-fuchsia, needs tests)
[29259](https://github.com/flutter/engine/pull/29259) fuchsia: Add graph to FakeFlatland (affects: tests, cla: yes, platform-fuchsia)
[29280](https://github.com/flutter/engine/pull/29280) Fix typos (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web, platform-macos, platform-linux, platform-fuchsia, needs tests)
[29287](https://github.com/flutter/engine/pull/29287) VSyncWaiter on Fuchsia will defer firing until frame start time (cla: yes, waiting for tree to go green, platform-fuchsia, needs tests)
[29290](https://github.com/flutter/engine/pull/29290) [fuchsia] Add missing protocols to V2 runner. (cla: yes, waiting for tree to go green, platform-fuchsia)
[29305](https://github.com/flutter/engine/pull/29305) [fuchsia] fidl::InterfaceHandle<T> -> THandle. (cla: yes, platform-fuchsia)
[29313](https://github.com/flutter/engine/pull/29313) Bump ICU to ece15d049f2d360721716089372e3749fb89e0f4 (cla: yes, platform-fuchsia)
[29320](https://github.com/flutter/engine/pull/29320) Inform the Dart VM when snapshots are safe to use with madvise(DONTNEED). (platform-ios, platform-android, cla: yes, platform-macos, platform-linux, platform-fuchsia)
[29325](https://github.com/flutter/engine/pull/29325) [fuchsia] Remove unused SettingsManager protocol (cla: yes, platform-fuchsia)
[29330](https://github.com/flutter/engine/pull/29330) [fuchsia] INTERNAL epitaph for non-zero return codes (cla: yes, platform-fuchsia, needs tests)
[29339](https://github.com/flutter/engine/pull/29339) Revert "Bump ICU to ece15d049f2d360721716089372e3749fb89e0f4. (#29313)" (cla: yes, platform-fuchsia)
[29340](https://github.com/flutter/engine/pull/29340) Bump ICU to ece15d049f2d360721716089372e3749fb89e0f4. (#29313) (cla: yes, platform-fuchsia)
[29393](https://github.com/flutter/engine/pull/29393) [fuchsia] Remove unused sdk_ext.gni. (cla: yes, waiting for tree to go green, platform-fuchsia)
[29398](https://github.com/flutter/engine/pull/29398) [fuchsia] Remove remaining references to Topaz. (cla: yes, platform-fuchsia)
[29414](https://github.com/flutter/engine/pull/29414) fuchsia: Enable ASAN; add tests flag (affects: tests, cla: yes, platform-fuchsia)
#### platform-android - 80 pull request(s)
[24756](https://github.com/flutter/engine/pull/24756) Display Features support (Foldable and Cutout) (platform-android, cla: yes, waiting for tree to go green)
[26996](https://github.com/flutter/engine/pull/26996) Add SPIR-V FragmentShader API to painting.dart (platform-android, cla: yes, platform-web, platform-fuchsia)
[27662](https://github.com/flutter/engine/pull/27662) Implementation of two or more threads merging for multiple platform views (platform-android, cla: yes)
[27878](https://github.com/flutter/engine/pull/27878) Fix wrong EGL value in AndroidEnvironmentGL (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27884](https://github.com/flutter/engine/pull/27884) Prevent a race between SurfaceTexture.release and attachToGLContext (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27893](https://github.com/flutter/engine/pull/27893) Adds semantics tooltip support (platform-android, cla: yes, waiting for tree to go green, platform-fuchsia, embedder)
[27915](https://github.com/flutter/engine/pull/27915) Fix memory leak in PlatformViewsController (platform-android, cla: yes, waiting for tree to go green)
[27924](https://github.com/flutter/engine/pull/27924) Fix the SurfaceTexture related crash by replacing the JNI weak global reference with WeakReference (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27942](https://github.com/flutter/engine/pull/27942) Provide Open JDK 11 (platform-android, cla: yes, waiting for tree to go green)
[27946](https://github.com/flutter/engine/pull/27946) Avoid crashing when FlutterImageView is resized to zero dimension (platform-android, cla: yes, waiting for tree to go green, needs tests)
[27992](https://github.com/flutter/engine/pull/27992) Sets focus before sending a11y focus event in Android (platform-android, cla: yes, waiting for tree to go green)
[28000](https://github.com/flutter/engine/pull/28000) Prevent potential leak of a closable render surface (platform-android, cla: yes, waiting for tree to go green)
[28045](https://github.com/flutter/engine/pull/28045) Fix some warnings seen after the migration to JDK 11 (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28084](https://github.com/flutter/engine/pull/28084) Run the Android Robolectric tests using Gradle (platform-android, cla: yes, waiting for tree to go green)
[28092](https://github.com/flutter/engine/pull/28092) Revert "Sets focus before sending a11y focus event in Android" (platform-android, cla: yes)
[28117](https://github.com/flutter/engine/pull/28117) Issues/79528 reland (platform-android, cla: yes, waiting for tree to go green)
[28153](https://github.com/flutter/engine/pull/28153) Use Android linter from cmdline-tools (platform-android, cla: yes, waiting for tree to go green)
[28168](https://github.com/flutter/engine/pull/28168) Add a comment in the FlutterEngineGroup's constructor to avoid using the activity's context (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28175](https://github.com/flutter/engine/pull/28175) TextEditingDelta support for Android (platform-android, cla: yes)
[28206](https://github.com/flutter/engine/pull/28206) Fix regression in system UI colors (platform-android, bug (regression), cla: yes, waiting for tree to go green)
[28207](https://github.com/flutter/engine/pull/28207) Revert "Adds semantics tooltip support" (platform-ios, platform-android, cla: yes, platform-web, platform-fuchsia, embedder)
[28211](https://github.com/flutter/engine/pull/28211) Issues/86577 reland (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web, platform-fuchsia, embedder)
[28229](https://github.com/flutter/engine/pull/28229) Makes empty scrollable not focusable in Talkback (platform-android, cla: yes, waiting for tree to go green)
[28239](https://github.com/flutter/engine/pull/28239) Eliminate Android-specific Vulkan support (platform-android, cla: yes, Work in progress (WIP), platform-fuchsia, needs tests)
[28277](https://github.com/flutter/engine/pull/28277) [android] Fix black and blank screen issues on the platform view page. (platform-android, cla: yes, needs tests)
[28304](https://github.com/flutter/engine/pull/28304) Ensure that unregisterTexture is called when forget to call SurfaceTextureEntry.release (platform-android, cla: yes, waiting for tree to go green)
[28333](https://github.com/flutter/engine/pull/28333) [TextInput] enroll in autofill by default (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web)
[28358](https://github.com/flutter/engine/pull/28358) Support passing existing SurfaceTexture to TextureRegistry (platform-android, cla: yes, waiting for tree to go green)
[28376](https://github.com/flutter/engine/pull/28376) Add missing result for the TextInput.setEditableSizeAndTransform method handler on Android (platform-android, cla: yes, waiting for tree to go green)
[28383](https://github.com/flutter/engine/pull/28383) Started providing the GPU sync switch to Rasterizer.DrawToSurface() (platform-ios, platform-android, cla: yes, platform-fuchsia, embedder)
[28391](https://github.com/flutter/engine/pull/28391) Make the LocalizationPluginTest package declaration match the source file path (platform-android, cla: yes, waiting for tree to go green)
[28407](https://github.com/flutter/engine/pull/28407) fuchsia: Fix MissingPluginException being thrown in Dart from platform_view.cc (platform-ios, platform-android, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, needs tests, embedder)
[28415](https://github.com/flutter/engine/pull/28415) [flutter_releases] Flutter beta 2.5.0-5.3.pre Engine Cherrypicks (platform-ios, platform-android, cla: yes, platform-web)
[28447](https://github.com/flutter/engine/pull/28447) Revert "Display Features support (Foldable and Cutout)" (platform-android, cla: yes, platform-web, platform-fuchsia)
[28520](https://github.com/flutter/engine/pull/28520) [flutter_releases] apply patches to flutter-2.5-candidate.8 (platform-ios, platform-android, cla: yes, platform-fuchsia, embedder)
[28535](https://github.com/flutter/engine/pull/28535) [flutter_releases] flutter-2.6-candidate.3 Engine Cherrypicks (platform-ios, platform-android, cla: yes, platform-fuchsia, embedder)
[28543](https://github.com/flutter/engine/pull/28543) Allow injection of ExecutorService (platform-android, cla: yes)
[28566](https://github.com/flutter/engine/pull/28566) Delete is_background_view from FlutterJNI (platform-android, cla: yes, waiting for tree to go green)
[28593](https://github.com/flutter/engine/pull/28593) Don't use rFD in pre-Q versions (platform-android, cla: yes)
[28594](https://github.com/flutter/engine/pull/28594) Roll buildroot to 480e54b791ebb136fbac15f2e1e9bc081b52653a (platform-android, cla: yes)
[28616](https://github.com/flutter/engine/pull/28616) Update API availability of edge to edge mode (platform-android, cla: yes)
[28625](https://github.com/flutter/engine/pull/28625) Flip on leak detector and suppress or fix remaining leak traces (platform-android, cla: yes, platform-linux, embedder)
[28665](https://github.com/flutter/engine/pull/28665) [flutter_releases] Flutter stable 2.5.1 Engine Cherrypicks (platform-android, cla: yes)
[28667](https://github.com/flutter/engine/pull/28667) Don't use Build.VERSION_CODES.S in test (platform-android, cla: yes, waiting for tree to go green)
[28694](https://github.com/flutter/engine/pull/28694) Do not share the GrDirectContext across engine instances on Android (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28774](https://github.com/flutter/engine/pull/28774) Fix Android T deprecated WindowManager INCORRECT_CONTEXT_USAGE (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28777](https://github.com/flutter/engine/pull/28777) Replace jcenter() for mavenCentral() (platform-android, cla: yes, waiting for tree to go green)
[28784](https://github.com/flutter/engine/pull/28784) added unit tests for the android embedder that run on android devices (platform-android, cla: yes)
[28806](https://github.com/flutter/engine/pull/28806) Make DartExecutor.IsolateServiceIdListener public (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28884](https://github.com/flutter/engine/pull/28884) Make FlutterEngineGroup support initialRoute (platform-ios, platform-android, cla: yes)
[28886](https://github.com/flutter/engine/pull/28886) Bump maximum supported sdk to 30 for Robolectric (platform-android, cla: yes, waiting for tree to go green)
[28891](https://github.com/flutter/engine/pull/28891) Avoid GCing aggressively during startup, and forward trim messages beyond low to application (platform-android, cla: yes)
[28894](https://github.com/flutter/engine/pull/28894) Destroy overlay surfaces when the rasterizer is torn down (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-fuchsia)
[28903](https://github.com/flutter/engine/pull/28903) Use the systrace recorder if systracing is enabled at startup, and enable systracing in release mode on Android (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28921](https://github.com/flutter/engine/pull/28921) Deprecate SplashScreenProvider (platform-android, cla: yes, needs tests)
[28937](https://github.com/flutter/engine/pull/28937) Cherry-pick #28846 and #28743 into flutter-2.6-candidate.11 (platform-ios, platform-android, cla: yes, needs tests, embedder)
[28938](https://github.com/flutter/engine/pull/28938) fixed android unit tests (rotted before CI is running) (platform-android, cla: yes, waiting for tree to go green)
[28977](https://github.com/flutter/engine/pull/28977) Remove some deprecated APIs from the Android embedding (platform-android, cla: yes, waiting for tree to go green, needs tests)
[28987](https://github.com/flutter/engine/pull/28987) Defer setup of the default font manager if the embedding prefetched the font manager (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29013](https://github.com/flutter/engine/pull/29013) Expose updateSystemUiOverlays in FlutterActivity and FlutterFragment (platform-android, cla: yes, waiting for tree to go green)
[29055](https://github.com/flutter/engine/pull/29055) Update contrast enforcement for null values (platform-android, cla: yes, waiting for tree to go green)
[29060](https://github.com/flutter/engine/pull/29060) Set system bar appearance using WindowInsetsControllerCompat instead of the deprecated View#setSystemUiVisibility (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29071](https://github.com/flutter/engine/pull/29071) Revert "Use the systrace recorder if systracing is enabled at startup, and enable systracing in release mode on Android" (platform-android, cla: yes, needs tests)
[29080](https://github.com/flutter/engine/pull/29080) Reland Android systrace (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29090](https://github.com/flutter/engine/pull/29090) Always increment response_id for Android platform messages (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29093](https://github.com/flutter/engine/pull/29093) Map the Android VsyncWaiter frame start time to the clock used by fml::TimePoint (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29147](https://github.com/flutter/engine/pull/29147) Android Background Platform Channels (platform-android, cla: yes, waiting for tree to go green)
[29206](https://github.com/flutter/engine/pull/29206) Revert "Set system bar appearance using WindowInsetsControllerCompat instead of the deprecated View#setSystemUiVisibility" (platform-android, cla: yes)
[29226](https://github.com/flutter/engine/pull/29226) Refactor FlutterViewTest with extracting common test code to methods (platform-android, cla: yes, waiting for tree to go green)
[29230](https://github.com/flutter/engine/pull/29230) Add traces to Android embedding (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29241](https://github.com/flutter/engine/pull/29241) Add FlutterPlayStoreSplitApplication to v2 embedding (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29245](https://github.com/flutter/engine/pull/29245) Build a specialized snapshot for launching the service isolate in profile mode on Android (platform-android, cla: yes, waiting for tree to go green, needs tests)
[29248](https://github.com/flutter/engine/pull/29248) Deprecate android v1 embedding (platform-android, cla: yes, needs tests)
[29280](https://github.com/flutter/engine/pull/29280) Fix typos (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web, platform-macos, platform-linux, platform-fuchsia, needs tests)
[29320](https://github.com/flutter/engine/pull/29320) Inform the Dart VM when snapshots are safe to use with madvise(DONTNEED). (platform-ios, platform-android, cla: yes, platform-macos, platform-linux, platform-fuchsia)
[29326](https://github.com/flutter/engine/pull/29326) Update documentation links to point to main branch. (platform-android, cla: yes, waiting for tree to go green, platform-web, platform-windows, needs tests)
[29344](https://github.com/flutter/engine/pull/29344) Revert "Android Background Platform Channels" (platform-android, cla: yes)
[29346](https://github.com/flutter/engine/pull/29346) Reapply: Android background platform channels (platform-android, cla: yes, waiting for tree to go green)
[29378](https://github.com/flutter/engine/pull/29378) Revert "Temporarily delete deprecated Android v1 embedding " (platform-android, cla: yes)
[29403](https://github.com/flutter/engine/pull/29403) Reland "Set system bar appearance using WindowInsetsController" (platform-android, cla: yes, waiting for tree to go green)
#### platform-web - 63 pull request(s)
[26996](https://github.com/flutter/engine/pull/26996) Add SPIR-V FragmentShader API to painting.dart (platform-android, cla: yes, platform-web, platform-fuchsia)
[27872](https://github.com/flutter/engine/pull/27872) [web] Don't reset history on hot restart (cla: yes, platform-web, needs tests, cp: 2.5)
[27882](https://github.com/flutter/engine/pull/27882) [web] remove implicit casts and implicit dynamic (cla: yes, platform-web)
[27911](https://github.com/flutter/engine/pull/27911) [web] Fix types of some event listeners (cla: yes, platform-web, needs tests)
[27932](https://github.com/flutter/engine/pull/27932) Fix routerinformationupdate can take complex json (cla: yes, platform-web)
[27972](https://github.com/flutter/engine/pull/27972) Fix: modifier keys not recognized on macOS Web (cla: yes, platform-web, cp: 2.5)
[27977](https://github.com/flutter/engine/pull/27977) [canvaskit] Release overlays to the cache once they have been used (cla: yes, platform-web)
[27985](https://github.com/flutter/engine/pull/27985) [web_ui] Fixed aria-live attribute on web (cla: yes, platform-web)
[27995](https://github.com/flutter/engine/pull/27995) [web] rename watcher.dart to pipeline.dart (cla: yes, waiting for tree to go green, platform-web, needs tests)
[28007](https://github.com/flutter/engine/pull/28007) ui.KeyData.toString (cla: yes, platform-web)
[28025](https://github.com/flutter/engine/pull/28025) [flutter_releases] Flutter beta 2.5.0-5.1.pre Engine Cherrypicks (cla: yes, platform-web)
[28050](https://github.com/flutter/engine/pull/28050) [web] Clean up legacy Paragraph implementation (cla: yes, platform-web)
[28056](https://github.com/flutter/engine/pull/28056) [web] add CanvasKit to CIPD; make it a DEPS dependency; add a manual roller script (cla: yes, platform-web, needs tests)
[28057](https://github.com/flutter/engine/pull/28057) Define WEB_UI_DIR using ENGINE_PATH. (cla: yes, platform-web)
[28087](https://github.com/flutter/engine/pull/28087) [canvaskit] Optimize CanvasKit platform views in special cases (cla: yes, platform-web)
[28202](https://github.com/flutter/engine/pull/28202) Revert "Add SPIR-V FragmentShader API to painting.dart" (cla: yes, platform-web, platform-fuchsia)
[28207](https://github.com/flutter/engine/pull/28207) Revert "Adds semantics tooltip support" (platform-ios, platform-android, cla: yes, platform-web, platform-fuchsia, embedder)
[28208](https://github.com/flutter/engine/pull/28208) [Re-land] Add SPIR-V FragmentShader API to painting.dart (cla: yes, platform-web, platform-fuchsia)
[28211](https://github.com/flutter/engine/pull/28211) Issues/86577 reland (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web, platform-fuchsia, embedder)
[28312](https://github.com/flutter/engine/pull/28312) Add flag to disable overlays (cla: yes, platform-web, needs tests)
[28333](https://github.com/flutter/engine/pull/28333) [TextInput] enroll in autofill by default (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web)
[28339](https://github.com/flutter/engine/pull/28339) [web] Support raw straight RGBA format in Image.toByteData() in CanvasKit (cla: yes, waiting for tree to go green, platform-web)
[28348](https://github.com/flutter/engine/pull/28348) [canvaskit] Implement invertColors (cla: yes, platform-web)
[28357](https://github.com/flutter/engine/pull/28357) [web] Support raw straight RGBA format in Image.toByteData() in Html (cla: yes, waiting for tree to go green, platform-web)
[28407](https://github.com/flutter/engine/pull/28407) fuchsia: Fix MissingPluginException being thrown in Dart from platform_view.cc (platform-ios, platform-android, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, needs tests, embedder)
[28415](https://github.com/flutter/engine/pull/28415) [flutter_releases] Flutter beta 2.5.0-5.3.pre Engine Cherrypicks (platform-ios, platform-android, cla: yes, platform-web)
[28439](https://github.com/flutter/engine/pull/28439) Add RasterCache metrics to the FrameTimings (cla: yes, waiting for tree to go green, platform-web)
[28447](https://github.com/flutter/engine/pull/28447) Revert "Display Features support (Foldable and Cutout)" (platform-android, cla: yes, platform-web, platform-fuchsia)
[28494](https://github.com/flutter/engine/pull/28494) [Web text input] Make placeholder text invisible (cla: yes, waiting for tree to go green, platform-web)
[28589](https://github.com/flutter/engine/pull/28589) [web] fix the last matrix element in CkPath.shift (cla: yes, waiting for tree to go green, platform-web)
[28597](https://github.com/flutter/engine/pull/28597) [canvaskit] Don't assign overlays when overlays are disabled (cla: yes, platform-web, needs tests)
[28611](https://github.com/flutter/engine/pull/28611) Fix UNNECESSARY_TYPE_CHECK_TRUE (cla: yes, platform-web)
[28619](https://github.com/flutter/engine/pull/28619) [canvaskit] Handle case where platform view is prerolled but not composited (cla: yes, platform-web)
[28642](https://github.com/flutter/engine/pull/28642) [web] Multiple fixes to text layout and line breaks (cla: yes, waiting for tree to go green, platform-web)
[28648](https://github.com/flutter/engine/pull/28648) Keyboard guarantee non empty events (cla: yes, platform-web, platform-macos, platform-linux, platform-windows)
[28675](https://github.com/flutter/engine/pull/28675) [web] clear surfaces on hot restart (cla: yes, platform-web, needs tests)
[28787](https://github.com/flutter/engine/pull/28787) Eliminate unnecessary canvaskit imports (cla: yes, platform-web, needs tests)
[28790](https://github.com/flutter/engine/pull/28790) [canvaskit] Fix bug when overlays are disabled (cla: yes, platform-web)
[28805](https://github.com/flutter/engine/pull/28805) [web] Fix disposal of browser history on hot restart (cla: yes, platform-web)
[28856](https://github.com/flutter/engine/pull/28856) use all 16 matrix entries in Canvas.transform() to enable 3D matrix concatenation (cla: yes, waiting for tree to go green, platform-web)
[28936](https://github.com/flutter/engine/pull/28936) [web] reuse browser instance across screenshot tests (cla: yes, platform-web, needs tests)
[28965](https://github.com/flutter/engine/pull/28965) Roll CanvasKit to 0.30 (cla: yes, platform-web, needs tests)
[28966](https://github.com/flutter/engine/pull/28966) Add web support for tooltip (cla: yes, waiting for tree to go green, platform-web)
[28990](https://github.com/flutter/engine/pull/28990) Roll Chrome to major version 96 (cla: yes, platform-web)
[29011](https://github.com/flutter/engine/pull/29011) [web] remove platform initialization timeout (cla: yes, platform-web, needs tests)
[29028](https://github.com/flutter/engine/pull/29028) [web] Add support for textScaleFactor (cla: yes, platform-web)
[29038](https://github.com/flutter/engine/pull/29038) [web] force WebGL 1 on iOS (cla: yes, platform-web, needs tests)
[29050](https://github.com/flutter/engine/pull/29050) [canvaskit] Fix bug when platform views are reused when overlays are disabled. (cla: yes, platform-web)
[29056](https://github.com/flutter/engine/pull/29056) [web] add FlutterConfiguration, use it to supply local CanvasKit files (cla: yes, platform-web)
[29063](https://github.com/flutter/engine/pull/29063) [web] Dart-format a file (cla: yes, platform-web)
[29088](https://github.com/flutter/engine/pull/29088) Unzip Chrome to the correct location when testing locally on Linux (cla: yes, platform-web, needs tests)
[29158](https://github.com/flutter/engine/pull/29158) [web] Implement TextAlign.justify (cla: yes, platform-web)
[29166](https://github.com/flutter/engine/pull/29166) [web] Workaround iOS 15 Safari crash (cla: yes, platform-web)
[29168](https://github.com/flutter/engine/pull/29168) [web] Add goldctl as a dependency in LUCI (cla: yes, platform-web)
[29179](https://github.com/flutter/engine/pull/29179) [web] use 'dart compile js' instead of 'dart2js' in web_ui and felt (cla: yes, waiting for tree to go green, platform-web, needs tests)
[29192](https://github.com/flutter/engine/pull/29192) Ignore implicit_dynamic_function analyzer error for js_util generic methods (cla: yes, waiting for tree to go green, platform-web)
[29223](https://github.com/flutter/engine/pull/29223) [web] implement decodeImageFromPixels for CanvasKit (cla: yes, platform-web)
[29231](https://github.com/flutter/engine/pull/29231) Replace FragmentShader with FragmentShaderBuilder (cla: yes, waiting for tree to go green, platform-web)
[29246](https://github.com/flutter/engine/pull/29246) [web] Fix keyboard popping up unexpectedly on iOS (cla: yes, platform-web)
[29280](https://github.com/flutter/engine/pull/29280) Fix typos (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web, platform-macos, platform-linux, platform-fuchsia, needs tests)
[29323](https://github.com/flutter/engine/pull/29323) ensure web_ui and ui have the same toString methods for StringAttributes (cla: yes, waiting for tree to go green, platform-web)
[29326](https://github.com/flutter/engine/pull/29326) Update documentation links to point to main branch. (platform-android, cla: yes, waiting for tree to go green, platform-web, platform-windows, needs tests)
[29389](https://github.com/flutter/engine/pull/29389) Migrate golds script to use main branch. (cla: yes, waiting for tree to go green, platform-web, needs tests)
#### platform-ios - 38 pull request(s)
[27472](https://github.com/flutter/engine/pull/27472) Remove dead localization code from the iOS embedder (platform-ios, cla: yes, waiting for tree to go green, tech-debt)
[27786](https://github.com/flutter/engine/pull/27786) fix crash SemanticsObject dealloc and access the children (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[27854](https://github.com/flutter/engine/pull/27854) Unskip iOS launch URL tests (platform-ios, cla: yes, waiting for tree to go green, tech-debt)
[27874](https://github.com/flutter/engine/pull/27874) Support iOS universal links route deep linking (platform-ios, cla: yes, waiting for tree to go green)
[27899](https://github.com/flutter/engine/pull/27899) Embed OCMock and iOS tests into IosUnitTests app (platform-ios, cla: yes, waiting for tree to go green)
[28065](https://github.com/flutter/engine/pull/28065) Fix memory leak in FlutterSwitchSemanticsObject (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[28110](https://github.com/flutter/engine/pull/28110) Makes scrollable to use main screen if the flutter view is not attached (platform-ios, cla: yes, waiting for tree to go green)
[28207](https://github.com/flutter/engine/pull/28207) Revert "Adds semantics tooltip support" (platform-ios, platform-android, cla: yes, platform-web, platform-fuchsia, embedder)
[28211](https://github.com/flutter/engine/pull/28211) Issues/86577 reland (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web, platform-fuchsia, embedder)
[28333](https://github.com/flutter/engine/pull/28333) [TextInput] enroll in autofill by default (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web)
[28383](https://github.com/flutter/engine/pull/28383) Started providing the GPU sync switch to Rasterizer.DrawToSurface() (platform-ios, platform-android, cla: yes, platform-fuchsia, embedder)
[28407](https://github.com/flutter/engine/pull/28407) fuchsia: Fix MissingPluginException being thrown in Dart from platform_view.cc (platform-ios, platform-android, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, needs tests, embedder)
[28415](https://github.com/flutter/engine/pull/28415) [flutter_releases] Flutter beta 2.5.0-5.3.pre Engine Cherrypicks (platform-ios, platform-android, cla: yes, platform-web)
[28418](https://github.com/flutter/engine/pull/28418) TextEditingDelta support for iOS (platform-ios, cla: yes, waiting for tree to go green)
[28495](https://github.com/flutter/engine/pull/28495) Fixes accessibility issue that bridge fails to clean up FlutterScrollableSemanticsObject (platform-ios, cla: yes, waiting for tree to go green)
[28500](https://github.com/flutter/engine/pull/28500) backdrop_filter_layer only pushes to the leaf_nodes_canvas (platform-ios, cla: yes, waiting for tree to go green)
[28520](https://github.com/flutter/engine/pull/28520) [flutter_releases] apply patches to flutter-2.5-candidate.8 (platform-ios, platform-android, cla: yes, platform-fuchsia, embedder)
[28535](https://github.com/flutter/engine/pull/28535) [flutter_releases] flutter-2.6-candidate.3 Engine Cherrypicks (platform-ios, platform-android, cla: yes, platform-fuchsia, embedder)
[28658](https://github.com/flutter/engine/pull/28658) [shared_engine] Avoid the method surfaceUpdated is called many times when multiple FlutterViewController shared one engine (platform-ios, cla: yes, waiting for tree to go green)
[28743](https://github.com/flutter/engine/pull/28743) Set MinimumOSVersion in iOS Info.plist based on buildroot setting (platform-ios, cla: yes, waiting for tree to go green, platform-macos, embedder)
[28783](https://github.com/flutter/engine/pull/28783) Set MinimumOSVersion to iOS 9 in Info.plist (platform-ios, cla: yes, waiting for tree to go green)
[28846](https://github.com/flutter/engine/pull/28846) Fixes FlutterSemanticsScrollView to not implement accessibility conta… (platform-ios, cla: yes, needs tests)
[28868](https://github.com/flutter/engine/pull/28868) [iOSTextInput] remove floating cursor asserts (platform-ios, cla: yes, waiting for tree to go green)
[28884](https://github.com/flutter/engine/pull/28884) Make FlutterEngineGroup support initialRoute (platform-ios, platform-android, cla: yes)
[28894](https://github.com/flutter/engine/pull/28894) Destroy overlay surfaces when the rasterizer is torn down (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-fuchsia)
[28937](https://github.com/flutter/engine/pull/28937) Cherry-pick #28846 and #28743 into flutter-2.6-candidate.11 (platform-ios, platform-android, cla: yes, needs tests, embedder)
[28971](https://github.com/flutter/engine/pull/28971) [iOS] Hardware keyboard text editing shortcuts (platform-ios, cla: yes)
[29108](https://github.com/flutter/engine/pull/29108) [iOS] Using UIView container as text input superview for textinput plugin (platform-ios, cla: yes, waiting for tree to go green, needs tests)
[29113](https://github.com/flutter/engine/pull/29113) [iOS] Fix duplicated keys when typing quickly on HW keyboard (platform-ios, cla: yes)
[29127](https://github.com/flutter/engine/pull/29127) [iOS] Fixes key press related memory leaks (platform-ios, cla: yes, needs tests)
[29131](https://github.com/flutter/engine/pull/29131) Calculate the frame target time based on targetTimestamp in VsyncWaiterIOS (platform-ios, cla: yes, needs tests)
[29156](https://github.com/flutter/engine/pull/29156) [iOS] Fixes FlutterUIPressProxy leaks (platform-ios, cla: yes, needs tests)
[29197](https://github.com/flutter/engine/pull/29197) [ios key handling] Return the correct physical key when the keycode isn't mapped (platform-ios, cla: yes, waiting for tree to go green)
[29280](https://github.com/flutter/engine/pull/29280) Fix typos (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web, platform-macos, platform-linux, platform-fuchsia, needs tests)
[29283](https://github.com/flutter/engine/pull/29283) [macOS] Reset keyboard states on engine restart (platform-ios, cla: yes, platform-macos)
[29320](https://github.com/flutter/engine/pull/29320) Inform the Dart VM when snapshots are safe to use with madvise(DONTNEED). (platform-ios, platform-android, cla: yes, platform-macos, platform-linux, platform-fuchsia)
[29363](https://github.com/flutter/engine/pull/29363) [flutter_releases] Flutter beta 2.7.0-3.1.pre Engine Cherrypicks (platform-ios, cla: yes)
[29374](https://github.com/flutter/engine/pull/29374) Disallow pasting non-text into FlutterTextInputPlugin (platform-ios, cla: yes, waiting for tree to go green)
#### platform-windows - 28 pull request(s)
[27687](https://github.com/flutter/engine/pull/27687) Fix a typo in https://github.com/flutter/engine/pull/27311 (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[27694](https://github.com/flutter/engine/pull/27694) UWP: Fix uwptools that does not uninstall package (cla: yes, platform-windows, needs tests)
[27749](https://github.com/flutter/engine/pull/27749) hasStrings on Windows (cla: yes, waiting for tree to go green, platform-windows)
[27760](https://github.com/flutter/engine/pull/27760) Do not call CoreWindow::Visible from raster thread (cla: yes, platform-windows, needs tests)
[27863](https://github.com/flutter/engine/pull/27863) Windows: Add multi-touch support (cla: yes, waiting for tree to go green, platform-windows)
[27921](https://github.com/flutter/engine/pull/27921) Windows keyboard integration tests and fix a number of issues (cla: yes, platform-windows)
[27922](https://github.com/flutter/engine/pull/27922) [UWP] Remove 1px offset to make root widget fully shown (cla: yes, waiting for tree to go green, platform-windows)
[28013](https://github.com/flutter/engine/pull/28013) Fully inplement TaskRunner for UWP (flutter/flutter#70890) (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28047](https://github.com/flutter/engine/pull/28047) Fix dead key crashes on Win32 (cla: yes, platform-windows)
[28064](https://github.com/flutter/engine/pull/28064) [UWP] Implement clipboard. (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28098](https://github.com/flutter/engine/pull/28098) [UWP] Implement setting cursor icon. (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28100](https://github.com/flutter/engine/pull/28100) [UWP] Add all mouse buttons support (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28125](https://github.com/flutter/engine/pull/28125) Fix dead key handling on Win32 (again) (cla: yes, platform-windows)
[28131](https://github.com/flutter/engine/pull/28131) Windows: Add dark theme support. (cla: yes, platform-windows)
[28298](https://github.com/flutter/engine/pull/28298) Windows: FlutterDesktopPixelBuffer: Add optional release callback (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28334](https://github.com/flutter/engine/pull/28334) Fix typo in a comment in #28098 (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[28407](https://github.com/flutter/engine/pull/28407) fuchsia: Fix MissingPluginException being thrown in Dart from platform_view.cc (platform-ios, platform-android, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, needs tests, embedder)
[28648](https://github.com/flutter/engine/pull/28648) Keyboard guarantee non empty events (cla: yes, platform-web, platform-macos, platform-linux, platform-windows)
[28724](https://github.com/flutter/engine/pull/28724) [UWP] Add modifier keys support (cla: yes, platform-windows, needs tests)
[28970](https://github.com/flutter/engine/pull/28970) [Windows] Add restart hooks, and reset keyboard (cla: yes, platform-windows, needs tests)
[29100](https://github.com/flutter/engine/pull/29100) Fix build flags for WinUWP (cla: yes, waiting for tree to go green, platform-windows)
[29146](https://github.com/flutter/engine/pull/29146) Cancel IME composing on clear text input client (cla: yes, platform-windows)
[29164](https://github.com/flutter/engine/pull/29164) Correct file line-endings from CRLF to LF (cla: yes, waiting for tree to go green, platform-windows, needs tests)
[29269](https://github.com/flutter/engine/pull/29269) Win32: Enable semantics on accessibility query (cla: yes, platform-windows)
[29278](https://github.com/flutter/engine/pull/29278) Add FlutterWindowsEngine::DispatchSemanticsAction (cla: yes, platform-windows)
[29282](https://github.com/flutter/engine/pull/29282) [Win32, Keyboard] Fix toggled state synthesization misses up events (cla: yes, platform-windows)
[29326](https://github.com/flutter/engine/pull/29326) Update documentation links to point to main branch. (platform-android, cla: yes, waiting for tree to go green, platform-web, platform-windows, needs tests)
[29396](https://github.com/flutter/engine/pull/29396) Add check for empty compose string (cla: yes, platform-windows, needs tests)
#### embedder - 19 pull request(s)
[27893](https://github.com/flutter/engine/pull/27893) Adds semantics tooltip support (platform-android, cla: yes, waiting for tree to go green, platform-fuchsia, embedder)
[28147](https://github.com/flutter/engine/pull/28147) Fix some stack-use-after-scopes found by ASan (cla: yes, embedder)
[28207](https://github.com/flutter/engine/pull/28207) Revert "Adds semantics tooltip support" (platform-ios, platform-android, cla: yes, platform-web, platform-fuchsia, embedder)
[28211](https://github.com/flutter/engine/pull/28211) Issues/86577 reland (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web, platform-fuchsia, embedder)
[28253](https://github.com/flutter/engine/pull/28253) Enable repeat for desktop embedder tests (cla: yes, waiting for tree to go green, embedder)
[28266](https://github.com/flutter/engine/pull/28266) Fix flaky stack-use-after-scope in PushingMutlipleFramesSetsUpNewReco… (cla: yes, embedder)
[28274](https://github.com/flutter/engine/pull/28274) Symbolize ASan traces when using `run_tests.py` (cla: yes, waiting for tree to go green, embedder)
[28281](https://github.com/flutter/engine/pull/28281) Eliminate unnecessary null check in fixture (cla: yes, needs tests, embedder)
[28383](https://github.com/flutter/engine/pull/28383) Started providing the GPU sync switch to Rasterizer.DrawToSurface() (platform-ios, platform-android, cla: yes, platform-fuchsia, embedder)
[28407](https://github.com/flutter/engine/pull/28407) fuchsia: Fix MissingPluginException being thrown in Dart from platform_view.cc (platform-ios, platform-android, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, needs tests, embedder)
[28520](https://github.com/flutter/engine/pull/28520) [flutter_releases] apply patches to flutter-2.5-candidate.8 (platform-ios, platform-android, cla: yes, platform-fuchsia, embedder)
[28535](https://github.com/flutter/engine/pull/28535) [flutter_releases] flutter-2.6-candidate.3 Engine Cherrypicks (platform-ios, platform-android, cla: yes, platform-fuchsia, embedder)
[28625](https://github.com/flutter/engine/pull/28625) Flip on leak detector and suppress or fix remaining leak traces (platform-android, cla: yes, platform-linux, embedder)
[28743](https://github.com/flutter/engine/pull/28743) Set MinimumOSVersion in iOS Info.plist based on buildroot setting (platform-ios, cla: yes, waiting for tree to go green, platform-macos, embedder)
[28877](https://github.com/flutter/engine/pull/28877) [Linux] Reset keyboard states on engine restart (cla: yes, platform-linux, embedder)
[28924](https://github.com/flutter/engine/pull/28924) [Linux, Embedder] Add engine restart hooks (cla: yes, platform-linux, embedder)
[28937](https://github.com/flutter/engine/pull/28937) Cherry-pick #28846 and #28743 into flutter-2.6-candidate.11 (platform-ios, platform-android, cla: yes, needs tests, embedder)
[29117](https://github.com/flutter/engine/pull/29117) updated the docs for platform_message_callback (cla: yes, embedder)
[29408](https://github.com/flutter/engine/pull/29408) Embedder VsyncWaiter must schedule a frame for the right time (cla: yes, embedder)
#### platform-linux - 14 pull request(s)
[27757](https://github.com/flutter/engine/pull/27757) Rename fl_get_length to fl_value_get_length (cla: yes, waiting for tree to go green, platform-linux)
[28204](https://github.com/flutter/engine/pull/28204) Fix stack-buffer-overflow in FlValueTest.FloatList found by Asan (cla: yes, platform-linux)
[28395](https://github.com/flutter/engine/pull/28395) Fix typo in FlMethodResponse docs (cla: yes, platform-linux)
[28407](https://github.com/flutter/engine/pull/28407) fuchsia: Fix MissingPluginException being thrown in Dart from platform_view.cc (platform-ios, platform-android, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, needs tests, embedder)
[28525](https://github.com/flutter/engine/pull/28525) [Desktop][Linux] Add RUNPATH $ORIGIN to flutter_linux_gtk (cla: yes, platform-linux)
[28573](https://github.com/flutter/engine/pull/28573) Linux mock interfaces (cla: yes, platform-linux, needs tests)
[28625](https://github.com/flutter/engine/pull/28625) Flip on leak detector and suppress or fix remaining leak traces (platform-android, cla: yes, platform-linux, embedder)
[28648](https://github.com/flutter/engine/pull/28648) Keyboard guarantee non empty events (cla: yes, platform-web, platform-macos, platform-linux, platform-windows)
[28877](https://github.com/flutter/engine/pull/28877) [Linux] Reset keyboard states on engine restart (cla: yes, platform-linux, embedder)
[28878](https://github.com/flutter/engine/pull/28878) [Linux] Fix crash when a method channel is reassigned (cla: yes, waiting for tree to go green, platform-linux)
[28924](https://github.com/flutter/engine/pull/28924) [Linux, Embedder] Add engine restart hooks (cla: yes, platform-linux, embedder)
[29177](https://github.com/flutter/engine/pull/29177) Remove unused present method (cla: yes, platform-linux, needs tests)
[29280](https://github.com/flutter/engine/pull/29280) Fix typos (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web, platform-macos, platform-linux, platform-fuchsia, needs tests)
[29320](https://github.com/flutter/engine/pull/29320) Inform the Dart VM when snapshots are safe to use with madvise(DONTNEED). (platform-ios, platform-android, cla: yes, platform-macos, platform-linux, platform-fuchsia)
#### platform-macos - 10 pull request(s)
[28136](https://github.com/flutter/engine/pull/28136) macOS: Do not swap surface if nothing was painted (cla: yes, waiting for tree to go green, platform-macos, needs tests)
[28341](https://github.com/flutter/engine/pull/28341) Macos external texture metal support yuv (cla: yes, waiting for tree to go green, platform-macos)
[28407](https://github.com/flutter/engine/pull/28407) fuchsia: Fix MissingPluginException being thrown in Dart from platform_view.cc (platform-ios, platform-android, cla: yes, platform-web, platform-macos, platform-linux, platform-windows, platform-fuchsia, needs tests, embedder)
[28648](https://github.com/flutter/engine/pull/28648) Keyboard guarantee non empty events (cla: yes, platform-web, platform-macos, platform-linux, platform-windows)
[28666](https://github.com/flutter/engine/pull/28666) MacOS keyboard: RawKeyboard uses filtered modifier (cla: yes, platform-macos)
[28743](https://github.com/flutter/engine/pull/28743) Set MinimumOSVersion in iOS Info.plist based on buildroot setting (platform-ios, cla: yes, waiting for tree to go green, platform-macos, embedder)
[29242](https://github.com/flutter/engine/pull/29242) [macOS] Clearing overridden channel should not affect the latest channel (cla: yes, platform-macos)
[29280](https://github.com/flutter/engine/pull/29280) Fix typos (platform-ios, platform-android, cla: yes, waiting for tree to go green, platform-web, platform-macos, platform-linux, platform-fuchsia, needs tests)
[29283](https://github.com/flutter/engine/pull/29283) [macOS] Reset keyboard states on engine restart (platform-ios, cla: yes, platform-macos)
[29320](https://github.com/flutter/engine/pull/29320) Inform the Dart VM when snapshots are safe to use with madvise(DONTNEED). (platform-ios, platform-android, cla: yes, platform-macos, platform-linux, platform-fuchsia)
#### affects: tests - 7 pull request(s)
[27959](https://github.com/flutter/engine/pull/27959) Fix StandardMessageCodec test leaks (affects: engine, affects: tests, cla: yes)
[28139](https://github.com/flutter/engine/pull/28139) fuchsia: Improve FakeSession & add tests (affects: tests, cla: yes, waiting for tree to go green, platform-fuchsia, tech-debt)
[28144](https://github.com/flutter/engine/pull/28144) fuchsia: Add FuchsiaExternalViewEmbedder tests (affects: tests, cla: yes, platform-fuchsia, tech-debt)
[28926](https://github.com/flutter/engine/pull/28926) fuchsia: Add FakeFlatland and tests (affects: tests, cla: yes, platform-fuchsia)
[29048](https://github.com/flutter/engine/pull/29048) fuchsia: Enable AOT builds of Dart test packages (affects: tests, cla: yes, platform-fuchsia)
[29259](https://github.com/flutter/engine/pull/29259) fuchsia: Add graph to FakeFlatland (affects: tests, cla: yes, platform-fuchsia)
[29414](https://github.com/flutter/engine/pull/29414) fuchsia: Enable ASAN; add tests flag (affects: tests, cla: yes, platform-fuchsia)
#### tech-debt - 4 pull request(s)
[27472](https://github.com/flutter/engine/pull/27472) Remove dead localization code from the iOS embedder (platform-ios, cla: yes, waiting for tree to go green, tech-debt)
[27854](https://github.com/flutter/engine/pull/27854) Unskip iOS launch URL tests (platform-ios, cla: yes, waiting for tree to go green, tech-debt)
[28139](https://github.com/flutter/engine/pull/28139) fuchsia: Improve FakeSession & add tests (affects: tests, cla: yes, waiting for tree to go green, platform-fuchsia, tech-debt)
[28144](https://github.com/flutter/engine/pull/28144) fuchsia: Add FuchsiaExternalViewEmbedder tests (affects: tests, cla: yes, platform-fuchsia, tech-debt)
#### affects: engine - 2 pull request(s)
[27959](https://github.com/flutter/engine/pull/27959) Fix StandardMessageCodec test leaks (affects: engine, affects: tests, cla: yes)
[29265](https://github.com/flutter/engine/pull/29265) use nested op counts to determine picture complexity for raster cache (affects: engine, cla: yes, waiting for tree to go green, perf: speed)
#### cp: 2.5 - 2 pull request(s)
[27872](https://github.com/flutter/engine/pull/27872) [web] Don't reset history on hot restart (cla: yes, platform-web, needs tests, cp: 2.5)
[27972](https://github.com/flutter/engine/pull/27972) Fix: modifier keys not recognized on macOS Web (cla: yes, platform-web, cp: 2.5)
#### Work in progress (WIP) - 1 pull request(s)
[28239](https://github.com/flutter/engine/pull/28239) Eliminate Android-specific Vulkan support (platform-android, cla: yes, Work in progress (WIP), platform-fuchsia, needs tests)
#### bug (regression) - 1 pull request(s)
[28206](https://github.com/flutter/engine/pull/28206) Fix regression in system UI colors (platform-android, bug (regression), cla: yes, waiting for tree to go green)
#### perf: speed - 1 pull request(s)
[29265](https://github.com/flutter/engine/pull/29265) use nested op counts to determine picture complexity for raster cache (affects: engine, cla: yes, waiting for tree to go green, perf: speed)
## Merged PRs by labels for `flutter/plugins`
#### cla: yes - 202 pull request(s)
[2443](https://github.com/flutter/plugins/pull/2443) Uncomment Marker icons now that ImageListener API change has landed in stable (cla: yes, waiting for tree to go green, p: google_maps_flutter, last mile)
[2653](https://github.com/flutter/plugins/pull/2653) [google_maps_flutter] Marker dragging events (cla: yes, in review, p: google_maps_flutter, needs tests)
[2838](https://github.com/flutter/plugins/pull/2838) Google maps marker drag events impl (cla: yes, p: google_maps_flutter, platform-ios, platform-android)
[2878](https://github.com/flutter/plugins/pull/2878) [video_player] VTT Support (cla: yes, waiting for tree to go green, p: video_player)
[3078](https://github.com/flutter/plugins/pull/3078) [webview_flutter] Only call onWebResourceError for main frame (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[3194](https://github.com/flutter/plugins/pull/3194) [image_picker] fix camera on Android 11 (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[3216](https://github.com/flutter/plugins/pull/3216) [multiple] Java 8 target for all plugins with -Werror compiler arg (cla: yes, waiting for tree to go green, p: android_alarm_manager, p: android_intent, p: camera, p: path_provider, p: video_player, p: connectivity, platform-android)
[3374](https://github.com/flutter/plugins/pull/3374) [video_player] bugfix caption still showing when text is empty (cla: yes, waiting for tree to go green, p: video_player, last mile)
[3824](https://github.com/flutter/plugins/pull/3824) Update integration_test README (cla: yes)
[3895](https://github.com/flutter/plugins/pull/3895) [shared_preferences] Fix possible clash of string with double entry (cla: yes, waiting for tree to go green, p: shared_preferences, platform-android)
[4047](https://github.com/flutter/plugins/pull/4047) [flutter_plugin_tool] Add support for building UWP plugins (cla: yes)
[4059](https://github.com/flutter/plugins/pull/4059) [camera] android-rework part 9: Final implementation of camera class (cla: yes, p: camera, platform-android)
[4082](https://github.com/flutter/plugins/pull/4082) Support Hybrid Composition through the GoogleMaps Widget (cla: yes, p: google_maps_flutter)
[4093](https://github.com/flutter/plugins/pull/4093) [in_app_purchase]IAP/platform interface add cancel status (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4121](https://github.com/flutter/plugins/pull/4121) Add `buildViewWithTextDirection` to platform interface (cla: yes, waiting for tree to go green, p: google_maps_flutter)
[4123](https://github.com/flutter/plugins/pull/4123) [image_picker] Platform interface update cache (cla: yes, waiting for tree to go green, p: image_picker)
[4124](https://github.com/flutter/plugins/pull/4124) [image_picker]Android update cache (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[4129](https://github.com/flutter/plugins/pull/4129) Ignore unnecessary_import in legacy analysis options (cla: yes, waiting for tree to go green)
[4140](https://github.com/flutter/plugins/pull/4140) [camera] Run iOS methods on UI thread by default (cla: yes, waiting for tree to go green, p: camera, platform-ios)
[4156](https://github.com/flutter/plugins/pull/4156) [url_launcher] Add native unit tests for Windows (cla: yes, p: url_launcher, platform-windows)
[4162](https://github.com/flutter/plugins/pull/4162) [in_app_purchase] Add toString() to IAPError (cla: yes, p: in_app_purchase)
[4179](https://github.com/flutter/plugins/pull/4179) [google_sign_in] Add serverAuthCode attribute to google_sign_in_platform_interface user data (cla: yes, waiting for tree to go green, p: google_sign_in)
[4180](https://github.com/flutter/plugins/pull/4180) [google_sign_in] add serverAuthCode to GoogleSignInAccount (cla: yes, waiting for tree to go green, p: google_sign_in)
[4188](https://github.com/flutter/plugins/pull/4188) [flutter_plugin_tools] Add Android native UI test support (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: package_info, p: sensors, p: quick_actions, p: connectivity, platform-android, p: flutter_plugin_android_lifecycle)
[4204](https://github.com/flutter/plugins/pull/4204) [quick_actions] Android support only calling initialize once (cla: yes, p: quick_actions, platform-android)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4210](https://github.com/flutter/plugins/pull/4210) [camera_web] Recording Video (cla: yes, p: camera, platform-web)
[4217](https://github.com/flutter/plugins/pull/4217) [camera_web] Add `onCameraResolutionChanged` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4218](https://github.com/flutter/plugins/pull/4218) [path_provider_linux] Using TMPDIR env as a primary temporary path (cla: yes, p: path_provider, platform-linux)
[4219](https://github.com/flutter/plugins/pull/4219) [camera_web] Add support for device orientation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4220](https://github.com/flutter/plugins/pull/4220) [image_picker] Fix README example (cla: yes, waiting for tree to go green, p: image_picker)
[4222](https://github.com/flutter/plugins/pull/4222) [camera_web] Add support for a flash mode (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4223](https://github.com/flutter/plugins/pull/4223) [ci.yaml] Auto-generate LUCI configs (cla: yes, waiting for tree to go green)
[4224](https://github.com/flutter/plugins/pull/4224) [camera_web] Add support for a zoom level (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4225](https://github.com/flutter/plugins/pull/4225) [camera_web] Rename `CameraSettings` to `CameraService` (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4226](https://github.com/flutter/plugins/pull/4226) [camera_web] Don't request full-screen mode in `unlockCaptureOrientation` (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4227](https://github.com/flutter/plugins/pull/4227) [camera_web] Add `setFlashMode` comments (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4228](https://github.com/flutter/plugins/pull/4228) [image_picker] Fix pickImage not returning on iOS when dismissing the PHPicker view by swiping down. (cla: yes, waiting for tree to go green, p: image_picker, platform-ios)
[4230](https://github.com/flutter/plugins/pull/4230) [camera_web] Handle camera errors in `takePicture` (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4231](https://github.com/flutter/plugins/pull/4231) Move test packages from `dependencies` to `dev_dependencies` (cla: yes, waiting for tree to go green, p: in_app_purchase, p: video_player, platform-ios, platform-android)
[4232](https://github.com/flutter/plugins/pull/4232) Eliminate build_all_plugins_app.sh (cla: yes)
[4234](https://github.com/flutter/plugins/pull/4234) [camera_web] Fix `getCapabilities` not supported error thrown when selecting a camera on Firefox (cla: yes, p: camera, platform-web)
[4235](https://github.com/flutter/plugins/pull/4235) [camera_web] Add missing `setFlashMode` test (cla: yes, p: camera, platform-web)
[4236](https://github.com/flutter/plugins/pull/4236) [camera] Fix a disposed `CameraController` error thrown when changing a camera (cla: yes, waiting for tree to go green, p: camera)
[4237](https://github.com/flutter/plugins/pull/4237) [camera_web] Update the web plugin README (cla: yes, p: camera, platform-web)
[4239](https://github.com/flutter/plugins/pull/4239) [camera_web] Add support for pausing and resuming the camera preview (cla: yes, p: camera, platform-web)
[4240](https://github.com/flutter/plugins/pull/4240) [camera] Add web support (cla: yes, p: camera, platform-web)
[4241](https://github.com/flutter/plugins/pull/4241) [video_player] removed video player is not functional on ios simulators warning (cla: yes, waiting for tree to go green, p: video_player)
[4242](https://github.com/flutter/plugins/pull/4242) Fix and test for 'implements' pubspec entry (cla: yes, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: url_launcher, p: video_player, p: shared_preferences, p: connectivity, platform-ios, platform-android, platform-macos, platform-web)
[4244](https://github.com/flutter/plugins/pull/4244) [flutter_plugin_tools] Improve 'repository' check (cla: yes, p: in_app_purchase, p: quick_actions, p: ios_platform_images)
[4245](https://github.com/flutter/plugins/pull/4245) Add unit tests to `quick_actions` plugin (cla: yes, waiting for tree to go green, p: quick_actions, platform-android)
[4246](https://github.com/flutter/plugins/pull/4246) [flutter_plugin_tool] Don't allow NEXT on version bumps (cla: yes)
[4248](https://github.com/flutter/plugins/pull/4248) [flutter_plugin_tools] Fix build-examples for packages (cla: yes)
[4249](https://github.com/flutter/plugins/pull/4249) [webview] Fix typos in the README (cla: yes, waiting for tree to go green, p: webview_flutter, last mile)
[4250](https://github.com/flutter/plugins/pull/4250) Fix crash from `null` Google Maps object (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-android)
[4251](https://github.com/flutter/plugins/pull/4251) [google_sign_in] adds option to re-authenticate on google silent sign in (cla: yes, waiting for tree to go green, p: google_sign_in)
[4252](https://github.com/flutter/plugins/pull/4252) [flutter_plugin_tools] Introduce a class for packages (cla: yes)
[4254](https://github.com/flutter/plugins/pull/4254) [flutter_plugin_tools] Improve process mocking (cla: yes)
[4256](https://github.com/flutter/plugins/pull/4256) [camera] Expand CameraImage DTO with properties for lens aperture, exposure time and ISO. (cla: yes, waiting for tree to go green, p: camera, platform-ios, platform-android)
[4257](https://github.com/flutter/plugins/pull/4257) [in_app_purchase] Ensure purchases correctly report if they are acknowledged on Android (cla: yes, p: in_app_purchase, platform-android, needs-publishing)
[4258](https://github.com/flutter/plugins/pull/4258) [camera] Add Android & iOS implementations for pausing the camera preview (cla: yes, waiting for tree to go green, p: camera, platform-ios, platform-android)
[4259](https://github.com/flutter/plugins/pull/4259) [camera_web] Add `onCameraClosing` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4260](https://github.com/flutter/plugins/pull/4260) [flutter_plugin_tool] Migrate publish_plugin_command_test to runCapturingPrint (cla: yes)
[4262](https://github.com/flutter/plugins/pull/4262) [ci] update wait-on-check version and set verbose to false (cla: yes)
[4263](https://github.com/flutter/plugins/pull/4263) [flutter_plugin_tools] Convert publish tests to mock git (cla: yes)
[4265](https://github.com/flutter/plugins/pull/4265) [camera] Replace device info with new device_info_plus (cla: yes, waiting for tree to go green, p: camera)
[4266](https://github.com/flutter/plugins/pull/4266) [flutter_plugin_tool] Fix CHANGELOG validation failure summary (cla: yes)
[4268](https://github.com/flutter/plugins/pull/4268) [flutter_plugin_tool] Move branch-switching logic from tool_runner.sh to tool (cla: yes)
[4269](https://github.com/flutter/plugins/pull/4269) [flutter_plugin_tools] Move publish tests to RecordingProcessRunner (cla: yes)
[4270](https://github.com/flutter/plugins/pull/4270) [ci.yaml] Add auto-roller (cla: yes, waiting for tree to go green)
[4272](https://github.com/flutter/plugins/pull/4272) [camera] Fix a disposed camera controller throwing an exception when being replaced in the preview widget. (cla: yes, waiting for tree to go green, p: camera)
[4273](https://github.com/flutter/plugins/pull/4273) [flutter_plugin_tools] Check 'implements' for unpublished plugins (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4274](https://github.com/flutter/plugins/pull/4274) Disable some flaky tests (cla: yes, p: webview_flutter, p: android_alarm_manager, p: video_player, platform-android)
[4275](https://github.com/flutter/plugins/pull/4275) [flutter_plugin_tools] Remove support for bypassing, or prompting for, git tagging (cla: yes)
[4276](https://github.com/flutter/plugins/pull/4276) [flutter_plugin_tool] Add support for running Windows unit tests (cla: yes)
[4278](https://github.com/flutter/plugins/pull/4278) [camera_web] Add an initial device orientation event (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4279](https://github.com/flutter/plugins/pull/4279) [camera_web] Update ultra high resolution to 4096x2160 (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4280](https://github.com/flutter/plugins/pull/4280) [camera_web] Mute the camera preview (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4281](https://github.com/flutter/plugins/pull/4281) [camera_web] Do not flip the video on the back camera (cla: yes, p: camera, platform-web)
[4282](https://github.com/flutter/plugins/pull/4282) [ci.yaml] Add linux platform properties (cla: yes, waiting for tree to go green)
[4283](https://github.com/flutter/plugins/pull/4283) [ci.yaml] Add roller to presubmit (cla: yes, waiting for tree to go green)
[4284](https://github.com/flutter/plugins/pull/4284) Fix UNNECESSARY_TYPE_CHECK_TRUE. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios, platform-android)
[4285](https://github.com/flutter/plugins/pull/4285) [flutter_plugin_tools] Switch 'publish' from --package to --packages (cla: yes)
[4286](https://github.com/flutter/plugins/pull/4286) [ci] Fix wrong hash used in release.yml (cla: yes)
[4287](https://github.com/flutter/plugins/pull/4287) [ci] Revert the wait-on-check hash change (cla: yes)
[4288](https://github.com/flutter/plugins/pull/4288) [image_picker] add forceFullMetadata to interface (cla: yes, waiting for tree to go green, p: image_picker, platform-web)
[4289](https://github.com/flutter/plugins/pull/4289) Reland "[ci] update wait-on-check version and set verbose to false" (cla: yes)
[4290](https://github.com/flutter/plugins/pull/4290) [flutter_plugin_tool] Migrate 'publish' to new base command (cla: yes)
[4292](https://github.com/flutter/plugins/pull/4292) [tool] Add a way to opt a file out of formatting (cla: yes, waiting for tree to go green)
[4294](https://github.com/flutter/plugins/pull/4294) [flutter_plugin_tools] Add Linux support to native-test (cla: yes, p: url_launcher, platform-linux)
[4298](https://github.com/flutter/plugins/pull/4298) [google_maps_flutter_web] Fix getScreenCoordinate, Circle zIndex (cla: yes, p: google_maps_flutter, platform-web)
[4300](https://github.com/flutter/plugins/pull/4300) [video_player] Ensure seekTo is not called before video player is initialized. (cla: yes, waiting for tree to go green, p: video_player)
[4301](https://github.com/flutter/plugins/pull/4301) [camera] Ensure setExposureOffset returns new value on Android (bugfix, cla: yes, waiting for tree to go green, p: camera, platform-android)
[4302](https://github.com/flutter/plugins/pull/4302) [webview_flutter] Implementation of the webview_flutter_platform_interface package (cla: yes, waiting for tree to go green, p: webview_flutter)
[4303](https://github.com/flutter/plugins/pull/4303) Add scripts for Windows LUCI recipe (cla: yes)
[4304](https://github.com/flutter/plugins/pull/4304) [camera_web] Make plugin publishable for the first time. (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4305](https://github.com/flutter/plugins/pull/4305) [plugin_tools] build-examples .pluginToolsConfig.yaml support (cla: yes, waiting for tree to go green)
[4306](https://github.com/flutter/plugins/pull/4306) [ci.yaml] Add builders to recipes cq (cla: yes, waiting for tree to go green)
[4307](https://github.com/flutter/plugins/pull/4307) [video_player] interface: add support for content-uri based videos (a… (cla: yes, waiting for tree to go green, p: video_player)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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)
[4310](https://github.com/flutter/plugins/pull/4310) [flutter_plugin_tools] Make having no Java unit tests a failure (cla: yes)
[4311](https://github.com/flutter/plugins/pull/4311) Bring up new Windows test targets (cla: yes)
[4312](https://github.com/flutter/plugins/pull/4312) [flutter_plugin_tools] Adjust diff logging (cla: yes, waiting for tree to go green)
[4314](https://github.com/flutter/plugins/pull/4314) Revert "[image_picker] add forceFullMetadata to interface" (cla: yes, p: image_picker, platform-web)
[4319](https://github.com/flutter/plugins/pull/4319) [camera] Fix IllegalStateException being thrown in Android implementation when switching activities. (cla: yes, waiting for tree to go green, p: camera, platform-android)
[4320](https://github.com/flutter/plugins/pull/4320) [flutter_plugin_tools] Remove an unnecessary logging message (cla: yes, waiting for tree to go green)
[4321](https://github.com/flutter/plugins/pull/4321) [ci] Allow neutral conclusion in publishing check (cla: yes)
[4322](https://github.com/flutter/plugins/pull/4322) [webview_flutter] Add download listener to Android webview (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4323](https://github.com/flutter/plugins/pull/4323) [ci] Fix and standardize target/task names (cla: yes)
[4325](https://github.com/flutter/plugins/pull/4325) [ci] Enable the new Windows targets (cla: yes)
[4326](https://github.com/flutter/plugins/pull/4326) [ci] Update lewagon/wait-on-check-action to latest version. (cla: yes, waiting for tree to go green)
[4327](https://github.com/flutter/plugins/pull/4327) [camera] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: camera, platform-ios)
[4329](https://github.com/flutter/plugins/pull/4329) [flutter_plugin_tools] Add a federated PR safety check (cla: yes)
[4330](https://github.com/flutter/plugins/pull/4330) [video_player] add support for content-uri based videos (cla: yes, p: video_player, platform-web)
[4332](https://github.com/flutter/plugins/pull/4332) Run firebase test in flutter-cirrus (cla: yes, waiting for tree to go green)
[4333](https://github.com/flutter/plugins/pull/4333) [google_maps_flutter] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-ios)
[4334](https://github.com/flutter/plugins/pull/4334) [google_sign_in] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: google_sign_in, platform-ios)
[4335](https://github.com/flutter/plugins/pull/4335) [image_picker] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: image_picker, platform-ios)
[4336](https://github.com/flutter/plugins/pull/4336) [image_picker] Update README for image_picker's retrieveLostData() to support multiple files (cla: yes, waiting for tree to go green, p: image_picker)
[4340](https://github.com/flutter/plugins/pull/4340) Renew cirrus gcp credentials (cla: yes, waiting for tree to go green)
[4341](https://github.com/flutter/plugins/pull/4341) [flutter_plugin_tools] Make no unit tests fatal for iOS/macOS (cla: yes, p: share, p: quick_actions, platform-ios)
[4342](https://github.com/flutter/plugins/pull/4342) [camera_web] Release the camera stream used to request video and audio permissions (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4343](https://github.com/flutter/plugins/pull/4343) [webview_flutter] Extract Android implementation into a separate package (cla: yes, p: webview_flutter, platform-android)
[4344](https://github.com/flutter/plugins/pull/4344) [video_player] Fix a disposed `VideoPlayerController` throwing an exception when being replaced in the `VideoPlayer` (cla: yes, p: video_player)
[4345](https://github.com/flutter/plugins/pull/4345) [webview_flutter] Extract WKWebView implementation into a separate package (cla: yes, p: webview_flutter, platform-ios)
[4346](https://github.com/flutter/plugins/pull/4346) [google_sign_in_web] Update URL to `google_sign_in` package in README (cla: yes, waiting for tree to go green, p: google_sign_in, platform-web, last mile)
[4348](https://github.com/flutter/plugins/pull/4348) Give the labeler access to PRs (cla: yes)
[4349](https://github.com/flutter/plugins/pull/4349) [ci] use background script (cla: yes)
[4350](https://github.com/flutter/plugins/pull/4350) [ci] Grant contents: write permission to release.yml (cla: yes)
[4352](https://github.com/flutter/plugins/pull/4352) [in_app_purchase] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4353](https://github.com/flutter/plugins/pull/4353) [ios_platform_images] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: ios_platform_images, platform-ios)
[4354](https://github.com/flutter/plugins/pull/4354) [local_auth] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: local_auth, platform-ios)
[4355](https://github.com/flutter/plugins/pull/4355) [path_provider] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: path_provider, platform-ios)
[4356](https://github.com/flutter/plugins/pull/4356) [quick_actions] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: quick_actions, platform-ios)
[4357](https://github.com/flutter/plugins/pull/4357) [shared_preferences] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: shared_preferences, platform-ios)
[4358](https://github.com/flutter/plugins/pull/4358) [camera_platform_interface] Add web-relevant docs (cla: yes, waiting for tree to go green, p: camera)
[4359](https://github.com/flutter/plugins/pull/4359) [url_launcher] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: url_launcher, platform-ios)
[4360](https://github.com/flutter/plugins/pull/4360) [video_player] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: video_player, platform-ios)
[4361](https://github.com/flutter/plugins/pull/4361) [webview_flutter] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[4362](https://github.com/flutter/plugins/pull/4362) [camera] Remove iOS 9 availability check around ultra high capture sessions (cla: yes, waiting for tree to go green, p: camera, platform-ios)
[4363](https://github.com/flutter/plugins/pull/4363) [in_app_purchase] Fix in_app_purchase_android/README.md (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4364](https://github.com/flutter/plugins/pull/4364) [in_app_purchase] Ensure the `introductoryPriceMicros` field is populated correctly. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4365](https://github.com/flutter/plugins/pull/4365) [url_launcher] Error handling when URL cannot be parsed with Uri.parse (cla: yes, waiting for tree to go green, p: url_launcher)
[4366](https://github.com/flutter/plugins/pull/4366) [webview_flutter] Migrate main package to fully federated architecture. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios, platform-android)
[4367](https://github.com/flutter/plugins/pull/4367) Require authors file (cla: yes, p: camera, p: in_app_purchase, p: quick_actions, platform-ios, platform-android, platform-web)
[4368](https://github.com/flutter/plugins/pull/4368) [flutter_plugin_tools] Fix federated safety check (cla: yes)
[4369](https://github.com/flutter/plugins/pull/4369) [flutter_plugin_tools] Allow overriding breaking change check (cla: yes, waiting for tree to go green)
[4370](https://github.com/flutter/plugins/pull/4370) [in_app_purchase] Ensure the introductoryPriceMicros field is transported as a String. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4371](https://github.com/flutter/plugins/pull/4371) [camera_web] Update usage documentation (cla: yes, p: camera, platform-web)
[4372](https://github.com/flutter/plugins/pull/4372) Add false secret lists, and enforce ordering (cla: yes, waiting for tree to go green, p: google_maps_flutter, p: google_sign_in, platform-web)
[4373](https://github.com/flutter/plugins/pull/4373) [flutter_plugin_tools] Check licenses in Kotlin (cla: yes, p: shared_preferences, platform-android)
[4374](https://github.com/flutter/plugins/pull/4374) [google_maps_flutter]: LatLng longitude loses precision in constructor #90574 (cla: yes, waiting for tree to go green, p: google_maps_flutter, last mile)
[4375](https://github.com/flutter/plugins/pull/4375) [webview_flutter] Update version number app_facing package (cla: yes, waiting for tree to go green, p: webview_flutter)
[4376](https://github.com/flutter/plugins/pull/4376) [flutter_plugin_tools] Improve version check error handling (cla: yes)
[4377](https://github.com/flutter/plugins/pull/4377) [webview_flutter_android] Load example App's navigation controls immediately. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4378](https://github.com/flutter/plugins/pull/4378) [webview_flutter_wkwebview] Load example App's navigation controls immediately. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4379](https://github.com/flutter/plugins/pull/4379) Remove some trivial custom analysis options files (cla: yes, p: plugin_platform_interface, p: cross_file, p: flutter_plugin_android_lifecycle)
[4382](https://github.com/flutter/plugins/pull/4382) [file_selector] Remove custom analysis options (cla: yes, p: file_selector, platform-web)
[4383](https://github.com/flutter/plugins/pull/4383) [webview_flutter] Adjust integration test domains (cla: yes, p: webview_flutter, platform-android)
[4384](https://github.com/flutter/plugins/pull/4384) [shared_preferences] Switch to new analysis options (cla: yes, waiting for tree to go green, p: shared_preferences, platform-windows, platform-macos, platform-linux, platform-web)
[4385](https://github.com/flutter/plugins/pull/4385) [google_maps_flutter_web] Add Marker drag events (cla: yes, p: google_maps_flutter, platform-web)
[4386](https://github.com/flutter/plugins/pull/4386) [in_app_purchase] Bump dependencies on json_serializable, build_runner (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios, platform-android)
[4388](https://github.com/flutter/plugins/pull/4388) [ci] Temporary run publish task on Flutter stable channel. (cla: yes)
[4389](https://github.com/flutter/plugins/pull/4389) [image_picker_for_web] Added support for maxWidth, maxHeight and imageQuality (cla: yes, waiting for tree to go green, p: image_picker, platform-web)
[4390](https://github.com/flutter/plugins/pull/4390) [webview_flutter] Resolve _CastError thrown by example app. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4391](https://github.com/flutter/plugins/pull/4391) [google_sign_in] Use a transparent image as a placeholder for the `GoogleUserCircleAvatar` (cla: yes, waiting for tree to go green, p: google_sign_in, last mile)
[4392](https://github.com/flutter/plugins/pull/4392) [in_app_purchase] Handle restored purchases in iOS example app (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4393](https://github.com/flutter/plugins/pull/4393) [in_app_purchase] Handle `PurchaseStatus.restored` correctly in example. (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4394](https://github.com/flutter/plugins/pull/4394) [webview_flutter] Fixed todos in FlutterWebView.java (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4395](https://github.com/flutter/plugins/pull/4395) Add file_selector to the repo list (cla: yes, waiting for tree to go green)
[4396](https://github.com/flutter/plugins/pull/4396) [flutter_plugin_tools] Validate pubspec description (cla: yes, p: camera, p: file_selector, p: plugin_platform_interface, p: espresso, p: wifi_info_flutter)
[4400](https://github.com/flutter/plugins/pull/4400) [google_maps_flutter] Clean Java test, consolidate Marker example. (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-android)
[4401](https://github.com/flutter/plugins/pull/4401) [webview_flutter] Update webview platform interface with new methods for running JavaScript. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4402](https://github.com/flutter/plugins/pull/4402) [webview_flutter] Update webview packages for Android and iOS to implement `runJavascript` and `runJavascriptReturningResult`. (cla: yes, p: webview_flutter, platform-ios, platform-android)
[4404](https://github.com/flutter/plugins/pull/4404) [webview_flutter] Add zoomEnabled to webview flutter platform interface (cla: yes, p: webview_flutter)
[4405](https://github.com/flutter/plugins/pull/4405) [ci] Remove obsolete Dockerfile (cla: yes, waiting for tree to go green)
[4406](https://github.com/flutter/plugins/pull/4406) Fix order-dependant platform interface tests (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: quick_actions)
[4407](https://github.com/flutter/plugins/pull/4407) [webview_flutter] Adjust test URLs again (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4408](https://github.com/flutter/plugins/pull/4408) [image_picker][android] suppress unchecked warning (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[4413](https://github.com/flutter/plugins/pull/4413) [flutter_plugin_android_lifecycle] remove placeholder dart file (cla: yes, waiting for tree to go green, p: flutter_plugin_android_lifecycle)
[4417](https://github.com/flutter/plugins/pull/4417) [webview_flutter] Implement zoom enabled for ios and android (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios, platform-android, last mile)
[4418](https://github.com/flutter/plugins/pull/4418) [camera] Add filter for unsupported cameras on Android (cla: yes, waiting for tree to go green, p: camera, platform-android)
[4419](https://github.com/flutter/plugins/pull/4419) Fix Java version (cla: yes, waiting for tree to go green, p: video_player, p: connectivity, platform-android)
[4421](https://github.com/flutter/plugins/pull/4421) [image_picker] doc:readme image picker misprints (cla: yes, waiting for tree to go green, p: image_picker)
[4423](https://github.com/flutter/plugins/pull/4423) [camera] Fix CamcorderProfile Usages (cla: yes, waiting for tree to go green, p: camera, platform-android)
[4425](https://github.com/flutter/plugins/pull/4425) [flutter_plugin_tools] Fix license-check on Windows (cla: yes, waiting for tree to go green)
[4426](https://github.com/flutter/plugins/pull/4426) [camera] Update [CameraOrientationTests testOrientationNotifications] unit test to work on Xcode 13 (cla: yes, waiting for tree to go green, p: camera, platform-ios)
[4427](https://github.com/flutter/plugins/pull/4427) [ci] Always run all `format` steps (cla: yes, waiting for tree to go green)
[4428](https://github.com/flutter/plugins/pull/4428) [flutter_plugin_tools] Fix pubspec-check on Windows (cla: yes)
[4429](https://github.com/flutter/plugins/pull/4429) [ci] Update macOS Cirrus image to Xcode 13 (cla: yes, waiting for tree to go green)
[4432](https://github.com/flutter/plugins/pull/4432) Bump compileSdkVersion to 31 (cla: yes, p: camera, platform-android)
[4434](https://github.com/flutter/plugins/pull/4434) [in_app_purchase] Update to the latest pkg:json_serializable (cla: yes, p: in_app_purchase, platform-ios, platform-android)
[4435](https://github.com/flutter/plugins/pull/4435) Implement Android WebView api with pigeon (Dart portion) (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4436](https://github.com/flutter/plugins/pull/4436) [ci] Replace Firebase Test Lab deprecated Pixel 4 device with Pixel 5 (cla: yes)
[4438](https://github.com/flutter/plugins/pull/4438) [video_player] Initialize player when size and duration become available (cla: yes, waiting for tree to go green, p: video_player, platform-ios)
[4440](https://github.com/flutter/plugins/pull/4440) [ci.yaml] Main branch support (cla: yes, waiting for tree to go green)
[4441](https://github.com/flutter/plugins/pull/4441) Implement Android WebView api with pigeon (Java portion) (cla: yes, p: webview_flutter, platform-android)
[4442](https://github.com/flutter/plugins/pull/4442) [google_sign_in] remove the commented out code in tests (cla: yes, waiting for tree to go green, p: google_sign_in)
[4443](https://github.com/flutter/plugins/pull/4443) [path_provider] started supporting background platform channels (cla: yes, waiting for tree to go green, p: path_provider, platform-android)
[4451](https://github.com/flutter/plugins/pull/4451) upgraded usage of BinaryMessenger (cla: yes, p: android_intent, p: camera, p: url_launcher, p: quick_actions, platform-android, platform-web)
[4453](https://github.com/flutter/plugins/pull/4453) A partial revert of the work done to accomodate Android Background Channels (cla: yes, p: android_intent, p: camera, p: url_launcher, p: quick_actions, platform-android)
[4456](https://github.com/flutter/plugins/pull/4456) [device_info] started using Background Platform Channels (cla: yes, p: device_info, platform-android)
#### waiting for tree to go green - 122 pull request(s)
[2443](https://github.com/flutter/plugins/pull/2443) Uncomment Marker icons now that ImageListener API change has landed in stable (cla: yes, waiting for tree to go green, p: google_maps_flutter, last mile)
[2878](https://github.com/flutter/plugins/pull/2878) [video_player] VTT Support (cla: yes, waiting for tree to go green, p: video_player)
[3078](https://github.com/flutter/plugins/pull/3078) [webview_flutter] Only call onWebResourceError for main frame (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[3194](https://github.com/flutter/plugins/pull/3194) [image_picker] fix camera on Android 11 (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[3216](https://github.com/flutter/plugins/pull/3216) [multiple] Java 8 target for all plugins with -Werror compiler arg (cla: yes, waiting for tree to go green, p: android_alarm_manager, p: android_intent, p: camera, p: path_provider, p: video_player, p: connectivity, platform-android)
[3374](https://github.com/flutter/plugins/pull/3374) [video_player] bugfix caption still showing when text is empty (cla: yes, waiting for tree to go green, p: video_player, last mile)
[3895](https://github.com/flutter/plugins/pull/3895) [shared_preferences] Fix possible clash of string with double entry (cla: yes, waiting for tree to go green, p: shared_preferences, platform-android)
[4093](https://github.com/flutter/plugins/pull/4093) [in_app_purchase]IAP/platform interface add cancel status (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4121](https://github.com/flutter/plugins/pull/4121) Add `buildViewWithTextDirection` to platform interface (cla: yes, waiting for tree to go green, p: google_maps_flutter)
[4123](https://github.com/flutter/plugins/pull/4123) [image_picker] Platform interface update cache (cla: yes, waiting for tree to go green, p: image_picker)
[4124](https://github.com/flutter/plugins/pull/4124) [image_picker]Android update cache (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[4129](https://github.com/flutter/plugins/pull/4129) Ignore unnecessary_import in legacy analysis options (cla: yes, waiting for tree to go green)
[4140](https://github.com/flutter/plugins/pull/4140) [camera] Run iOS methods on UI thread by default (cla: yes, waiting for tree to go green, p: camera, platform-ios)
[4179](https://github.com/flutter/plugins/pull/4179) [google_sign_in] Add serverAuthCode attribute to google_sign_in_platform_interface user data (cla: yes, waiting for tree to go green, p: google_sign_in)
[4180](https://github.com/flutter/plugins/pull/4180) [google_sign_in] add serverAuthCode to GoogleSignInAccount (cla: yes, waiting for tree to go green, p: google_sign_in)
[4217](https://github.com/flutter/plugins/pull/4217) [camera_web] Add `onCameraResolutionChanged` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4219](https://github.com/flutter/plugins/pull/4219) [camera_web] Add support for device orientation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4220](https://github.com/flutter/plugins/pull/4220) [image_picker] Fix README example (cla: yes, waiting for tree to go green, p: image_picker)
[4222](https://github.com/flutter/plugins/pull/4222) [camera_web] Add support for a flash mode (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4223](https://github.com/flutter/plugins/pull/4223) [ci.yaml] Auto-generate LUCI configs (cla: yes, waiting for tree to go green)
[4224](https://github.com/flutter/plugins/pull/4224) [camera_web] Add support for a zoom level (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4225](https://github.com/flutter/plugins/pull/4225) [camera_web] Rename `CameraSettings` to `CameraService` (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4226](https://github.com/flutter/plugins/pull/4226) [camera_web] Don't request full-screen mode in `unlockCaptureOrientation` (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4227](https://github.com/flutter/plugins/pull/4227) [camera_web] Add `setFlashMode` comments (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4228](https://github.com/flutter/plugins/pull/4228) [image_picker] Fix pickImage not returning on iOS when dismissing the PHPicker view by swiping down. (cla: yes, waiting for tree to go green, p: image_picker, platform-ios)
[4230](https://github.com/flutter/plugins/pull/4230) [camera_web] Handle camera errors in `takePicture` (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4231](https://github.com/flutter/plugins/pull/4231) Move test packages from `dependencies` to `dev_dependencies` (cla: yes, waiting for tree to go green, p: in_app_purchase, p: video_player, platform-ios, platform-android)
[4236](https://github.com/flutter/plugins/pull/4236) [camera] Fix a disposed `CameraController` error thrown when changing a camera (cla: yes, waiting for tree to go green, p: camera)
[4241](https://github.com/flutter/plugins/pull/4241) [video_player] removed video player is not functional on ios simulators warning (cla: yes, waiting for tree to go green, p: video_player)
[4245](https://github.com/flutter/plugins/pull/4245) Add unit tests to `quick_actions` plugin (cla: yes, waiting for tree to go green, p: quick_actions, platform-android)
[4249](https://github.com/flutter/plugins/pull/4249) [webview] Fix typos in the README (cla: yes, waiting for tree to go green, p: webview_flutter, last mile)
[4250](https://github.com/flutter/plugins/pull/4250) Fix crash from `null` Google Maps object (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-android)
[4251](https://github.com/flutter/plugins/pull/4251) [google_sign_in] adds option to re-authenticate on google silent sign in (cla: yes, waiting for tree to go green, p: google_sign_in)
[4256](https://github.com/flutter/plugins/pull/4256) [camera] Expand CameraImage DTO with properties for lens aperture, exposure time and ISO. (cla: yes, waiting for tree to go green, p: camera, platform-ios, platform-android)
[4258](https://github.com/flutter/plugins/pull/4258) [camera] Add Android & iOS implementations for pausing the camera preview (cla: yes, waiting for tree to go green, p: camera, platform-ios, platform-android)
[4259](https://github.com/flutter/plugins/pull/4259) [camera_web] Add `onCameraClosing` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4265](https://github.com/flutter/plugins/pull/4265) [camera] Replace device info with new device_info_plus (cla: yes, waiting for tree to go green, p: camera)
[4270](https://github.com/flutter/plugins/pull/4270) [ci.yaml] Add auto-roller (cla: yes, waiting for tree to go green)
[4272](https://github.com/flutter/plugins/pull/4272) [camera] Fix a disposed camera controller throwing an exception when being replaced in the preview widget. (cla: yes, waiting for tree to go green, p: camera)
[4273](https://github.com/flutter/plugins/pull/4273) [flutter_plugin_tools] Check 'implements' for unpublished plugins (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4278](https://github.com/flutter/plugins/pull/4278) [camera_web] Add an initial device orientation event (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4279](https://github.com/flutter/plugins/pull/4279) [camera_web] Update ultra high resolution to 4096x2160 (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4280](https://github.com/flutter/plugins/pull/4280) [camera_web] Mute the camera preview (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4282](https://github.com/flutter/plugins/pull/4282) [ci.yaml] Add linux platform properties (cla: yes, waiting for tree to go green)
[4283](https://github.com/flutter/plugins/pull/4283) [ci.yaml] Add roller to presubmit (cla: yes, waiting for tree to go green)
[4284](https://github.com/flutter/plugins/pull/4284) Fix UNNECESSARY_TYPE_CHECK_TRUE. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios, platform-android)
[4288](https://github.com/flutter/plugins/pull/4288) [image_picker] add forceFullMetadata to interface (cla: yes, waiting for tree to go green, p: image_picker, platform-web)
[4292](https://github.com/flutter/plugins/pull/4292) [tool] Add a way to opt a file out of formatting (cla: yes, waiting for tree to go green)
[4300](https://github.com/flutter/plugins/pull/4300) [video_player] Ensure seekTo is not called before video player is initialized. (cla: yes, waiting for tree to go green, p: video_player)
[4301](https://github.com/flutter/plugins/pull/4301) [camera] Ensure setExposureOffset returns new value on Android (bugfix, cla: yes, waiting for tree to go green, p: camera, platform-android)
[4302](https://github.com/flutter/plugins/pull/4302) [webview_flutter] Implementation of the webview_flutter_platform_interface package (cla: yes, waiting for tree to go green, p: webview_flutter)
[4304](https://github.com/flutter/plugins/pull/4304) [camera_web] Make plugin publishable for the first time. (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4305](https://github.com/flutter/plugins/pull/4305) [plugin_tools] build-examples .pluginToolsConfig.yaml support (cla: yes, waiting for tree to go green)
[4306](https://github.com/flutter/plugins/pull/4306) [ci.yaml] Add builders to recipes cq (cla: yes, waiting for tree to go green)
[4307](https://github.com/flutter/plugins/pull/4307) [video_player] interface: add support for content-uri based videos (a… (cla: yes, waiting for tree to go green, p: video_player)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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)
[4312](https://github.com/flutter/plugins/pull/4312) [flutter_plugin_tools] Adjust diff logging (cla: yes, waiting for tree to go green)
[4319](https://github.com/flutter/plugins/pull/4319) [camera] Fix IllegalStateException being thrown in Android implementation when switching activities. (cla: yes, waiting for tree to go green, p: camera, platform-android)
[4320](https://github.com/flutter/plugins/pull/4320) [flutter_plugin_tools] Remove an unnecessary logging message (cla: yes, waiting for tree to go green)
[4322](https://github.com/flutter/plugins/pull/4322) [webview_flutter] Add download listener to Android webview (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4326](https://github.com/flutter/plugins/pull/4326) [ci] Update lewagon/wait-on-check-action to latest version. (cla: yes, waiting for tree to go green)
[4327](https://github.com/flutter/plugins/pull/4327) [camera] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: camera, platform-ios)
[4332](https://github.com/flutter/plugins/pull/4332) Run firebase test in flutter-cirrus (cla: yes, waiting for tree to go green)
[4333](https://github.com/flutter/plugins/pull/4333) [google_maps_flutter] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-ios)
[4334](https://github.com/flutter/plugins/pull/4334) [google_sign_in] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: google_sign_in, platform-ios)
[4335](https://github.com/flutter/plugins/pull/4335) [image_picker] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: image_picker, platform-ios)
[4336](https://github.com/flutter/plugins/pull/4336) [image_picker] Update README for image_picker's retrieveLostData() to support multiple files (cla: yes, waiting for tree to go green, p: image_picker)
[4340](https://github.com/flutter/plugins/pull/4340) Renew cirrus gcp credentials (cla: yes, waiting for tree to go green)
[4342](https://github.com/flutter/plugins/pull/4342) [camera_web] Release the camera stream used to request video and audio permissions (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4346](https://github.com/flutter/plugins/pull/4346) [google_sign_in_web] Update URL to `google_sign_in` package in README (cla: yes, waiting for tree to go green, p: google_sign_in, platform-web, last mile)
[4352](https://github.com/flutter/plugins/pull/4352) [in_app_purchase] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4353](https://github.com/flutter/plugins/pull/4353) [ios_platform_images] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: ios_platform_images, platform-ios)
[4354](https://github.com/flutter/plugins/pull/4354) [local_auth] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: local_auth, platform-ios)
[4355](https://github.com/flutter/plugins/pull/4355) [path_provider] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: path_provider, platform-ios)
[4356](https://github.com/flutter/plugins/pull/4356) [quick_actions] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: quick_actions, platform-ios)
[4357](https://github.com/flutter/plugins/pull/4357) [shared_preferences] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: shared_preferences, platform-ios)
[4358](https://github.com/flutter/plugins/pull/4358) [camera_platform_interface] Add web-relevant docs (cla: yes, waiting for tree to go green, p: camera)
[4359](https://github.com/flutter/plugins/pull/4359) [url_launcher] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: url_launcher, platform-ios)
[4360](https://github.com/flutter/plugins/pull/4360) [video_player] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: video_player, platform-ios)
[4361](https://github.com/flutter/plugins/pull/4361) [webview_flutter] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[4362](https://github.com/flutter/plugins/pull/4362) [camera] Remove iOS 9 availability check around ultra high capture sessions (cla: yes, waiting for tree to go green, p: camera, platform-ios)
[4363](https://github.com/flutter/plugins/pull/4363) [in_app_purchase] Fix in_app_purchase_android/README.md (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4364](https://github.com/flutter/plugins/pull/4364) [in_app_purchase] Ensure the `introductoryPriceMicros` field is populated correctly. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4365](https://github.com/flutter/plugins/pull/4365) [url_launcher] Error handling when URL cannot be parsed with Uri.parse (cla: yes, waiting for tree to go green, p: url_launcher)
[4366](https://github.com/flutter/plugins/pull/4366) [webview_flutter] Migrate main package to fully federated architecture. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios, platform-android)
[4369](https://github.com/flutter/plugins/pull/4369) [flutter_plugin_tools] Allow overriding breaking change check (cla: yes, waiting for tree to go green)
[4370](https://github.com/flutter/plugins/pull/4370) [in_app_purchase] Ensure the introductoryPriceMicros field is transported as a String. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4372](https://github.com/flutter/plugins/pull/4372) Add false secret lists, and enforce ordering (cla: yes, waiting for tree to go green, p: google_maps_flutter, p: google_sign_in, platform-web)
[4374](https://github.com/flutter/plugins/pull/4374) [google_maps_flutter]: LatLng longitude loses precision in constructor #90574 (cla: yes, waiting for tree to go green, p: google_maps_flutter, last mile)
[4375](https://github.com/flutter/plugins/pull/4375) [webview_flutter] Update version number app_facing package (cla: yes, waiting for tree to go green, p: webview_flutter)
[4377](https://github.com/flutter/plugins/pull/4377) [webview_flutter_android] Load example App's navigation controls immediately. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4378](https://github.com/flutter/plugins/pull/4378) [webview_flutter_wkwebview] Load example App's navigation controls immediately. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4384](https://github.com/flutter/plugins/pull/4384) [shared_preferences] Switch to new analysis options (cla: yes, waiting for tree to go green, p: shared_preferences, platform-windows, platform-macos, platform-linux, platform-web)
[4386](https://github.com/flutter/plugins/pull/4386) [in_app_purchase] Bump dependencies on json_serializable, build_runner (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios, platform-android)
[4389](https://github.com/flutter/plugins/pull/4389) [image_picker_for_web] Added support for maxWidth, maxHeight and imageQuality (cla: yes, waiting for tree to go green, p: image_picker, platform-web)
[4390](https://github.com/flutter/plugins/pull/4390) [webview_flutter] Resolve _CastError thrown by example app. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4391](https://github.com/flutter/plugins/pull/4391) [google_sign_in] Use a transparent image as a placeholder for the `GoogleUserCircleAvatar` (cla: yes, waiting for tree to go green, p: google_sign_in, last mile)
[4392](https://github.com/flutter/plugins/pull/4392) [in_app_purchase] Handle restored purchases in iOS example app (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4393](https://github.com/flutter/plugins/pull/4393) [in_app_purchase] Handle `PurchaseStatus.restored` correctly in example. (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4394](https://github.com/flutter/plugins/pull/4394) [webview_flutter] Fixed todos in FlutterWebView.java (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4395](https://github.com/flutter/plugins/pull/4395) Add file_selector to the repo list (cla: yes, waiting for tree to go green)
[4400](https://github.com/flutter/plugins/pull/4400) [google_maps_flutter] Clean Java test, consolidate Marker example. (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-android)
[4401](https://github.com/flutter/plugins/pull/4401) [webview_flutter] Update webview platform interface with new methods for running JavaScript. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4405](https://github.com/flutter/plugins/pull/4405) [ci] Remove obsolete Dockerfile (cla: yes, waiting for tree to go green)
[4406](https://github.com/flutter/plugins/pull/4406) Fix order-dependant platform interface tests (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: quick_actions)
[4407](https://github.com/flutter/plugins/pull/4407) [webview_flutter] Adjust test URLs again (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4408](https://github.com/flutter/plugins/pull/4408) [image_picker][android] suppress unchecked warning (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[4413](https://github.com/flutter/plugins/pull/4413) [flutter_plugin_android_lifecycle] remove placeholder dart file (cla: yes, waiting for tree to go green, p: flutter_plugin_android_lifecycle)
[4417](https://github.com/flutter/plugins/pull/4417) [webview_flutter] Implement zoom enabled for ios and android (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios, platform-android, last mile)
[4418](https://github.com/flutter/plugins/pull/4418) [camera] Add filter for unsupported cameras on Android (cla: yes, waiting for tree to go green, p: camera, platform-android)
[4419](https://github.com/flutter/plugins/pull/4419) Fix Java version (cla: yes, waiting for tree to go green, p: video_player, p: connectivity, platform-android)
[4421](https://github.com/flutter/plugins/pull/4421) [image_picker] doc:readme image picker misprints (cla: yes, waiting for tree to go green, p: image_picker)
[4423](https://github.com/flutter/plugins/pull/4423) [camera] Fix CamcorderProfile Usages (cla: yes, waiting for tree to go green, p: camera, platform-android)
[4425](https://github.com/flutter/plugins/pull/4425) [flutter_plugin_tools] Fix license-check on Windows (cla: yes, waiting for tree to go green)
[4426](https://github.com/flutter/plugins/pull/4426) [camera] Update [CameraOrientationTests testOrientationNotifications] unit test to work on Xcode 13 (cla: yes, waiting for tree to go green, p: camera, platform-ios)
[4427](https://github.com/flutter/plugins/pull/4427) [ci] Always run all `format` steps (cla: yes, waiting for tree to go green)
[4429](https://github.com/flutter/plugins/pull/4429) [ci] Update macOS Cirrus image to Xcode 13 (cla: yes, waiting for tree to go green)
[4435](https://github.com/flutter/plugins/pull/4435) Implement Android WebView api with pigeon (Dart portion) (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4438](https://github.com/flutter/plugins/pull/4438) [video_player] Initialize player when size and duration become available (cla: yes, waiting for tree to go green, p: video_player, platform-ios)
[4440](https://github.com/flutter/plugins/pull/4440) [ci.yaml] Main branch support (cla: yes, waiting for tree to go green)
[4442](https://github.com/flutter/plugins/pull/4442) [google_sign_in] remove the commented out code in tests (cla: yes, waiting for tree to go green, p: google_sign_in)
[4443](https://github.com/flutter/plugins/pull/4443) [path_provider] started supporting background platform channels (cla: yes, waiting for tree to go green, p: path_provider, platform-android)
#### platform-android - 50 pull request(s)
[2838](https://github.com/flutter/plugins/pull/2838) Google maps marker drag events impl (cla: yes, p: google_maps_flutter, platform-ios, platform-android)
[3078](https://github.com/flutter/plugins/pull/3078) [webview_flutter] Only call onWebResourceError for main frame (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[3194](https://github.com/flutter/plugins/pull/3194) [image_picker] fix camera on Android 11 (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[3216](https://github.com/flutter/plugins/pull/3216) [multiple] Java 8 target for all plugins with -Werror compiler arg (cla: yes, waiting for tree to go green, p: android_alarm_manager, p: android_intent, p: camera, p: path_provider, p: video_player, p: connectivity, platform-android)
[3895](https://github.com/flutter/plugins/pull/3895) [shared_preferences] Fix possible clash of string with double entry (cla: yes, waiting for tree to go green, p: shared_preferences, platform-android)
[4059](https://github.com/flutter/plugins/pull/4059) [camera] android-rework part 9: Final implementation of camera class (cla: yes, p: camera, platform-android)
[4124](https://github.com/flutter/plugins/pull/4124) [image_picker]Android update cache (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[4188](https://github.com/flutter/plugins/pull/4188) [flutter_plugin_tools] Add Android native UI test support (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: package_info, p: sensors, p: quick_actions, p: connectivity, platform-android, p: flutter_plugin_android_lifecycle)
[4204](https://github.com/flutter/plugins/pull/4204) [quick_actions] Android support only calling initialize once (cla: yes, p: quick_actions, platform-android)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4231](https://github.com/flutter/plugins/pull/4231) Move test packages from `dependencies` to `dev_dependencies` (cla: yes, waiting for tree to go green, p: in_app_purchase, p: video_player, platform-ios, platform-android)
[4242](https://github.com/flutter/plugins/pull/4242) Fix and test for 'implements' pubspec entry (cla: yes, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: url_launcher, p: video_player, p: shared_preferences, p: connectivity, platform-ios, platform-android, platform-macos, platform-web)
[4245](https://github.com/flutter/plugins/pull/4245) Add unit tests to `quick_actions` plugin (cla: yes, waiting for tree to go green, p: quick_actions, platform-android)
[4250](https://github.com/flutter/plugins/pull/4250) Fix crash from `null` Google Maps object (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-android)
[4256](https://github.com/flutter/plugins/pull/4256) [camera] Expand CameraImage DTO with properties for lens aperture, exposure time and ISO. (cla: yes, waiting for tree to go green, p: camera, platform-ios, platform-android)
[4257](https://github.com/flutter/plugins/pull/4257) [in_app_purchase] Ensure purchases correctly report if they are acknowledged on Android (cla: yes, p: in_app_purchase, platform-android, needs-publishing)
[4258](https://github.com/flutter/plugins/pull/4258) [camera] Add Android & iOS implementations for pausing the camera preview (cla: yes, waiting for tree to go green, p: camera, platform-ios, platform-android)
[4274](https://github.com/flutter/plugins/pull/4274) Disable some flaky tests (cla: yes, p: webview_flutter, p: android_alarm_manager, p: video_player, platform-android)
[4284](https://github.com/flutter/plugins/pull/4284) Fix UNNECESSARY_TYPE_CHECK_TRUE. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios, platform-android)
[4301](https://github.com/flutter/plugins/pull/4301) [camera] Ensure setExposureOffset returns new value on Android (bugfix, cla: yes, waiting for tree to go green, p: camera, platform-android)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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)
[4319](https://github.com/flutter/plugins/pull/4319) [camera] Fix IllegalStateException being thrown in Android implementation when switching activities. (cla: yes, waiting for tree to go green, p: camera, platform-android)
[4322](https://github.com/flutter/plugins/pull/4322) [webview_flutter] Add download listener to Android webview (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4343](https://github.com/flutter/plugins/pull/4343) [webview_flutter] Extract Android implementation into a separate package (cla: yes, p: webview_flutter, platform-android)
[4363](https://github.com/flutter/plugins/pull/4363) [in_app_purchase] Fix in_app_purchase_android/README.md (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4364](https://github.com/flutter/plugins/pull/4364) [in_app_purchase] Ensure the `introductoryPriceMicros` field is populated correctly. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4366](https://github.com/flutter/plugins/pull/4366) [webview_flutter] Migrate main package to fully federated architecture. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios, platform-android)
[4367](https://github.com/flutter/plugins/pull/4367) Require authors file (cla: yes, p: camera, p: in_app_purchase, p: quick_actions, platform-ios, platform-android, platform-web)
[4370](https://github.com/flutter/plugins/pull/4370) [in_app_purchase] Ensure the introductoryPriceMicros field is transported as a String. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4373](https://github.com/flutter/plugins/pull/4373) [flutter_plugin_tools] Check licenses in Kotlin (cla: yes, p: shared_preferences, platform-android)
[4377](https://github.com/flutter/plugins/pull/4377) [webview_flutter_android] Load example App's navigation controls immediately. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4383](https://github.com/flutter/plugins/pull/4383) [webview_flutter] Adjust integration test domains (cla: yes, p: webview_flutter, platform-android)
[4386](https://github.com/flutter/plugins/pull/4386) [in_app_purchase] Bump dependencies on json_serializable, build_runner (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios, platform-android)
[4394](https://github.com/flutter/plugins/pull/4394) [webview_flutter] Fixed todos in FlutterWebView.java (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4400](https://github.com/flutter/plugins/pull/4400) [google_maps_flutter] Clean Java test, consolidate Marker example. (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-android)
[4402](https://github.com/flutter/plugins/pull/4402) [webview_flutter] Update webview packages for Android and iOS to implement `runJavascript` and `runJavascriptReturningResult`. (cla: yes, p: webview_flutter, platform-ios, platform-android)
[4407](https://github.com/flutter/plugins/pull/4407) [webview_flutter] Adjust test URLs again (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4408](https://github.com/flutter/plugins/pull/4408) [image_picker][android] suppress unchecked warning (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[4417](https://github.com/flutter/plugins/pull/4417) [webview_flutter] Implement zoom enabled for ios and android (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios, platform-android, last mile)
[4418](https://github.com/flutter/plugins/pull/4418) [camera] Add filter for unsupported cameras on Android (cla: yes, waiting for tree to go green, p: camera, platform-android)
[4419](https://github.com/flutter/plugins/pull/4419) Fix Java version (cla: yes, waiting for tree to go green, p: video_player, p: connectivity, platform-android)
[4423](https://github.com/flutter/plugins/pull/4423) [camera] Fix CamcorderProfile Usages (cla: yes, waiting for tree to go green, p: camera, platform-android)
[4432](https://github.com/flutter/plugins/pull/4432) Bump compileSdkVersion to 31 (cla: yes, p: camera, platform-android)
[4434](https://github.com/flutter/plugins/pull/4434) [in_app_purchase] Update to the latest pkg:json_serializable (cla: yes, p: in_app_purchase, platform-ios, platform-android)
[4435](https://github.com/flutter/plugins/pull/4435) Implement Android WebView api with pigeon (Dart portion) (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4441](https://github.com/flutter/plugins/pull/4441) Implement Android WebView api with pigeon (Java portion) (cla: yes, p: webview_flutter, platform-android)
[4443](https://github.com/flutter/plugins/pull/4443) [path_provider] started supporting background platform channels (cla: yes, waiting for tree to go green, p: path_provider, platform-android)
[4451](https://github.com/flutter/plugins/pull/4451) upgraded usage of BinaryMessenger (cla: yes, p: android_intent, p: camera, p: url_launcher, p: quick_actions, platform-android, platform-web)
[4453](https://github.com/flutter/plugins/pull/4453) A partial revert of the work done to accomodate Android Background Channels (cla: yes, p: android_intent, p: camera, p: url_launcher, p: quick_actions, platform-android)
[4456](https://github.com/flutter/plugins/pull/4456) [device_info] started using Background Platform Channels (cla: yes, p: device_info, platform-android)
#### p: camera - 48 pull request(s)
[3216](https://github.com/flutter/plugins/pull/3216) [multiple] Java 8 target for all plugins with -Werror compiler arg (cla: yes, waiting for tree to go green, p: android_alarm_manager, p: android_intent, p: camera, p: path_provider, p: video_player, p: connectivity, platform-android)
[4059](https://github.com/flutter/plugins/pull/4059) [camera] android-rework part 9: Final implementation of camera class (cla: yes, p: camera, platform-android)
[4140](https://github.com/flutter/plugins/pull/4140) [camera] Run iOS methods on UI thread by default (cla: yes, waiting for tree to go green, p: camera, platform-ios)
[4188](https://github.com/flutter/plugins/pull/4188) [flutter_plugin_tools] Add Android native UI test support (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: package_info, p: sensors, p: quick_actions, p: connectivity, platform-android, p: flutter_plugin_android_lifecycle)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4210](https://github.com/flutter/plugins/pull/4210) [camera_web] Recording Video (cla: yes, p: camera, platform-web)
[4217](https://github.com/flutter/plugins/pull/4217) [camera_web] Add `onCameraResolutionChanged` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4219](https://github.com/flutter/plugins/pull/4219) [camera_web] Add support for device orientation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4222](https://github.com/flutter/plugins/pull/4222) [camera_web] Add support for a flash mode (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4224](https://github.com/flutter/plugins/pull/4224) [camera_web] Add support for a zoom level (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4225](https://github.com/flutter/plugins/pull/4225) [camera_web] Rename `CameraSettings` to `CameraService` (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4226](https://github.com/flutter/plugins/pull/4226) [camera_web] Don't request full-screen mode in `unlockCaptureOrientation` (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4227](https://github.com/flutter/plugins/pull/4227) [camera_web] Add `setFlashMode` comments (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4230](https://github.com/flutter/plugins/pull/4230) [camera_web] Handle camera errors in `takePicture` (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4234](https://github.com/flutter/plugins/pull/4234) [camera_web] Fix `getCapabilities` not supported error thrown when selecting a camera on Firefox (cla: yes, p: camera, platform-web)
[4235](https://github.com/flutter/plugins/pull/4235) [camera_web] Add missing `setFlashMode` test (cla: yes, p: camera, platform-web)
[4236](https://github.com/flutter/plugins/pull/4236) [camera] Fix a disposed `CameraController` error thrown when changing a camera (cla: yes, waiting for tree to go green, p: camera)
[4237](https://github.com/flutter/plugins/pull/4237) [camera_web] Update the web plugin README (cla: yes, p: camera, platform-web)
[4239](https://github.com/flutter/plugins/pull/4239) [camera_web] Add support for pausing and resuming the camera preview (cla: yes, p: camera, platform-web)
[4240](https://github.com/flutter/plugins/pull/4240) [camera] Add web support (cla: yes, p: camera, platform-web)
[4242](https://github.com/flutter/plugins/pull/4242) Fix and test for 'implements' pubspec entry (cla: yes, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: url_launcher, p: video_player, p: shared_preferences, p: connectivity, platform-ios, platform-android, platform-macos, platform-web)
[4256](https://github.com/flutter/plugins/pull/4256) [camera] Expand CameraImage DTO with properties for lens aperture, exposure time and ISO. (cla: yes, waiting for tree to go green, p: camera, platform-ios, platform-android)
[4258](https://github.com/flutter/plugins/pull/4258) [camera] Add Android & iOS implementations for pausing the camera preview (cla: yes, waiting for tree to go green, p: camera, platform-ios, platform-android)
[4259](https://github.com/flutter/plugins/pull/4259) [camera_web] Add `onCameraClosing` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4265](https://github.com/flutter/plugins/pull/4265) [camera] Replace device info with new device_info_plus (cla: yes, waiting for tree to go green, p: camera)
[4272](https://github.com/flutter/plugins/pull/4272) [camera] Fix a disposed camera controller throwing an exception when being replaced in the preview widget. (cla: yes, waiting for tree to go green, p: camera)
[4273](https://github.com/flutter/plugins/pull/4273) [flutter_plugin_tools] Check 'implements' for unpublished plugins (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4278](https://github.com/flutter/plugins/pull/4278) [camera_web] Add an initial device orientation event (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4279](https://github.com/flutter/plugins/pull/4279) [camera_web] Update ultra high resolution to 4096x2160 (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4280](https://github.com/flutter/plugins/pull/4280) [camera_web] Mute the camera preview (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4281](https://github.com/flutter/plugins/pull/4281) [camera_web] Do not flip the video on the back camera (cla: yes, p: camera, platform-web)
[4301](https://github.com/flutter/plugins/pull/4301) [camera] Ensure setExposureOffset returns new value on Android (bugfix, cla: yes, waiting for tree to go green, p: camera, platform-android)
[4304](https://github.com/flutter/plugins/pull/4304) [camera_web] Make plugin publishable for the first time. (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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)
[4319](https://github.com/flutter/plugins/pull/4319) [camera] Fix IllegalStateException being thrown in Android implementation when switching activities. (cla: yes, waiting for tree to go green, p: camera, platform-android)
[4327](https://github.com/flutter/plugins/pull/4327) [camera] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: camera, platform-ios)
[4342](https://github.com/flutter/plugins/pull/4342) [camera_web] Release the camera stream used to request video and audio permissions (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4358](https://github.com/flutter/plugins/pull/4358) [camera_platform_interface] Add web-relevant docs (cla: yes, waiting for tree to go green, p: camera)
[4362](https://github.com/flutter/plugins/pull/4362) [camera] Remove iOS 9 availability check around ultra high capture sessions (cla: yes, waiting for tree to go green, p: camera, platform-ios)
[4367](https://github.com/flutter/plugins/pull/4367) Require authors file (cla: yes, p: camera, p: in_app_purchase, p: quick_actions, platform-ios, platform-android, platform-web)
[4371](https://github.com/flutter/plugins/pull/4371) [camera_web] Update usage documentation (cla: yes, p: camera, platform-web)
[4396](https://github.com/flutter/plugins/pull/4396) [flutter_plugin_tools] Validate pubspec description (cla: yes, p: camera, p: file_selector, p: plugin_platform_interface, p: espresso, p: wifi_info_flutter)
[4418](https://github.com/flutter/plugins/pull/4418) [camera] Add filter for unsupported cameras on Android (cla: yes, waiting for tree to go green, p: camera, platform-android)
[4423](https://github.com/flutter/plugins/pull/4423) [camera] Fix CamcorderProfile Usages (cla: yes, waiting for tree to go green, p: camera, platform-android)
[4426](https://github.com/flutter/plugins/pull/4426) [camera] Update [CameraOrientationTests testOrientationNotifications] unit test to work on Xcode 13 (cla: yes, waiting for tree to go green, p: camera, platform-ios)
[4432](https://github.com/flutter/plugins/pull/4432) Bump compileSdkVersion to 31 (cla: yes, p: camera, platform-android)
[4451](https://github.com/flutter/plugins/pull/4451) upgraded usage of BinaryMessenger (cla: yes, p: android_intent, p: camera, p: url_launcher, p: quick_actions, platform-android, platform-web)
[4453](https://github.com/flutter/plugins/pull/4453) A partial revert of the work done to accomodate Android Background Channels (cla: yes, p: android_intent, p: camera, p: url_launcher, p: quick_actions, platform-android)
#### platform-web - 36 pull request(s)
[4210](https://github.com/flutter/plugins/pull/4210) [camera_web] Recording Video (cla: yes, p: camera, platform-web)
[4217](https://github.com/flutter/plugins/pull/4217) [camera_web] Add `onCameraResolutionChanged` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4219](https://github.com/flutter/plugins/pull/4219) [camera_web] Add support for device orientation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4222](https://github.com/flutter/plugins/pull/4222) [camera_web] Add support for a flash mode (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4224](https://github.com/flutter/plugins/pull/4224) [camera_web] Add support for a zoom level (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4225](https://github.com/flutter/plugins/pull/4225) [camera_web] Rename `CameraSettings` to `CameraService` (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4226](https://github.com/flutter/plugins/pull/4226) [camera_web] Don't request full-screen mode in `unlockCaptureOrientation` (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4227](https://github.com/flutter/plugins/pull/4227) [camera_web] Add `setFlashMode` comments (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4230](https://github.com/flutter/plugins/pull/4230) [camera_web] Handle camera errors in `takePicture` (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4234](https://github.com/flutter/plugins/pull/4234) [camera_web] Fix `getCapabilities` not supported error thrown when selecting a camera on Firefox (cla: yes, p: camera, platform-web)
[4235](https://github.com/flutter/plugins/pull/4235) [camera_web] Add missing `setFlashMode` test (cla: yes, p: camera, platform-web)
[4237](https://github.com/flutter/plugins/pull/4237) [camera_web] Update the web plugin README (cla: yes, p: camera, platform-web)
[4239](https://github.com/flutter/plugins/pull/4239) [camera_web] Add support for pausing and resuming the camera preview (cla: yes, p: camera, platform-web)
[4240](https://github.com/flutter/plugins/pull/4240) [camera] Add web support (cla: yes, p: camera, platform-web)
[4242](https://github.com/flutter/plugins/pull/4242) Fix and test for 'implements' pubspec entry (cla: yes, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: url_launcher, p: video_player, p: shared_preferences, p: connectivity, platform-ios, platform-android, platform-macos, platform-web)
[4259](https://github.com/flutter/plugins/pull/4259) [camera_web] Add `onCameraClosing` implementation (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4273](https://github.com/flutter/plugins/pull/4273) [flutter_plugin_tools] Check 'implements' for unpublished plugins (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4278](https://github.com/flutter/plugins/pull/4278) [camera_web] Add an initial device orientation event (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4279](https://github.com/flutter/plugins/pull/4279) [camera_web] Update ultra high resolution to 4096x2160 (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4280](https://github.com/flutter/plugins/pull/4280) [camera_web] Mute the camera preview (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4281](https://github.com/flutter/plugins/pull/4281) [camera_web] Do not flip the video on the back camera (cla: yes, p: camera, platform-web)
[4288](https://github.com/flutter/plugins/pull/4288) [image_picker] add forceFullMetadata to interface (cla: yes, waiting for tree to go green, p: image_picker, platform-web)
[4298](https://github.com/flutter/plugins/pull/4298) [google_maps_flutter_web] Fix getScreenCoordinate, Circle zIndex (cla: yes, p: google_maps_flutter, platform-web)
[4304](https://github.com/flutter/plugins/pull/4304) [camera_web] Make plugin publishable for the first time. (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4314](https://github.com/flutter/plugins/pull/4314) Revert "[image_picker] add forceFullMetadata to interface" (cla: yes, p: image_picker, platform-web)
[4330](https://github.com/flutter/plugins/pull/4330) [video_player] add support for content-uri based videos (cla: yes, p: video_player, platform-web)
[4342](https://github.com/flutter/plugins/pull/4342) [camera_web] Release the camera stream used to request video and audio permissions (cla: yes, waiting for tree to go green, p: camera, platform-web)
[4346](https://github.com/flutter/plugins/pull/4346) [google_sign_in_web] Update URL to `google_sign_in` package in README (cla: yes, waiting for tree to go green, p: google_sign_in, platform-web, last mile)
[4367](https://github.com/flutter/plugins/pull/4367) Require authors file (cla: yes, p: camera, p: in_app_purchase, p: quick_actions, platform-ios, platform-android, platform-web)
[4371](https://github.com/flutter/plugins/pull/4371) [camera_web] Update usage documentation (cla: yes, p: camera, platform-web)
[4372](https://github.com/flutter/plugins/pull/4372) Add false secret lists, and enforce ordering (cla: yes, waiting for tree to go green, p: google_maps_flutter, p: google_sign_in, platform-web)
[4382](https://github.com/flutter/plugins/pull/4382) [file_selector] Remove custom analysis options (cla: yes, p: file_selector, platform-web)
[4384](https://github.com/flutter/plugins/pull/4384) [shared_preferences] Switch to new analysis options (cla: yes, waiting for tree to go green, p: shared_preferences, platform-windows, platform-macos, platform-linux, platform-web)
[4385](https://github.com/flutter/plugins/pull/4385) [google_maps_flutter_web] Add Marker drag events (cla: yes, p: google_maps_flutter, platform-web)
[4389](https://github.com/flutter/plugins/pull/4389) [image_picker_for_web] Added support for maxWidth, maxHeight and imageQuality (cla: yes, waiting for tree to go green, p: image_picker, platform-web)
[4451](https://github.com/flutter/plugins/pull/4451) upgraded usage of BinaryMessenger (cla: yes, p: android_intent, p: camera, p: url_launcher, p: quick_actions, platform-android, platform-web)
#### platform-ios - 33 pull request(s)
[2838](https://github.com/flutter/plugins/pull/2838) Google maps marker drag events impl (cla: yes, p: google_maps_flutter, platform-ios, platform-android)
[4140](https://github.com/flutter/plugins/pull/4140) [camera] Run iOS methods on UI thread by default (cla: yes, waiting for tree to go green, p: camera, platform-ios)
[4228](https://github.com/flutter/plugins/pull/4228) [image_picker] Fix pickImage not returning on iOS when dismissing the PHPicker view by swiping down. (cla: yes, waiting for tree to go green, p: image_picker, platform-ios)
[4231](https://github.com/flutter/plugins/pull/4231) Move test packages from `dependencies` to `dev_dependencies` (cla: yes, waiting for tree to go green, p: in_app_purchase, p: video_player, platform-ios, platform-android)
[4242](https://github.com/flutter/plugins/pull/4242) Fix and test for 'implements' pubspec entry (cla: yes, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: url_launcher, p: video_player, p: shared_preferences, p: connectivity, platform-ios, platform-android, platform-macos, platform-web)
[4256](https://github.com/flutter/plugins/pull/4256) [camera] Expand CameraImage DTO with properties for lens aperture, exposure time and ISO. (cla: yes, waiting for tree to go green, p: camera, platform-ios, platform-android)
[4258](https://github.com/flutter/plugins/pull/4258) [camera] Add Android & iOS implementations for pausing the camera preview (cla: yes, waiting for tree to go green, p: camera, platform-ios, platform-android)
[4284](https://github.com/flutter/plugins/pull/4284) Fix UNNECESSARY_TYPE_CHECK_TRUE. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios, platform-android)
[4327](https://github.com/flutter/plugins/pull/4327) [camera] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: camera, platform-ios)
[4333](https://github.com/flutter/plugins/pull/4333) [google_maps_flutter] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-ios)
[4334](https://github.com/flutter/plugins/pull/4334) [google_sign_in] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: google_sign_in, platform-ios)
[4335](https://github.com/flutter/plugins/pull/4335) [image_picker] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: image_picker, platform-ios)
[4341](https://github.com/flutter/plugins/pull/4341) [flutter_plugin_tools] Make no unit tests fatal for iOS/macOS (cla: yes, p: share, p: quick_actions, platform-ios)
[4345](https://github.com/flutter/plugins/pull/4345) [webview_flutter] Extract WKWebView implementation into a separate package (cla: yes, p: webview_flutter, platform-ios)
[4352](https://github.com/flutter/plugins/pull/4352) [in_app_purchase] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4353](https://github.com/flutter/plugins/pull/4353) [ios_platform_images] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: ios_platform_images, platform-ios)
[4354](https://github.com/flutter/plugins/pull/4354) [local_auth] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: local_auth, platform-ios)
[4355](https://github.com/flutter/plugins/pull/4355) [path_provider] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: path_provider, platform-ios)
[4356](https://github.com/flutter/plugins/pull/4356) [quick_actions] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: quick_actions, platform-ios)
[4357](https://github.com/flutter/plugins/pull/4357) [shared_preferences] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: shared_preferences, platform-ios)
[4359](https://github.com/flutter/plugins/pull/4359) [url_launcher] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: url_launcher, platform-ios)
[4360](https://github.com/flutter/plugins/pull/4360) [video_player] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: video_player, platform-ios)
[4361](https://github.com/flutter/plugins/pull/4361) [webview_flutter] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[4362](https://github.com/flutter/plugins/pull/4362) [camera] Remove iOS 9 availability check around ultra high capture sessions (cla: yes, waiting for tree to go green, p: camera, platform-ios)
[4366](https://github.com/flutter/plugins/pull/4366) [webview_flutter] Migrate main package to fully federated architecture. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios, platform-android)
[4367](https://github.com/flutter/plugins/pull/4367) Require authors file (cla: yes, p: camera, p: in_app_purchase, p: quick_actions, platform-ios, platform-android, platform-web)
[4386](https://github.com/flutter/plugins/pull/4386) [in_app_purchase] Bump dependencies on json_serializable, build_runner (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios, platform-android)
[4392](https://github.com/flutter/plugins/pull/4392) [in_app_purchase] Handle restored purchases in iOS example app (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4402](https://github.com/flutter/plugins/pull/4402) [webview_flutter] Update webview packages for Android and iOS to implement `runJavascript` and `runJavascriptReturningResult`. (cla: yes, p: webview_flutter, platform-ios, platform-android)
[4417](https://github.com/flutter/plugins/pull/4417) [webview_flutter] Implement zoom enabled for ios and android (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios, platform-android, last mile)
[4426](https://github.com/flutter/plugins/pull/4426) [camera] Update [CameraOrientationTests testOrientationNotifications] unit test to work on Xcode 13 (cla: yes, waiting for tree to go green, p: camera, platform-ios)
[4434](https://github.com/flutter/plugins/pull/4434) [in_app_purchase] Update to the latest pkg:json_serializable (cla: yes, p: in_app_purchase, platform-ios, platform-android)
[4438](https://github.com/flutter/plugins/pull/4438) [video_player] Initialize player when size and duration become available (cla: yes, waiting for tree to go green, p: video_player, platform-ios)
#### p: webview_flutter - 24 pull request(s)
[3078](https://github.com/flutter/plugins/pull/3078) [webview_flutter] Only call onWebResourceError for main frame (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4188](https://github.com/flutter/plugins/pull/4188) [flutter_plugin_tools] Add Android native UI test support (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: package_info, p: sensors, p: quick_actions, p: connectivity, platform-android, p: flutter_plugin_android_lifecycle)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4249](https://github.com/flutter/plugins/pull/4249) [webview] Fix typos in the README (cla: yes, waiting for tree to go green, p: webview_flutter, last mile)
[4274](https://github.com/flutter/plugins/pull/4274) Disable some flaky tests (cla: yes, p: webview_flutter, p: android_alarm_manager, p: video_player, platform-android)
[4302](https://github.com/flutter/plugins/pull/4302) [webview_flutter] Implementation of the webview_flutter_platform_interface package (cla: yes, waiting for tree to go green, p: webview_flutter)
[4322](https://github.com/flutter/plugins/pull/4322) [webview_flutter] Add download listener to Android webview (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4343](https://github.com/flutter/plugins/pull/4343) [webview_flutter] Extract Android implementation into a separate package (cla: yes, p: webview_flutter, platform-android)
[4345](https://github.com/flutter/plugins/pull/4345) [webview_flutter] Extract WKWebView implementation into a separate package (cla: yes, p: webview_flutter, platform-ios)
[4361](https://github.com/flutter/plugins/pull/4361) [webview_flutter] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios)
[4366](https://github.com/flutter/plugins/pull/4366) [webview_flutter] Migrate main package to fully federated architecture. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios, platform-android)
[4375](https://github.com/flutter/plugins/pull/4375) [webview_flutter] Update version number app_facing package (cla: yes, waiting for tree to go green, p: webview_flutter)
[4377](https://github.com/flutter/plugins/pull/4377) [webview_flutter_android] Load example App's navigation controls immediately. (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4378](https://github.com/flutter/plugins/pull/4378) [webview_flutter_wkwebview] Load example App's navigation controls immediately. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4383](https://github.com/flutter/plugins/pull/4383) [webview_flutter] Adjust integration test domains (cla: yes, p: webview_flutter, platform-android)
[4390](https://github.com/flutter/plugins/pull/4390) [webview_flutter] Resolve _CastError thrown by example app. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4394](https://github.com/flutter/plugins/pull/4394) [webview_flutter] Fixed todos in FlutterWebView.java (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4401](https://github.com/flutter/plugins/pull/4401) [webview_flutter] Update webview platform interface with new methods for running JavaScript. (cla: yes, waiting for tree to go green, p: webview_flutter)
[4402](https://github.com/flutter/plugins/pull/4402) [webview_flutter] Update webview packages for Android and iOS to implement `runJavascript` and `runJavascriptReturningResult`. (cla: yes, p: webview_flutter, platform-ios, platform-android)
[4404](https://github.com/flutter/plugins/pull/4404) [webview_flutter] Add zoomEnabled to webview flutter platform interface (cla: yes, p: webview_flutter)
[4407](https://github.com/flutter/plugins/pull/4407) [webview_flutter] Adjust test URLs again (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4417](https://github.com/flutter/plugins/pull/4417) [webview_flutter] Implement zoom enabled for ios and android (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios, platform-android, last mile)
[4435](https://github.com/flutter/plugins/pull/4435) Implement Android WebView api with pigeon (Dart portion) (cla: yes, waiting for tree to go green, p: webview_flutter, platform-android)
[4441](https://github.com/flutter/plugins/pull/4441) Implement Android WebView api with pigeon (Java portion) (cla: yes, p: webview_flutter, platform-android)
#### p: in_app_purchase - 19 pull request(s)
[4093](https://github.com/flutter/plugins/pull/4093) [in_app_purchase]IAP/platform interface add cancel status (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4162](https://github.com/flutter/plugins/pull/4162) [in_app_purchase] Add toString() to IAPError (cla: yes, p: in_app_purchase)
[4188](https://github.com/flutter/plugins/pull/4188) [flutter_plugin_tools] Add Android native UI test support (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: package_info, p: sensors, p: quick_actions, p: connectivity, platform-android, p: flutter_plugin_android_lifecycle)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4231](https://github.com/flutter/plugins/pull/4231) Move test packages from `dependencies` to `dev_dependencies` (cla: yes, waiting for tree to go green, p: in_app_purchase, p: video_player, platform-ios, platform-android)
[4242](https://github.com/flutter/plugins/pull/4242) Fix and test for 'implements' pubspec entry (cla: yes, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: url_launcher, p: video_player, p: shared_preferences, p: connectivity, platform-ios, platform-android, platform-macos, platform-web)
[4244](https://github.com/flutter/plugins/pull/4244) [flutter_plugin_tools] Improve 'repository' check (cla: yes, p: in_app_purchase, p: quick_actions, p: ios_platform_images)
[4257](https://github.com/flutter/plugins/pull/4257) [in_app_purchase] Ensure purchases correctly report if they are acknowledged on Android (cla: yes, p: in_app_purchase, platform-android, needs-publishing)
[4284](https://github.com/flutter/plugins/pull/4284) Fix UNNECESSARY_TYPE_CHECK_TRUE. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios, platform-android)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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)
[4352](https://github.com/flutter/plugins/pull/4352) [in_app_purchase] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4363](https://github.com/flutter/plugins/pull/4363) [in_app_purchase] Fix in_app_purchase_android/README.md (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4364](https://github.com/flutter/plugins/pull/4364) [in_app_purchase] Ensure the `introductoryPriceMicros` field is populated correctly. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4367](https://github.com/flutter/plugins/pull/4367) Require authors file (cla: yes, p: camera, p: in_app_purchase, p: quick_actions, platform-ios, platform-android, platform-web)
[4370](https://github.com/flutter/plugins/pull/4370) [in_app_purchase] Ensure the introductoryPriceMicros field is transported as a String. (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-android)
[4386](https://github.com/flutter/plugins/pull/4386) [in_app_purchase] Bump dependencies on json_serializable, build_runner (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios, platform-android)
[4392](https://github.com/flutter/plugins/pull/4392) [in_app_purchase] Handle restored purchases in iOS example app (cla: yes, waiting for tree to go green, p: in_app_purchase, platform-ios)
[4393](https://github.com/flutter/plugins/pull/4393) [in_app_purchase] Handle `PurchaseStatus.restored` correctly in example. (cla: yes, waiting for tree to go green, p: in_app_purchase)
[4434](https://github.com/flutter/plugins/pull/4434) [in_app_purchase] Update to the latest pkg:json_serializable (cla: yes, p: in_app_purchase, platform-ios, platform-android)
#### p: google_maps_flutter - 17 pull request(s)
[2443](https://github.com/flutter/plugins/pull/2443) Uncomment Marker icons now that ImageListener API change has landed in stable (cla: yes, waiting for tree to go green, p: google_maps_flutter, last mile)
[2653](https://github.com/flutter/plugins/pull/2653) [google_maps_flutter] Marker dragging events (cla: yes, in review, p: google_maps_flutter, needs tests)
[2838](https://github.com/flutter/plugins/pull/2838) Google maps marker drag events impl (cla: yes, p: google_maps_flutter, platform-ios, platform-android)
[4082](https://github.com/flutter/plugins/pull/4082) Support Hybrid Composition through the GoogleMaps Widget (cla: yes, p: google_maps_flutter)
[4121](https://github.com/flutter/plugins/pull/4121) Add `buildViewWithTextDirection` to platform interface (cla: yes, waiting for tree to go green, p: google_maps_flutter)
[4188](https://github.com/flutter/plugins/pull/4188) [flutter_plugin_tools] Add Android native UI test support (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: package_info, p: sensors, p: quick_actions, p: connectivity, platform-android, p: flutter_plugin_android_lifecycle)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4242](https://github.com/flutter/plugins/pull/4242) Fix and test for 'implements' pubspec entry (cla: yes, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: url_launcher, p: video_player, p: shared_preferences, p: connectivity, platform-ios, platform-android, platform-macos, platform-web)
[4250](https://github.com/flutter/plugins/pull/4250) Fix crash from `null` Google Maps object (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-android)
[4298](https://github.com/flutter/plugins/pull/4298) [google_maps_flutter_web] Fix getScreenCoordinate, Circle zIndex (cla: yes, p: google_maps_flutter, platform-web)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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)
[4333](https://github.com/flutter/plugins/pull/4333) [google_maps_flutter] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-ios)
[4372](https://github.com/flutter/plugins/pull/4372) Add false secret lists, and enforce ordering (cla: yes, waiting for tree to go green, p: google_maps_flutter, p: google_sign_in, platform-web)
[4374](https://github.com/flutter/plugins/pull/4374) [google_maps_flutter]: LatLng longitude loses precision in constructor #90574 (cla: yes, waiting for tree to go green, p: google_maps_flutter, last mile)
[4385](https://github.com/flutter/plugins/pull/4385) [google_maps_flutter_web] Add Marker drag events (cla: yes, p: google_maps_flutter, platform-web)
[4400](https://github.com/flutter/plugins/pull/4400) [google_maps_flutter] Clean Java test, consolidate Marker example. (cla: yes, waiting for tree to go green, p: google_maps_flutter, platform-android)
[4406](https://github.com/flutter/plugins/pull/4406) Fix order-dependant platform interface tests (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: quick_actions)
#### p: video_player - 17 pull request(s)
[2878](https://github.com/flutter/plugins/pull/2878) [video_player] VTT Support (cla: yes, waiting for tree to go green, p: video_player)
[3216](https://github.com/flutter/plugins/pull/3216) [multiple] Java 8 target for all plugins with -Werror compiler arg (cla: yes, waiting for tree to go green, p: android_alarm_manager, p: android_intent, p: camera, p: path_provider, p: video_player, p: connectivity, platform-android)
[3374](https://github.com/flutter/plugins/pull/3374) [video_player] bugfix caption still showing when text is empty (cla: yes, waiting for tree to go green, p: video_player, last mile)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4231](https://github.com/flutter/plugins/pull/4231) Move test packages from `dependencies` to `dev_dependencies` (cla: yes, waiting for tree to go green, p: in_app_purchase, p: video_player, platform-ios, platform-android)
[4241](https://github.com/flutter/plugins/pull/4241) [video_player] removed video player is not functional on ios simulators warning (cla: yes, waiting for tree to go green, p: video_player)
[4242](https://github.com/flutter/plugins/pull/4242) Fix and test for 'implements' pubspec entry (cla: yes, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: url_launcher, p: video_player, p: shared_preferences, p: connectivity, platform-ios, platform-android, platform-macos, platform-web)
[4274](https://github.com/flutter/plugins/pull/4274) Disable some flaky tests (cla: yes, p: webview_flutter, p: android_alarm_manager, p: video_player, platform-android)
[4300](https://github.com/flutter/plugins/pull/4300) [video_player] Ensure seekTo is not called before video player is initialized. (cla: yes, waiting for tree to go green, p: video_player)
[4307](https://github.com/flutter/plugins/pull/4307) [video_player] interface: add support for content-uri based videos (a… (cla: yes, waiting for tree to go green, p: video_player)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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)
[4330](https://github.com/flutter/plugins/pull/4330) [video_player] add support for content-uri based videos (cla: yes, p: video_player, platform-web)
[4344](https://github.com/flutter/plugins/pull/4344) [video_player] Fix a disposed `VideoPlayerController` throwing an exception when being replaced in the `VideoPlayer` (cla: yes, p: video_player)
[4360](https://github.com/flutter/plugins/pull/4360) [video_player] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: video_player, platform-ios)
[4406](https://github.com/flutter/plugins/pull/4406) Fix order-dependant platform interface tests (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: quick_actions)
[4419](https://github.com/flutter/plugins/pull/4419) Fix Java version (cla: yes, waiting for tree to go green, p: video_player, p: connectivity, platform-android)
[4438](https://github.com/flutter/plugins/pull/4438) [video_player] Initialize player when size and duration become available (cla: yes, waiting for tree to go green, p: video_player, platform-ios)
#### p: image_picker - 16 pull request(s)
[3194](https://github.com/flutter/plugins/pull/3194) [image_picker] fix camera on Android 11 (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[4123](https://github.com/flutter/plugins/pull/4123) [image_picker] Platform interface update cache (cla: yes, waiting for tree to go green, p: image_picker)
[4124](https://github.com/flutter/plugins/pull/4124) [image_picker]Android update cache (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[4188](https://github.com/flutter/plugins/pull/4188) [flutter_plugin_tools] Add Android native UI test support (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: package_info, p: sensors, p: quick_actions, p: connectivity, platform-android, p: flutter_plugin_android_lifecycle)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4220](https://github.com/flutter/plugins/pull/4220) [image_picker] Fix README example (cla: yes, waiting for tree to go green, p: image_picker)
[4228](https://github.com/flutter/plugins/pull/4228) [image_picker] Fix pickImage not returning on iOS when dismissing the PHPicker view by swiping down. (cla: yes, waiting for tree to go green, p: image_picker, platform-ios)
[4242](https://github.com/flutter/plugins/pull/4242) Fix and test for 'implements' pubspec entry (cla: yes, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: url_launcher, p: video_player, p: shared_preferences, p: connectivity, platform-ios, platform-android, platform-macos, platform-web)
[4288](https://github.com/flutter/plugins/pull/4288) [image_picker] add forceFullMetadata to interface (cla: yes, waiting for tree to go green, p: image_picker, platform-web)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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)
[4314](https://github.com/flutter/plugins/pull/4314) Revert "[image_picker] add forceFullMetadata to interface" (cla: yes, p: image_picker, platform-web)
[4335](https://github.com/flutter/plugins/pull/4335) [image_picker] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: image_picker, platform-ios)
[4336](https://github.com/flutter/plugins/pull/4336) [image_picker] Update README for image_picker's retrieveLostData() to support multiple files (cla: yes, waiting for tree to go green, p: image_picker)
[4389](https://github.com/flutter/plugins/pull/4389) [image_picker_for_web] Added support for maxWidth, maxHeight and imageQuality (cla: yes, waiting for tree to go green, p: image_picker, platform-web)
[4408](https://github.com/flutter/plugins/pull/4408) [image_picker][android] suppress unchecked warning (cla: yes, waiting for tree to go green, p: image_picker, platform-android)
[4421](https://github.com/flutter/plugins/pull/4421) [image_picker] doc:readme image picker misprints (cla: yes, waiting for tree to go green, p: image_picker)
#### p: google_sign_in - 13 pull request(s)
[4179](https://github.com/flutter/plugins/pull/4179) [google_sign_in] Add serverAuthCode attribute to google_sign_in_platform_interface user data (cla: yes, waiting for tree to go green, p: google_sign_in)
[4180](https://github.com/flutter/plugins/pull/4180) [google_sign_in] add serverAuthCode to GoogleSignInAccount (cla: yes, waiting for tree to go green, p: google_sign_in)
[4188](https://github.com/flutter/plugins/pull/4188) [flutter_plugin_tools] Add Android native UI test support (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: package_info, p: sensors, p: quick_actions, p: connectivity, platform-android, p: flutter_plugin_android_lifecycle)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4242](https://github.com/flutter/plugins/pull/4242) Fix and test for 'implements' pubspec entry (cla: yes, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: url_launcher, p: video_player, p: shared_preferences, p: connectivity, platform-ios, platform-android, platform-macos, platform-web)
[4251](https://github.com/flutter/plugins/pull/4251) [google_sign_in] adds option to re-authenticate on google silent sign in (cla: yes, waiting for tree to go green, p: google_sign_in)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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)
[4334](https://github.com/flutter/plugins/pull/4334) [google_sign_in] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: google_sign_in, platform-ios)
[4346](https://github.com/flutter/plugins/pull/4346) [google_sign_in_web] Update URL to `google_sign_in` package in README (cla: yes, waiting for tree to go green, p: google_sign_in, platform-web, last mile)
[4372](https://github.com/flutter/plugins/pull/4372) Add false secret lists, and enforce ordering (cla: yes, waiting for tree to go green, p: google_maps_flutter, p: google_sign_in, platform-web)
[4391](https://github.com/flutter/plugins/pull/4391) [google_sign_in] Use a transparent image as a placeholder for the `GoogleUserCircleAvatar` (cla: yes, waiting for tree to go green, p: google_sign_in, last mile)
[4406](https://github.com/flutter/plugins/pull/4406) Fix order-dependant platform interface tests (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: quick_actions)
[4442](https://github.com/flutter/plugins/pull/4442) [google_sign_in] remove the commented out code in tests (cla: yes, waiting for tree to go green, p: google_sign_in)
#### p: quick_actions - 12 pull request(s)
[4188](https://github.com/flutter/plugins/pull/4188) [flutter_plugin_tools] Add Android native UI test support (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: package_info, p: sensors, p: quick_actions, p: connectivity, platform-android, p: flutter_plugin_android_lifecycle)
[4204](https://github.com/flutter/plugins/pull/4204) [quick_actions] Android support only calling initialize once (cla: yes, p: quick_actions, platform-android)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4244](https://github.com/flutter/plugins/pull/4244) [flutter_plugin_tools] Improve 'repository' check (cla: yes, p: in_app_purchase, p: quick_actions, p: ios_platform_images)
[4245](https://github.com/flutter/plugins/pull/4245) Add unit tests to `quick_actions` plugin (cla: yes, waiting for tree to go green, p: quick_actions, platform-android)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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)
[4341](https://github.com/flutter/plugins/pull/4341) [flutter_plugin_tools] Make no unit tests fatal for iOS/macOS (cla: yes, p: share, p: quick_actions, platform-ios)
[4356](https://github.com/flutter/plugins/pull/4356) [quick_actions] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: quick_actions, platform-ios)
[4367](https://github.com/flutter/plugins/pull/4367) Require authors file (cla: yes, p: camera, p: in_app_purchase, p: quick_actions, platform-ios, platform-android, platform-web)
[4406](https://github.com/flutter/plugins/pull/4406) Fix order-dependant platform interface tests (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: quick_actions)
[4451](https://github.com/flutter/plugins/pull/4451) upgraded usage of BinaryMessenger (cla: yes, p: android_intent, p: camera, p: url_launcher, p: quick_actions, platform-android, platform-web)
[4453](https://github.com/flutter/plugins/pull/4453) A partial revert of the work done to accomodate Android Background Channels (cla: yes, p: android_intent, p: camera, p: url_launcher, p: quick_actions, platform-android)
#### p: url_launcher - 11 pull request(s)
[4156](https://github.com/flutter/plugins/pull/4156) [url_launcher] Add native unit tests for Windows (cla: yes, p: url_launcher, platform-windows)
[4188](https://github.com/flutter/plugins/pull/4188) [flutter_plugin_tools] Add Android native UI test support (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: package_info, p: sensors, p: quick_actions, p: connectivity, platform-android, p: flutter_plugin_android_lifecycle)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4242](https://github.com/flutter/plugins/pull/4242) Fix and test for 'implements' pubspec entry (cla: yes, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: url_launcher, p: video_player, p: shared_preferences, p: connectivity, platform-ios, platform-android, platform-macos, platform-web)
[4294](https://github.com/flutter/plugins/pull/4294) [flutter_plugin_tools] Add Linux support to native-test (cla: yes, p: url_launcher, platform-linux)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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)
[4359](https://github.com/flutter/plugins/pull/4359) [url_launcher] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: url_launcher, platform-ios)
[4365](https://github.com/flutter/plugins/pull/4365) [url_launcher] Error handling when URL cannot be parsed with Uri.parse (cla: yes, waiting for tree to go green, p: url_launcher)
[4406](https://github.com/flutter/plugins/pull/4406) Fix order-dependant platform interface tests (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: quick_actions)
[4451](https://github.com/flutter/plugins/pull/4451) upgraded usage of BinaryMessenger (cla: yes, p: android_intent, p: camera, p: url_launcher, p: quick_actions, platform-android, platform-web)
[4453](https://github.com/flutter/plugins/pull/4453) A partial revert of the work done to accomodate Android Background Channels (cla: yes, p: android_intent, p: camera, p: url_launcher, p: quick_actions, platform-android)
#### last mile - 7 pull request(s)
[2443](https://github.com/flutter/plugins/pull/2443) Uncomment Marker icons now that ImageListener API change has landed in stable (cla: yes, waiting for tree to go green, p: google_maps_flutter, last mile)
[3374](https://github.com/flutter/plugins/pull/3374) [video_player] bugfix caption still showing when text is empty (cla: yes, waiting for tree to go green, p: video_player, last mile)
[4249](https://github.com/flutter/plugins/pull/4249) [webview] Fix typos in the README (cla: yes, waiting for tree to go green, p: webview_flutter, last mile)
[4346](https://github.com/flutter/plugins/pull/4346) [google_sign_in_web] Update URL to `google_sign_in` package in README (cla: yes, waiting for tree to go green, p: google_sign_in, platform-web, last mile)
[4374](https://github.com/flutter/plugins/pull/4374) [google_maps_flutter]: LatLng longitude loses precision in constructor #90574 (cla: yes, waiting for tree to go green, p: google_maps_flutter, last mile)
[4391](https://github.com/flutter/plugins/pull/4391) [google_sign_in] Use a transparent image as a placeholder for the `GoogleUserCircleAvatar` (cla: yes, waiting for tree to go green, p: google_sign_in, last mile)
[4417](https://github.com/flutter/plugins/pull/4417) [webview_flutter] Implement zoom enabled for ios and android (cla: yes, waiting for tree to go green, p: webview_flutter, platform-ios, platform-android, last mile)
#### p: path_provider - 7 pull request(s)
[3216](https://github.com/flutter/plugins/pull/3216) [multiple] Java 8 target for all plugins with -Werror compiler arg (cla: yes, waiting for tree to go green, p: android_alarm_manager, p: android_intent, p: camera, p: path_provider, p: video_player, p: connectivity, platform-android)
[4188](https://github.com/flutter/plugins/pull/4188) [flutter_plugin_tools] Add Android native UI test support (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: package_info, p: sensors, p: quick_actions, p: connectivity, platform-android, p: flutter_plugin_android_lifecycle)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4218](https://github.com/flutter/plugins/pull/4218) [path_provider_linux] Using TMPDIR env as a primary temporary path (cla: yes, p: path_provider, platform-linux)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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)
[4355](https://github.com/flutter/plugins/pull/4355) [path_provider] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: path_provider, platform-ios)
[4443](https://github.com/flutter/plugins/pull/4443) [path_provider] started supporting background platform channels (cla: yes, waiting for tree to go green, p: path_provider, platform-android)
#### p: shared_preferences - 7 pull request(s)
[3895](https://github.com/flutter/plugins/pull/3895) [shared_preferences] Fix possible clash of string with double entry (cla: yes, waiting for tree to go green, p: shared_preferences, platform-android)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4242](https://github.com/flutter/plugins/pull/4242) Fix and test for 'implements' pubspec entry (cla: yes, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: url_launcher, p: video_player, p: shared_preferences, p: connectivity, platform-ios, platform-android, platform-macos, platform-web)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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)
[4357](https://github.com/flutter/plugins/pull/4357) [shared_preferences] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: shared_preferences, platform-ios)
[4373](https://github.com/flutter/plugins/pull/4373) [flutter_plugin_tools] Check licenses in Kotlin (cla: yes, p: shared_preferences, platform-android)
[4384](https://github.com/flutter/plugins/pull/4384) [shared_preferences] Switch to new analysis options (cla: yes, waiting for tree to go green, p: shared_preferences, platform-windows, platform-macos, platform-linux, platform-web)
#### p: android_intent - 6 pull request(s)
[3216](https://github.com/flutter/plugins/pull/3216) [multiple] Java 8 target for all plugins with -Werror compiler arg (cla: yes, waiting for tree to go green, p: android_alarm_manager, p: android_intent, p: camera, p: path_provider, p: video_player, p: connectivity, platform-android)
[4188](https://github.com/flutter/plugins/pull/4188) [flutter_plugin_tools] Add Android native UI test support (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: package_info, p: sensors, p: quick_actions, p: connectivity, platform-android, p: flutter_plugin_android_lifecycle)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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)
[4451](https://github.com/flutter/plugins/pull/4451) upgraded usage of BinaryMessenger (cla: yes, p: android_intent, p: camera, p: url_launcher, p: quick_actions, platform-android, platform-web)
[4453](https://github.com/flutter/plugins/pull/4453) A partial revert of the work done to accomodate Android Background Channels (cla: yes, p: android_intent, p: camera, p: url_launcher, p: quick_actions, platform-android)
#### p: connectivity - 6 pull request(s)
[3216](https://github.com/flutter/plugins/pull/3216) [multiple] Java 8 target for all plugins with -Werror compiler arg (cla: yes, waiting for tree to go green, p: android_alarm_manager, p: android_intent, p: camera, p: path_provider, p: video_player, p: connectivity, platform-android)
[4188](https://github.com/flutter/plugins/pull/4188) [flutter_plugin_tools] Add Android native UI test support (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: package_info, p: sensors, p: quick_actions, p: connectivity, platform-android, p: flutter_plugin_android_lifecycle)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4242](https://github.com/flutter/plugins/pull/4242) Fix and test for 'implements' pubspec entry (cla: yes, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: url_launcher, p: video_player, p: shared_preferences, p: connectivity, platform-ios, platform-android, platform-macos, platform-web)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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)
[4419](https://github.com/flutter/plugins/pull/4419) Fix Java version (cla: yes, waiting for tree to go green, p: video_player, p: connectivity, platform-android)
#### p: flutter_plugin_android_lifecycle - 5 pull request(s)
[4188](https://github.com/flutter/plugins/pull/4188) [flutter_plugin_tools] Add Android native UI test support (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: package_info, p: sensors, p: quick_actions, p: connectivity, platform-android, p: flutter_plugin_android_lifecycle)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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)
[4379](https://github.com/flutter/plugins/pull/4379) Remove some trivial custom analysis options files (cla: yes, p: plugin_platform_interface, p: cross_file, p: flutter_plugin_android_lifecycle)
[4413](https://github.com/flutter/plugins/pull/4413) [flutter_plugin_android_lifecycle] remove placeholder dart file (cla: yes, waiting for tree to go green, p: flutter_plugin_android_lifecycle)
#### p: android_alarm_manager - 5 pull request(s)
[3216](https://github.com/flutter/plugins/pull/3216) [multiple] Java 8 target for all plugins with -Werror compiler arg (cla: yes, waiting for tree to go green, p: android_alarm_manager, p: android_intent, p: camera, p: path_provider, p: video_player, p: connectivity, platform-android)
[4188](https://github.com/flutter/plugins/pull/4188) [flutter_plugin_tools] Add Android native UI test support (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: package_info, p: sensors, p: quick_actions, p: connectivity, platform-android, p: flutter_plugin_android_lifecycle)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4274](https://github.com/flutter/plugins/pull/4274) Disable some flaky tests (cla: yes, p: webview_flutter, p: android_alarm_manager, p: video_player, platform-android)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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: file_selector - 4 pull request(s)
[4242](https://github.com/flutter/plugins/pull/4242) Fix and test for 'implements' pubspec entry (cla: yes, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: url_launcher, p: video_player, p: shared_preferences, p: connectivity, platform-ios, platform-android, platform-macos, platform-web)
[4382](https://github.com/flutter/plugins/pull/4382) [file_selector] Remove custom analysis options (cla: yes, p: file_selector, platform-web)
[4396](https://github.com/flutter/plugins/pull/4396) [flutter_plugin_tools] Validate pubspec description (cla: yes, p: camera, p: file_selector, p: plugin_platform_interface, p: espresso, p: wifi_info_flutter)
[4406](https://github.com/flutter/plugins/pull/4406) Fix order-dependant platform interface tests (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: quick_actions)
#### p: local_auth - 4 pull request(s)
[4188](https://github.com/flutter/plugins/pull/4188) [flutter_plugin_tools] Add Android native UI test support (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: package_info, p: sensors, p: quick_actions, p: connectivity, platform-android, p: flutter_plugin_android_lifecycle)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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)
[4354](https://github.com/flutter/plugins/pull/4354) [local_auth] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: local_auth, platform-ios)
#### p: share - 4 pull request(s)
[4188](https://github.com/flutter/plugins/pull/4188) [flutter_plugin_tools] Add Android native UI test support (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: package_info, p: sensors, p: quick_actions, p: connectivity, platform-android, p: flutter_plugin_android_lifecycle)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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)
[4341](https://github.com/flutter/plugins/pull/4341) [flutter_plugin_tools] Make no unit tests fatal for iOS/macOS (cla: yes, p: share, p: quick_actions, platform-ios)
#### p: battery - 3 pull request(s)
[4188](https://github.com/flutter/plugins/pull/4188) [flutter_plugin_tools] Add Android native UI test support (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: package_info, p: sensors, p: quick_actions, p: connectivity, platform-android, p: flutter_plugin_android_lifecycle)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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-linux - 3 pull request(s)
[4218](https://github.com/flutter/plugins/pull/4218) [path_provider_linux] Using TMPDIR env as a primary temporary path (cla: yes, p: path_provider, platform-linux)
[4294](https://github.com/flutter/plugins/pull/4294) [flutter_plugin_tools] Add Linux support to native-test (cla: yes, p: url_launcher, platform-linux)
[4384](https://github.com/flutter/plugins/pull/4384) [shared_preferences] Switch to new analysis options (cla: yes, waiting for tree to go green, p: shared_preferences, platform-windows, platform-macos, platform-linux, platform-web)
#### p: wifi_info_flutter - 3 pull request(s)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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)
[4396](https://github.com/flutter/plugins/pull/4396) [flutter_plugin_tools] Validate pubspec description (cla: yes, p: camera, p: file_selector, p: plugin_platform_interface, p: espresso, p: wifi_info_flutter)
#### p: device_info - 3 pull request(s)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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)
[4456](https://github.com/flutter/plugins/pull/4456) [device_info] started using Background Platform Channels (cla: yes, p: device_info, platform-android)
#### p: package_info - 3 pull request(s)
[4188](https://github.com/flutter/plugins/pull/4188) [flutter_plugin_tools] Add Android native UI test support (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: package_info, p: sensors, p: quick_actions, p: connectivity, platform-android, p: flutter_plugin_android_lifecycle)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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: sensors - 3 pull request(s)
[4188](https://github.com/flutter/plugins/pull/4188) [flutter_plugin_tools] Add Android native UI test support (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: package_info, p: sensors, p: quick_actions, p: connectivity, platform-android, p: flutter_plugin_android_lifecycle)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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: espresso - 3 pull request(s)
[4206](https://github.com/flutter/plugins/pull/4206) [flutter_plugin_tools] Add a command to lint Android code (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)
[4309](https://github.com/flutter/plugins/pull/4309) Remove gradle.properties from plugins (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: 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)
[4396](https://github.com/flutter/plugins/pull/4396) [flutter_plugin_tools] Validate pubspec description (cla: yes, p: camera, p: file_selector, p: plugin_platform_interface, p: espresso, p: wifi_info_flutter)
#### p: ios_platform_images - 2 pull request(s)
[4244](https://github.com/flutter/plugins/pull/4244) [flutter_plugin_tools] Improve 'repository' check (cla: yes, p: in_app_purchase, p: quick_actions, p: ios_platform_images)
[4353](https://github.com/flutter/plugins/pull/4353) [ios_platform_images] Bump minimum Flutter version and iOS deployment target (cla: yes, waiting for tree to go green, p: ios_platform_images, platform-ios)
#### platform-macos - 2 pull request(s)
[4242](https://github.com/flutter/plugins/pull/4242) Fix and test for 'implements' pubspec entry (cla: yes, p: camera, p: file_selector, p: google_maps_flutter, p: google_sign_in, p: image_picker, p: in_app_purchase, p: url_launcher, p: video_player, p: shared_preferences, p: connectivity, platform-ios, platform-android, platform-macos, platform-web)
[4384](https://github.com/flutter/plugins/pull/4384) [shared_preferences] Switch to new analysis options (cla: yes, waiting for tree to go green, p: shared_preferences, platform-windows, platform-macos, platform-linux, platform-web)
#### platform-windows - 2 pull request(s)
[4156](https://github.com/flutter/plugins/pull/4156) [url_launcher] Add native unit tests for Windows (cla: yes, p: url_launcher, platform-windows)
[4384](https://github.com/flutter/plugins/pull/4384) [shared_preferences] Switch to new analysis options (cla: yes, waiting for tree to go green, p: shared_preferences, platform-windows, platform-macos, platform-linux, platform-web)
#### p: plugin_platform_interface - 2 pull request(s)
[4379](https://github.com/flutter/plugins/pull/4379) Remove some trivial custom analysis options files (cla: yes, p: plugin_platform_interface, p: cross_file, p: flutter_plugin_android_lifecycle)
[4396](https://github.com/flutter/plugins/pull/4396) [flutter_plugin_tools] Validate pubspec description (cla: yes, p: camera, p: file_selector, p: plugin_platform_interface, p: espresso, p: wifi_info_flutter)
#### p: cross_file - 1 pull request(s)
[4379](https://github.com/flutter/plugins/pull/4379) Remove some trivial custom analysis options files (cla: yes, p: plugin_platform_interface, p: cross_file, p: flutter_plugin_android_lifecycle)
#### needs-publishing - 1 pull request(s)
[4257](https://github.com/flutter/plugins/pull/4257) [in_app_purchase] Ensure purchases correctly report if they are acknowledged on Android (cla: yes, p: in_app_purchase, platform-android, needs-publishing)
#### needs tests - 1 pull request(s)
[2653](https://github.com/flutter/plugins/pull/2653) [google_maps_flutter] Marker dragging events (cla: yes, in review, p: google_maps_flutter, needs tests)
#### in review - 1 pull request(s)
[2653](https://github.com/flutter/plugins/pull/2653) [google_maps_flutter] Marker dragging events (cla: yes, in review, p: google_maps_flutter, needs tests)
#### bugfix - 1 pull request(s)
[4301](https://github.com/flutter/plugins/pull/4301) [camera] Ensure setExposureOffset returns new value on Android (bugfix, cla: yes, waiting for tree to go green, p: camera, platform-android)
| website/src/release/release-notes/release-notes-2.8.0.md/0 | {
"file_path": "website/src/release/release-notes/release-notes-2.8.0.md",
"repo_id": "website",
"token_count": 379392
} | 1,504 |
---
title: Create useful bug reports
description: >
Where to file bug reports and enhancement requests for
flutter and the website.
---
The instructions in this document detail the current steps
required to provide the most actionable bug reports for
crashes and other bad behavior. Each step is optional but
will greatly improve how quickly issues are diagnosed and addressed.
We appreciate your effort in sending us as much feedback as possible.
## Create an issue on GitHub
* To report a Flutter crash or bug,
[create an issue in the flutter/flutter project][Flutter issue].
* To report a problem with the website,
[create an issue in the flutter/website project][Website issue].
## Provide a minimal reproducible code sample
Create a minimal Flutter app that shows the problem you are facing,
and paste it into the GitHub issue.
To create it you can use `flutter create bug` command and update
the `main.dart` file.
Alternatively, you can use [DartPad][], which is capable
of creating and running small Flutter apps.
If your problem goes out of what can be placed in a single file, for example
you have a problem with native channels, you can upload the full code of
the reproduction into a separate repository and link it.
## Provide some Flutter diagnostics
* Run `flutter doctor -v` in your project directory and paste
the results into the GitHub issue:
```none
[✓] Flutter (Channel stable, 1.22.3, on Mac OS X 10.15.7 19H2, locale en-US)
• Flutter version 1.22.3 at /Users/me/projects/flutter
• Framework revision 8874f21e79 (5 days ago), 2020-10-29 14:14:35 -0700
• Engine revision a1440ca392
• Dart version 2.10.3
[✓] Android toolchain - develop for Android devices (Android SDK version 29.0.2)
• Android SDK at /Users/me/Library/Android/sdk
• Platform android-30, build-tools 29.0.2
• Java binary at: /Applications/Android Studio.app/Contents/jre/jdk/Contents/Home/bin/java
• Java version OpenJDK Runtime Environment (build 1.8.0_242-release-1644-b3-6222593)
• All Android licenses accepted.
[✓] Xcode - develop for iOS and macOS (Xcode 12.2)
• Xcode at /Applications/Xcode.app/Contents/Developer
• Xcode 12.2, Build version 12B5035g
• CocoaPods version 1.9.3
[✓] Android Studio (version 4.0)
• Android Studio at /Applications/Android Studio.app/Contents
• Flutter plugin version 50.0.1
• Dart plugin version 193.7547
• Java version OpenJDK Runtime Environment (build 1.8.0_242-release-1644-b3-6222593)
[✓] VS Code (version 1.50.1)
• VS Code at /Applications/Visual Studio Code.app/Contents
• Flutter extension version 3.13.2
[✓] Connected device (1 available)
• iPhone (mobile) • 00000000-0000000000000000 • ios • iOS 14.0
```
## Run the command in verbose mode
Follow these steps only if your issue is related to the
`flutter` tool.
* All Flutter commands accept the `--verbose` flag.
If attached to the issue, the output from this command
might aid in diagnosing the problem.
* Attach the results of the command to the GitHub issue.
{:width="100%"}
## Provide the most recent logs
* Logs for the currently connected device are accessed
using `flutter logs`.
* If the crash is reproducible, clear the logs
(⌘ + k on Mac), reproduce the crash and copy the
newly generated logs into a file attached to the bug report.
* If you are getting exceptions thrown by the framework,
include all the output between and including the dashed
lines of the first such exception.
{:width="100%"}
## Provide the crash report
* When the iOS simulator crashes,
a crash report is generated in `~/Library/Logs/DiagnosticReports/`.
* When an iOS device crashes,
a crash report is generated in `~/Library/Logs/CrashReporter/MobileDevice`.
* Find the report corresponding to the crash (usually the latest)
and attach it to the GitHub issue.
{:width="100%"}
[DartPad]: {{site.dartpad}}
[Flutter issue]: {{site.repo.flutter}}/issues/new/choose
[Website issue]: {{site.repo.this}}/issues/new/choose
| website/src/resources/bug-reports.md/0 | {
"file_path": "website/src/resources/bug-reports.md",
"repo_id": "website",
"token_count": 1253
} | 1,505 |
---
title: Handling errors in Flutter
description: How to control error messages and logging of errors
---
<?code-excerpt path-base="testing/errors"?>
The Flutter framework catches errors that occur during callbacks
triggered by the framework itself, including errors encountered
during the build, layout, and paint phases. Errors that don't occur
within Flutter's callbacks can't be caught by the framework,
but you can handle them by setting up an error handler on the
[`PlatformDispatcher`][].
All errors caught by Flutter are routed to the
[`FlutterError.onError`][] handler. By default,
this calls [`FlutterError.presentError`][],
which dumps the error to the device logs.
When running from an IDE, the inspector overrides this
behavior so that errors can also be routed to the IDE's
console, allowing you to inspect the
objects mentioned in the message.
{{site.alert.note}}
Consider calling [`FlutterError.presentError`][]
from your custom error handler in order to see
the logs in the console as well.
{{site.alert.end}}
When an error occurs during the build phase,
the [`ErrorWidget.builder`][] callback is
invoked to build the widget that is used
instead of the one that failed. By default,
in debug mode this shows an error message in red,
and in release mode this shows a gray background.
When errors occur without a Flutter callback on the call stack,
they are handled by the `PlatformDispatcher`'s error callback. By default,
this only prints errors and does nothing else.
You can customize these behaviors,
typically by setting them to values in
your `void main()` function.
Below each error type handling is explained. At the bottom
there's a code snippet which handles all types of errors. Even
though you can just copy-paste the snippet, we recommend you
to first get acquainted with each of the error types.
## Errors caught by Flutter
For example, to make your application quit immediately any time an
error is caught by Flutter in release mode, you could use the
following handler:
<?code-excerpt "lib/quit_immediate.dart (Main)"?>
```dart
import 'dart:io';
import 'package:flutter/foundation.dart';
import 'package:flutter/material.dart';
void main() {
FlutterError.onError = (details) {
FlutterError.presentError(details);
if (kReleaseMode) exit(1);
};
runApp(const MyApp());
}
// rest of `flutter create` code...
```
{{site.alert.note}}
The top-level [`kReleaseMode`][] constant indicates
whether the app was compiled in release mode.
{{site.alert.end}}
This handler can also be used to report errors to a logging service.
For more details, see our cookbook chapter for
[reporting errors to a service][].
## Define a custom error widget for build phase errors
To define a customized error widget that displays whenever
the builder fails to build a widget, use [`MaterialApp.builder`][].
<?code-excerpt "lib/excerpts.dart (CustomError)"?>
```dart
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');
},
);
}
}
```
## Errors not caught by Flutter
Consider an `onPressed` callback that invokes an asynchronous function,
such as `MethodChannel.invokeMethod` (or pretty much any plugin).
For example:
<?code-excerpt "lib/excerpts.dart (OnPressed)" replace="/return //g;/;$//g"?>
```dart
OutlinedButton(
child: const Text('Click me!'),
onPressed: () async {
const channel = MethodChannel('crashy-custom-channel');
await channel.invokeMethod('blah');
},
)
```
If `invokeMethod` throws an error, it won't be forwarded to `FlutterError.onError`.
Instead, it's forwarded to the `PlatformDispatcher`.
To catch such an error, use [`PlatformDispatcher.instance.onError`][].
<?code-excerpt "lib/excerpts.dart (CatchError)"?>
```dart
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());
}
```
## Handling all types of errors
Say you want to exit application on any exception and to display
a custom error widget whenever a widget building fails - you can base
your errors handling on next code snippet:
<?code-excerpt "lib/main.dart (Main)"?>
```dart
import 'package:flutter/material.dart';
import 'dart:ui';
Future<void> main() async {
await myErrorsHandler.initialize();
FlutterError.onError = (details) {
FlutterError.presentError(details);
myErrorsHandler.onErrorDetails(details);
};
PlatformDispatcher.instance.onError = (error, stack) {
myErrorsHandler.onError(error, stack);
return true;
};
runApp(const MyApp());
}
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');
},
);
}
}
```
[`ErrorWidget.builder`]: {{site.api}}/flutter/widgets/ErrorWidget/builder.html
[`FlutterError.onError`]: {{site.api}}/flutter/foundation/FlutterError/onError.html
[`FlutterError.presentError`]: {{site.api}}/flutter/foundation/FlutterError/presentError.html
[`kReleaseMode`]: {{site.api}}/flutter/foundation/kReleaseMode-constant.html
[`MaterialApp.builder`]: {{site.api}}/flutter/material/MaterialApp/builder.html
[reporting errors to a service]: /cookbook/maintenance/error-reporting
[`PlatformDispatcher.instance.onError`]: {{site.api}}/flutter/dart-ui/PlatformDispatcher/onError.html
[`PlatformDispatcher`]: {{site.api}}/flutter/dart-ui/PlatformDispatcher-class.html
| website/src/testing/errors.md/0 | {
"file_path": "website/src/testing/errors.md",
"repo_id": "website",
"token_count": 1973
} | 1,506 |
---
title: Using the Logging view
description: Learn how to use the DevTools logging view.
---
{{site.alert.note}}
The logging view works with all Flutter and Dart applications.
{{site.alert.end}}
## What is it?
The logging view displays events from the Dart runtime,
application frameworks (like Flutter), and application-level
logging events.
## Standard logging events
By default, the logging view shows:
* Garbage collection events from the Dart runtime
* Flutter framework events, like frame creation events
* `stdout` and `stderr` from applications
* Custom logging events from applications
{:width="100%"}
## Logging from your application
To implement logging in your code,
see the [Logging][] section in the
[Debugging Flutter apps programmatically][]
page.
## Clearing logs
To clear the log entries in the logging view,
click the **Clear logs** button.
[Logging]: /testing/code-debugging#add-logging-to-your-application
[Debugging Flutter apps programmatically]: /testing/code-debugging
## Other resources
To learn about different methods of logging
and how to effectively use DevTools to
analyze and debug Flutter apps faster,
check out a guided [Logging View tutorial][logging-tutorial].
[logging-tutorial]: {{site.medium}}/@fluttergems/mastering-dart-flutter-devtools-logging-view-part-5-of-8-b634f3a3af26
| website/src/tools/devtools/logging.md/0 | {
"file_path": "website/src/tools/devtools/logging.md",
"repo_id": "website",
"token_count": 404
} | 1,507 |
---
title: DevTools release notes
description: Learn about the latest changes in Dart and Flutter DevTools.
toc: false
---
This page summarizes the changes in official stable releases of DevTools.
To view a complete list of changes, check out the
[DevTools git log]({{site.repo.organization}}/devtools/commits/master).
The Dart and Flutter SDKs include DevTools.
To check your current version of DevTools,
run the following on your command line:
```terminal
$ dart devtools --version
```
### Release notes
{% comment %}
When adding the release notes for a new DevTools release,
make sure to add the version number as an entry to the list
found at `/src/_data/devtools_releases.yml`.
{% endcomment -%}
{% assign releases = site.data.devtools_releases.releases %}
{% for release in releases -%}
* [{{release}} release notes](/tools/devtools/release-notes/release-notes-{{release}})
{% endfor -%}
| website/src/tools/devtools/release-notes/index.md/0 | {
"file_path": "website/src/tools/devtools/release-notes/index.md",
"repo_id": "website",
"token_count": 264
} | 1,508 |
---
short-title: 2.16.0 release notes
description: Release notes for Dart and Flutter DevTools version 2.16.0.
toc: false
---
{% include_relative release-notes-2.16.0-src.md %}
| website/src/tools/devtools/release-notes/release-notes-2.16.0.md/0 | {
"file_path": "website/src/tools/devtools/release-notes/release-notes-2.16.0.md",
"repo_id": "website",
"token_count": 61
} | 1,509 |
---
short-title: 2.24.0 release notes
description: Release notes for Dart and Flutter DevTools version 2.24.0.
toc: false
---
{% include_relative release-notes-2.24.0-src.md %}
| website/src/tools/devtools/release-notes/release-notes-2.24.0.md/0 | {
"file_path": "website/src/tools/devtools/release-notes/release-notes-2.24.0.md",
"repo_id": "website",
"token_count": 61
} | 1,510 |
---
short-title: 2.28.5 release notes
description: Release notes for Dart and Flutter DevTools version 2.28.5.
toc: false
---
{% include_relative release-notes-2.28.5-src.md %}
| website/src/tools/devtools/release-notes/release-notes-2.28.5.md/0 | {
"file_path": "website/src/tools/devtools/release-notes/release-notes-2.28.5.md",
"repo_id": "website",
"token_count": 61
} | 1,511 |
---
short-title: 2.9.1 release notes
description: Release notes for Dart and Flutter DevTools version 2.9.1.
toc: false
---
{% include_relative release-notes-2.9.1-src.md %}
| website/src/tools/devtools/release-notes/release-notes-2.9.1.md/0 | {
"file_path": "website/src/tools/devtools/release-notes/release-notes-2.9.1.md",
"repo_id": "website",
"token_count": 61
} | 1,512 |
---
title: Hero animations
description: How to animate a widget to fly between two screens.
short-title: Hero
---
{{site.alert.secondary}}
<h4>What you'll learn</h4>
* The _hero_ refers to the widget that flies between screens.
* Create a hero animation using Flutter's Hero widget.
* Fly the hero from one screen to another.
* Animate the transformation of a hero's shape from circular to
rectangular while flying it from one screen to another.
* The Hero widget in Flutter implements a style of animation
commonly known as _shared element transitions_ or
_shared element animations._
{{site.alert.end}}
You've probably seen hero animations many times. For example, a screen displays
a list of thumbnails representing items for sale. Selecting an item flies it to
a new screen, containing more details and a "Buy" button. Flying an image from
one screen to another is called a _hero animation_ in Flutter, though the same
motion is sometimes referred to as a _shared element transition_.
You might want to watch this one-minute video introducing the Hero widget:
<iframe width="560" height="315" src="{{site.yt.embed}}/Be9UH1kXFDw" title="Learn about the Hero Flutter Widget" {{site.yt.set}}></iframe>
This guide demonstrates how to build standard hero animations, and hero
animations that transform the image from a circular shape to a square shape
during flight.
{{site.alert.secondary}}
**Examples**: This guide provides examples of each hero animation style at
the following links.
* [Standard hero animation code][]
* [Radial hero animation code][]
{{site.alert.end}}
{{site.alert.secondary}}
**New to Flutter?**
This page assumes you know how to create a layout
using Flutter's widgets. For more information, see
[Building Layouts in Flutter][].
{{site.alert.end}}
{{site.alert.secondary}}
**Terminology:**
A [_Route_][] describes a page or screen in a Flutter app.
{{site.alert.end}}
You can create this animation in Flutter with Hero widgets.
As the hero animates from the source to the destination route,
the destination route (minus the hero) fades into view.
Typically, heroes are small parts of the UI, like images,
that both routes have in common. From the user's perspective
the hero "flies" between the routes. This guide shows how
to create the following hero animations:
**Standard hero animations**<br>
A _standard hero animation_ flies the hero from one route to a new route,
usually landing at a different location and with a different size.
The following video (recorded at slow speed) shows a typical example.
Tapping the flippers in the center of the route flies them to the
upper left corner of a new, blue route, at a smaller size.
Tapping the flippers in the blue route (or using the device's
back-to-previous-route gesture) flies the flippers back to
the original route.
<iframe width="560" height="315" src="{{site.yt.embed}}/CEcFnqRDfgw" title="Watch this example of a standard hero animation in Flutter" {{site.yt.set-short}}></iframe>
<br>**Radial hero animations**<br>
In _radial hero animation_, as the hero flies between routes
its shape appears to change from circular to rectangular.
The following video (recorded at slow speed),
shows an example of a radial hero animation. At the start, a
row of three circular images appears at the bottom of the route.
Tapping any of the circular images flies that image to a new route
that displays it with a square shape.
Tapping the square image flies the hero back to
the original route, displayed with a circular shape.
<iframe width="560" height="315" src="{{site.yt.embed}}/LWKENpwDKiM" title="Watch this example of a radial hero animation in Flutter" {{site.yt.set-short}}></iframe>
<br>Before moving to the sections specific to
[standard](#standard-hero-animations)
or [radial](#radial-hero-animations) hero animations,
read [basic structure of a hero animation](#basic-structure)
to learn how to structure hero animation code,
and [behind the scenes](#behind-the-scenes) to understand
how Flutter performs a hero animation.
<a id="basic-structure"></a>
## Basic structure of a hero animation
{{site.alert.secondary}}
<h4>What's the point?</h4>
* Use two hero widgets in different routes but with matching tags to
implement the animation.
* The Navigator manages a stack containing the app's routes.
* Pushing a route on or popping a route from the Navigator's stack
triggers the animation.
* The Flutter framework calculates a rectangle tween,
[`RectTween`][] that defines the hero's boundary
as it flies from the source to the destination route.
During its flight, the hero is moved to
an application overlay, so that it appears on top of both routes.
{{site.alert.end}}
{{site.alert.secondary}}
**Terminology:**
If the concept of tweens or tweening is new to you,
see the [Animations in Flutter tutorial][].
{{site.alert.end}}
Hero animations are implemented using two [`Hero`][]
widgets: one describing the widget in the source route,
and another describing the widget in the destination route.
From the user's point of view, the hero appears to be shared, and
only the programmer needs to understand this implementation detail.
Hero animation code has the following structure:
1. Define a starting Hero widget, referred to as the _source
hero_. The hero specifies its graphical representation
(typically an image), and an identifying tag, and is in
the currently displayed widget tree as defined by the source route.
1. Define an ending Hero widget, referred to as the _destination hero_.
This hero also specifies its graphical representation,
and the same tag as the source hero.
It's **essential that both hero widgets are created with
the same tag**, typically an object that represents the
underlying data. For best results, the heroes should have
virtually identical widget trees.
1. Create a route that contains the destination hero.
The destination route defines the widget tree that exists
at the end of the animation.
1. Trigger the animation by pushing the destination route on the
Navigator's stack. The Navigator push and pop operations trigger
a hero animation for each pair of heroes with matching tags in
the source and destination routes.
Flutter calculates the tween that animates the Hero's bounds from
the starting point to the endpoint (interpolating size and position),
and performs the animation in an overlay.
The next section describes Flutter's process in greater detail.
## Behind the scenes
The following describes how Flutter performs the
transition from one route to another.

Before transition, the source hero waits in the source
route's widget tree. The destination route does not yet exist,
and the overlay is empty.
---

Pushing a route to the `Navigator` triggers the animation.
At `t=0.0`, Flutter does the following:
* Calculates the destination hero's path, offscreen,
using the curved motion as described in the Material
motion spec. Flutter now knows where the hero ends up.
* Places the destination hero in the overlay,
at the same location and size as the _source_ hero.
Adding a hero to the overlay changes its Z-order so that it
appears on top of all routes.
* Moves the source hero offscreen.
---

As the hero flies, its rectangular bounds are animated using
[Tween<Rect>][], specified in Hero's
[`createRectTween`][] property.
By default, Flutter uses an instance of
[`MaterialRectArcTween`][], which animates the
rectangle's opposing corners along a curved path.
(See [Radial hero animations][] for an example
that uses a different Tween animation.)
---

When the flight completes:
* Flutter moves the hero widget from the overlay to
the destination route. The overlay is now empty.
* The destination hero appears in its final position
in the destination route.
* The source hero is restored to its route.
---
Popping the route performs the same process,
animating the hero back to its size
and location in the source route.
### Essential classes
The examples in this guide use the following classes to
implement hero animations:
[`Hero`][]
: The widget that flies from the source to the destination route.
Define one Hero for the source route and another for the
destination route, and assign each the same tag.
Flutter animates pairs of heroes with matching tags.
[`InkWell`][]
: Specifies what happens when tapping the hero.
The `InkWell`'s `onTap()` method builds the
new route and pushes it to the `Navigator`'s stack.
[`Navigator`][]
: The `Navigator` manages a stack of routes. Pushing a route on or
popping a route from the `Navigator`'s stack triggers the animation.
[`Route`][]
: Specifies a screen or page. Most apps,
beyond the most basic, have multiple routes.
## Standard hero animations
{{site.alert.secondary}}
<h4>What's the point?</h4>
* Specify a route using `MaterialPageRoute`, `CupertinoPageRoute`,
or build a custom route using `PageRouteBuilder`.
The examples in this section use MaterialPageRoute.
* Change the size of the image at the end of the transition by
wrapping the destination's image in a `SizedBox`.
* Change the location of the image by placing the destination's
image in a layout widget. These examples use `Container`.
{{site.alert.end}}
<a id="standard-hero-animation-code"></a>
{{site.alert.secondary}}
**Standard hero animation code**
Each of the following examples demonstrates flying an image from one
route to another. This guide describes the first example.
[hero_animation][]
: Encapsulates the hero code in a custom `PhotoHero` widget.
Animates the hero's motion along a curved path,
as described in the Material motion spec.
[basic_hero_animation][]
: Uses the hero widget directly.
This more basic example, provided for your reference, isn't
described in this guide.
{{site.alert.end}}
### What's going on?
Flying an image from one route to another is easy to implement
using Flutter's hero widget. When using `MaterialPageRoute`
to specify the new route, the image flies along a curved path,
as described by the [Material Design motion spec][].
[Create a new Flutter example][] and
update it using the files from the [hero_animation][].
To run the example:
* Tap on the home route's photo to fly the image to a new route
showing the same photo at a different location and scale.
* Return to the previous route by tapping the image, or by using the
device's back-to-the-previous-route gesture.
* You can slow the transition further using the `timeDilation`
property.
### PhotoHero class
The custom PhotoHero class maintains the hero,
and its size, image, and behavior when tapped.
The PhotoHero builds the following widget tree:
<div class="text-center mb-4" markdown="1">

</div>
Here's the code:
```dart
class PhotoHero extends StatelessWidget {
const PhotoHero({
super.key,
required this.photo,
this.onTap,
required this.width,
});
final String photo;
final VoidCallback? onTap;
final double width;
@override
Widget build(BuildContext context) {
return SizedBox(
width: width,
child: Hero(
tag: photo,
child: Material(
color: Colors.transparent,
child: InkWell(
onTap: onTap,
child: Image.asset(
photo,
fit: BoxFit.contain,
),
),
),
),
);
}
}
```
Key information:
* The starting route is implicitly pushed by `MaterialApp` when
`HeroAnimation` is provided as the app's home property.
* An `InkWell` wraps the image, making it trivial to add a tap
gesture to the both the source and destination heroes.
* Defining the Material widget with a transparent color
enables the image to "pop out" of the background as it
flies to its destination.
* The `SizedBox` specifies the hero's size at the start and
end of the animation.
* Setting the Image's `fit` property to `BoxFit.contain`,
ensures that the image is as large as possible during the
transition without changing its aspect ratio.
### HeroAnimation class
The `HeroAnimation` class creates the source and destination
PhotoHeroes, and sets up the transition.
Here's the code:
{% prettify dart %}
class HeroAnimation extends StatelessWidget {
const HeroAnimation({super.key});
Widget build(BuildContext context) {
[!timeDilation = 5.0; // 1.0 means normal animation speed.!]
return Scaffold(
appBar: AppBar(
title: const Text('Basic Hero Animation'),
),
body: Center(
[!child: PhotoHero(!]
photo: 'images/flippers-alpha.png',
width: 300.0,
[!onTap: ()!] {
[!Navigator.of(context).push(MaterialPageRoute<void>(!]
[!builder: (context)!] {
return Scaffold(
appBar: AppBar(
title: const Text('Flippers Page'),
),
body: Container(
// Set background to blue to emphasize that it's a new route.
color: Colors.lightBlueAccent,
padding: const EdgeInsets.all(16),
alignment: Alignment.topLeft,
[!child: PhotoHero(!]
photo: 'images/flippers-alpha.png',
width: 100.0,
[!onTap: ()!] {
[!Navigator.of(context).pop();!]
},
),
),
);
}
));
},
),
),
);
}
}
{% endprettify %}
Key information:
* When the user taps the `InkWell` containing the source hero,
the code creates the destination route using `MaterialPageRoute`.
Pushing the destination route to the `Navigator`'s stack triggers
the animation.
* The `Container` positions the `PhotoHero` in the destination
route's top-left corner, below the `AppBar`.
* The `onTap()` method for the destination `PhotoHero`
pops the `Navigator`'s stack, triggering the animation
that flies the `Hero` back to the original route.
* Use the `timeDilation` property to slow the transition
while debugging.
---
## Radial hero animations
{{site.alert.secondary}}
<h4>What's the point?</h4>
* A _radial transformation_ animates a circular shape into a square
shape.
* A radial _hero_ animation performs a radial transformation while
flying the hero from the source route to the destination route.
* MaterialRectCenter­Arc­Tween defines the tween animation.
* Build the destination route using `PageRouteBuilder`.
{{site.alert.end}}
Flying a hero from one route to another as it transforms
from a circular shape to a rectangular shape is a slick
effect that you can implement using Hero widgets.
To accomplish this, the code animates the intersection of
two clip shapes: a circle and a square.
Throughout the animation, the circle clip (and the image)
scales from `minRadius` to `maxRadius`, while the square
clip maintains constant size. At the same time,
the image flies from its position in the source route to its
position in the destination route. For visual examples
of this transition, see [Radial transformation][]
in the Material motion spec.
This animation might seem complex (and it is), but you can **customize the
provided example to your needs.** The heavy lifting is done for you.
<a id="radial-hero-animation-code"></a>
{{site.alert.secondary}}
**Radial hero animation code**
Each of the following examples demonstrates a radial hero animation.
This guide describes the first example.
[radial_hero_animation][]
: A radial hero animation as described in the Material motion spec.
[basic_radial_hero_animation][]
: The simplest example of a radial hero animation. The destination
route has no Scaffold, Card, Column, or Text.
This basic example, provided for your reference, isn't
described in this guide.
[radial_hero_animation_animate<wbr>_rectclip][]
: Extends radial_hero_animation by also animating the size of the
rectangular clip. This more advanced example,
provided for your reference, isn't described in this guide.
{{site.alert.end}}
{{site.alert.secondary}}
**Pro tip:**
The radial hero animation involves intersecting a round shape with
a square shape. This can be hard to see, even when slowing
the animation with `timeDilation`, so you might consider enabling
the [`debugPaintSizeEnabled`][] flag during development.
{{site.alert.end}}
### What's going on?
The following diagram shows the clipped image at the beginning
(`t = 0.0`), and the end (`t = 1.0`) of the animation.

The blue gradient (representing the image), indicates where the clip
shapes intersect. At the beginning of the transition,
the result of the intersection is a circular clip ([`ClipOval`][]).
During the transformation, the `ClipOval` scales from `minRadius`
to `maxRadius` while the [ClipRect][] maintains a constant size.
At the end of the transition the intersection of the circular and
rectangular clips yield a rectangle that's the same size as the hero
widget. In other words, at the end of the transition the image is no
longer clipped.
[Create a new Flutter example][] and
update it using the files from the
[radial_hero_animation][] GitHub directory.
To run the example:
* Tap on one of the three circular thumbnails to animate the image
to a larger square positioned in the middle of a new route that
obscures the original route.
* Return to the previous route by tapping the image, or by using the
device's back-to-the-previous-route gesture.
* You can slow the transition further using the `timeDilation`
property.
### Photo class
The `Photo` class builds the widget tree that holds the image:
{% prettify dart %}
class Photo extends StatelessWidget {
const Photo({super.key, required this.photo, this.color, this.onTap});
final String photo;
final Color? color;
final VoidCallback onTap;
Widget build(BuildContext context) {
return [!Material(!]
// Slightly opaque color appears where the image has transparency.
[!color: Theme.of(context).primaryColor.withOpacity(0.25),!]
child: [!InkWell(!]
onTap: [!onTap,!]
child: [!Image.asset(!]
photo,
fit: BoxFit.contain,
),
),
);
}
}
{% endprettify %}
Key information:
* The `InkWell` captures the tap gesture.
The calling function passes the `onTap()` function to the
`Photo`'s constructor.
* During flight, the `InkWell` draws its splash on its first
Material ancestor.
* The Material widget has a slightly opaque color, so the
transparent portions of the image are rendered with color.
This ensures that the circle-to-square transition is easy to see,
even for images with transparency.
* The `Photo` class does not include the `Hero` in its widget tree.
For the animation to work, the hero
wraps the `RadialExpansion` widget.
### RadialExpansion class
The `RadialExpansion` widget, the core of the demo, builds the
widget tree that clips the image during the transition.
The clipped shape results from the intersection of a circular clip
(that grows during flight),
with a rectangular clip (that remains a constant size throughout).
To do this, it builds the following widget tree:
<div class="text-center mb-4" markdown="1">

</div>
Here's the code:
{% prettify dart %}
class RadialExpansion extends StatelessWidget {
const RadialExpansion({
super.key,
required this.maxRadius,
this.child,
}) : [!clipRectSize = 2.0 * (maxRadius / math.sqrt2);!]
final double maxRadius;
final clipRectSize;
final Widget child;
@override
Widget build(BuildContext context) {
return [!ClipOval(!]
child: [!Center(!]
child: [!SizedBox(!]
width: clipRectSize,
height: clipRectSize,
child: [!ClipRect(!]
child: [!child,!] // Photo
),
),
),
);
}
}
{% endprettify %}
Key information:
* The hero wraps the `RadialExpansion` widget.
* As the hero flies, its size changes and,
because it constrains its child's size,
the `RadialExpansion` widget changes size to match.
* The `RadialExpansion` animation is created by two overlapping clips.
* The example defines the tweening interpolation using
[`MaterialRectCenterArcTween`][].
The default flight path for a hero animation
interpolates the tweens using the corners of the heroes.
This approach affects the hero's aspect ratio during
the radial transformation, so the new flight path uses
`MaterialRectCenterArcTween` to interpolate the tweens using the
center point of each hero.
Here's the code:
```dart
static RectTween _createRectTween(Rect? begin, Rect? end) {
return MaterialRectCenterArcTween(begin: begin, end: end);
}
```
The hero's flight path still follows an arc,
but the image's aspect ratio remains constant.
[Animations in Flutter tutorial]: /ui/animations/tutorial
[basic_hero_animation]: {{site.repo.this}}/tree/{{site.branch}}/examples/_animation/basic_hero_animation/
[basic_radial_hero_animation]: {{site.repo.this}}/tree/{{site.branch}}/examples/_animation/basic_radial_hero_animation
[Building Layouts in Flutter]: /ui/layout
[`ClipOval`]: {{site.api}}/flutter/widgets/ClipOval-class.html
[ClipRect]: {{site.api}}/flutter/widgets/ClipRect-class.html
[Create a new Flutter example]: /get-started/test-drive
[`createRectTween`]: {{site.api}}/flutter/widgets/CreateRectTween.html
[`debugPaintSizeEnabled`]: /tools/devtools/inspector#debugging-layout-issues-visually
[`Hero`]: {{site.api}}/flutter/widgets/Hero-class.html
[hero_animation]: {{site.repo.this}}/tree/{{site.branch}}/examples/_animation/hero_animation/
[`InkWell`]: {{site.api}}/flutter/material/InkWell-class.html
[Material Design motion spec]: {{site.material2}}/design/motion/understanding-motion.html#principles
[`MaterialRectArcTween`]: {{site.api}}/flutter/material/MaterialRectArcTween-class.html
[`MaterialRectCenterArcTween`]: {{site.api}}/flutter/material/MaterialRectCenterArcTween-class.html
[`Navigator`]: {{site.api}}/flutter/widgets/Navigator-class.html
[Radial hero animation code]: #radial-hero-animation-code
[radial_hero_animation]: {{site.repo.this}}/tree/{{site.branch}}/examples/_animation/radial_hero_animation
[radial_hero_animation_animate<wbr>_rectclip]: {{site.repo.this}}/tree/{{site.branch}}/examples/_animation/radial_hero_animation_animate_rectclip
[Radial hero animations]: #radial-hero-animations
[Radial transformation]: https://web.archive.org/web/20180223140424/https://material.io/guidelines/motion/transforming-material.html
[`RectTween`]: {{site.api}}/flutter/animation/RectTween-class.html
[_Route_]: /cookbook/navigation/navigation-basics
[`Route`]: {{site.api}}/flutter/widgets/Route-class.html
[Standard hero animation code]: #standard-hero-animation-code
[Tween<Rect>]: {{site.api}}/flutter/animation/Tween-class.html
| website/src/ui/animations/hero-animations.md/0 | {
"file_path": "website/src/ui/animations/hero-animations.md",
"repo_id": "website",
"token_count": 7276
} | 1,513 |
---
title: Understanding Flutter's keyboard focus system
description: How to use the focus system in your Flutter app.
---
This article explains how to control where keyboard input is directed. If you
are implementing an application that uses a physical keyboard, such as most
desktop and web applications, this page is for you. If your app won't be used
with a physical keyboard, you can skip this.
## Overview
Flutter comes with a focus system that directs the keyboard input to a
particular part of an application. In order to do this, users "focus" the input
onto that part of an application by tapping or clicking the desired UI element.
Once that happens, text entered with the keyboard flows to that part of the
application until the focus moves to another part of the application. Focus can
also be moved by pressing a particular keyboard shortcut, which is typically
bound to <kbd>Tab</kbd>, so it is sometimes called "tab traversal".
This page explores the APIs used to perform these operations on a Flutter
application, and how the focus system works. We have noticed that there is some
confusion among developers about how to define and use [`FocusNode`][] objects.
If that describes your experience, skip ahead to the [best practices for
creating `FocusNode` objects](#best-practices-for-creating-focusnode-objects).
### Focus use cases
Some examples of situations where you might need to know how to use the focus
system:
- [Receiving/handling key events](#key-events)
- [Implementing a custom component that needs to be focusable](#focus-widget)
- [Receiving notifications when the focus changes](#change-notifications)
- [Changing or defining the "tab order" of focus traversal in an application](#focustraversalpolicy)
- [Defining groups of controls that should be traversed together](#focustraversalgroup-widget)
- [Preventing some controls in an application from being focusable](#controlling-what-gets-focus)
## Glossary
Below are terms, as Flutter uses them, for elements of the focus system. The
various classes that implement some of these concepts are introduced below.
- **Focus tree** - A tree of focus nodes that typically sparsely mirrors the
widget tree, representing all the widgets that can receive focus.
- **Focus node** - A single node in a focus tree. This node can receive the
focus, and is said to "have focus" when it is part of the focus chain. It
participates in handling key events only when it has focus.
- **Primary focus** - The farthest focus node from the root of the focus tree
that has focus. This is the focus node where key events start propagating to
the primary focus node and its ancestors.
- **Focus chain** - An ordered list of focus nodes that starts at the primary
focus node and follows the branches of the focus tree to the root of the
focus tree.
- **Focus scope** - A special focus node whose job is to contain a group of
other focus nodes, and allow only those nodes to receive focus. It contains
information about which nodes were previously focused in its subtree.
- **Focus traversal** - The process of moving from one focusable node to
another in a predictable order. This is typically seen in applications when
the user presses <kbd>Tab</kbd> to move to the next focusable control or
field.
## FocusNode and FocusScopeNode
The `FocusNode` and [`FocusScopeNode`][] objects implement the
mechanics of the focus system. They are long-lived objects (longer than widgets,
similar to render objects) that hold the focus state and attributes so that they
are persistent between builds of the widget tree. Together, they form
the focus tree data structure.
They were originally intended to be developer-facing objects used to control
some aspects of the focus system, but over time they have evolved to mostly
implement details of the focus system. In order to prevent breaking existing
applications, they still contain public interfaces for their attributes. But, in
general, the thing for which they are most useful is to act as a relatively
opaque handle, passed to a descendant widget in order to call `requestFocus()`
on an ancestor widget, which requests that a descendant widget obtain focus.
Setting of the other attributes is best managed by a [`Focus`][] or
[`FocusScope`][] widget, unless you are not using them, or implementing your own
version of them.
### Best practices for creating FocusNode objects
Some dos and don'ts around using these objects include:
- Don't allocate a new `FocusNode` for each build. This can cause
memory leaks, and occasionally causes a loss of focus when the widget
rebuilds while the node has focus.
- Do create `FocusNode` and `FocusScopeNode` objects in a stateful widget.
`FocusNode` and `FocusScopeNode` need to be disposed of when you're done
using them, so they should only be created inside of a stateful widget's
state object, where you can override `dispose` to dispose of them.
- Don't use the same `FocusNode` for multiple widgets. If you do, the
widgets will fight over managing the attributes of the node, and you
probably won't get what you expect.
- Do set the `debugLabel` of a focus node widget to help with diagnosing
focus issues.
- Don't set the `onKeyEvent` callback on a `FocusNode` or `FocusScopeNode` if
they are being managed by a `Focus` or `FocusScope` widget.
If you want an `onKeyEvent` handler, then add a new `Focus` widget
around the widget subtree you would like to listen to, and
set the `onKeyEvent` attribute of the widget to your handler.
Set `canRequestFocus: false` on the widget if
you also don't want it to be able to take primary focus.
This is because the `onKeyEvent` attribute on the `Focus` widget can be
set to something else in a subsequent build, and if that happens,
it overwrites the `onKeyEvent` handler you set on the node.
- Do call `requestFocus()` on a node to request that it receives the
primary focus, especially from an ancestor that has passed a node it owns to
a descendant where you want to focus.
- Do use `focusNode.requestFocus()`. It is not necessary to call
`FocusScope.of(context).requestFocus(focusNode)`. The
`focusNode.requestFocus()` method is equivalent and more performant.
### Unfocusing
There is an API for telling a node to "give up the focus", named
`FocusNode.unfocus()`. While it does remove focus from the node, it is important
to realize that there really is no such thing as "unfocusing" all nodes. If a
node is unfocused, then it must pass the focus somewhere else, since there is
_always_ a primary focus. The node that receives the focus when a node calls
`unfocus()` is either the nearest `FocusScopeNode`, or a previously focused node
in that scope, depending upon the `disposition` argument given to `unfocus()`.
If you would like more control over where the focus goes when you remove it from
a node, explicitly focus another node instead of calling `unfocus()`, or use the
focus traversal mechanism to find another node with the `focusInDirection`,
`nextFocus`, or `previousFocus` methods on `FocusNode`.
When calling `unfocus()`, the `disposition` argument allows two modes for
unfocusing: [`UnfocusDisposition.scope`][] and
`UnfocusDisposition.previouslyFocusedChild`. The default is `scope`, which gives
the focus to the nearest parent focus scope. This means that if the focus is
thereafter moved to the next node with `FocusNode.nextFocus`, it starts with the
"first" focusable item in the scope.
The `previouslyFocusedChild` disposition will search the scope to find the
previously focused child and request focus on it. If there is no previously
focused child, it is equivalent to `scope`.
{{site.alert.secondary}}
**Beware**: If there is no other scope, then focus moves to the root scope node of
the focus system, `FocusManager.rootScope`. This is generally not desirable, as
the root scope doesn't have a `context` for the framework to determine which
node should be focused next. If you find that your application suddenly loses
the ability to navigate by using focus traversal, this is probably what has
happened. To fix it, add a `FocusScope` as an ancestor to the focus node that
is requesting the unfocus. The `WidgetsApp` (from which `MaterialApp` and
`CupertinoApp` are derived) has its own `FocusScope`, so this should not be an
issue if you are using those.
{{site.alert.end}}
## Focus widget
The `Focus` widget owns and manages a focus node, and is the workhorse of the
focus system. It manages the attaching and detaching of the focus node it owns
from the focus tree, manages the attributes and callbacks of the focus node, and
has static functions to enable discovery of focus nodes attached to the widget
tree.
In its simplest form, wrapping the `Focus` widget around a widget subtree allows
that widget subtree to obtain focus as part of the focus traversal process, or
whenever `requestFocus` is called on the `FocusNode` passed to it. When combined
with a gesture detector that calls `requestFocus`, it can receive focus when
tapped or clicked.
You might pass a `FocusNode` object to the `Focus` widget to manage, but if you
don't, it creates its own. The main reason to create your own
`FocusNode` is to be able to call `requestFocus()`
on the node to control the focus from a parent widget. Most of the other
functionality of a `FocusNode` is best accessed by changing the attributes of
the `Focus` widget itself.
The `Focus` widget is used in most of Flutter's own controls to implement their
focus functionality.
Here is an example showing how to use the `Focus` widget to make a custom
control focusable. It creates a container with text that reacts to receiving the
focus.
<?code-excerpt "ui/advanced/focus/lib/custom_control_example.dart"?>
```dart
import 'package:flutter/material.dart';
void main() => runApp(const MyApp());
class MyApp extends StatelessWidget {
const MyApp({super.key});
static const String _title = 'Focus Sample';
@override
Widget build(BuildContext context) {
return MaterialApp(
title: _title,
home: Scaffold(
appBar: AppBar(title: const Text(_title)),
body: const Column(
mainAxisAlignment: MainAxisAlignment.center,
children: <Widget>[MyCustomWidget(), MyCustomWidget()],
),
),
);
}
}
class MyCustomWidget extends StatefulWidget {
const MyCustomWidget({super.key});
@override
State<MyCustomWidget> createState() => _MyCustomWidgetState();
}
class _MyCustomWidgetState extends State<MyCustomWidget> {
Color _color = Colors.white;
String _label = 'Unfocused';
@override
Widget build(BuildContext context) {
return Focus(
onFocusChange: (focused) {
setState(() {
_color = focused ? Colors.black26 : Colors.white;
_label = focused ? 'Focused' : 'Unfocused';
});
},
child: Center(
child: Container(
width: 300,
height: 50,
alignment: Alignment.center,
color: _color,
child: Text(_label),
),
),
);
}
}
```
### Key events
If you wish to listen for key events in a subtree,
set the `onKeyEvent` attribute of the `Focus` widget to
be a handler that either just listens to the key, or
handles the key and stops its propagation to other widgets.
Key events start at the focus node with primary focus.
If that node doesn't return `KeyEventResult.handled` from
its `onKeyEvent` handler, then its parent focus node is given the event.
If the parent doesn't handle it, it goes to its parent,
and so on, until it reaches the root of the focus tree.
If the event reaches the root of the focus tree without being handled, then
it is returned to the platform to give to
the next native control in the application
(in case the Flutter UI is part of a larger native application UI).
Events that are handled are not propagated to other Flutter widgets,
and they are also not propagated to native widgets.
Here's an example of a `Focus` widget that absorbs every key that
its subtree doesn't handle, without being able to be the primary focus:
<?code-excerpt "ui/advanced/focus/lib/samples.dart (AbsorbKeysExample)"?>
```dart
@override
Widget build(BuildContext context) {
return Focus(
onKeyEvent: (node, event) => KeyEventResult.handled,
canRequestFocus: false,
child: child,
);
}
```
Focus key events are processed before text entry events, so handling a key event
when the focus widget surrounds a text field prevents that key from being
entered into the text field.
Here's an example of a widget that won't allow the letter "a" to be typed into
the text field:
<?code-excerpt "ui/advanced/focus/lib/samples.dart (NoAExample)"?>
```dart
@override
Widget build(BuildContext context) {
return Focus(
onKeyEvent: (node, event) {
return (event.logicalKey == LogicalKeyboardKey.keyA)
? KeyEventResult.handled
: KeyEventResult.ignored;
},
child: const TextField(),
);
}
```
If the intent is input validation, this example's functionality would probably
be better implemented using a `TextInputFormatter`, but the technique can still
be useful: the `Shortcuts` widget uses this method to handle shortcuts before
they become text input, for instance.
### Controlling what gets focus
One of the main aspects of focus is controlling what can receive focus and how.
The attributes `canRequestFocus`, `skipTraversal,` and `descendantsAreFocusable`
control how this node and its descendants participate in the focus process.
If the `skipTraversal` attribute true, then this focus node doesn't participate
in focus traversal. It is still focusable if `requestFocus` is called on its
focus node, but is otherwise skipped when the focus traversal system is looking
for the next thing to focus on.
The `canRequestFocus` attribute, unsurprisingly, controls whether or not the
focus node that this `Focus` widget manages can be used to request focus. If
this attribute is false, then calling `requestFocus` on the node has no effect.
It also implies that this node is skipped for focus traversal, since it can't
request focus.
The `descendantsAreFocusable` attribute controls whether the descendants of this
node can receive focus, but still allows this node to receive focus. This
attribute can be used to turn off focusability for an entire widget subtree.
This is how the `ExcludeFocus` widget works: it's just a `Focus` widget with
this attribute set.
### Autofocus
Setting the `autofocus` attribute of a `Focus` widget tells the widget to
request the focus the first time the focus scope it belongs to is focused. If
more than one widget has `autofocus` set, then it is arbitrary which one
receives the focus, so try to only set it on one widget per focus scope.
The `autofocus` attribute only takes effect if there isn't already a focus in
the scope that the node belongs to.
Setting the `autofocus` attribute on two nodes that belong to different focus
scopes is well defined: each one becomes the focused widget when their
corresponding scopes are focused.
### Change notifications
The `Focus.onFocusChanged` callback can be used to get notifications that the
focus state for a particular node has changed. It notifies if the node is added
to or removed from the focus chain, which means it gets notifications even if it
isn't the primary focus. If you only want to know if you have received the
primary focus, check and see if `hasPrimaryFocus` is true on the focus node.
### Obtaining the FocusNode
Sometimes, it is useful to obtain the focus node of a `Focus` widget to
interrogate its attributes.
To access the focus node from an ancestor of the `Focus` widget, create and pass
in a `FocusNode` as the `Focus` widget's `focusNode` attribute. Because it needs
to be disposed of, the focus node you pass needs to be owned by a stateful
widget, so don't just create one each time it is built.
If you need access to the focus node from the descendant of a `Focus` widget,
you can call `Focus.of(context)` to obtain the focus node of the nearest `Focus
`widget to the given context. If you need to obtain the `FocusNode` of a `Focus`
widget within the same build function, use a [`Builder`][] to make sure you have
the correct context. This is shown in the following example:
<?code-excerpt "ui/advanced/focus/lib/samples.dart (BuilderExample)"?>
```dart
@override
Widget build(BuildContext context) {
return Focus(
child: Builder(
builder: (context) {
final bool hasPrimary = Focus.of(context).hasPrimaryFocus;
print('Building with primary focus: $hasPrimary');
return const SizedBox(width: 100, height: 100);
},
),
);
}
```
### Timing
One of the details of the focus system is that when focus is requested, it only
takes effect after the current build phase completes. This means that focus
changes are always delayed by one frame, because changing focus can
cause arbitrary parts of the widget tree to rebuild, including ancestors of the
widget currently requesting focus. Because descendants cannot dirty their
ancestors, it has to happen between frames, so that any needed changes can
happen on the next frame.
## FocusScope widget
The `FocusScope` widget is a special version of the `Focus` widget that manages
a `FocusScopeNode` instead of a `FocusNode`. The `FocusScopeNode` is a special
node in the focus tree that serves as a grouping mechanism for the focus nodes
in a subtree. Focus traversal stays within a focus scope unless a node outside
of the scope is explicitly focused.
The focus scope also keeps track of the current focus and history of the nodes
focused within its subtree. That way, if a node releases focus or is removed
when it had focus, the focus can be returned to the node that had focus
previously.
Focus scopes also serve as a place to return focus to if none of the descendants
have focus. This allows the focus traversal code to have a starting context for
finding the next (or first) focusable control to move to.
If you focus a focus scope node, it first attempts to focus the current, or most
recently focused node in its subtree, or the node in its subtree that requested
autofocus (if any). If there is no such node, it receives the focus itself.
## FocusableActionDetector widget
The [`FocusableActionDetector`][] is a widget that combines the functionality of
[`Actions`][], [`Shortcuts`][], [`MouseRegion`][] and a `Focus` widget to create
a detector that defines actions and key bindings, and provides callbacks for
handling focus and hover highlights. It is what Flutter controls use to
implement all of these aspects of the controls. It is just implemented using the
constituent widgets, so if you don't need all of its functionality, you can just
use the ones you need, but it is a convenient way to build these behaviors into
your custom controls.
{{site.alert.note}}
To learn more, watch this short Widget of the Week video on the FocusableActionDetector widget:
<iframe class="full-width" src="{{site.yt.embed}}/R84AGg0lKs8" title="Learn about the FocusableActionDetector Flutter Widget" {{site.yt.set}}></iframe>
{{site.alert.end}}
## Controlling focus traversal
Once an application has the ability to focus, the next thing many apps want to
do is to allow the user to control the focus using the keyboard or another input
device. The most common example of this is "tab traversal" where the user
presses <kbd>Tab</kbd> to go to the "next" control. Controlling what "next"
means is the subject of this section. This kind of traversal is provided by
Flutter by default.
In a simple grid layout, it's fairly easy to decide which control is next. If
you're not at the end of the row, then it's the one to the right (or left for
right-to-left locales). If you are at the end of a row, it's the first control
in the next row. Unfortunately, applications are rarely laid out in grids, so
more guidance is often needed.
The default algorithm in Flutter ([`ReadingOrderTraversalPolicy`][]) for focus
traversal is pretty good: It gives the right answer for most applications.
However, there are always pathological cases, or cases where the context or
design requires a different order than the one the default ordering algorithm
arrives at. For those cases, there are other mechanisms for achieving the
desired order.
### FocusTraversalGroup widget
The [`FocusTraversalGroup`][] widget should be placed in the tree around widget
subtrees that should be fully traversed before moving on to another widget or
group of widgets. Just grouping widgets into related groups is often enough to
resolve many tab traversal ordering problems. If not, the group can also be
given a [`FocusTraversalPolicy`][] to determine the ordering within the group.
The default [`ReadingOrderTraversalPolicy`][] is usually sufficient, but in
cases where more control over ordering is needed, an
[`OrderedTraversalPolicy`][] can be used. The `order` argument of the
[`FocusTraversalOrder`][] widget wrapped around the focusable components
determines the order. The order can be any subclass of [`FocusOrder`][], but
[`NumericFocusOrder`][] and [`LexicalFocusOrder`][] are provided.
If none of the provided focus traversal policies are sufficient for your
application, you could also write your own policy and use it to determine any
custom ordering you want.
Here's an example of how to use the `FocusTraversalOrder` widget to traverse a
row of buttons in the order TWO, ONE, THREE using `NumericFocusOrder`.
<?code-excerpt "ui/advanced/focus/lib/samples.dart (OrderedButtonRowExample)"?>
```dart
class OrderedButtonRow extends StatelessWidget {
const OrderedButtonRow({super.key});
@override
Widget build(BuildContext context) {
return FocusTraversalGroup(
policy: OrderedTraversalPolicy(),
child: Row(
children: <Widget>[
const Spacer(),
FocusTraversalOrder(
order: const NumericFocusOrder(2),
child: TextButton(
child: const Text('ONE'),
onPressed: () {},
),
),
const Spacer(),
FocusTraversalOrder(
order: const NumericFocusOrder(1),
child: TextButton(
child: const Text('TWO'),
onPressed: () {},
),
),
const Spacer(),
FocusTraversalOrder(
order: const NumericFocusOrder(3),
child: TextButton(
child: const Text('THREE'),
onPressed: () {},
),
),
const Spacer(),
],
),
);
}
}
```
### FocusTraversalPolicy
The `FocusTraversalPolicy` is the object that determines which widget is next,
given a request and the current focus node. The requests (member functions) are
things like `findFirstFocus`, `findLastFocus`, `next`, `previous`, and
`inDirection`.
`FocusTraversalPolicy` is the abstract base class for concrete policies, like
`ReadingOrderTraversalPolicy`, `OrderedTraversalPolicy` and the
[`DirectionalFocusTraversalPolicyMixin`][] classes.
In order to use a `FocusTraversalPolicy`, you give one to a
`FocusTraversalGroup`, which determines the widget subtree in which the policy
will be effective. The member functions of the class are rarely called directly:
they are meant to be used by the focus system.
## The focus manager
The [`FocusManager`][] maintains the current primary focus for the system. It
only has a few pieces of API that are useful to users of the focus system. One
is the `FocusManager.instance.primaryFocus` property, which contains the
currently focused focus node and is also accessible from the global
`primaryFocus` field.
Other useful properties are `FocusManager.instance.highlightMode` and
`FocusManager.instance.highlightStrategy`. These are used by widgets that need
to switch between a "touch" mode and a "traditional" (mouse and keyboard) mode
for their focus highlights. When a user is using touch to navigate, the focus
highlight is usually hidden, and when they switch to a mouse or keyboard, the
focus highlight needs to be shown again so they know what is focused. The
`hightlightStrategy` tells the focus manager how to interpret changes in the
usage mode of the device: it can either automatically switch between the two
based on the most recent input events, or it can be locked in touch or
traditional modes. The provided widgets in Flutter already know how to use this
information, so you only need it if you're writing your own controls from
scratch. You can use `addHighlightModeListener` callback to listen for changes
in the highlight mode.
[`Actions`]: {{site.api}}/flutter/widgets/Actions-class.html
[`Builder`]: {{site.api}}/flutter/widgets/Builder-class.html
[`DirectionalFocusTraversalPolicyMixin`]: {{site.api}}/flutter/widgets/DirectionalFocusTraversalPolicyMixin-mixin.html
[`Focus`]: {{site.api}}/flutter/widgets/Focus-class.html
[`FocusableActionDetector`]: {{site.api}}/flutter/widgets/FocusableActionDetector-class.html
[`FocusManager`]: {{site.api}}/flutter/widgets/FocusManager-class.html
[`FocusNode`]: {{site.api}}/flutter/widgets/FocusNode-class.html
[`FocusOrder`]: {{site.api}}/flutter/widgets/FocusOrder-class.html
[`FocusScope`]: {{site.api}}/flutter/widgets/FocusScope-class.html
[`FocusScopeNode`]: {{site.api}}/flutter/widgets/FocusScopeNode-class.html
[`FocusTraversalGroup`]: {{site.api}}/flutter/widgets/FocusTraversalGroup-class.html
[`FocusTraversalOrder`]: {{site.api}}/flutter/widgets/FocusTraversalOrder-class.html
[`FocusTraversalPolicy`]: {{site.api}}/flutter/widgets/FocusTraversalPolicy-class.html
[`LexicalFocusOrder`]: {{site.api}}/flutter/widgets/LexicalFocusOrder-class.html
[`MouseRegion`]: {{site.api}}/flutter/widgets/MouseRegion-class.html
[`NumericFocusOrder`]: {{site.api}}/flutter/widgets/NumericFocusOrder-class.html
[`OrderedTraversalPolicy`]: {{site.api}}/flutter/widgets/OrderedTraversalPolicy-class.html
[`ReadingOrderTraversalPolicy`]: {{site.api}}/flutter/widgets/ReadingOrderTraversalPolicy-class.html
[`Shortcuts`]: {{site.api}}/flutter/widgets/Shortcuts-class.html
[`UnfocusDisposition.scope`]: {{site.api}}/flutter/widgets/UnfocusDisposition.html
| website/src/ui/interactivity/focus.md/0 | {
"file_path": "website/src/ui/interactivity/focus.md",
"repo_id": "website",
"token_count": 7324
} | 1,514 |
---
title: Configuring the URL strategy on the web
description: Use hash or path URL strategies on the web
---
Flutter web apps support two ways of configuring
URL-based navigation on the web:
**Hash (default)**
: Paths are read and written to the [hash fragment][].
For example, `flutterexample.dev/#/path/to/screen`.
**Path**
: Paths are read and written without a hash. For example,
`flutterexample.dev/path/to/screen`.
## Configuring the URL strategy
To configure Flutter to use the path instead, use the
[usePathUrlStrategy][] function provided by the [flutter_web_plugins][] library
in the SDK:
```dart
import 'package:flutter_web_plugins/url_strategy.dart';
void main() {
usePathUrlStrategy();
runApp(ExampleApp());
}
```
## Configuring your web server
PathUrlStrategy uses the [History API][], which requires additional
configuration for web servers.
To configure your web server to support PathUrlStrategy, check your web server's
documentation to rewrite requests to `index.html`.Check your web server's
documentation for details on how to configure single-page apps.
If you are using Firebase Hosting, choose the "Configure as a single-page app"
option when initializing your project. For more information see Firebase's
[Configure rewrites][] documentation.
The local dev server created by running `flutter run -d chrome` is configured to
handle any path gracefully and fallback to your app's `index.html` file.
## Hosting a Flutter app at a non-root location
Update the `<base href="/">` tag in `web/index.html`
to the path where your app is hosted.
For example, to host your Flutter app at
`my_app.dev/flutter_app`, change
this tag to `<base href="/flutter_app/">`.
[hash fragment]: https://en.wikipedia.org/wiki/Uniform_Resource_Locator#Syntax
[`HashUrlStrategy`]: {{site.api}}/flutter/flutter_web_plugins/HashUrlStrategy-class.html
[`PathUrlStrategy`]: {{site.api}}/flutter/flutter_web_plugins/PathUrlStrategy-class.html
[`setUrlStrategy`]: {{site.api}}/flutter/flutter_web_plugins/setUrlStrategy.html
[`url_strategy`]: {{site.pub-pkg}}/url_strategy
[usePathUrlStrategy]: {{site.api}}/flutter/flutter_web_plugins/usePathUrlStrategy.html
[flutter_web_plugins]: {{site.api}}/flutter/flutter_web_plugins/flutter_web_plugins-library.html
[History API]: https://developer.mozilla.org/en-US/docs/Web/API/History_API
[Configure rewrites]: {{site.firebase}}/docs/hosting/full-config#rewrites
| website/src/ui/navigation/url-strategies.md/0 | {
"file_path": "website/src/ui/navigation/url-strategies.md",
"repo_id": "website",
"token_count": 751
} | 1,515 |
---
title: Text widgets
short-title: Text
description: A catalog of Flutter's widgets for displaying and styling text.
---
{% include docs/catalogpage.html category="Text" %}
| website/src/ui/widgets/text.md/0 | {
"file_path": "website/src/ui/widgets/text.md",
"repo_id": "website",
"token_count": 49
} | 1,516 |
# Contributing
_See also: [Flutter's code of conduct](https://github.com/flutter/flutter/blob/master/CODE_OF_CONDUCT.md)_
Want to contribute to the Flutter codelabs ecosystem? Great! First, read this
page (including the small print at the end).
## Is this the right place for your contribution?
This repo is used by members of the Flutter Developer Relations team
as a place to store code for our codelabs, on both
[docs.flutter.dev](https://docs.flutter.dev/codelabs) and
[codelabs.developer.google.com](https://codelabs.developers.google.com/).
## So what should be contributed here, then?
Fixes and necessary improvements to the existing codelabs, mostly.
## Before you contribute
Before we can use your code, you must sign the
[Google Individual Contributor License
Agreement](https://cla.developers.google.com/about/google-individual)
(CLA), which you can do online. The CLA is necessary mainly because you own the
copyright to your changes, even after your contribution becomes part of our
codebase, so we need your permission to use and distribute your code. We also
need to be sure of various other things—for instance that you'll tell us if you
know that your code infringes on other people's patents. You don't have to sign
the CLA until after you've submitted your code for review and a member has
approved it, but you must do it before we can put your code into our codebase.
Before you start working on a larger contribution, you should get in touch with
us first through the issue tracker with your idea so that we can help out and
possibly guide you. Coordinating up front makes it much easier to avoid
frustration later on.
## Code reviews
All submissions, including submissions by project members, require review.
## File headers
All files in the project must start with the following header.
// Copyright 2022 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
## The small print
Contributions made by corporations are covered by a different agreement than the
one above, the [Software Grant and Corporate Contributor License
Agreement](https://developers.google.com/open-source/cla/corporate).
| codelabs/CONTRIBUTING.md/0 | {
"file_path": "codelabs/CONTRIBUTING.md",
"repo_id": "codelabs",
"token_count": 573
} | 0 |
#include "../../Flutter/Flutter-Release.xcconfig"
#include "Warnings.xcconfig"
| codelabs/adaptive_app/step_03/macos/Runner/Configs/Release.xcconfig/0 | {
"file_path": "codelabs/adaptive_app/step_03/macos/Runner/Configs/Release.xcconfig",
"repo_id": "codelabs",
"token_count": 32
} | 1 |
// Copyright 2022 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
import 'dart:io';
import 'package:flex_color_scheme/flex_color_scheme.dart';
import 'package:flutter/material.dart';
import 'package:go_router/go_router.dart';
import 'package:provider/provider.dart';
import 'src/app_state.dart';
import 'src/playlist_details.dart';
import 'src/playlists.dart';
// From https://www.youtube.com/channel/UCwXdFgeE9KYzlDdR7TG9cMw
const flutterDevAccountId = 'UCwXdFgeE9KYzlDdR7TG9cMw';
// TODO: Replace with your YouTube API Key
const youTubeApiKey = 'AIzaNotAnApiKey';
final _router = GoRouter(
routes: <RouteBase>[
GoRoute(
path: '/',
builder: (context, state) {
return const Playlists();
},
routes: <RouteBase>[
GoRoute(
path: 'playlist/:id',
builder: (context, state) {
final title = state.uri.queryParameters['title']!;
final id = state.pathParameters['id']!;
return PlaylistDetails(
playlistId: id,
playlistName: title,
);
},
),
],
),
],
);
void main() {
if (youTubeApiKey == 'AIzaNotAnApiKey') {
print('youTubeApiKey has not been configured.');
exit(1);
}
runApp(ChangeNotifierProvider<FlutterDevPlaylists>(
create: (context) => FlutterDevPlaylists(
flutterDevAccountId: flutterDevAccountId,
youTubeApiKey: youTubeApiKey,
),
child: const PlaylistsApp(),
));
}
class PlaylistsApp extends StatelessWidget {
const PlaylistsApp({super.key});
@override
Widget build(BuildContext context) {
return MaterialApp.router(
title: 'FlutterDev Playlists',
theme: FlexColorScheme.light(
scheme: FlexScheme.red,
useMaterial3: true,
).toTheme,
darkTheme: FlexColorScheme.dark(
scheme: FlexScheme.red,
useMaterial3: true,
).toTheme,
themeMode: ThemeMode.dark, // Or ThemeMode.System if you'd prefer
debugShowCheckedModeBanner: false,
routerConfig: _router,
);
}
}
| codelabs/adaptive_app/step_04/lib/main.dart/0 | {
"file_path": "codelabs/adaptive_app/step_04/lib/main.dart",
"repo_id": "codelabs",
"token_count": 912
} | 2 |
package com.example.adaptive_app
import io.flutter.embedding.android.FlutterActivity
class MainActivity: FlutterActivity()
| codelabs/adaptive_app/step_06/android/app/src/main/kotlin/com/example/adaptive_app/MainActivity.kt/0 | {
"file_path": "codelabs/adaptive_app/step_06/android/app/src/main/kotlin/com/example/adaptive_app/MainActivity.kt",
"repo_id": "codelabs",
"token_count": 36
} | 3 |
//
// Generated file. Do not edit.
//
// clang-format off
#include "generated_plugin_registrant.h"
#include <url_launcher_windows/url_launcher_windows.h>
void RegisterPlugins(flutter::PluginRegistry* registry) {
UrlLauncherWindowsRegisterWithRegistrar(
registry->GetRegistrarForPlugin("UrlLauncherWindows"));
}
| codelabs/adaptive_app/step_06/windows/flutter/generated_plugin_registrant.cc/0 | {
"file_path": "codelabs/adaptive_app/step_06/windows/flutter/generated_plugin_registrant.cc",
"repo_id": "codelabs",
"token_count": 112
} | 4 |
// Copyright 2022 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
import 'dart:async';
import 'dart:io';
import 'package:http/http.dart' as http;
import 'package:shelf/shelf.dart';
import 'package:shelf/shelf_io.dart';
import 'package:shelf_cors_headers/shelf_cors_headers.dart';
Future<Response> _requestHandler(Request req) async {
final target = req.url.replace(scheme: 'https', host: 'i.ytimg.com');
final response = await http.get(target);
return Response.ok(response.bodyBytes, headers: response.headers);
}
void main(List<String> args) async {
// Use any available host or container IP (usually `0.0.0.0`).
final ip = InternetAddress.anyIPv4;
// Configure a pipeline that adds CORS headers and proxies requests.
final handler = Pipeline()
.addMiddleware(logRequests())
.addMiddleware(corsHeaders(headers: {ACCESS_CONTROL_ALLOW_ORIGIN: '*'}))
.addHandler(_requestHandler);
// For running in containers, we respect the PORT environment variable.
final port = int.parse(Platform.environment['PORT'] ?? '8080');
final server = await serve(handler, ip, port);
print('Server listening on port ${server.port}');
}
| codelabs/adaptive_app/step_07/yt_cors_proxy/bin/server.dart/0 | {
"file_path": "codelabs/adaptive_app/step_07/yt_cors_proxy/bin/server.dart",
"repo_id": "codelabs",
"token_count": 406
} | 5 |
#include "../../Flutter/Flutter-Release.xcconfig"
#include "Warnings.xcconfig"
| codelabs/animated-responsive-layout/step_03/macos/Runner/Configs/Release.xcconfig/0 | {
"file_path": "codelabs/animated-responsive-layout/step_03/macos/Runner/Configs/Release.xcconfig",
"repo_id": "codelabs",
"token_count": 32
} | 6 |
include: ../../analysis_options.yaml
| codelabs/animated-responsive-layout/step_05/analysis_options.yaml/0 | {
"file_path": "codelabs/animated-responsive-layout/step_05/analysis_options.yaml",
"repo_id": "codelabs",
"token_count": 12
} | 7 |
// Copyright 2022 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
import 'package:flutter/material.dart';
class Destination {
const Destination(this.icon, this.label);
final IconData icon;
final String label;
}
const List<Destination> destinations = <Destination>[
Destination(Icons.inbox_rounded, 'Inbox'),
Destination(Icons.article_outlined, 'Articles'),
Destination(Icons.messenger_outline_rounded, 'Messages'),
Destination(Icons.group_outlined, 'Groups'),
];
| codelabs/animated-responsive-layout/step_06/lib/destinations.dart/0 | {
"file_path": "codelabs/animated-responsive-layout/step_06/lib/destinations.dart",
"repo_id": "codelabs",
"token_count": 171
} | 8 |
import 'package:animated_responsive_layout/main.dart';
import 'package:flutter_test/flutter_test.dart';
void main() {
testWidgets('Build app and trigger a frame', (tester) async {
await tester.pumpWidget(const MainApp());
});
}
| codelabs/animated-responsive-layout/step_06/test/widget_test.dart/0 | {
"file_path": "codelabs/animated-responsive-layout/step_06/test/widget_test.dart",
"repo_id": "codelabs",
"token_count": 82
} | 9 |
org.gradle.jvmargs=-Xmx4G
android.useAndroidX=true
android.enableJetifier=true
| codelabs/animated-responsive-layout/step_08/android/gradle.properties/0 | {
"file_path": "codelabs/animated-responsive-layout/step_08/android/gradle.properties",
"repo_id": "codelabs",
"token_count": 30
} | 10 |
#import "GeneratedPluginRegistrant.h"
| codelabs/animated-responsive-layout/step_08/ios/Runner/Runner-Bridging-Header.h/0 | {
"file_path": "codelabs/animated-responsive-layout/step_08/ios/Runner/Runner-Bridging-Header.h",
"repo_id": "codelabs",
"token_count": 13
} | 11 |
// Copyright 2022 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
import 'package:flutter/material.dart';
import '../models/models.dart';
class SearchBar extends StatelessWidget {
const SearchBar({
super.key,
required this.currentUser,
});
final User currentUser;
@override
Widget build(BuildContext context) {
return SizedBox(
height: 56,
child: Container(
decoration: BoxDecoration(
borderRadius: BorderRadius.circular(100),
color: Colors.white,
),
padding: const EdgeInsets.fromLTRB(31, 12, 12, 12),
child: Row(
crossAxisAlignment: CrossAxisAlignment.center,
children: [
const Icon(Icons.search),
const SizedBox(width: 23.5),
Expanded(
child: TextField(
maxLines: 1,
decoration: InputDecoration(
isDense: true,
border: InputBorder.none,
hintText: 'Search replies',
hintStyle: Theme.of(context).textTheme.bodyMedium,
),
),
),
CircleAvatar(
backgroundImage: AssetImage(currentUser.avatarUrl),
),
],
),
),
);
}
}
| codelabs/animated-responsive-layout/step_08/lib/widgets/search_bar.dart/0 | {
"file_path": "codelabs/animated-responsive-layout/step_08/lib/widgets/search_bar.dart",
"repo_id": "codelabs",
"token_count": 661
} | 12 |
#include "../../Flutter/Flutter-Release.xcconfig"
#include "Warnings.xcconfig"
| codelabs/animated-responsive-layout/step_08/macos/Runner/Configs/Release.xcconfig/0 | {
"file_path": "codelabs/animated-responsive-layout/step_08/macos/Runner/Configs/Release.xcconfig",
"repo_id": "codelabs",
"token_count": 32
} | 13 |
// Copyright 2022 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
import 'package:flutter/material.dart';
import '../../../shared/classes/classes.dart';
import '../../../shared/extensions.dart';
class ArtistBio extends StatelessWidget {
const ArtistBio({super.key, required this.artist});
final Artist artist;
@override
Widget build(BuildContext context) {
return Text(
artist.bio,
style: context.bodyLarge!.copyWith(
fontSize: 16,
color: context.colors.onSurface.withOpacity(
0.87,
),
),
);
}
}
| codelabs/boring_to_beautiful/final/lib/src/features/artists/view/artist_bio.dart/0 | {
"file_path": "codelabs/boring_to_beautiful/final/lib/src/features/artists/view/artist_bio.dart",
"repo_id": "codelabs",
"token_count": 242
} | 14 |
// Copyright 2022 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
import 'package:flutter/material.dart';
import 'package:go_router/go_router.dart';
import '../../../shared/classes/classes.dart';
import '../../../shared/providers/providers.dart';
import '../../../shared/views/views.dart';
class PlaylistHomeScreen extends StatelessWidget {
const PlaylistHomeScreen({super.key});
@override
Widget build(BuildContext context) {
PlaylistsProvider playlistProvider = PlaylistsProvider();
List<Playlist> playlists = playlistProvider.playlists;
return LayoutBuilder(
builder: (context, constraints) {
return Scaffold(
primary: false,
appBar: AppBar(
title: const Text('PLAYLISTS'),
toolbarHeight: kToolbarHeight * 2,
),
body: Column(
children: [
Expanded(
child: GridView.builder(
padding: const EdgeInsets.all(15),
gridDelegate: SliverGridDelegateWithFixedCrossAxisCount(
crossAxisCount: (constraints.maxWidth ~/ 175).toInt(),
childAspectRatio: 0.70,
mainAxisSpacing: 10,
crossAxisSpacing: 10,
),
itemCount: playlists.length,
itemBuilder: (context, index) {
final playlist = playlists[index];
return GestureDetector(
child: ImageTile(
image: playlist.cover.image,
title: playlist.title,
subtitle: playlist.description,
),
onTap: () =>
GoRouter.of(context).go('/playlists/${playlist.id}'),
);
},
),
),
],
),
);
},
);
}
}
| codelabs/boring_to_beautiful/final/lib/src/features/playlists/view/playlist_home_screen.dart/0 | {
"file_path": "codelabs/boring_to_beautiful/final/lib/src/features/playlists/view/playlist_home_screen.dart",
"repo_id": "codelabs",
"token_count": 1033
} | 15 |
// coverage:ignore-file
// GENERATED CODE - DO NOT MODIFY BY HAND
// ignore_for_file: type=lint
// ignore_for_file: unused_element, deprecated_member_use, deprecated_member_use_from_same_package, use_function_type_syntax_for_parameters, unnecessary_const, avoid_init_to_null, invalid_override_different_default_values_named, prefer_expression_function_bodies, annotate_overrides, invalid_annotation_target, unnecessary_question_mark
part of 'playback_bloc.dart';
// **************************************************************************
// FreezedGenerator
// **************************************************************************
T _$identity<T>(T value) => value;
final _privateConstructorUsedError = UnsupportedError(
'It seems like you constructed your class using `MyClass._()`. This constructor is only meant to be used by freezed and you are not supposed to need it nor use it.\nPlease check the documentation here for more information: https://github.com/rrousselGit/freezed#custom-getters-and-methods');
/// @nodoc
mixin _$PlaybackEvent {
@optionalTypeArgs
TResult when<TResult extends Object?>({
required TResult Function() togglePlayPause,
required TResult Function(Song song) changeSong,
required TResult Function(double value) setVolume,
required TResult Function() toggleMute,
required TResult Function(double percent) moveToInSong,
required TResult Function(Duration duration) songProgress,
}) =>
throw _privateConstructorUsedError;
@optionalTypeArgs
TResult? whenOrNull<TResult extends Object?>({
TResult? Function()? togglePlayPause,
TResult? Function(Song song)? changeSong,
TResult? Function(double value)? setVolume,
TResult? Function()? toggleMute,
TResult? Function(double percent)? moveToInSong,
TResult? Function(Duration duration)? songProgress,
}) =>
throw _privateConstructorUsedError;
@optionalTypeArgs
TResult maybeWhen<TResult extends Object?>({
TResult Function()? togglePlayPause,
TResult Function(Song song)? changeSong,
TResult Function(double value)? setVolume,
TResult Function()? toggleMute,
TResult Function(double percent)? moveToInSong,
TResult Function(Duration duration)? songProgress,
required TResult orElse(),
}) =>
throw _privateConstructorUsedError;
@optionalTypeArgs
TResult map<TResult extends Object?>({
required TResult Function(TogglePlayPause value) togglePlayPause,
required TResult Function(ChangeSong value) changeSong,
required TResult Function(SetVolume value) setVolume,
required TResult Function(ToggleMute value) toggleMute,
required TResult Function(MoveToInSong value) moveToInSong,
required TResult Function(SongProgress value) songProgress,
}) =>
throw _privateConstructorUsedError;
@optionalTypeArgs
TResult? mapOrNull<TResult extends Object?>({
TResult? Function(TogglePlayPause value)? togglePlayPause,
TResult? Function(ChangeSong value)? changeSong,
TResult? Function(SetVolume value)? setVolume,
TResult? Function(ToggleMute value)? toggleMute,
TResult? Function(MoveToInSong value)? moveToInSong,
TResult? Function(SongProgress value)? songProgress,
}) =>
throw _privateConstructorUsedError;
@optionalTypeArgs
TResult maybeMap<TResult extends Object?>({
TResult Function(TogglePlayPause value)? togglePlayPause,
TResult Function(ChangeSong value)? changeSong,
TResult Function(SetVolume value)? setVolume,
TResult Function(ToggleMute value)? toggleMute,
TResult Function(MoveToInSong value)? moveToInSong,
TResult Function(SongProgress value)? songProgress,
required TResult orElse(),
}) =>
throw _privateConstructorUsedError;
}
/// @nodoc
abstract class $PlaybackEventCopyWith<$Res> {
factory $PlaybackEventCopyWith(
PlaybackEvent value, $Res Function(PlaybackEvent) then) =
_$PlaybackEventCopyWithImpl<$Res, PlaybackEvent>;
}
/// @nodoc
class _$PlaybackEventCopyWithImpl<$Res, $Val extends PlaybackEvent>
implements $PlaybackEventCopyWith<$Res> {
_$PlaybackEventCopyWithImpl(this._value, this._then);
// ignore: unused_field
final $Val _value;
// ignore: unused_field
final $Res Function($Val) _then;
}
/// @nodoc
abstract class _$$TogglePlayPauseImplCopyWith<$Res> {
factory _$$TogglePlayPauseImplCopyWith(_$TogglePlayPauseImpl value,
$Res Function(_$TogglePlayPauseImpl) then) =
__$$TogglePlayPauseImplCopyWithImpl<$Res>;
}
/// @nodoc
class __$$TogglePlayPauseImplCopyWithImpl<$Res>
extends _$PlaybackEventCopyWithImpl<$Res, _$TogglePlayPauseImpl>
implements _$$TogglePlayPauseImplCopyWith<$Res> {
__$$TogglePlayPauseImplCopyWithImpl(
_$TogglePlayPauseImpl _value, $Res Function(_$TogglePlayPauseImpl) _then)
: super(_value, _then);
}
/// @nodoc
class _$TogglePlayPauseImpl implements TogglePlayPause {
const _$TogglePlayPauseImpl();
@override
String toString() {
return 'PlaybackEvent.togglePlayPause()';
}
@override
bool operator ==(Object other) {
return identical(this, other) ||
(other.runtimeType == runtimeType && other is _$TogglePlayPauseImpl);
}
@override
int get hashCode => runtimeType.hashCode;
@override
@optionalTypeArgs
TResult when<TResult extends Object?>({
required TResult Function() togglePlayPause,
required TResult Function(Song song) changeSong,
required TResult Function(double value) setVolume,
required TResult Function() toggleMute,
required TResult Function(double percent) moveToInSong,
required TResult Function(Duration duration) songProgress,
}) {
return togglePlayPause();
}
@override
@optionalTypeArgs
TResult? whenOrNull<TResult extends Object?>({
TResult? Function()? togglePlayPause,
TResult? Function(Song song)? changeSong,
TResult? Function(double value)? setVolume,
TResult? Function()? toggleMute,
TResult? Function(double percent)? moveToInSong,
TResult? Function(Duration duration)? songProgress,
}) {
return togglePlayPause?.call();
}
@override
@optionalTypeArgs
TResult maybeWhen<TResult extends Object?>({
TResult Function()? togglePlayPause,
TResult Function(Song song)? changeSong,
TResult Function(double value)? setVolume,
TResult Function()? toggleMute,
TResult Function(double percent)? moveToInSong,
TResult Function(Duration duration)? songProgress,
required TResult orElse(),
}) {
if (togglePlayPause != null) {
return togglePlayPause();
}
return orElse();
}
@override
@optionalTypeArgs
TResult map<TResult extends Object?>({
required TResult Function(TogglePlayPause value) togglePlayPause,
required TResult Function(ChangeSong value) changeSong,
required TResult Function(SetVolume value) setVolume,
required TResult Function(ToggleMute value) toggleMute,
required TResult Function(MoveToInSong value) moveToInSong,
required TResult Function(SongProgress value) songProgress,
}) {
return togglePlayPause(this);
}
@override
@optionalTypeArgs
TResult? mapOrNull<TResult extends Object?>({
TResult? Function(TogglePlayPause value)? togglePlayPause,
TResult? Function(ChangeSong value)? changeSong,
TResult? Function(SetVolume value)? setVolume,
TResult? Function(ToggleMute value)? toggleMute,
TResult? Function(MoveToInSong value)? moveToInSong,
TResult? Function(SongProgress value)? songProgress,
}) {
return togglePlayPause?.call(this);
}
@override
@optionalTypeArgs
TResult maybeMap<TResult extends Object?>({
TResult Function(TogglePlayPause value)? togglePlayPause,
TResult Function(ChangeSong value)? changeSong,
TResult Function(SetVolume value)? setVolume,
TResult Function(ToggleMute value)? toggleMute,
TResult Function(MoveToInSong value)? moveToInSong,
TResult Function(SongProgress value)? songProgress,
required TResult orElse(),
}) {
if (togglePlayPause != null) {
return togglePlayPause(this);
}
return orElse();
}
}
abstract class TogglePlayPause implements PlaybackEvent {
const factory TogglePlayPause() = _$TogglePlayPauseImpl;
}
/// @nodoc
abstract class _$$ChangeSongImplCopyWith<$Res> {
factory _$$ChangeSongImplCopyWith(
_$ChangeSongImpl value, $Res Function(_$ChangeSongImpl) then) =
__$$ChangeSongImplCopyWithImpl<$Res>;
@useResult
$Res call({Song song});
}
/// @nodoc
class __$$ChangeSongImplCopyWithImpl<$Res>
extends _$PlaybackEventCopyWithImpl<$Res, _$ChangeSongImpl>
implements _$$ChangeSongImplCopyWith<$Res> {
__$$ChangeSongImplCopyWithImpl(
_$ChangeSongImpl _value, $Res Function(_$ChangeSongImpl) _then)
: super(_value, _then);
@pragma('vm:prefer-inline')
@override
$Res call({
Object? song = null,
}) {
return _then(_$ChangeSongImpl(
null == song
? _value.song
: song // ignore: cast_nullable_to_non_nullable
as Song,
));
}
}
/// @nodoc
class _$ChangeSongImpl implements ChangeSong {
const _$ChangeSongImpl(this.song);
@override
final Song song;
@override
String toString() {
return 'PlaybackEvent.changeSong(song: $song)';
}
@override
bool operator ==(Object other) {
return identical(this, other) ||
(other.runtimeType == runtimeType &&
other is _$ChangeSongImpl &&
(identical(other.song, song) || other.song == song));
}
@override
int get hashCode => Object.hash(runtimeType, song);
@JsonKey(ignore: true)
@override
@pragma('vm:prefer-inline')
_$$ChangeSongImplCopyWith<_$ChangeSongImpl> get copyWith =>
__$$ChangeSongImplCopyWithImpl<_$ChangeSongImpl>(this, _$identity);
@override
@optionalTypeArgs
TResult when<TResult extends Object?>({
required TResult Function() togglePlayPause,
required TResult Function(Song song) changeSong,
required TResult Function(double value) setVolume,
required TResult Function() toggleMute,
required TResult Function(double percent) moveToInSong,
required TResult Function(Duration duration) songProgress,
}) {
return changeSong(song);
}
@override
@optionalTypeArgs
TResult? whenOrNull<TResult extends Object?>({
TResult? Function()? togglePlayPause,
TResult? Function(Song song)? changeSong,
TResult? Function(double value)? setVolume,
TResult? Function()? toggleMute,
TResult? Function(double percent)? moveToInSong,
TResult? Function(Duration duration)? songProgress,
}) {
return changeSong?.call(song);
}
@override
@optionalTypeArgs
TResult maybeWhen<TResult extends Object?>({
TResult Function()? togglePlayPause,
TResult Function(Song song)? changeSong,
TResult Function(double value)? setVolume,
TResult Function()? toggleMute,
TResult Function(double percent)? moveToInSong,
TResult Function(Duration duration)? songProgress,
required TResult orElse(),
}) {
if (changeSong != null) {
return changeSong(song);
}
return orElse();
}
@override
@optionalTypeArgs
TResult map<TResult extends Object?>({
required TResult Function(TogglePlayPause value) togglePlayPause,
required TResult Function(ChangeSong value) changeSong,
required TResult Function(SetVolume value) setVolume,
required TResult Function(ToggleMute value) toggleMute,
required TResult Function(MoveToInSong value) moveToInSong,
required TResult Function(SongProgress value) songProgress,
}) {
return changeSong(this);
}
@override
@optionalTypeArgs
TResult? mapOrNull<TResult extends Object?>({
TResult? Function(TogglePlayPause value)? togglePlayPause,
TResult? Function(ChangeSong value)? changeSong,
TResult? Function(SetVolume value)? setVolume,
TResult? Function(ToggleMute value)? toggleMute,
TResult? Function(MoveToInSong value)? moveToInSong,
TResult? Function(SongProgress value)? songProgress,
}) {
return changeSong?.call(this);
}
@override
@optionalTypeArgs
TResult maybeMap<TResult extends Object?>({
TResult Function(TogglePlayPause value)? togglePlayPause,
TResult Function(ChangeSong value)? changeSong,
TResult Function(SetVolume value)? setVolume,
TResult Function(ToggleMute value)? toggleMute,
TResult Function(MoveToInSong value)? moveToInSong,
TResult Function(SongProgress value)? songProgress,
required TResult orElse(),
}) {
if (changeSong != null) {
return changeSong(this);
}
return orElse();
}
}
abstract class ChangeSong implements PlaybackEvent {
const factory ChangeSong(final Song song) = _$ChangeSongImpl;
Song get song;
@JsonKey(ignore: true)
_$$ChangeSongImplCopyWith<_$ChangeSongImpl> get copyWith =>
throw _privateConstructorUsedError;
}
/// @nodoc
abstract class _$$SetVolumeImplCopyWith<$Res> {
factory _$$SetVolumeImplCopyWith(
_$SetVolumeImpl value, $Res Function(_$SetVolumeImpl) then) =
__$$SetVolumeImplCopyWithImpl<$Res>;
@useResult
$Res call({double value});
}
/// @nodoc
class __$$SetVolumeImplCopyWithImpl<$Res>
extends _$PlaybackEventCopyWithImpl<$Res, _$SetVolumeImpl>
implements _$$SetVolumeImplCopyWith<$Res> {
__$$SetVolumeImplCopyWithImpl(
_$SetVolumeImpl _value, $Res Function(_$SetVolumeImpl) _then)
: super(_value, _then);
@pragma('vm:prefer-inline')
@override
$Res call({
Object? value = null,
}) {
return _then(_$SetVolumeImpl(
null == value
? _value.value
: value // ignore: cast_nullable_to_non_nullable
as double,
));
}
}
/// @nodoc
class _$SetVolumeImpl implements SetVolume {
const _$SetVolumeImpl(this.value);
@override
final double value;
@override
String toString() {
return 'PlaybackEvent.setVolume(value: $value)';
}
@override
bool operator ==(Object other) {
return identical(this, other) ||
(other.runtimeType == runtimeType &&
other is _$SetVolumeImpl &&
(identical(other.value, value) || other.value == value));
}
@override
int get hashCode => Object.hash(runtimeType, value);
@JsonKey(ignore: true)
@override
@pragma('vm:prefer-inline')
_$$SetVolumeImplCopyWith<_$SetVolumeImpl> get copyWith =>
__$$SetVolumeImplCopyWithImpl<_$SetVolumeImpl>(this, _$identity);
@override
@optionalTypeArgs
TResult when<TResult extends Object?>({
required TResult Function() togglePlayPause,
required TResult Function(Song song) changeSong,
required TResult Function(double value) setVolume,
required TResult Function() toggleMute,
required TResult Function(double percent) moveToInSong,
required TResult Function(Duration duration) songProgress,
}) {
return setVolume(value);
}
@override
@optionalTypeArgs
TResult? whenOrNull<TResult extends Object?>({
TResult? Function()? togglePlayPause,
TResult? Function(Song song)? changeSong,
TResult? Function(double value)? setVolume,
TResult? Function()? toggleMute,
TResult? Function(double percent)? moveToInSong,
TResult? Function(Duration duration)? songProgress,
}) {
return setVolume?.call(value);
}
@override
@optionalTypeArgs
TResult maybeWhen<TResult extends Object?>({
TResult Function()? togglePlayPause,
TResult Function(Song song)? changeSong,
TResult Function(double value)? setVolume,
TResult Function()? toggleMute,
TResult Function(double percent)? moveToInSong,
TResult Function(Duration duration)? songProgress,
required TResult orElse(),
}) {
if (setVolume != null) {
return setVolume(value);
}
return orElse();
}
@override
@optionalTypeArgs
TResult map<TResult extends Object?>({
required TResult Function(TogglePlayPause value) togglePlayPause,
required TResult Function(ChangeSong value) changeSong,
required TResult Function(SetVolume value) setVolume,
required TResult Function(ToggleMute value) toggleMute,
required TResult Function(MoveToInSong value) moveToInSong,
required TResult Function(SongProgress value) songProgress,
}) {
return setVolume(this);
}
@override
@optionalTypeArgs
TResult? mapOrNull<TResult extends Object?>({
TResult? Function(TogglePlayPause value)? togglePlayPause,
TResult? Function(ChangeSong value)? changeSong,
TResult? Function(SetVolume value)? setVolume,
TResult? Function(ToggleMute value)? toggleMute,
TResult? Function(MoveToInSong value)? moveToInSong,
TResult? Function(SongProgress value)? songProgress,
}) {
return setVolume?.call(this);
}
@override
@optionalTypeArgs
TResult maybeMap<TResult extends Object?>({
TResult Function(TogglePlayPause value)? togglePlayPause,
TResult Function(ChangeSong value)? changeSong,
TResult Function(SetVolume value)? setVolume,
TResult Function(ToggleMute value)? toggleMute,
TResult Function(MoveToInSong value)? moveToInSong,
TResult Function(SongProgress value)? songProgress,
required TResult orElse(),
}) {
if (setVolume != null) {
return setVolume(this);
}
return orElse();
}
}
abstract class SetVolume implements PlaybackEvent {
const factory SetVolume(final double value) = _$SetVolumeImpl;
double get value;
@JsonKey(ignore: true)
_$$SetVolumeImplCopyWith<_$SetVolumeImpl> get copyWith =>
throw _privateConstructorUsedError;
}
/// @nodoc
abstract class _$$ToggleMuteImplCopyWith<$Res> {
factory _$$ToggleMuteImplCopyWith(
_$ToggleMuteImpl value, $Res Function(_$ToggleMuteImpl) then) =
__$$ToggleMuteImplCopyWithImpl<$Res>;
}
/// @nodoc
class __$$ToggleMuteImplCopyWithImpl<$Res>
extends _$PlaybackEventCopyWithImpl<$Res, _$ToggleMuteImpl>
implements _$$ToggleMuteImplCopyWith<$Res> {
__$$ToggleMuteImplCopyWithImpl(
_$ToggleMuteImpl _value, $Res Function(_$ToggleMuteImpl) _then)
: super(_value, _then);
}
/// @nodoc
class _$ToggleMuteImpl implements ToggleMute {
const _$ToggleMuteImpl();
@override
String toString() {
return 'PlaybackEvent.toggleMute()';
}
@override
bool operator ==(Object other) {
return identical(this, other) ||
(other.runtimeType == runtimeType && other is _$ToggleMuteImpl);
}
@override
int get hashCode => runtimeType.hashCode;
@override
@optionalTypeArgs
TResult when<TResult extends Object?>({
required TResult Function() togglePlayPause,
required TResult Function(Song song) changeSong,
required TResult Function(double value) setVolume,
required TResult Function() toggleMute,
required TResult Function(double percent) moveToInSong,
required TResult Function(Duration duration) songProgress,
}) {
return toggleMute();
}
@override
@optionalTypeArgs
TResult? whenOrNull<TResult extends Object?>({
TResult? Function()? togglePlayPause,
TResult? Function(Song song)? changeSong,
TResult? Function(double value)? setVolume,
TResult? Function()? toggleMute,
TResult? Function(double percent)? moveToInSong,
TResult? Function(Duration duration)? songProgress,
}) {
return toggleMute?.call();
}
@override
@optionalTypeArgs
TResult maybeWhen<TResult extends Object?>({
TResult Function()? togglePlayPause,
TResult Function(Song song)? changeSong,
TResult Function(double value)? setVolume,
TResult Function()? toggleMute,
TResult Function(double percent)? moveToInSong,
TResult Function(Duration duration)? songProgress,
required TResult orElse(),
}) {
if (toggleMute != null) {
return toggleMute();
}
return orElse();
}
@override
@optionalTypeArgs
TResult map<TResult extends Object?>({
required TResult Function(TogglePlayPause value) togglePlayPause,
required TResult Function(ChangeSong value) changeSong,
required TResult Function(SetVolume value) setVolume,
required TResult Function(ToggleMute value) toggleMute,
required TResult Function(MoveToInSong value) moveToInSong,
required TResult Function(SongProgress value) songProgress,
}) {
return toggleMute(this);
}
@override
@optionalTypeArgs
TResult? mapOrNull<TResult extends Object?>({
TResult? Function(TogglePlayPause value)? togglePlayPause,
TResult? Function(ChangeSong value)? changeSong,
TResult? Function(SetVolume value)? setVolume,
TResult? Function(ToggleMute value)? toggleMute,
TResult? Function(MoveToInSong value)? moveToInSong,
TResult? Function(SongProgress value)? songProgress,
}) {
return toggleMute?.call(this);
}
@override
@optionalTypeArgs
TResult maybeMap<TResult extends Object?>({
TResult Function(TogglePlayPause value)? togglePlayPause,
TResult Function(ChangeSong value)? changeSong,
TResult Function(SetVolume value)? setVolume,
TResult Function(ToggleMute value)? toggleMute,
TResult Function(MoveToInSong value)? moveToInSong,
TResult Function(SongProgress value)? songProgress,
required TResult orElse(),
}) {
if (toggleMute != null) {
return toggleMute(this);
}
return orElse();
}
}
abstract class ToggleMute implements PlaybackEvent {
const factory ToggleMute() = _$ToggleMuteImpl;
}
/// @nodoc
abstract class _$$MoveToInSongImplCopyWith<$Res> {
factory _$$MoveToInSongImplCopyWith(
_$MoveToInSongImpl value, $Res Function(_$MoveToInSongImpl) then) =
__$$MoveToInSongImplCopyWithImpl<$Res>;
@useResult
$Res call({double percent});
}
/// @nodoc
class __$$MoveToInSongImplCopyWithImpl<$Res>
extends _$PlaybackEventCopyWithImpl<$Res, _$MoveToInSongImpl>
implements _$$MoveToInSongImplCopyWith<$Res> {
__$$MoveToInSongImplCopyWithImpl(
_$MoveToInSongImpl _value, $Res Function(_$MoveToInSongImpl) _then)
: super(_value, _then);
@pragma('vm:prefer-inline')
@override
$Res call({
Object? percent = null,
}) {
return _then(_$MoveToInSongImpl(
null == percent
? _value.percent
: percent // ignore: cast_nullable_to_non_nullable
as double,
));
}
}
/// @nodoc
class _$MoveToInSongImpl implements MoveToInSong {
const _$MoveToInSongImpl(this.percent);
@override
final double percent;
@override
String toString() {
return 'PlaybackEvent.moveToInSong(percent: $percent)';
}
@override
bool operator ==(Object other) {
return identical(this, other) ||
(other.runtimeType == runtimeType &&
other is _$MoveToInSongImpl &&
(identical(other.percent, percent) || other.percent == percent));
}
@override
int get hashCode => Object.hash(runtimeType, percent);
@JsonKey(ignore: true)
@override
@pragma('vm:prefer-inline')
_$$MoveToInSongImplCopyWith<_$MoveToInSongImpl> get copyWith =>
__$$MoveToInSongImplCopyWithImpl<_$MoveToInSongImpl>(this, _$identity);
@override
@optionalTypeArgs
TResult when<TResult extends Object?>({
required TResult Function() togglePlayPause,
required TResult Function(Song song) changeSong,
required TResult Function(double value) setVolume,
required TResult Function() toggleMute,
required TResult Function(double percent) moveToInSong,
required TResult Function(Duration duration) songProgress,
}) {
return moveToInSong(percent);
}
@override
@optionalTypeArgs
TResult? whenOrNull<TResult extends Object?>({
TResult? Function()? togglePlayPause,
TResult? Function(Song song)? changeSong,
TResult? Function(double value)? setVolume,
TResult? Function()? toggleMute,
TResult? Function(double percent)? moveToInSong,
TResult? Function(Duration duration)? songProgress,
}) {
return moveToInSong?.call(percent);
}
@override
@optionalTypeArgs
TResult maybeWhen<TResult extends Object?>({
TResult Function()? togglePlayPause,
TResult Function(Song song)? changeSong,
TResult Function(double value)? setVolume,
TResult Function()? toggleMute,
TResult Function(double percent)? moveToInSong,
TResult Function(Duration duration)? songProgress,
required TResult orElse(),
}) {
if (moveToInSong != null) {
return moveToInSong(percent);
}
return orElse();
}
@override
@optionalTypeArgs
TResult map<TResult extends Object?>({
required TResult Function(TogglePlayPause value) togglePlayPause,
required TResult Function(ChangeSong value) changeSong,
required TResult Function(SetVolume value) setVolume,
required TResult Function(ToggleMute value) toggleMute,
required TResult Function(MoveToInSong value) moveToInSong,
required TResult Function(SongProgress value) songProgress,
}) {
return moveToInSong(this);
}
@override
@optionalTypeArgs
TResult? mapOrNull<TResult extends Object?>({
TResult? Function(TogglePlayPause value)? togglePlayPause,
TResult? Function(ChangeSong value)? changeSong,
TResult? Function(SetVolume value)? setVolume,
TResult? Function(ToggleMute value)? toggleMute,
TResult? Function(MoveToInSong value)? moveToInSong,
TResult? Function(SongProgress value)? songProgress,
}) {
return moveToInSong?.call(this);
}
@override
@optionalTypeArgs
TResult maybeMap<TResult extends Object?>({
TResult Function(TogglePlayPause value)? togglePlayPause,
TResult Function(ChangeSong value)? changeSong,
TResult Function(SetVolume value)? setVolume,
TResult Function(ToggleMute value)? toggleMute,
TResult Function(MoveToInSong value)? moveToInSong,
TResult Function(SongProgress value)? songProgress,
required TResult orElse(),
}) {
if (moveToInSong != null) {
return moveToInSong(this);
}
return orElse();
}
}
abstract class MoveToInSong implements PlaybackEvent {
const factory MoveToInSong(final double percent) = _$MoveToInSongImpl;
double get percent;
@JsonKey(ignore: true)
_$$MoveToInSongImplCopyWith<_$MoveToInSongImpl> get copyWith =>
throw _privateConstructorUsedError;
}
/// @nodoc
abstract class _$$SongProgressImplCopyWith<$Res> {
factory _$$SongProgressImplCopyWith(
_$SongProgressImpl value, $Res Function(_$SongProgressImpl) then) =
__$$SongProgressImplCopyWithImpl<$Res>;
@useResult
$Res call({Duration duration});
}
/// @nodoc
class __$$SongProgressImplCopyWithImpl<$Res>
extends _$PlaybackEventCopyWithImpl<$Res, _$SongProgressImpl>
implements _$$SongProgressImplCopyWith<$Res> {
__$$SongProgressImplCopyWithImpl(
_$SongProgressImpl _value, $Res Function(_$SongProgressImpl) _then)
: super(_value, _then);
@pragma('vm:prefer-inline')
@override
$Res call({
Object? duration = null,
}) {
return _then(_$SongProgressImpl(
null == duration
? _value.duration
: duration // ignore: cast_nullable_to_non_nullable
as Duration,
));
}
}
/// @nodoc
class _$SongProgressImpl implements SongProgress {
const _$SongProgressImpl(this.duration);
@override
final Duration duration;
@override
String toString() {
return 'PlaybackEvent.songProgress(duration: $duration)';
}
@override
bool operator ==(Object other) {
return identical(this, other) ||
(other.runtimeType == runtimeType &&
other is _$SongProgressImpl &&
(identical(other.duration, duration) ||
other.duration == duration));
}
@override
int get hashCode => Object.hash(runtimeType, duration);
@JsonKey(ignore: true)
@override
@pragma('vm:prefer-inline')
_$$SongProgressImplCopyWith<_$SongProgressImpl> get copyWith =>
__$$SongProgressImplCopyWithImpl<_$SongProgressImpl>(this, _$identity);
@override
@optionalTypeArgs
TResult when<TResult extends Object?>({
required TResult Function() togglePlayPause,
required TResult Function(Song song) changeSong,
required TResult Function(double value) setVolume,
required TResult Function() toggleMute,
required TResult Function(double percent) moveToInSong,
required TResult Function(Duration duration) songProgress,
}) {
return songProgress(duration);
}
@override
@optionalTypeArgs
TResult? whenOrNull<TResult extends Object?>({
TResult? Function()? togglePlayPause,
TResult? Function(Song song)? changeSong,
TResult? Function(double value)? setVolume,
TResult? Function()? toggleMute,
TResult? Function(double percent)? moveToInSong,
TResult? Function(Duration duration)? songProgress,
}) {
return songProgress?.call(duration);
}
@override
@optionalTypeArgs
TResult maybeWhen<TResult extends Object?>({
TResult Function()? togglePlayPause,
TResult Function(Song song)? changeSong,
TResult Function(double value)? setVolume,
TResult Function()? toggleMute,
TResult Function(double percent)? moveToInSong,
TResult Function(Duration duration)? songProgress,
required TResult orElse(),
}) {
if (songProgress != null) {
return songProgress(duration);
}
return orElse();
}
@override
@optionalTypeArgs
TResult map<TResult extends Object?>({
required TResult Function(TogglePlayPause value) togglePlayPause,
required TResult Function(ChangeSong value) changeSong,
required TResult Function(SetVolume value) setVolume,
required TResult Function(ToggleMute value) toggleMute,
required TResult Function(MoveToInSong value) moveToInSong,
required TResult Function(SongProgress value) songProgress,
}) {
return songProgress(this);
}
@override
@optionalTypeArgs
TResult? mapOrNull<TResult extends Object?>({
TResult? Function(TogglePlayPause value)? togglePlayPause,
TResult? Function(ChangeSong value)? changeSong,
TResult? Function(SetVolume value)? setVolume,
TResult? Function(ToggleMute value)? toggleMute,
TResult? Function(MoveToInSong value)? moveToInSong,
TResult? Function(SongProgress value)? songProgress,
}) {
return songProgress?.call(this);
}
@override
@optionalTypeArgs
TResult maybeMap<TResult extends Object?>({
TResult Function(TogglePlayPause value)? togglePlayPause,
TResult Function(ChangeSong value)? changeSong,
TResult Function(SetVolume value)? setVolume,
TResult Function(ToggleMute value)? toggleMute,
TResult Function(MoveToInSong value)? moveToInSong,
TResult Function(SongProgress value)? songProgress,
required TResult orElse(),
}) {
if (songProgress != null) {
return songProgress(this);
}
return orElse();
}
}
abstract class SongProgress implements PlaybackEvent {
const factory SongProgress(final Duration duration) = _$SongProgressImpl;
Duration get duration;
@JsonKey(ignore: true)
_$$SongProgressImplCopyWith<_$SongProgressImpl> get copyWith =>
throw _privateConstructorUsedError;
}
/// @nodoc
mixin _$PlaybackState {
/// Legal values are between 0 and 1.
double get volume => throw _privateConstructorUsedError;
/// Used to restore the volume after un-muting.
double? get previousVolume => throw _privateConstructorUsedError;
bool get isMuted => throw _privateConstructorUsedError;
bool get isPlaying => throw _privateConstructorUsedError;
SongWithProgress? get songWithProgress => throw _privateConstructorUsedError;
@JsonKey(ignore: true)
$PlaybackStateCopyWith<PlaybackState> get copyWith =>
throw _privateConstructorUsedError;
}
/// @nodoc
abstract class $PlaybackStateCopyWith<$Res> {
factory $PlaybackStateCopyWith(
PlaybackState value, $Res Function(PlaybackState) then) =
_$PlaybackStateCopyWithImpl<$Res, PlaybackState>;
@useResult
$Res call(
{double volume,
double? previousVolume,
bool isMuted,
bool isPlaying,
SongWithProgress? songWithProgress});
$SongWithProgressCopyWith<$Res>? get songWithProgress;
}
/// @nodoc
class _$PlaybackStateCopyWithImpl<$Res, $Val extends PlaybackState>
implements $PlaybackStateCopyWith<$Res> {
_$PlaybackStateCopyWithImpl(this._value, this._then);
// ignore: unused_field
final $Val _value;
// ignore: unused_field
final $Res Function($Val) _then;
@pragma('vm:prefer-inline')
@override
$Res call({
Object? volume = null,
Object? previousVolume = freezed,
Object? isMuted = null,
Object? isPlaying = null,
Object? songWithProgress = freezed,
}) {
return _then(_value.copyWith(
volume: null == volume
? _value.volume
: volume // ignore: cast_nullable_to_non_nullable
as double,
previousVolume: freezed == previousVolume
? _value.previousVolume
: previousVolume // ignore: cast_nullable_to_non_nullable
as double?,
isMuted: null == isMuted
? _value.isMuted
: isMuted // ignore: cast_nullable_to_non_nullable
as bool,
isPlaying: null == isPlaying
? _value.isPlaying
: isPlaying // ignore: cast_nullable_to_non_nullable
as bool,
songWithProgress: freezed == songWithProgress
? _value.songWithProgress
: songWithProgress // ignore: cast_nullable_to_non_nullable
as SongWithProgress?,
) as $Val);
}
@override
@pragma('vm:prefer-inline')
$SongWithProgressCopyWith<$Res>? get songWithProgress {
if (_value.songWithProgress == null) {
return null;
}
return $SongWithProgressCopyWith<$Res>(_value.songWithProgress!, (value) {
return _then(_value.copyWith(songWithProgress: value) as $Val);
});
}
}
/// @nodoc
abstract class _$$PlaybackStateImplCopyWith<$Res>
implements $PlaybackStateCopyWith<$Res> {
factory _$$PlaybackStateImplCopyWith(
_$PlaybackStateImpl value, $Res Function(_$PlaybackStateImpl) then) =
__$$PlaybackStateImplCopyWithImpl<$Res>;
@override
@useResult
$Res call(
{double volume,
double? previousVolume,
bool isMuted,
bool isPlaying,
SongWithProgress? songWithProgress});
@override
$SongWithProgressCopyWith<$Res>? get songWithProgress;
}
/// @nodoc
class __$$PlaybackStateImplCopyWithImpl<$Res>
extends _$PlaybackStateCopyWithImpl<$Res, _$PlaybackStateImpl>
implements _$$PlaybackStateImplCopyWith<$Res> {
__$$PlaybackStateImplCopyWithImpl(
_$PlaybackStateImpl _value, $Res Function(_$PlaybackStateImpl) _then)
: super(_value, _then);
@pragma('vm:prefer-inline')
@override
$Res call({
Object? volume = null,
Object? previousVolume = freezed,
Object? isMuted = null,
Object? isPlaying = null,
Object? songWithProgress = freezed,
}) {
return _then(_$PlaybackStateImpl(
volume: null == volume
? _value.volume
: volume // ignore: cast_nullable_to_non_nullable
as double,
previousVolume: freezed == previousVolume
? _value.previousVolume
: previousVolume // ignore: cast_nullable_to_non_nullable
as double?,
isMuted: null == isMuted
? _value.isMuted
: isMuted // ignore: cast_nullable_to_non_nullable
as bool,
isPlaying: null == isPlaying
? _value.isPlaying
: isPlaying // ignore: cast_nullable_to_non_nullable
as bool,
songWithProgress: freezed == songWithProgress
? _value.songWithProgress
: songWithProgress // ignore: cast_nullable_to_non_nullable
as SongWithProgress?,
));
}
}
/// @nodoc
class _$PlaybackStateImpl implements _PlaybackState {
const _$PlaybackStateImpl(
{this.volume = 0.5,
this.previousVolume,
this.isMuted = false,
this.isPlaying = false,
this.songWithProgress});
/// Legal values are between 0 and 1.
@override
@JsonKey()
final double volume;
/// Used to restore the volume after un-muting.
@override
final double? previousVolume;
@override
@JsonKey()
final bool isMuted;
@override
@JsonKey()
final bool isPlaying;
@override
final SongWithProgress? songWithProgress;
@override
String toString() {
return 'PlaybackState(volume: $volume, previousVolume: $previousVolume, isMuted: $isMuted, isPlaying: $isPlaying, songWithProgress: $songWithProgress)';
}
@override
bool operator ==(Object other) {
return identical(this, other) ||
(other.runtimeType == runtimeType &&
other is _$PlaybackStateImpl &&
(identical(other.volume, volume) || other.volume == volume) &&
(identical(other.previousVolume, previousVolume) ||
other.previousVolume == previousVolume) &&
(identical(other.isMuted, isMuted) || other.isMuted == isMuted) &&
(identical(other.isPlaying, isPlaying) ||
other.isPlaying == isPlaying) &&
(identical(other.songWithProgress, songWithProgress) ||
other.songWithProgress == songWithProgress));
}
@override
int get hashCode => Object.hash(runtimeType, volume, previousVolume, isMuted,
isPlaying, songWithProgress);
@JsonKey(ignore: true)
@override
@pragma('vm:prefer-inline')
_$$PlaybackStateImplCopyWith<_$PlaybackStateImpl> get copyWith =>
__$$PlaybackStateImplCopyWithImpl<_$PlaybackStateImpl>(this, _$identity);
}
abstract class _PlaybackState implements PlaybackState {
const factory _PlaybackState(
{final double volume,
final double? previousVolume,
final bool isMuted,
final bool isPlaying,
final SongWithProgress? songWithProgress}) = _$PlaybackStateImpl;
@override
/// Legal values are between 0 and 1.
double get volume;
@override
/// Used to restore the volume after un-muting.
double? get previousVolume;
@override
bool get isMuted;
@override
bool get isPlaying;
@override
SongWithProgress? get songWithProgress;
@override
@JsonKey(ignore: true)
_$$PlaybackStateImplCopyWith<_$PlaybackStateImpl> get copyWith =>
throw _privateConstructorUsedError;
}
/// @nodoc
mixin _$SongWithProgress {
Duration get progress => throw _privateConstructorUsedError;
Song get song => throw _privateConstructorUsedError;
@JsonKey(ignore: true)
$SongWithProgressCopyWith<SongWithProgress> get copyWith =>
throw _privateConstructorUsedError;
}
/// @nodoc
abstract class $SongWithProgressCopyWith<$Res> {
factory $SongWithProgressCopyWith(
SongWithProgress value, $Res Function(SongWithProgress) then) =
_$SongWithProgressCopyWithImpl<$Res, SongWithProgress>;
@useResult
$Res call({Duration progress, Song song});
}
/// @nodoc
class _$SongWithProgressCopyWithImpl<$Res, $Val extends SongWithProgress>
implements $SongWithProgressCopyWith<$Res> {
_$SongWithProgressCopyWithImpl(this._value, this._then);
// ignore: unused_field
final $Val _value;
// ignore: unused_field
final $Res Function($Val) _then;
@pragma('vm:prefer-inline')
@override
$Res call({
Object? progress = null,
Object? song = null,
}) {
return _then(_value.copyWith(
progress: null == progress
? _value.progress
: progress // ignore: cast_nullable_to_non_nullable
as Duration,
song: null == song
? _value.song
: song // ignore: cast_nullable_to_non_nullable
as Song,
) as $Val);
}
}
/// @nodoc
abstract class _$$SongWithProgressImplCopyWith<$Res>
implements $SongWithProgressCopyWith<$Res> {
factory _$$SongWithProgressImplCopyWith(_$SongWithProgressImpl value,
$Res Function(_$SongWithProgressImpl) then) =
__$$SongWithProgressImplCopyWithImpl<$Res>;
@override
@useResult
$Res call({Duration progress, Song song});
}
/// @nodoc
class __$$SongWithProgressImplCopyWithImpl<$Res>
extends _$SongWithProgressCopyWithImpl<$Res, _$SongWithProgressImpl>
implements _$$SongWithProgressImplCopyWith<$Res> {
__$$SongWithProgressImplCopyWithImpl(_$SongWithProgressImpl _value,
$Res Function(_$SongWithProgressImpl) _then)
: super(_value, _then);
@pragma('vm:prefer-inline')
@override
$Res call({
Object? progress = null,
Object? song = null,
}) {
return _then(_$SongWithProgressImpl(
progress: null == progress
? _value.progress
: progress // ignore: cast_nullable_to_non_nullable
as Duration,
song: null == song
? _value.song
: song // ignore: cast_nullable_to_non_nullable
as Song,
));
}
}
/// @nodoc
class _$SongWithProgressImpl implements _SongWithProgress {
const _$SongWithProgressImpl({required this.progress, required this.song});
@override
final Duration progress;
@override
final Song song;
@override
String toString() {
return 'SongWithProgress(progress: $progress, song: $song)';
}
@override
bool operator ==(Object other) {
return identical(this, other) ||
(other.runtimeType == runtimeType &&
other is _$SongWithProgressImpl &&
(identical(other.progress, progress) ||
other.progress == progress) &&
(identical(other.song, song) || other.song == song));
}
@override
int get hashCode => Object.hash(runtimeType, progress, song);
@JsonKey(ignore: true)
@override
@pragma('vm:prefer-inline')
_$$SongWithProgressImplCopyWith<_$SongWithProgressImpl> get copyWith =>
__$$SongWithProgressImplCopyWithImpl<_$SongWithProgressImpl>(
this, _$identity);
}
abstract class _SongWithProgress implements SongWithProgress {
const factory _SongWithProgress(
{required final Duration progress,
required final Song song}) = _$SongWithProgressImpl;
@override
Duration get progress;
@override
Song get song;
@override
@JsonKey(ignore: true)
_$$SongWithProgressImplCopyWith<_$SongWithProgressImpl> get copyWith =>
throw _privateConstructorUsedError;
}
| codelabs/boring_to_beautiful/final/lib/src/shared/playback/bloc/playback_bloc.freezed.dart/0 | {
"file_path": "codelabs/boring_to_beautiful/final/lib/src/shared/playback/bloc/playback_bloc.freezed.dart",
"repo_id": "codelabs",
"token_count": 14617
} | 16 |
// Copyright 2022 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
import 'package:flutter/material.dart';
import 'package:go_router/go_router.dart';
import '../features/artists/artists.dart';
import '../features/home/home.dart';
import '../features/playlists/playlists.dart';
import '../features/playlists/view/view.dart';
import 'providers/artists.dart';
import 'providers/playlists.dart';
import 'views/views.dart';
const _pageKey = ValueKey('_pageKey');
const _scaffoldKey = ValueKey('_scaffoldKey');
final artistsProvider = ArtistsProvider();
final playlistsProvider = PlaylistsProvider();
const List<NavigationDestination> destinations = [
NavigationDestination(
label: 'Home',
icon: Icon(Icons.arrow_right_rounded), // Modify this line
route: '/',
),
NavigationDestination(
label: 'Playlists',
icon: Icon(Icons.arrow_right_rounded), // Modify this line
route: '/playlists',
),
NavigationDestination(
label: 'Artists',
icon: Icon(Icons.arrow_right_rounded), // Modify this line
route: '/artists',
),
];
class NavigationDestination {
const NavigationDestination({
required this.route,
required this.label,
required this.icon,
this.child,
});
final String route;
final String label;
final Icon icon;
final Widget? child;
}
final appRouter = GoRouter(
routes: [
// HomeScreen
GoRoute(
path: '/',
pageBuilder: (context, state) => const MaterialPage<void>(
key: _pageKey,
child: RootLayout(
key: _scaffoldKey,
currentIndex: 0,
child: HomeScreen(),
),
),
),
// PlaylistHomeScreen
GoRoute(
path: '/playlists',
pageBuilder: (context, state) => const MaterialPage<void>(
key: _pageKey,
child: RootLayout(
key: _scaffoldKey,
currentIndex: 1,
child: PlaylistHomeScreen(),
),
),
routes: [
GoRoute(
path: ':pid',
pageBuilder: (context, state) => MaterialPage<void>(
key: state.pageKey,
child: RootLayout(
key: _scaffoldKey,
currentIndex: 1,
child: PlaylistScreen(
playlist: playlistsProvider
.getPlaylist(state.pathParameters['pid']!)!,
),
),
),
),
],
),
// ArtistHomeScreen
GoRoute(
path: '/artists',
pageBuilder: (context, state) => const MaterialPage<void>(
key: _pageKey,
child: RootLayout(
key: _scaffoldKey,
currentIndex: 2,
child: ArtistsScreen(),
),
),
routes: [
GoRoute(
path: ':aid',
pageBuilder: (context, state) => MaterialPage<void>(
key: state.pageKey,
child: RootLayout(
key: _scaffoldKey,
currentIndex: 2,
child: ArtistScreen(
artist:
artistsProvider.getArtist(state.pathParameters['aid']!)!,
),
),
),
// builder: (context, state) => ArtistScreen(
// id: state.params['aid']!,
// ),
),
],
),
for (final route in destinations.skip(3))
GoRoute(
path: route.route,
pageBuilder: (context, state) => MaterialPage<void>(
key: _pageKey,
child: RootLayout(
key: _scaffoldKey,
currentIndex: destinations.indexOf(route),
child: const SizedBox(),
),
),
),
],
);
| codelabs/boring_to_beautiful/step_01/lib/src/shared/router.dart/0 | {
"file_path": "codelabs/boring_to_beautiful/step_01/lib/src/shared/router.dart",
"repo_id": "codelabs",
"token_count": 1681
} | 17 |
// Copyright 2022 The Flutter Authors. All rights reserved.
// Use of this source code is governed by a BSD-style license that can be
// found in the LICENSE file.
import 'package:flutter/material.dart';
import 'package:flutter/services.dart';
import 'package:flutter_bloc/flutter_bloc.dart';
import '../playback/bloc/bloc.dart';
/// Widget which catches all incoming Spacebar presses and routes them to the
/// [PlaybackBloc].
///
/// This widget sits below the [MaterialApp], which internally creates a
/// [WidgetsApp], which registers several global listeners for common keyboard
/// shortcuts. By sitting below that machinery, this installs a global Spacebar
/// listener which toggles Playback, as is customary in music-playing apps.
class PlayPauseListener extends StatelessWidget {
const PlayPauseListener({
super.key,
required this.child,
});
final Widget child;
@override
Widget build(BuildContext context) {
// Immediately catch any [_PlayPauseIntent] events released by the inner
// [Shortcuts] widget.
return Actions(
actions: <Type, Action<Intent>>{
_PlayPauseIntent: _PlayPauseAction(),
},
child: Shortcuts(
// Register a shortcut for Spacebar presses that release a
// [_PlayPauseIntent] up the tree to the nearest [Actions] widget.
shortcuts: <ShortcutActivator, Intent>{
const SingleActivator(LogicalKeyboardKey.space): _PlayPauseIntent(
// Create a closure which sends a [TogglePlayPause] event to the
// [PlaybackBloc].
() => BlocProvider.of<PlaybackBloc>(context).add(
const PlaybackEvent.togglePlayPause(),
),
),
},
child: child,
),
);
}
}
class _PlayPauseAction extends Action<_PlayPauseIntent> {
@override
void invoke(_PlayPauseIntent intent) => intent.handler();
}
class _PlayPauseIntent extends Intent {
const _PlayPauseIntent(this.handler);
final VoidCallback handler;
}
| codelabs/boring_to_beautiful/step_01/lib/src/shared/views/play_pause_listener.dart/0 | {
"file_path": "codelabs/boring_to_beautiful/step_01/lib/src/shared/views/play_pause_listener.dart",
"repo_id": "codelabs",
"token_count": 678
} | 18 |
//
// Generated file. Do not edit.
//
import FlutterMacOS
import Foundation
import desktop_window
import dynamic_color
import url_launcher_macos
func RegisterGeneratedPlugins(registry: FlutterPluginRegistry) {
DesktopWindowPlugin.register(with: registry.registrar(forPlugin: "DesktopWindowPlugin"))
DynamicColorPlugin.register(with: registry.registrar(forPlugin: "DynamicColorPlugin"))
UrlLauncherPlugin.register(with: registry.registrar(forPlugin: "UrlLauncherPlugin"))
}
| codelabs/boring_to_beautiful/step_01/macos/Flutter/GeneratedPluginRegistrant.swift/0 | {
"file_path": "codelabs/boring_to_beautiful/step_01/macos/Flutter/GeneratedPluginRegistrant.swift",
"repo_id": "codelabs",
"token_count": 141
} | 19 |
//
// Generated file. Do not edit.
//
import FlutterMacOS
import Foundation
import desktop_window
import dynamic_color
import path_provider_foundation
import url_launcher_macos
func RegisterGeneratedPlugins(registry: FlutterPluginRegistry) {
DesktopWindowPlugin.register(with: registry.registrar(forPlugin: "DesktopWindowPlugin"))
DynamicColorPlugin.register(with: registry.registrar(forPlugin: "DynamicColorPlugin"))
PathProviderPlugin.register(with: registry.registrar(forPlugin: "PathProviderPlugin"))
UrlLauncherPlugin.register(with: registry.registrar(forPlugin: "UrlLauncherPlugin"))
}
| codelabs/boring_to_beautiful/step_03/macos/Flutter/GeneratedPluginRegistrant.swift/0 | {
"file_path": "codelabs/boring_to_beautiful/step_03/macos/Flutter/GeneratedPluginRegistrant.swift",
"repo_id": "codelabs",
"token_count": 173
} | 20 |
import 'package:flame/collisions.dart';
import 'package:flame/components.dart';
import 'package:flame/effects.dart';
import 'package:flutter/material.dart';
import '../brick_breaker.dart';
import 'bat.dart';
import 'play_area.dart';
class Ball extends CircleComponent
with CollisionCallbacks, HasGameReference<BrickBreaker> {
Ball({
required this.velocity,
required super.position,
required double radius,
}) : super(
radius: radius,
anchor: Anchor.center,
paint: Paint()
..color = const Color(0xff1e6091)
..style = PaintingStyle.fill,
children: [CircleHitbox()]);
final Vector2 velocity;
@override
void update(double dt) {
super.update(dt);
position += velocity * dt;
}
@override
void onCollisionStart(
Set<Vector2> intersectionPoints, PositionComponent other) {
super.onCollisionStart(intersectionPoints, other);
if (other is PlayArea) {
if (intersectionPoints.first.y <= 0) {
velocity.y = -velocity.y;
} else if (intersectionPoints.first.x <= 0) {
velocity.x = -velocity.x;
} else if (intersectionPoints.first.x >= game.width) {
velocity.x = -velocity.x;
} else if (intersectionPoints.first.y >= game.height) {
add(RemoveEffect(
delay: 0.35,
));
}
} else if (other is Bat) {
velocity.y = -velocity.y;
velocity.x = velocity.x +
(position.x - other.position.x) / other.size.x * game.width * 0.3;
} else {
debugPrint('collision with $other');
}
}
}
| codelabs/brick_breaker/step_07/lib/src/components/ball.dart/0 | {
"file_path": "codelabs/brick_breaker/step_07/lib/src/components/ball.dart",
"repo_id": "codelabs",
"token_count": 670
} | 21 |
Subsets and Splits
No community queries yet
The top public SQL queries from the community will appear here once available.