Cómo construir una aplicación React Native e integrarla con Firebase

En este tutorial, vamos a crear una aplicación React Native que se integra con un backend de Firebase. La aplicación será compatible tanto con React Native CLI como con Expo CLI.

Este tutorial de React Native Firebase cubrirá las características principales como la autenticación, el registro y las operaciones CRUD de la base de datos (Firestore).

También puede descargar el código fuente completo de Github si desea saltar directamente al código.

Este tutorial lo guiará a través de los detalles de las siguientes secciones:

  1. Creando un proyecto de Firebase
  2. Crear y configurar una nueva aplicación React Native
  3. Configuración de la estructura de carpetas, rutas y navegación
  4. Implementación de la interfaz de usuario para las pantallas de inicio de sesión, registro e inicio
  5. Registro con Firebase Auth
  6. Iniciar sesión con Firebase Auth
  7. Credenciales de inicio de sesión persistentes
  8. Escribir y leer datos de Firebase Firestore

Sin más preámbulos, comencemos a construir el proyecto React Native Firebase. La aplicación móvil final se verá así:

reaccionar base de fuego nativa

1. Crea un proyecto de Firebase

Dirígete a Firebase.com y crea una nueva cuenta. Una vez que haya iniciado sesión, podrá crear un nuevo proyecto en Firebase Console.

  • Crea una nueva cuenta en Firebase.com
  • Crea un nuevo proyecto en Firebase Console
  • Habilite el método de autenticación de correo electrónico y contraseña en Firebase Console -> Autenticación -> Método de inicio de sesión
  • Cree una nueva aplicación para iOS, con el ID de aplicación com.reactnativefirebase
  • (Opcional) Cree una nueva aplicación de Android con el nombre de paquete com.reactnativefirebase
  • Descargue el archivo de configuración generado en el siguiente paso en su computadora ( GoogleService-Info.plist para iOS y google-services.json para Android)

Firebase te permite crear aplicaciones sin backend . Es un producto que se ejecuta sobre Google Cloud y permite a los desarrolladores crear aplicaciones web y móviles sin necesidad de sus propios servidores.

Esto ahorra mucho tiempo, ya que no necesita escribir ningún código de backend. También es altamente escalable y está respaldado por la infraestructura de Google.

En Firebase, podrá almacenar todo lo que necesita para su aplicación: usuarios, datos, archivos, tokens de notificaciones push, etc. Toda esta información está disponible para los clientes móviles a través de los SDK de Firebase, que son compatibles con React Native. . Esto significa que todas las interacciones con el backend se abstraen y encapsulan en el SDK, por lo que los desarrolladores móviles no necesitan preocuparse por las llamadas a la API, el análisis de datos, la administración de sockets, etc.

2. Cree y configure una nueva aplicación React Native

Vamos a hacer que nuestra aplicación React Native Firebase sea compatible con Expo CLI y React Native CLI.

Vamos a utilizar Expo por ahora, ya que facilita a los recién llegados la vista previa de sus aplicaciones. Pero no usaremos ninguna biblioteca específica de Expo, por lo que el código src se puede usar simplemente en cualquier aplicación React Native, independientemente de su estructura.

Vamos a utilizar Firebase Web SDK, que es compatible con Expo y React Native CLI, y es compatible directamente con Google.

Si desea utilizar react-native-firebase en su lugar, no dude en instalarlo y configurarlo (el código seguirá siendo el mismo). Pero tenga en cuenta que no lo recomendamos por algunas razones:

  • Google no lo admite directamente, por lo que mantenerlo será mucho más difícil dado que es una capa adicional que puede causar errores y
  • tampoco funciona con Expo, que puede ser un factor decisivo para muchos desarrolladores.

Los pasos a continuación también se tratan en la documentación oficial de React Native sobre cómo configurar su entorno de desarrollo.

  • Instalar Expo CLI

En su Terminal, simplemente ejecute

npm install -g expo-cli
  • Cree una nueva aplicación React Native ejecutando
expo init react-native-firebase 

Para la plantilla, elija el flujo de trabajo administrado  - En  blanco

  • Inicie la aplicación ejecutando
yarn ios // or yarn android 

Esto también le presentará un código QR que puede escanear usando la aplicación Cámara en iOS o la aplicación Expo en Android.

Esto es genial. Ahora tenemos una nueva aplicación React Native, que se ejecuta tanto en iOS como en Android. Comencemos a conectarlo a su backend de Firebase.

  • Agrega el SDK de Firebase al proyecto React Native
yarn add firebase 
  • Agregue la biblioteca React Native Navigation ejecutando
yarn add @react-navigation/native && yarn add @react-navigation/stack && expo install react-native-gesture-handler react-native-reanimated react-native-screens react-native-safe-area-context @react-native-community/masked-view
  • Agregue varios componentes y paquetes de UI para usar en el proyecto
yarn add react-native-keyboard-aware-scroll-view base-64 

Crea un archivo de configuración de Firebase

mkdir src src/firebase && touch src/firebase/config.js

Agregue su configuración de firebase en src / firebase / config.js:

You can get all this information from Firebase Console -> Project Settings

3. Create the Folder Structure and Set Up Routes and Navigation

  • Create the folder structure by running
mkdir src/screens src/screens/LoginScreen src/screens/RegistrationScreen src/screens/HomeScreen
  • Create the files structure by running
touch src/screens/index.js src/screens/LoginScreen/LoginScreen.js src/screens/LoginScreen/styles.js src/screens/RegistrationScreen/RegistrationScreen.js src/screens/styles.js src/screens/HomeScreen/HomeScreen.js src/screens/HomeScreen/styles.js
  • Add this code to src/screens/index.js
export { default as LoginScreen } from './LoginScreen/LoginScreen' export { default as HomeScreen } from './HomeScreen/HomeScreen' export { default as RegistrationScreen } from './RegistrationScreen/RegistrationScreen' 

Don’t worry if the project is broken! Everything will make sense in a little while.

  • Set up the routes & navigators

Override App.js file with the following code snippet:

4. Implement the UI

Now that we have the scaffold of the app, let’s go ahead and implement the UI components of all screens. We’re not going into the details of flex layout and React Native styling, since that is outside the scope for this tutorial. We’re going to focus mostly on React Native Firebase integration.

Simply override the files as follows:

  • src/LoginScreen/LoginScreen.js
  • src/LoginScreen/styles.js
  • src/RegistrationScreen/RegistrationScreen.js
  • src/RegistrationScreen/styles.js
  • src/HomeScreen/HomeScreen.js
  • src/HomeScreen/styles.js

At this point, your app should run properly and display the following screens (UI only):

reaccionar autenticación nativa de base de fuego

You can switch between the two screens by tapping the links buttons in the footer.

Now that we have a beautiful UI for login and sign up, let’s see how we can integrate our React Native (and Expo) app with Firebase.

5. React Native Firebase — Registration

Let’s start with creating a new account with Firebase Auth, since naturally login comes after. For this, we are going to add the Firebase logic for creating a new account with email & password in RegistrationScreen.js, by implementing the onRegisterPress method as follows:

In the account creation flow above, we do a few important things:

  • We call Firebase Auth’s createUserWithEmailAndPassword API (line 13), which creates a new account that will show up in Firebase Console -> Authentication table.
  • If the account registration was successful, we also store the user data in Firebase Firestore (line 24). This is necessary for storing extra user information, such as full name, profile photo URL, and so on, which cannot be stored in the Authentication table.
  • If registration was successful, we navigate to the Home Screen, by passing in the user object data as well.
  • If any error occurs, we simply show an alert with it. Errors can be things such as no network connection, password too short, email invalid, and so on.

Reload your app and test the registration. If you successfully created one account, check that it shows up in Firebase Console ->Authentication:

6. React Native Firebase — Login

Now that we are able to create new accounts, let’s implement the login functionality. Firebase SDK takes care of all the authorization and authentication steps needed for a secure login.

Open LoginScreen.js, import firebase and complete the onLoginPress method:

Reload your app and go ahead and login with an existing account. The app should take you to the home screen if the credentials were correct, or it will alert you with an error if anything went wrong.

7. Persist Login Credentials

You’ll notice that if you quit the app and open it again, it will show the login screen again. For a good user experience, we’d want to land all logged in users on the Home screen. No one wants to type in their login credentials every time they want to use an app.

This is also known as persistent login. Fortunately, Firebase SDK takes care of this for us, dealing with all the security concerns. Persistent login is enabled by default in Firebase, so all we need to do is fetch the currently logged in user.

Open App.js and let’s implement the persistent login feature:

onAuthStateChanged returns the currently logged in user. We then fetch all the extra user data that we stored in Firestore, and set it on the current component’s state. This will re-render the app component, which will display the Home screen.

Notice how we call this the first time the app loads by leveraging the useEffect hook.

8. Writing and Reading Data from Firebase Firestore

We’ve already used Firestore above, for saving extra information on our users (the full name). In this dedicated section, we’re going to see how we can write data to Firestore, and how we can query it.

We’ll also cover how to observe (listen to) changes in the Firestore collection and have those be reflected on the screen, in real-time. These can be very helpful in real-time apps, such as a React Native Chat.

To simplify, we are going to save some text items into a Firestore collection named “entities”. Think of these as tasks, posts, tweets, anything you want. We’ll create a simple file that adds a new entity and we’ll also list all the entities that belong to the currently logged in user. Additionally, the list will be updated in real-time.

  • Implement HomeScreen.js by rewriting it to the code below
  • Style the home screen, by overriding HomeScreen/styles.js to:
  • Reload the app and observe the new home screen. Type in some text and press the Add button
  • Nothing happened.
  • Create an index on the entities Firestore collection

You’ll notice that the list of entities is not rendered. If you check out the logs, you’ll see an warning about “The query requires an index”, followed by a long URL:

This informs us that we can’t query the entities table by authorID and sort the data by createdAt in descending order, unless we create an index. Creating an index is actually really easy — simply click on that URL and then click the button:

  • Reload the app again

Now everything works as expected:

  • The app lists all the entities in the entities collection, in descending creation order
  • Adding a new entity works fine
  • The list updates in real-time (try deleting an entry directly in the database, or adding a new one directly from the app)

This is how your Firestore database looks like now:

This is how you read and write from Firestore in React Native. Let’s move forward to the last section.

Play around with the app, by adding new entities. This is the final project:

Conclusion

Firebase makes it really easy to add authentication and database support to any React Native app. Firebase SDK is extremely powerful, supporting a lot of common reading and writing database patterns.

In addition to React Native, Firebase SDK provides support for a lot of other languages, such as Swift, Kotlin or Flutter. Check out those links for similar Firebase starter kits in various languages.

We’ve showcased the most basic ones in this React Native Firebase tutorial. In the next series, we’ll cover more advanced features, such as Firebase Storage (file upload) and push notifications.

Si te gustó este tutorial, dame una estrella en el repositorio de Github y compártelo con tu comunidad. Puede consultar aún más proyectos React Native gratuitos en Instamobile. ¡Salud!