Since we are just building the application and there is no functionalty to create users in the application right now, please login to you Firebase Console and add an user to your project. Please be sure to enable email authentication when updating the project in your Firebase Console.
Cleaning Up the Default Flutter Project
first lets create the project
flutter create simple_firebase_auth
Now lets do some project cleanup, open up the project and delete the existing HomePage and HomePageState widget from the file main.dart.
Change the home property of the MaterialApp widget to point to the LoginPage widget we are about to create in the next section
The file should look similar to this when completed
import'package:flutter/material.dart';import'package:simple_firebase_auth/login_page.dart';voidmain()=>runApp(MyApp());classMyAppextendsStatelessWidget{// This widget is the root of your application.@overrideWidgetbuild(BuildContextcontext){returnMaterialApp(title:'Flutter Demo',theme:ThemeData(primarySwatch:Colors.blue,),home:LoginPage(),);}}
Create the LoginPage Widget
Lets walk through the creation of the LoginPage for the application. We need capture an email and a password to pass to the AuthService to call the login function.
We are going to create a simple page with the required TextFormField widgets and one RaisedButton to click to make the login happen.
Open your editor and create a new file in the lib directory named login_page.dart
Paste the contents below into the file login_page.dart
you should be able to run the code to see what the screen looks like now. Be sure to change the default route or home property in main.dart widget to LoginPage while we work through the UI so you can see the changes with live reload
Style and Adding Text Fields
Lets make the body of the page a centered Column with the childre of the column being primarily the TextFormFields and the RaisedButton
the centered container to hold the form fields and buttons
Next add the actual form field widgets and the buttons as children of the Column widget. We will do some basic styling of the form fields so that this looks presentable. See the Flutter documentation for more information on TextFormFields
Lets add some spacing between the fields in the column so it is more presentable. We are going to use the SizedBox widget and set the height property to get some spacing in the application. Replace the children property of the Column widget to get the desired spacing
We are going to be using a Form widget and a GlobalKey, additional information on these concepts can be found in the flutter cookbook section Building a form with validation
Next we add a property onSaved to the TextFormFields we have for email and password, when the save method is called on the form, all of the widgets onSaved methods will be called to update the local variables.
Now that the fields are set, the TextFormField are updated, we can using the _formKey to not only validate the fields provided, but to also get the values locally by calling the save method.
Replace the code in the RaisedButtononPressed method to the following, and you will see that we are getting the values for email and password set in out widget. We can now pass these values to the AuthService that wraps the Firebase signin functionality.
// save the fields..finalform=_formKey.currentState;form.save();// Validate will return true if is valid, or false if invalid.if(form.validate()){print("$_email $_password");}
Create the HomePage Widget
For now, we will keep the home page simple since we are just trying to demonstrate how the flow works. Ignore the commented out LogoutButton widget, we will discuss that in a later section of the tutorial.
Open your editor and create a new file in the lib directory named home_page.dart
Paste the contents below into the file home_page.dart
Open main.dart and add the following import statement
import'home_page.dart';
Change the home property from this:
home:HomePage(title:'Flutter Demo Home Page'),
to this so you can verify that the page is working properly
home:HomePage(),
Creating a Template for An Authentication Service
Here we will build out the authentication service separate from Firebase, validate that everything works and then integrate Firebase.
In this service, we are using a mixin called ChangeNotifier and a method notifyListeners this will allow for the widgets that are using this Service to be updated when the method is called. We are calling notifyListeners when we update the currentUser property because that means that the user has either logged in or logged out and we want the application to update based on the users state.
More information on Provider and State Management can be found here in the Flutter Documentation
What we need as a baseline is the following:
import'dart:async';import'package:flutter/material.dart';classAuthServicewithChangeNotifier{varcurrentUser;AuthService(){print("new AuthService");}FuturegetUser(){returnFuture.value(currentUser);}// wrappinhg the firebase callsFuturelogout(){this.currentUser=null;notifyListeners();returnFuture.value(currentUser);}// wrapping the firebase callsFuturecreateUser({StringfirstName,StringlastName,Stringemail,Stringpassword})async{}// logs in the user if password matchesFutureloginUser({Stringemail,Stringpassword}){if(password=='password123'){this.currentUser={'email':email};notifyListeners();returnFuture.value(currentUser);}else{this.currentUser=null;returnFuture.value(null);}}}
We will keep a local property in the service call currentUser which is the object storing the user, when the user calls the login method, if the password matches we will set currentUser and the user will be logged in. This will now provide a user when the call is made to getUser method. For logging the user out, we will set the currentUserproperty to null indicating that we are no longer logged into the system.
Determining User State On Application Launch
The first challenge when working with the application is to determine which page to open when the application starts up. What we want to do here is determine if we have a user or not. We will be using an AuthService we will created above combined with the FutureBuilder widget from flutter to render the correct first page of either a HomePage or a LoginPage
Using the Provider
In main.dart we will need to update the default main method to look like this; we are wrapping the whole application with the ChangeNotifierProvider to get the ability to scan up the widget tree and find an object of type AuthService.
Go into the main.dart and make the following changes that will allow the MyApp Widget to set the route. This widget will determine if the application should navigate to the HomePage widget or LoginPage widget when the app is launched.
classMyAppextendsStatelessWidget{// This widget is the root of your application.@overrideWidgetbuild(BuildContextcontext){returnMaterialApp(title:'Flutter Demo',theme:ThemeData(primarySwatch:Colors.blue),home:FutureBuilder(// get the Provider, and call the getUser methodfuture:Provider.of<AuthService>(context).getUser(),// wait for the future to resolve and render the appropriate// widget for HomePage or LoginPagebuilder:(context,AsyncSnapshotsnapshot){if(snapshot.connectionState==ConnectionState.done){returnsnapshot.hasData?HomePage():LoginPage();}else{returnContainer(color:Colors.white);}},),);}}
End of Part One
At this point you should have a functioning application with the basic login flow where the user will be logged in successfully if you provide the password as password123
I added in a little extra functionality of displaying an error message in a dialog box if some sort of error occurs.
For help getting started with Flutter, view our
online documentation, which offers tutorials,
samples, guidance on mobile development, and a full API reference.