React Native Firebase Authentication: Keep Users Logged In

0
76

πŸš€ A Complete Guide to User Session Management in Expo Router

πŸ“Œ SEO Title:

“React Native Firebase Authentication: How to Keep Users Logged In”

πŸ“Œ Short Meta Description (Max 60 characters):

“Keep users logged in with Firebase in React Native.”

πŸ“Œ Full Meta Description:

“Learn how to implement Firebase Authentication in React Native with Expo Router. This step-by-step guide explains session management, logout handling, and user redirection.”

πŸ“Œ Keywords:

React Native authentication, Firebase session management, keep users logged in React Native, Firebase auth persistence, React Native login, Expo Router authentication


πŸ“Œ Introduction

One of the most important features of any mobile app is user authentication. But what happens when a user closes the app and reopens it? Should they log in again every time? No!

Using Firebase Authentication in React Native, we can keep users logged in and automatically redirect them to the correct screen.

In this tutorial, we’ll implement: βœ… Persistent user authentication (stay logged in after closing the app).
βœ… Automatic redirection (navigate based on login status).
βœ… Logout handling (hide the logout button if not logged in).

By the end of this guide, your React Native app will have full user session management! πŸš€


πŸ“Œ Step 1: Install Firebase & Navigation Dependencies

Before we begin, make sure you have Firebase Authentication and React Navigation installed.

Run this command in your terminal:

bash
npm install firebase @react-navigation/native @react-navigation/stack react-native-screens react-native-safe-area-context react-native-gesture-handler react-native-reanimated expo-router

πŸ” What Are These Dependencies?

  • firebase β†’ Firebase SDK for authentication.
  • @react-navigation/native β†’ Core navigation library.
  • @react-navigation/stack β†’ Enables navigation between screens.
  • Other packages β†’ Required for React Native navigation and gestures.

πŸ“Œ Step 2: Modify firebaseConfig.ts to Track User Session

We need to listen for authentication state changes in Firebase.

πŸ“ Location: src/firebaseConfig.ts

πŸ”Ή Updated firebaseConfig.ts

typescript
import { initializeApp } from "firebase/app";
import { getAuth, onAuthStateChanged } from "firebase/auth";

const firebaseConfig = {
apiKey: "YOUR_API_KEY",
authDomain: "YOUR_PROJECT.firebaseapp.com",
projectId: "YOUR_PROJECT_ID",
storageBucket: "YOUR_PROJECT.appspot.com",
messagingSenderId: "YOUR_MESSAGING_SENDER_ID",
appId: "YOUR_APP_ID"
};

const app = initializeApp(firebaseConfig);
export const auth = getAuth(app);

// Function to track authentication state
export function listenForAuthChanges(callback: (user: any) => void) {
return onAuthStateChanged(auth, callback);
}

πŸ” Explanation:

  • onAuthStateChanged(auth, callback) β†’ Tracks if a user logs in or out.
  • listenForAuthChanges() β†’ Calls the callback function when auth state changes.

πŸ“Œ Step 3: Automatically Redirect Users Based on Login Status

Now, we will check if a user is logged in or not when they open the app.

πŸ“ Location: app/_layout.tsx

πŸ”Ή Modify _layout.tsx

typescript
import { Stack, useRouter } from "expo-router";
import { useEffect, useState } from "react";
import { listenForAuthChanges } from "../src/firebaseConfig";

export default function Layout() {
const [user, setUser] = useState(null);
const router = useRouter();

useEffect(() => {
const unsubscribe = listenForAuthChanges((user) => {
setUser(user);
if (user) {
router.replace("/(tabs)/index"); // Redirect to home if logged in
} else {
router.replace("/login"); // Redirect to login if not logged in
}
});

return () => unsubscribe(); // Cleanup the listener
}, []);

return <Stack />;
}

πŸ” Explanation:

  • useEffect() β†’ Runs once when the app starts.
  • listenForAuthChanges() β†’ Calls Firebase to track login/logout state.
  • router.replace() β†’ Redirects:
    • βœ… If logged in β†’ Go to index.tsx (home screen).
    • ❌ If not logged in β†’ Go to login.tsx.

πŸ“Œ Step 4: Show/Hide Logout Button Based on User Status

πŸ“ Location: app/(tabs)/index.tsx

Now, we will modify the home screen so that:

  • βœ… The logout button only appears if the user is logged in.
  • ❌ If not logged in, the button is hidden.

πŸ”Ή Modify index.tsx

typescript
import { View, Text, Button, StyleSheet } from "react-native";
import { useRouter } from "expo-router";
import { auth, listenForAuthChanges } from "../../src/firebaseConfig";
import { signOut } from "firebase/auth";
import { useEffect, useState } from "react";

export default function HomeScreen() {
const [user, setUser] = useState(null);
const router = useRouter();

useEffect(() => {
const unsubscribe = listenForAuthChanges((user) => {
setUser(user);
});

return () => unsubscribe();
}, []);

const handleLogout = async () => {
try {
await signOut(auth);
router.replace("/login"); // Redirect to login screen after logout
} catch (error: any) {
alert(error.message);
}
};

return (
<View style={styles.container}>
<Text style={styles.title}>Welcome to Word Puzzle Game!</Text>
{!user ? (
<>
<Button title="Go to Login" onPress={() => router.push("/login")} />
<Button title="Go to Signup" onPress={() => router.push("/signup")} />
</>

) : (
<Button title="Logout" onPress={handleLogout} color="red" />
)}
</View>
);
}

const styles = StyleSheet.create({
container: { flex: 1, justifyContent: "center", alignItems: "center", padding: 20 },
title: { fontSize: 24, fontWeight: "bold", marginBottom: 20 }
});

πŸ” Explanation:

  • useState(null) β†’ Stores the logged-in user.
  • useEffect() β†’ Listens for auth state changes.
  • !user ? (...) : (...) β†’
    • If logged in: Show only the Logout button.
    • If not logged in: Show Login and Signup buttons.

πŸš€ Now, the Logout button will ONLY show when a user is logged in!


πŸ“Œ Step 5: Restart and Test

Run your app again:

bash
npx expo start

βœ… Test These Scenarios:

  1. Open the app β†’ If logged in, you should see the home screen with Logout.
  2. Close and reopen the app β†’ You should still be logged in.
  3. Click “Logout” β†’ You should return to the login screen, and the Logout button should disappear.
  4. Try logging in again β†’ You should see the Logout button after login.

πŸš€ Now your app correctly handles session management! πŸŽ‰


🎯 What’s Next?

Now that authentication is fully functional, we will:
βœ”οΈ Start building the word puzzle game UI.
βœ”οΈ Display the player’s username after login.
βœ”οΈ Connect Firebase Realtime Database to store player progress.

Stay tuned for Part 4! πŸ”₯

πŸ’‘ Got any questions? Drop a comment below! πŸš€