KEMBAR78
Flutter Checklist 2 | PDF | Letter Case | String (Computer Science)
0% found this document useful (1 vote)
786 views20 pages

Flutter Checklist 2

The document provides a checklist for Flutter that includes: 1. An overview of important widgets for layouts, user inputs, showing dialogs/sheets, and state management. 2. A summary of key Dart concepts like data types, functions, classes, and passing data between widgets. 3. Additional Flutter topics like auto const, extensions, project structure, packages, debugging, and next steps for features like Firebase integration.

Uploaded by

Educational Only
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
0% found this document useful (1 vote)
786 views20 pages

Flutter Checklist 2

The document provides a checklist for Flutter that includes: 1. An overview of important widgets for layouts, user inputs, showing dialogs/sheets, and state management. 2. A summary of key Dart concepts like data types, functions, classes, and passing data between widgets. 3. Additional Flutter topics like auto const, extensions, project structure, packages, debugging, and next steps for features like Firebase integration.

Uploaded by

Educational Only
Copyright
© © All Rights Reserved
We take content rights seriously. If you suspect this is your content, claim it here.
Available Formats
Download as PDF, TXT or read online on Scribd
You are on page 1/ 20

Flutter Checklist

Table of contents
Table of contents 1
Widgets 2
Master Layouts 2
Layouts 2
Visual Layouts 2
User Inputs 3
Show 4
Builders 5
States 5
Navigators 6
Dart 7
Data types 7
Functions 8
Classes 9
Pass Data 9
Null Safety 11
Dart exercises 12
Other 14
Auto const 14
Extensions 14
Shortcuts 15
Start a new project 15
Structure 15
Packages 16
Assets 16
Key concepts 17
Change app name 18
Debug 19
Type 1 19
Type 2 19
Next Steps 20
Firebase 20
Save data locally 20
Widgets
Check on https://fluttermapp.com/widgets

Master Layouts
Scaffold
SafeArea
AppBar
FloatingActionButton
NavigationBar
BottomNavigationBar
TabBarView (with TabBar and DefaultTabController)
PageView
Navigation Drawer

Layouts
SizedBox
Column
Row
Wrap
Stack
Center
Padding
SingleChildScrollView
ListView
GridView
Spacer
Expanded
Flexible
FittedBox (Work best with Text)
RotatedBox
Align
Positioned

Visual Layouts
Container
Color ➡ Colors.blueGrey.withOpacity(0.5)
ListTile
GridTile
GridTileBar
Divider
VerticalDivider
Card
Text
Image
Icon
CircularProgressIndicator
LinearProgressIndicator
Badge
DataTable
CircleAvatar
BackdropFilter
ClipRRect

User Inputs
ElevatedButton
FilledButton
OutlinedButton
TextButton
IconButton
GestureDetector
InkWell
Dismissible
Checkbox (CheckboxListTile)
Switch (SwitchListTile)
TextField
TextFormField
Form
DropDownMenu
DropDownButton
PopUpMenuButton
RadioButton
Slider
Chip
ChoiceChip
ToggleButton
Visibility
ExpansionTile
CloseButton
Show
showBottomSheet
showDatePicker
showDateRangePicker
showDialog
showLicensePage
showModalBottomSheet
showSearch
showTimePicker
showCupertinoDialog
showCupertinoModalPopup
showSnackBar (ScaffoldMessenger)
showMaterialBanner (ScaffoldMessenger)

showDialog(
context: context,
builder: (context) {
return const AlertDialog(
content: Text('Dialog'),
actions: [
CloseButton(),
],
);
},
);

ScaffoldMessenger.of(context).showSnackBar(
SnackBar(
content:
Text('Snackbar'),
behavior: SnackBarBehavior.floating,
),
);
Builders
FutureBuilder
StreamBuilder
Builder
LayoutBuilder (MediaQuery.of(context).size)
OrientationBuilder (MediaQuery.of(context).orientation)
ValueListenableBuilder (with ValueNotifier)

ValueNotifier<bool> isDarkNotifier = ValueNotifier(false);

FloatingActionButton(
onPressed: () {
isDarkNotifier.value = !isDarkNotifier.value;
},
child: ValueListenableBuilder(
valueListenable: isDarkNotifier,
builder: (context, isDark, child) {
if (isDark) {
return const Icon(Icons.light_mode);
} else {
return const Icon(Icons.dark_mode);
}
},
),
)

States
Stateless (Can’t refresh the screen)
Stateful (Can refresh the screen)
SetState (Refresh the screen)
setState(() {
//Do something
});
Navigators
Pop
PushReplacement
Push

Navigator.push(
context,
MaterialPageRoute(
builder: (context) {
return const HomePage();
},
),
);
Dart
Data types
Strings
String value = 'Hello';
.substring
.split
.toLowerCase
.toUpperCase
Int
int value = 5;
.isEven
.isOdd
.toDouble
.toString
.toStringAsFixed
Double
double value = 5.0;
.round
.toInt
.toString
.toStringAsFixed
Bool
bool value = true;

Lists
List<bool> values = [true, false, true, false];
.add
.length
.generate
.elementAt
Maps
Map<String, bool> values = {
'value1': true,
'value2': false,
'value3': true,
};
.addAll
Functions
Looping
for (var i = 0; i < 5; i++) {
print(i);
}

int i = 0;
while (i < 10) {
i = i++;
doThis();
}

Arguments
void doSomething() {
doThis(stringValue: 'Hello');
doThis(stringValue: 'Hello', intValue: 5);
doThat('Hello', null);
doThat('Hello', 5);
}
void doThis({required String stringValue, int? intValue}) {
print(stringValue);
print(intValue);
}
void doThat(String stringValue, int? intValue) {
print(stringValue);
print(intValue);
}

Conditions
void doSomething() {
if (0 == 1) {
doThis();
} else {
doThat();
}
}

void doSomething() {
0 == 1 ? doThis() : doThat();
}
Classes
class CardClass {
CardClass({
required this.title,
required this.imagePath,
});
String title;
String imagePath;
}

Pass Data
class RandomPage extends StatelessWidget {
const RandomPage({
super.key,
required this.title,
this.description,
this.isDark = false,
required this.function,
required this.callback,
});
final String title;
final String? description;
final bool isDark;
final Function(int) function;
final VoidCallback callback;

@override
Widget build(BuildContext context) {
return Scaffold(
body: Column(
children: [
Text(title),
Text(description ?? 'Default'),
Text(isDark ? 'Is dark' : 'Is light'),
TextButton(
onPressed: () {
callback();
},
child: const Text('Callback'),
),
TextButton(
onPressed: () {
function(5);
},
child: const Text('Function'),
),
],
),
);
}
}

class RandomPage extends StatefulWidget {


const RandomPage({
super.key,
required this.title,
this.description,
this.isDark = false,
required this.function,
required this.callback,
});
final String title;
final String? description;
final bool isDark;
final Function(int) function;
final VoidCallback callback;

@override
State<RandomPage> createState() => _RandomPageState();
}

class _RandomPageState extends State<RandomPage> {


@override
Widget build(BuildContext context) {
return Scaffold(
body: Column(
children: [
Text(widget.title),
Text(widget.description ?? 'Default'),
Text(widget.isDark ? 'Is dark' : 'Is light'),
TextButton(
onPressed: () {
widget.callback();
},
child: const Text('Callback'),
),
TextButton(
onPressed: () {
widget.function(5);
},
child: const Text('Function'),
),
],
),
);
}
}

Null Safety
// The "?" means "This can be null";
// The "??" means "If it's null, then show the default value"
// The "!" means "I confirm that this value is not null"

String? value1 = 'Hello';


String? value2;
String value3 = 'Hi';

String value4 = value1!; // value4 = 'Hello'


String value5 = value1 ?? value3; // value5 = 'Hello'

String value6 = value2!; // value6 = ERROR


String value7 = value2 ?? value3; // value7 = 'Hi'
String value8 = value2 ?? value2!; // value8 = ERROR

String value9 = value3; // value9 = 'Hi'


Dart exercises

(Data types)

(Classes, arguments, data types)

(Data types)
(Function, looping, conditions, data types)
Other
Auto const
With Visual Studio Code only

(Ctrl+Shift+P)

Add this to the file:


"editor.codeActionsOnSave": {
"source.fixAll": true
},

Extensions
Shortcuts
Ctrl+b = Minimize/Maximize the Visual Studio Side Bar
Ctrl+j = Minimize/Maximize the Console
Alt+Shift+f = Format Document (Structure the code and make sure to add commas)
Refactor (Right Click) = Wrap with a Widget
Ctrl+space (Command+space for mac) = See all the possible arguments available
Ctrl+s = Save
Ctrl+x = Cut
Ctrl+v = Paste
Ctrl+c = Copy
Ctrl+d = Select the next identical word
Ctrl+l = Select the entire row

Start a new project


This will automatically set up your application Id, so you will save time in the future
flutter create --org com.yourwebsite your_app_name

This will not set your application Id


flutter create your_app_name

Structure
Packages
Go on https://pub.dev/
Add in dependencies or dev_dependencies

dependencies:
flutter:
sdk: flutter
cupertino_icons: ^1.0.2

dev_dependencies:
flutter_test:
sdk: flutter
flutter_launcher_icons: ^0.12.0

Assets
Get your fonts on https://fonts.google.com/
assets:
- assets/images/discovery/
- assets/images/popular/
- assets/images/trending/

fonts:
- family: Poppins
fonts:
- asset: assets/fonts/Poppins-Regular.ttf
- asset: assets/fonts/Poppins-Bold.ttf
weight: 700
- asset: assets/fonts/Poppins-Black.ttf
weight: 900
- asset: assets/fonts/Poppins-Italic.ttf
style: italic

Key concepts
Flutter is Widget inside Widget
- Add a Widget
- Add an argument in the Widget (Ctrl+space) (Command+space for mac)
- Add another Widget in the argument
- Do this forever (Until your app is done)

Widgets always start with a capital letter.


Arguments always start with a lowercase letter.

In this example (Read carefully the capital and lowercase letters):


- Scaffold is a Widget
- appBar is an argument of the Scaffold Widget
- AppBar is a Widget placed inside the appBar argument.
- title is an argument of the AppBar Widget
- Text is a Widget placed inside the title argument.

Remember, it’s Widget inside Widget!


Use this to see all the possible arguments available (Ctrl+space) (Command+space for mac)
Change app name
Debug
Type 1
If you have an error like this (With red curly lines):

- Put your mouse over the Widget with the red curly line.
- A box will appear, scroll down at the bottom of the box
- Read the error
- This is what you should see:

Type 2
You can also have hidden errors (Sometime the screen will be red)

- Open the Debug Console in the terminal


- Click the link on the top and it will bring you to your error in the code
- If you can’t understand, google search the red error
Next Steps
Firebase
Authenticate users
Create a database

Save data locally


Use this: https://pub.dev/packages/shared_preferences

You might also like