SlideShare a Scribd company logo
Introduction to Flutter
Developing a simple mobile app
By Wan Muzaffar Wan Hashim
Muzaffar
Founder of MDR-Tech, Co-founder of Anak2U
Worked with mobile industry since 2011
Different industry: M-Commerce, Newsfeed, Media Broadcasting, Food Delivery ,
Airline,Loyalty, Education.
2
Mobile App Development
● A mobile application is a software application designed to run on
smartphones, tablet computers and other mobile devices.
● Users on smartphones typically check the news, weather, email
or their social networks. They have a choice between the mobile
web version or a specially-created mobile app.
5
Mobile App Dev: Current State
Native Development Hybrid Development
● Android
● iOS
● Ionic
● React Native
● Flutter
● Native Script
● Xamarin
Mobile App
Types
● Native
○ Programmed using Swift/Objective C on the iPhone or
using Java/Kotlin on Android devices.
● Hybrid
○ Mix between these two types of mobile applications.
○ Normally based on web programming language, eg: HTML,
CSS, Javascript, Dart
○ Built once to be run on Android and iOS.
● Web Apps / Progressive Web Apps.
○ Web based.
Runs in the phone’s browser.
○ Can have native features based on HTML5
7
What is Flutter
Open source UI Framework by Google
Able to create iOS, Android and web application
using Dart
High performance, high fidelity, low latency, as it
renders the Native UI.
Use DART as main programming language
Open source / github.
About Dart
Dart is a programming language developed by
Google
Learning it isn’t hard if you have experience with
Java or JavaScript. You will quickly get it.
You can use dartpad as an online compiler of Dart
https://dartpad.dev/
Who uses Flutter
https://flutter.dev/showcase
Malaysia Google Trend (over 5 years)
Bridge gap between designer and developer - XD Flutter integration
Bridge gap between designer and developer - Supernova io
Setup your Editor
https://flutter.dev/docs/get-started/editor
You will need to configure an emulator after setting up the SDK.
Online Editor (Demo purposes - no setup)
https://codepen.io/pen/editor/flutter
Everything is a widget
You build widget upon widget.
Your screen, a section in a screen, a tiny little section is
also a Widget.
You create and customize your own widget.
Widget catalog
https://flutter.dev/docs/development/ui/widgets
The boilerplate code of an app - Scaffold
Scaffold(
appBar: AppBar(
title: const Text('Sample Code'),
),
body: Center(child: Text('Hello World')),
floatingActionButton: FloatingActionButton(
onPressed: () => {},
tooltip: 'Increment Counter',
child: const Icon(Icons.add),
),
);
Scaffold
A scaffold is a basic structure of an application having the following property by
default:
● appbar
● body
● floatingActionButton
● bottomNavigationBar
● drawer
Appbar
An app bar consists of a toolbar and
potentially other widgets,
For example, if you would like to add a
button on the left side you use leading and
actions on the right side.
You may change the property
backgroundColor to change the
background color of the AppBar.
Floating Action Button
A floating action button is a circular icon
button that hovers over content to promote
a primary action in the application
floatingActionButton:
FloatingActionButton(
onPressed: () {
// Add your onPressed code
here!
},
child: Icon(Icons.navigation),
backgroundColor:
Colors.green,
Body
This is where you build the content of your application.
Widgets for layouting
We will discover the widgets that are used to position items within a page. Here
are some important/main widgets:
● Container
● Center
● Column
● Row
● SingleChildScrollView
Container
Center(
child: Container(
margin: EdgeInsets.all(10.0),
color: Colors.amber[600],
width: 48.0,
height: 48.0,
padding:EdgeInsets.all(10.0)
),
A container is a box! You can specify the width, height, color, padding and margin.
In the below example, EdgeInsets.all means all direction (top, bottom, left, right)
Center
A widget that centers its child within itself.
Center(child: Text('Hello World')),
Row
A widget that displays its children in a horizontal array.
Row(
children: <Widget>[
Expanded(
child: Text('Deliver features faster', textAlign:
TextAlign.center),
),
Expanded(
child: Text('Craft beautiful UIs', textAlign:
TextAlign.center),
),
Expanded(
child: FittedBox(
fit: BoxFit.contain,
child: const FlutterLogo(),
),
),
],
Column
A widget that displays its children in a vertical
array.
Column(
children: <Widget>[
Text('Deliver features faster'),
Text('Craft beautiful UIs'),
Expanded(
child: FittedBox(
fit: BoxFit.contain,
child: const FlutterLogo(),
),
),
],
)
SingleScrollView
A box which allows a single widget to be scrolled.
You will use this when you have a single box that will normally be
entirely visible, for example a clock face in a time picker, but you need
to make sure it can be scrolled if the container gets too small in one
axis
Visible widget in Flutter
Once you know how to position items on a page, we will see some of the widgets
that you can use in your application. Here are some important/main widgets:
● Text
● Image
● Button
● Icon
● Slider
Text
Text(
'Hello World',
textAlign: TextAlign.center,
style: TextStyle(fontWeight: FontWeight.bold,
color:Colors.red),
),
This widget is used to displays a text with
single style.
You might need to use TextStyle widget as
well with this widget to add styling to the
text, for example to add color, set to bold
Image
Image(
image:
NetworkImage('https://flutter.github.io/assets-for-api
-docs/assets/widgets/owl.jpg'),
)
To show an image. You may show an image
from:
● Downloaded from a URL
● Stored locally in assets folder
Icon
Icon(
Icons.audiotrack,
color: Colors.green,
size: 30.0,
),
As per its name, an icon is a widget that is
predefined, and can be used directly within
your application.
You may refer to Icon documentation, to see
all available icon ready to be used in your
application
https://api.flutter.dev/flutter/material/Icons-class.html
RaisedButton
RaisedButton(
child: Text('Color Changed'),
color: Colors.green,
onPressed: () {
print(“Hello World”)},
),
A raised button, follows Material
design principle is a button that
raises slightly, configurable via
elevation property.
You will need to declare what
should happen when the button is
pressed via it’s onPress property.
Other type of button includes
FlatButton
Slider
Slider(
value: _value.toDouble(),
min: 1.0,
max: 10.0,
onChanged: (double newValue) {
setState(() {
_value = newValue.round();
});
},
A slider can be used to select
from either a continuous or a
discrete set of values.
We will use onChanged property
to update the value of item, once
the value of slider changed.
Stateless Widget
class MyApp extends StatelessWidget {
@override
Widget build(BuildContext context) {
return Container()
}
}
Stateless Widget is a widget that
is immutable.
Stateless widgets cannot change
their state during the runtime of
the app, which means the
widgets cannot be redrawn while
the app is in action.
Stateful Widget
class MyWidget extends StatefulWidget {
@override
_MyWidget createState() => _MyWidget();
}
class _MyWidget extends State<MyWidget>{
@override
Widget build(BuildContext context){
return Container();
}
}
Stateful Widget is a widget that
stores variable (state).
This widget will rebuild itself
whenever there is a change of its
state (variable)
For example when user interact
with a button, you might change
the state/variable within the
widget => Widget will be
refreshed.
Demo - BMI Calculator
Demo
We will create a simple BMI calculator app that will calculate BMI based on height
and weight entered by user.
● An application using stateful widget since we are storing height, weight and
bmi
● Create the structure using scafffold
● Add Scrollview and container
● The container will contain a Column with:
○ Image (logo of our app)
○ App title and subtitle
● Two containers containing slider for user to choose height and weight
● Button when the button is pressed you will do the BMI calculation
BMI Calculator
Full source code can be found here: https://codepen.io/wanmuz86/pen/LYpBGej
Path to learn to build mobile app
● How to create UI element (focus on one page first)
● Navigation, multiple page = Stack, Tab, Drawer
● Passing data from one page to another page
● Retrieving data from Internet
● Storing data in local storage/Shared Preference
● Use device features : Camera, Geolocation, Social Sharing, Photo Library
● Improve architecture
● Finetune - Localization
Create a weather app using API from Open Weather that will show weather based
on Geolocation
Contact me
The Moose Academy
Common Room Bangi
Wan Muzaffar Wan Hashim (LinkedIn)
Notes
During the QnA Session I mistakenly quote price for Apple is 99USD per month, it
is actually 99USD per year.
iOS : 99 USD per year - Need a MAC or Rent macbook on cloud ->
Apple Developer Account
Android - 25 USD per life time -> PC or MAC -> Google Developer
Account

More Related Content

What's hot

Flutter Tutorial For Beginners | Edureka
Flutter Tutorial For Beginners | EdurekaFlutter Tutorial For Beginners | Edureka
Flutter Tutorial For Beginners | Edureka
Edureka!
 
Flutter Bootcamp
Flutter BootcampFlutter Bootcamp
Flutter talkshow
Flutter talkshowFlutter talkshow
Flutter talkshow
Nhan Cao
 
Getting started with flutter
Getting started with flutterGetting started with flutter
Getting started with flutter
rihannakedy
 
What is Flutter
What is FlutterWhat is Flutter
What is Flutter
Malan Amarasinghe
 
Dart and Flutter Basics.pptx
Dart and Flutter Basics.pptxDart and Flutter Basics.pptx
Dart and Flutter Basics.pptx
DSCVSSUT
 
Flutter
FlutterFlutter
The magic of flutter
The magic of flutterThe magic of flutter
The magic of flutter
Shady Selim
 
Flutter beyond hello world
Flutter beyond hello worldFlutter beyond hello world
Flutter beyond hello world
Ahmed Abu Eldahab
 
Building beautiful apps with Google flutter
Building beautiful apps with Google flutterBuilding beautiful apps with Google flutter
Building beautiful apps with Google flutter
Ahmed Abu Eldahab
 
Pune Flutter Presents - Flutter 101
Pune Flutter Presents - Flutter 101Pune Flutter Presents - Flutter 101
Pune Flutter Presents - Flutter 101
Arif Amirani
 
Flutter introduction
Flutter introductionFlutter introduction
Flutter introduction
Võ Duy Tuấn
 
Build beautiful native apps in record time with flutter
Build beautiful native apps in record time with flutterBuild beautiful native apps in record time with flutter
Build beautiful native apps in record time with flutter
RobertLe30
 
What is flutter and why should i care?
What is flutter and why should i care?What is flutter and why should i care?
What is flutter and why should i care?
Sergi Martínez
 
Flutter
FlutterFlutter
Flutter
Ankit Kumar
 
Cross platform app development with flutter
Cross platform app development with flutterCross platform app development with flutter
Cross platform app development with flutter
Hwan Jo
 
Flutter
FlutterFlutter
INTRODUCTION TO FLUTTER BASICS.pptx
INTRODUCTION TO FLUTTER BASICS.pptxINTRODUCTION TO FLUTTER BASICS.pptx
INTRODUCTION TO FLUTTER BASICS.pptx
20TUCS033DHAMODHARAK
 
Mobile development with Flutter
Mobile development with FlutterMobile development with Flutter
Mobile development with Flutter
Awok
 
Introduction to Flutter.pptx
Introduction to Flutter.pptxIntroduction to Flutter.pptx
Introduction to Flutter.pptx
DiffouoFopaEsdras
 

What's hot (20)

Flutter Tutorial For Beginners | Edureka
Flutter Tutorial For Beginners | EdurekaFlutter Tutorial For Beginners | Edureka
Flutter Tutorial For Beginners | Edureka
 
Flutter Bootcamp
Flutter BootcampFlutter Bootcamp
Flutter Bootcamp
 
Flutter talkshow
Flutter talkshowFlutter talkshow
Flutter talkshow
 
Getting started with flutter
Getting started with flutterGetting started with flutter
Getting started with flutter
 
What is Flutter
What is FlutterWhat is Flutter
What is Flutter
 
Dart and Flutter Basics.pptx
Dart and Flutter Basics.pptxDart and Flutter Basics.pptx
Dart and Flutter Basics.pptx
 
Flutter
FlutterFlutter
Flutter
 
The magic of flutter
The magic of flutterThe magic of flutter
The magic of flutter
 
Flutter beyond hello world
Flutter beyond hello worldFlutter beyond hello world
Flutter beyond hello world
 
Building beautiful apps with Google flutter
Building beautiful apps with Google flutterBuilding beautiful apps with Google flutter
Building beautiful apps with Google flutter
 
Pune Flutter Presents - Flutter 101
Pune Flutter Presents - Flutter 101Pune Flutter Presents - Flutter 101
Pune Flutter Presents - Flutter 101
 
Flutter introduction
Flutter introductionFlutter introduction
Flutter introduction
 
Build beautiful native apps in record time with flutter
Build beautiful native apps in record time with flutterBuild beautiful native apps in record time with flutter
Build beautiful native apps in record time with flutter
 
What is flutter and why should i care?
What is flutter and why should i care?What is flutter and why should i care?
What is flutter and why should i care?
 
Flutter
FlutterFlutter
Flutter
 
Cross platform app development with flutter
Cross platform app development with flutterCross platform app development with flutter
Cross platform app development with flutter
 
Flutter
FlutterFlutter
Flutter
 
INTRODUCTION TO FLUTTER BASICS.pptx
INTRODUCTION TO FLUTTER BASICS.pptxINTRODUCTION TO FLUTTER BASICS.pptx
INTRODUCTION TO FLUTTER BASICS.pptx
 
Mobile development with Flutter
Mobile development with FlutterMobile development with Flutter
Mobile development with Flutter
 
Introduction to Flutter.pptx
Introduction to Flutter.pptxIntroduction to Flutter.pptx
Introduction to Flutter.pptx
 

Similar to Introduction to flutter

Basic Introduction Flutter Framework.pdf
Basic Introduction Flutter Framework.pdfBasic Introduction Flutter Framework.pdf
Basic Introduction Flutter Framework.pdf
PhanithLIM
 
unit 4.docx
unit 4.docxunit 4.docx
unit 4.docx
Sadhana Sreekanth
 
04 objective-c session 4
04  objective-c session 404  objective-c session 4
04 objective-c session 4
Amr Elghadban (AmrAngry)
 
flutteragency-com-handling-events-and-user-input-in-flutter-.pdf
flutteragency-com-handling-events-and-user-input-in-flutter-.pdfflutteragency-com-handling-events-and-user-input-in-flutter-.pdf
flutteragency-com-handling-events-and-user-input-in-flutter-.pdf
Flutter Agency
 
Introduction to android
Introduction to androidIntroduction to android
Introduction to android
Shrijan Tiwari
 
Getting started with android studio
Getting started with android studioGetting started with android studio
Getting started with android studio
Reham Maher El-Safarini
 
Android Minnebar
Android MinnebarAndroid Minnebar
Android Minnebar
Justin Grammens
 
Android Lab Mannual 18SUITSP5.docx
Android Lab Mannual 18SUITSP5.docxAndroid Lab Mannual 18SUITSP5.docx
Android Lab Mannual 18SUITSP5.docx
karthikaparthasarath
 
How to Build Cross-Platform Mobile Apps Using Python
How to Build Cross-Platform Mobile Apps Using PythonHow to Build Cross-Platform Mobile Apps Using Python
How to Build Cross-Platform Mobile Apps Using Python
Andolasoft Inc
 
Ap quiz app
Ap quiz appAp quiz app
Ap quiz app
angelicaurio
 
hema ppt (2).pptx
hema ppt (2).pptxhema ppt (2).pptx
hema ppt (2).pptx
balasekaran5
 
Android Bootcamp Tanzania:understanding ui in_android
Android Bootcamp Tanzania:understanding ui in_androidAndroid Bootcamp Tanzania:understanding ui in_android
Android Bootcamp Tanzania:understanding ui in_android
Denis Minja
 
How to Create Your First Android App Step by Step.pdf
How to Create Your First Android App Step by Step.pdfHow to Create Your First Android App Step by Step.pdf
How to Create Your First Android App Step by Step.pdf
BOSC Tech Labs
 
Mobile Application Development class 003
Mobile Application Development class 003Mobile Application Development class 003
Mobile Application Development class 003
Dr. Mazin Mohamed alkathiri
 
Web application development process
Web application development processWeb application development process
Web application development process
John Smith
 
Unity Game Engine - Basics
Unity Game Engine - BasicsUnity Game Engine - Basics
Unity Game Engine - Basics
FirosK2
 

Similar to Introduction to flutter (20)

Basic Introduction Flutter Framework.pdf
Basic Introduction Flutter Framework.pdfBasic Introduction Flutter Framework.pdf
Basic Introduction Flutter Framework.pdf
 
unit 4.docx
unit 4.docxunit 4.docx
unit 4.docx
 
Presentation
PresentationPresentation
Presentation
 
04 objective-c session 4
04  objective-c session 404  objective-c session 4
04 objective-c session 4
 
Resume_iOSDev
Resume_iOSDevResume_iOSDev
Resume_iOSDev
 
flutteragency-com-handling-events-and-user-input-in-flutter-.pdf
flutteragency-com-handling-events-and-user-input-in-flutter-.pdfflutteragency-com-handling-events-and-user-input-in-flutter-.pdf
flutteragency-com-handling-events-and-user-input-in-flutter-.pdf
 
Introduction to android
Introduction to androidIntroduction to android
Introduction to android
 
Getting started with android studio
Getting started with android studioGetting started with android studio
Getting started with android studio
 
Android Minnebar
Android MinnebarAndroid Minnebar
Android Minnebar
 
Android Lab Mannual 18SUITSP5.docx
Android Lab Mannual 18SUITSP5.docxAndroid Lab Mannual 18SUITSP5.docx
Android Lab Mannual 18SUITSP5.docx
 
How to Build Cross-Platform Mobile Apps Using Python
How to Build Cross-Platform Mobile Apps Using PythonHow to Build Cross-Platform Mobile Apps Using Python
How to Build Cross-Platform Mobile Apps Using Python
 
Ap quiz app
Ap quiz appAp quiz app
Ap quiz app
 
hema ppt (2).pptx
hema ppt (2).pptxhema ppt (2).pptx
hema ppt (2).pptx
 
Android Bootcamp Tanzania:understanding ui in_android
Android Bootcamp Tanzania:understanding ui in_androidAndroid Bootcamp Tanzania:understanding ui in_android
Android Bootcamp Tanzania:understanding ui in_android
 
How to Create Your First Android App Step by Step.pdf
How to Create Your First Android App Step by Step.pdfHow to Create Your First Android App Step by Step.pdf
How to Create Your First Android App Step by Step.pdf
 
Android by Swecha
Android by SwechaAndroid by Swecha
Android by Swecha
 
Mobile Application Development class 003
Mobile Application Development class 003Mobile Application Development class 003
Mobile Application Development class 003
 
pebble - Building apps on pebble
pebble - Building apps on pebblepebble - Building apps on pebble
pebble - Building apps on pebble
 
Web application development process
Web application development processWeb application development process
Web application development process
 
Unity Game Engine - Basics
Unity Game Engine - BasicsUnity Game Engine - Basics
Unity Game Engine - Basics
 

Recently uploaded

Visitor Management System in India- Vizman.app
Visitor Management System in India- Vizman.appVisitor Management System in India- Vizman.app
Visitor Management System in India- Vizman.app
NaapbooksPrivateLimi
 
Enhancing Research Orchestration Capabilities at ORNL.pdf
Enhancing Research Orchestration Capabilities at ORNL.pdfEnhancing Research Orchestration Capabilities at ORNL.pdf
Enhancing Research Orchestration Capabilities at ORNL.pdf
Globus
 
How to Position Your Globus Data Portal for Success Ten Good Practices
How to Position Your Globus Data Portal for Success Ten Good PracticesHow to Position Your Globus Data Portal for Success Ten Good Practices
How to Position Your Globus Data Portal for Success Ten Good Practices
Globus
 
Designing for Privacy in Amazon Web Services
Designing for Privacy in Amazon Web ServicesDesigning for Privacy in Amazon Web Services
Designing for Privacy in Amazon Web Services
KrzysztofKkol1
 
Accelerate Enterprise Software Engineering with Platformless
Accelerate Enterprise Software Engineering with PlatformlessAccelerate Enterprise Software Engineering with Platformless
Accelerate Enterprise Software Engineering with Platformless
WSO2
 
Software Testing Exam imp Ques Notes.pdf
Software Testing Exam imp Ques Notes.pdfSoftware Testing Exam imp Ques Notes.pdf
Software Testing Exam imp Ques Notes.pdf
MayankTawar1
 
Exploring Innovations in Data Repository Solutions - Insights from the U.S. G...
Exploring Innovations in Data Repository Solutions - Insights from the U.S. G...Exploring Innovations in Data Repository Solutions - Insights from the U.S. G...
Exploring Innovations in Data Repository Solutions - Insights from the U.S. G...
Globus
 
Dominate Social Media with TubeTrivia AI’s Addictive Quiz Videos.pdf
Dominate Social Media with TubeTrivia AI’s Addictive Quiz Videos.pdfDominate Social Media with TubeTrivia AI’s Addictive Quiz Videos.pdf
Dominate Social Media with TubeTrivia AI’s Addictive Quiz Videos.pdf
AMB-Review
 
Lecture 1 Introduction to games development
Lecture 1 Introduction to games developmentLecture 1 Introduction to games development
Lecture 1 Introduction to games development
abdulrafaychaudhry
 
Field Employee Tracking System| MiTrack App| Best Employee Tracking Solution|...
Field Employee Tracking System| MiTrack App| Best Employee Tracking Solution|...Field Employee Tracking System| MiTrack App| Best Employee Tracking Solution|...
Field Employee Tracking System| MiTrack App| Best Employee Tracking Solution|...
informapgpstrackings
 
Innovating Inference - Remote Triggering of Large Language Models on HPC Clus...
Innovating Inference - Remote Triggering of Large Language Models on HPC Clus...Innovating Inference - Remote Triggering of Large Language Models on HPC Clus...
Innovating Inference - Remote Triggering of Large Language Models on HPC Clus...
Globus
 
Beyond Event Sourcing - Embracing CRUD for Wix Platform - Java.IL
Beyond Event Sourcing - Embracing CRUD for Wix Platform - Java.ILBeyond Event Sourcing - Embracing CRUD for Wix Platform - Java.IL
Beyond Event Sourcing - Embracing CRUD for Wix Platform - Java.IL
Natan Silnitsky
 
Globus Compute Introduction - GlobusWorld 2024
Globus Compute Introduction - GlobusWorld 2024Globus Compute Introduction - GlobusWorld 2024
Globus Compute Introduction - GlobusWorld 2024
Globus
 
Cracking the code review at SpringIO 2024
Cracking the code review at SpringIO 2024Cracking the code review at SpringIO 2024
Cracking the code review at SpringIO 2024
Paco van Beckhoven
 
Advanced Flow Concepts Every Developer Should Know
Advanced Flow Concepts Every Developer Should KnowAdvanced Flow Concepts Every Developer Should Know
Advanced Flow Concepts Every Developer Should Know
Peter Caitens
 
Vitthal Shirke Microservices Resume Montevideo
Vitthal Shirke Microservices Resume MontevideoVitthal Shirke Microservices Resume Montevideo
Vitthal Shirke Microservices Resume Montevideo
Vitthal Shirke
 
Paketo Buildpacks : la meilleure façon de construire des images OCI? DevopsDa...
Paketo Buildpacks : la meilleure façon de construire des images OCI? DevopsDa...Paketo Buildpacks : la meilleure façon de construire des images OCI? DevopsDa...
Paketo Buildpacks : la meilleure façon de construire des images OCI? DevopsDa...
Anthony Dahanne
 
Into the Box 2024 - Keynote Day 2 Slides.pdf
Into the Box 2024 - Keynote Day 2 Slides.pdfInto the Box 2024 - Keynote Day 2 Slides.pdf
Into the Box 2024 - Keynote Day 2 Slides.pdf
Ortus Solutions, Corp
 
GlobusWorld 2024 Opening Keynote session
GlobusWorld 2024 Opening Keynote sessionGlobusWorld 2024 Opening Keynote session
GlobusWorld 2024 Opening Keynote session
Globus
 
SOCRadar Research Team: Latest Activities of IntelBroker
SOCRadar Research Team: Latest Activities of IntelBrokerSOCRadar Research Team: Latest Activities of IntelBroker
SOCRadar Research Team: Latest Activities of IntelBroker
SOCRadar
 

Recently uploaded (20)

Visitor Management System in India- Vizman.app
Visitor Management System in India- Vizman.appVisitor Management System in India- Vizman.app
Visitor Management System in India- Vizman.app
 
Enhancing Research Orchestration Capabilities at ORNL.pdf
Enhancing Research Orchestration Capabilities at ORNL.pdfEnhancing Research Orchestration Capabilities at ORNL.pdf
Enhancing Research Orchestration Capabilities at ORNL.pdf
 
How to Position Your Globus Data Portal for Success Ten Good Practices
How to Position Your Globus Data Portal for Success Ten Good PracticesHow to Position Your Globus Data Portal for Success Ten Good Practices
How to Position Your Globus Data Portal for Success Ten Good Practices
 
Designing for Privacy in Amazon Web Services
Designing for Privacy in Amazon Web ServicesDesigning for Privacy in Amazon Web Services
Designing for Privacy in Amazon Web Services
 
Accelerate Enterprise Software Engineering with Platformless
Accelerate Enterprise Software Engineering with PlatformlessAccelerate Enterprise Software Engineering with Platformless
Accelerate Enterprise Software Engineering with Platformless
 
Software Testing Exam imp Ques Notes.pdf
Software Testing Exam imp Ques Notes.pdfSoftware Testing Exam imp Ques Notes.pdf
Software Testing Exam imp Ques Notes.pdf
 
Exploring Innovations in Data Repository Solutions - Insights from the U.S. G...
Exploring Innovations in Data Repository Solutions - Insights from the U.S. G...Exploring Innovations in Data Repository Solutions - Insights from the U.S. G...
Exploring Innovations in Data Repository Solutions - Insights from the U.S. G...
 
Dominate Social Media with TubeTrivia AI’s Addictive Quiz Videos.pdf
Dominate Social Media with TubeTrivia AI’s Addictive Quiz Videos.pdfDominate Social Media with TubeTrivia AI’s Addictive Quiz Videos.pdf
Dominate Social Media with TubeTrivia AI’s Addictive Quiz Videos.pdf
 
Lecture 1 Introduction to games development
Lecture 1 Introduction to games developmentLecture 1 Introduction to games development
Lecture 1 Introduction to games development
 
Field Employee Tracking System| MiTrack App| Best Employee Tracking Solution|...
Field Employee Tracking System| MiTrack App| Best Employee Tracking Solution|...Field Employee Tracking System| MiTrack App| Best Employee Tracking Solution|...
Field Employee Tracking System| MiTrack App| Best Employee Tracking Solution|...
 
Innovating Inference - Remote Triggering of Large Language Models on HPC Clus...
Innovating Inference - Remote Triggering of Large Language Models on HPC Clus...Innovating Inference - Remote Triggering of Large Language Models on HPC Clus...
Innovating Inference - Remote Triggering of Large Language Models on HPC Clus...
 
Beyond Event Sourcing - Embracing CRUD for Wix Platform - Java.IL
Beyond Event Sourcing - Embracing CRUD for Wix Platform - Java.ILBeyond Event Sourcing - Embracing CRUD for Wix Platform - Java.IL
Beyond Event Sourcing - Embracing CRUD for Wix Platform - Java.IL
 
Globus Compute Introduction - GlobusWorld 2024
Globus Compute Introduction - GlobusWorld 2024Globus Compute Introduction - GlobusWorld 2024
Globus Compute Introduction - GlobusWorld 2024
 
Cracking the code review at SpringIO 2024
Cracking the code review at SpringIO 2024Cracking the code review at SpringIO 2024
Cracking the code review at SpringIO 2024
 
Advanced Flow Concepts Every Developer Should Know
Advanced Flow Concepts Every Developer Should KnowAdvanced Flow Concepts Every Developer Should Know
Advanced Flow Concepts Every Developer Should Know
 
Vitthal Shirke Microservices Resume Montevideo
Vitthal Shirke Microservices Resume MontevideoVitthal Shirke Microservices Resume Montevideo
Vitthal Shirke Microservices Resume Montevideo
 
Paketo Buildpacks : la meilleure façon de construire des images OCI? DevopsDa...
Paketo Buildpacks : la meilleure façon de construire des images OCI? DevopsDa...Paketo Buildpacks : la meilleure façon de construire des images OCI? DevopsDa...
Paketo Buildpacks : la meilleure façon de construire des images OCI? DevopsDa...
 
Into the Box 2024 - Keynote Day 2 Slides.pdf
Into the Box 2024 - Keynote Day 2 Slides.pdfInto the Box 2024 - Keynote Day 2 Slides.pdf
Into the Box 2024 - Keynote Day 2 Slides.pdf
 
GlobusWorld 2024 Opening Keynote session
GlobusWorld 2024 Opening Keynote sessionGlobusWorld 2024 Opening Keynote session
GlobusWorld 2024 Opening Keynote session
 
SOCRadar Research Team: Latest Activities of IntelBroker
SOCRadar Research Team: Latest Activities of IntelBrokerSOCRadar Research Team: Latest Activities of IntelBroker
SOCRadar Research Team: Latest Activities of IntelBroker
 

Introduction to flutter

  • 1. Introduction to Flutter Developing a simple mobile app By Wan Muzaffar Wan Hashim
  • 2. Muzaffar Founder of MDR-Tech, Co-founder of Anak2U Worked with mobile industry since 2011 Different industry: M-Commerce, Newsfeed, Media Broadcasting, Food Delivery , Airline,Loyalty, Education. 2
  • 3.
  • 4.
  • 5. Mobile App Development ● A mobile application is a software application designed to run on smartphones, tablet computers and other mobile devices. ● Users on smartphones typically check the news, weather, email or their social networks. They have a choice between the mobile web version or a specially-created mobile app. 5
  • 6. Mobile App Dev: Current State Native Development Hybrid Development ● Android ● iOS ● Ionic ● React Native ● Flutter ● Native Script ● Xamarin
  • 7. Mobile App Types ● Native ○ Programmed using Swift/Objective C on the iPhone or using Java/Kotlin on Android devices. ● Hybrid ○ Mix between these two types of mobile applications. ○ Normally based on web programming language, eg: HTML, CSS, Javascript, Dart ○ Built once to be run on Android and iOS. ● Web Apps / Progressive Web Apps. ○ Web based. Runs in the phone’s browser. ○ Can have native features based on HTML5 7
  • 8. What is Flutter Open source UI Framework by Google Able to create iOS, Android and web application using Dart High performance, high fidelity, low latency, as it renders the Native UI. Use DART as main programming language Open source / github.
  • 9. About Dart Dart is a programming language developed by Google Learning it isn’t hard if you have experience with Java or JavaScript. You will quickly get it. You can use dartpad as an online compiler of Dart https://dartpad.dev/
  • 11. Malaysia Google Trend (over 5 years)
  • 12. Bridge gap between designer and developer - XD Flutter integration
  • 13. Bridge gap between designer and developer - Supernova io
  • 14. Setup your Editor https://flutter.dev/docs/get-started/editor You will need to configure an emulator after setting up the SDK.
  • 15. Online Editor (Demo purposes - no setup) https://codepen.io/pen/editor/flutter
  • 16. Everything is a widget You build widget upon widget. Your screen, a section in a screen, a tiny little section is also a Widget. You create and customize your own widget.
  • 18. The boilerplate code of an app - Scaffold Scaffold( appBar: AppBar( title: const Text('Sample Code'), ), body: Center(child: Text('Hello World')), floatingActionButton: FloatingActionButton( onPressed: () => {}, tooltip: 'Increment Counter', child: const Icon(Icons.add), ), );
  • 19. Scaffold A scaffold is a basic structure of an application having the following property by default: ● appbar ● body ● floatingActionButton ● bottomNavigationBar ● drawer
  • 20. Appbar An app bar consists of a toolbar and potentially other widgets, For example, if you would like to add a button on the left side you use leading and actions on the right side. You may change the property backgroundColor to change the background color of the AppBar.
  • 21. Floating Action Button A floating action button is a circular icon button that hovers over content to promote a primary action in the application floatingActionButton: FloatingActionButton( onPressed: () { // Add your onPressed code here! }, child: Icon(Icons.navigation), backgroundColor: Colors.green,
  • 22. Body This is where you build the content of your application.
  • 23. Widgets for layouting We will discover the widgets that are used to position items within a page. Here are some important/main widgets: ● Container ● Center ● Column ● Row ● SingleChildScrollView
  • 24. Container Center( child: Container( margin: EdgeInsets.all(10.0), color: Colors.amber[600], width: 48.0, height: 48.0, padding:EdgeInsets.all(10.0) ), A container is a box! You can specify the width, height, color, padding and margin. In the below example, EdgeInsets.all means all direction (top, bottom, left, right)
  • 25. Center A widget that centers its child within itself. Center(child: Text('Hello World')),
  • 26. Row A widget that displays its children in a horizontal array. Row( children: <Widget>[ Expanded( child: Text('Deliver features faster', textAlign: TextAlign.center), ), Expanded( child: Text('Craft beautiful UIs', textAlign: TextAlign.center), ), Expanded( child: FittedBox( fit: BoxFit.contain, child: const FlutterLogo(), ), ), ],
  • 27. Column A widget that displays its children in a vertical array. Column( children: <Widget>[ Text('Deliver features faster'), Text('Craft beautiful UIs'), Expanded( child: FittedBox( fit: BoxFit.contain, child: const FlutterLogo(), ), ), ], )
  • 28. SingleScrollView A box which allows a single widget to be scrolled. You will use this when you have a single box that will normally be entirely visible, for example a clock face in a time picker, but you need to make sure it can be scrolled if the container gets too small in one axis
  • 29. Visible widget in Flutter Once you know how to position items on a page, we will see some of the widgets that you can use in your application. Here are some important/main widgets: ● Text ● Image ● Button ● Icon ● Slider
  • 30. Text Text( 'Hello World', textAlign: TextAlign.center, style: TextStyle(fontWeight: FontWeight.bold, color:Colors.red), ), This widget is used to displays a text with single style. You might need to use TextStyle widget as well with this widget to add styling to the text, for example to add color, set to bold
  • 31. Image Image( image: NetworkImage('https://flutter.github.io/assets-for-api -docs/assets/widgets/owl.jpg'), ) To show an image. You may show an image from: ● Downloaded from a URL ● Stored locally in assets folder
  • 32. Icon Icon( Icons.audiotrack, color: Colors.green, size: 30.0, ), As per its name, an icon is a widget that is predefined, and can be used directly within your application. You may refer to Icon documentation, to see all available icon ready to be used in your application https://api.flutter.dev/flutter/material/Icons-class.html
  • 33. RaisedButton RaisedButton( child: Text('Color Changed'), color: Colors.green, onPressed: () { print(“Hello World”)}, ), A raised button, follows Material design principle is a button that raises slightly, configurable via elevation property. You will need to declare what should happen when the button is pressed via it’s onPress property. Other type of button includes FlatButton
  • 34. Slider Slider( value: _value.toDouble(), min: 1.0, max: 10.0, onChanged: (double newValue) { setState(() { _value = newValue.round(); }); }, A slider can be used to select from either a continuous or a discrete set of values. We will use onChanged property to update the value of item, once the value of slider changed.
  • 35. Stateless Widget class MyApp extends StatelessWidget { @override Widget build(BuildContext context) { return Container() } } Stateless Widget is a widget that is immutable. Stateless widgets cannot change their state during the runtime of the app, which means the widgets cannot be redrawn while the app is in action.
  • 36. Stateful Widget class MyWidget extends StatefulWidget { @override _MyWidget createState() => _MyWidget(); } class _MyWidget extends State<MyWidget>{ @override Widget build(BuildContext context){ return Container(); } } Stateful Widget is a widget that stores variable (state). This widget will rebuild itself whenever there is a change of its state (variable) For example when user interact with a button, you might change the state/variable within the widget => Widget will be refreshed.
  • 37. Demo - BMI Calculator
  • 38. Demo We will create a simple BMI calculator app that will calculate BMI based on height and weight entered by user. ● An application using stateful widget since we are storing height, weight and bmi ● Create the structure using scafffold ● Add Scrollview and container ● The container will contain a Column with: ○ Image (logo of our app) ○ App title and subtitle ● Two containers containing slider for user to choose height and weight ● Button when the button is pressed you will do the BMI calculation
  • 39. BMI Calculator Full source code can be found here: https://codepen.io/wanmuz86/pen/LYpBGej
  • 40. Path to learn to build mobile app ● How to create UI element (focus on one page first) ● Navigation, multiple page = Stack, Tab, Drawer ● Passing data from one page to another page ● Retrieving data from Internet ● Storing data in local storage/Shared Preference ● Use device features : Camera, Geolocation, Social Sharing, Photo Library ● Improve architecture ● Finetune - Localization Create a weather app using API from Open Weather that will show weather based on Geolocation
  • 41. Contact me The Moose Academy Common Room Bangi Wan Muzaffar Wan Hashim (LinkedIn)
  • 42. Notes During the QnA Session I mistakenly quote price for Apple is 99USD per month, it is actually 99USD per year. iOS : 99 USD per year - Need a MAC or Rent macbook on cloud -> Apple Developer Account Android - 25 USD per life time -> PC or MAC -> Google Developer Account