Firebase Essentials: Firestore Database Write with TypeScript - gem-firebase-firestore-write-typescript

Firebase Essentials: Firestore Database Write with TypeScript - gem-firebase-firestore-write-typescript

Sep 15, 2025Β·

7 min read

Activate Cloud Shell

Cloud Shell is a virtual machine that is loaded with development tools. It offers a persistent 5GB home directory and runs on the Google Cloud. Cloud Shell provides command-line access to your Google Cloud resources.

  1. Click Activate Cloud Shell

    Activate Cloud Shell icon

    at the top of the Google Cloud console.

When you are connected, you are already authenticated, and the project is set to your PROJECT_ID. The output contains a line that declares the PROJECT_ID for this session:

Your Cloud Platform project in this session is set to YOUR_PROJECT_ID

gcloud is the command-line tool for Google Cloud. It comes pre-installed on Cloud Shell and supports tab-completion.

  1. (Optional) You can list the active account name with this command:
gcloud auth list

Copied!

  1. Click Authorize.

  2. Your output should now look like this:

Output:

ACTIVE: *
ACCOUNT: student-01-xxxxxxxxxxxx@qwiklabs.net

To set the active account, run:
    $ gcloud config set account `ACCOUNT`
  1. (Optional) You can list the project ID with this command:
gcloud config list project

Copied!

Output:

[core]
project = <project_ID>

Example output:

[core]
project = qwiklabs-gcp-44776a13dea667a6

Note: For full documentation of gcloud, in Google Cloud, refer to the gcloud CLI overview guide.

Overview

This lab guides you through creating a Firebase Firestore database and writing data to it using a TypeScript application. You'll learn how to initialize Firebase, structure your data, and use the Firebase CLI for authentication. This eliminates the need for a custom service account.

Task 1. Adding a Firebase Project to Google Cloud

Attach a new Firebase project to your Google Cloud proiect by visting the Firebase console.

  1. Go to the Firebase Console.

     https://console.firebase.google.com/
    

Note:
Navigate to the Firebase Console in your browser.

  1. Click Create a Firebase Project and follow the instructions to create a new project.

    Note:
    On the Create a project page, scroll down to the bottom of the screen and click Add Firebase to Google Cloud Project.

  2. On the following screen, enter the Google Cloud project identifier shown below.

     qwiklabs-gcp-02-9aa6f6deedbf
    

Note:
This project identifier is linked to a Google Cloud project. Accept the Firebase terms and conditions to create the Firebase project.

  1. Follow the remaining instructions to create a new Firebase project.

    Note:
    Firebase includes options for billing and analytics. These options are not used in this lab, so accept the default options to complete the creation of the Firebase project.

Task 2. Set Up Your Environment

Return to Google Cloud and use CloudShell to configure your Google Cloud project and initialize Firebase.

  1. Set your project ID.

     gcloud config set project qwiklabs-gcp-02-9aa6f6deedbf
    

Note:
This command sets your active project.

  1. Set your default region.

     gcloud config set run/region us-east1
    

Note:
This command sets your active region.

  1. Set your default zone.

     gcloud config set compute/zone us-east1-d
    

Note:
This command sets your active zone.

  1. Enable the necessary APIs.

     gcloud services enable compute.googleapis.com container.googleapis.com iap.googleapis.com firebase.googleapis.com firebaseextensions.googleapis.com eventarc.googleapis.com pubsub.googleapis.com storage.googleapis.com run.googleapis.com
    

Note:
This command enables the Google APIs required for this lab.

  1. Create a Firestore database in Native mode.

     gcloud firestore databases create --location=nam5 --database='(default)'
    

Note:
This command provisions a Firestore database in the nam5 (North America) multi-region. The database must exist before you can deploy or run code that interacts with it. You can choose a different region if needed.

Task 3. Configure the Firebase Environment

Enable the Firebase environment to use for development.

  1. Install the Firebase CLI.

     npm install -g firebase-tools
    

Note:
This command installs the Firebase CLI globally.

  1. Create a new directory for the project.

     mkdir firestore-app && cd firestore-app
    

Note:
This command creates a folder for the lab content. This folder will contain the code and configurations generated during the lab.

  1. Log in to Firebase using the CLI:

     firebase login --no-localhost
    

Note:
This command authenticates the Firebase CLI with your Google account.

  1. Initialize Firebase in your project directory.

     firebase init
    

Note:
This command initializes a Firebase project in the current directory.
When prompted:

  • Select Firestore and Functions.

  • For Firestore, accept the default location.

  • For Functions, choose TypeScript and decline ESLint.

Task 4. Write Data to Firestore

Now, write some data to your Firestore database using TypeScript. For convienience a Firebase Cloud Function will be used to populate the Firestore database.

  1. Replace functions/src/index.ts file with the following code:

     // functions/src/index.ts
     // Import types for request and response objects
     import {onRequest, Request} from "firebase-functions/v2/https";
     import {Response} from "express";
    
     import {initializeApp} from "firebase-admin/app";
     import {getFirestore} from "firebase-admin/firestore";
     import * as logger from "firebase-functions/logger";
    
     initializeApp();
    
     // Note: The 'addMessage' function name from the JS example has been preserved.
     export const addMessage = onRequest({region: "us-east1"}, async (req: Request, res: Response) => {
       if (req.method !== "POST") {
         res.status(405).set("Allow", "POST").send({error: "Method Not Allowed! Please use POST."});
         return;
       }
    
       const {text} = req.body as { text: unknown };
    
       if (typeof text !== "string" || text.trim() === "" || text.length > 200) {
         res.status(400).send({
           error: "The message text must be a string and between 1 and 200 characters.",
         });
         return;
       }
    
       try {
         const writeResult = await getFirestore()
           .collection("messages")
           .add({original: text});
    
         logger.log(`Message with ID: ${writeResult.id} added.`);
    
         res.status(200).send({message: `Message with ID: ${writeResult.id} added to Firestore.`});
       } catch (error) {
         logger.error("Error writing to Firestore:", error);
         res.status(500).send({error: "An internal error occurred."});
       }
     });
    

Note:
This code defines a Firebase Function that writes a message to the messages collection in Firestore. It uses the Firebase Admin SDK, which leverages the Firebase CLI's authentication for simplified access.

  1. Replace the functions/package.json file with the following configuration to set the correct TypeScript engine and add the required dependencies.

     {
       "name": "functions",
       "description": "Cloud Functions for Firebase",
       "scripts": {
         "lint": "eslint --ext .js,.ts .",
         "build": "tsc",
         "build:watch": "tsc --watch",
         "serve": "npm run build && firebase emulators:start --only functions",
         "shell": "npm run build && firebase functions:shell",
         "start": "npm run shell",
         "deploy": "firebase deploy --only functions",
         "logs": "firebase functions:log"
       },
       "engines": {
         "node": "22"
       },
       "main": "lib/index.js",
       "dependencies": {
         "firebase-admin": "^11.8.0",
         "firebase-functions": "^4.3.1"
       },
       "devDependencies": {
         "@typescript-eslint/eslint-plugin": "^5.62.0",
         "@typescript-eslint/parser": "^5.62.0",
         "@types/node": "^18.19.0",
         "eslint": "^8.57.0",
         "eslint-config-google": "^0.14.0",
         "eslint-plugin-import": "^2.29.1",
         "firebase-functions-test": "^3.1.0",
         "typescript": "^5.4.5"
       },
       "private": true,
       "overrides": {
         "glob": "^10.3.10",
         "lru-cache": "^10.2.2"
       }
     }
    

Note:
Ensure the engines/node field is set to v22, the firebase-admin dependency is included, and firebase-functions is v4.6.0 or later.

  1. Replace the functions/tsconfig.json file with the following configuration to set the correct TypeScript requirements.

     {
       "compilerOptions": {
         "module": "commonjs",
         "noImplicitReturns": true,
         "noUnusedLocals": true,
         "outDir": "lib",
         "sourceMap": true,
         "strict": true,
         "target": "es2021",
         "lib": [
           "es2021"
         ],
         "skipLibCheck": true
       },
       "compileOnSave": true,
       "include": [
         "src"
       ]
     }
    

Note:
Ensure the engines/node field is set to v22, the firebase-admin dependency is included, and firebase-functions is v4.6.0 or later.

  1. Install the dependencies.

     cd functions && npm install
    

Note:
This command installs all the necessary packages defined in your package.json file.

  1. Perform a test build.

     npm run build
    

Note:
This command performs a build on the TypeScript as defined in the function folder.

  1. Return to the Firebase application folder.

     cd ~/firestore-app
    

Note:
This command returns to the parent folder, ready for deployment.

  1. Deploy the function to Firebase.

     firebase deploy --only functions
    

Note:
This command deploys your Firebase Function to the cloud.

If you see an error relating to "There was an issue deploying your functions. Verify that your project has a Google App Engine instance setup at https://console.cloud.google.com/appengine and try again." This indicates a background processes have not completed.

Please wait a couple of minutes before trying the deploy command again.

Task 5. Test the Function

Verify that your Firebase Cloud Function is writing data to Firestore correctly.

  1. List the available Firebase Cloud Functions.

     firebase functions:list
    

Note:
This command lists the available Firebase Functions for the active project.

EXPECTED OUTPUT

    β”Œβ”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”¬β”€β”€β”€β”€β”€β”€β”€β”€β”€β”¬β”€β”€β”€β”€β”€β”€β”€β”€β”€β”¬β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”¬β”€β”€β”€β”€β”€β”€β”€β”€β”¬β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”
    β”‚ Function   β”‚ Version β”‚ Trigger β”‚ Location    β”‚ Memory β”‚ Runtime  β”‚
    β”œβ”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”Όβ”€β”€β”€β”€β”€β”€β”€β”€β”€β”Όβ”€β”€β”€β”€β”€β”€β”€β”€β”€β”Όβ”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”Όβ”€β”€β”€β”€β”€β”€β”€β”€β”Όβ”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€
    β”‚ addMessage β”‚ v2      β”‚ https   β”‚ us-east1 β”‚ 256    β”‚ nodejs22 β”‚
    β””β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”΄β”€β”€β”€β”€β”€β”€β”€β”€β”€β”΄β”€β”€β”€β”€β”€β”€β”€β”€β”€β”΄β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”΄β”€β”€β”€β”€β”€β”€β”€β”€β”΄β”€β”€β”€β”€β”€β”€β”€β”€β”€β”€β”˜
  1. Get the URI for the Firebase Cloud Function.

     FUNCTION_URI=$(gcloud functions describe addMessage --region us-east1 --format=json | jq -r .serviceConfig.uri)
    

Note:
This command retrieves the addMessage function object and extracts the URI.

  1. Call the Firebase Cloud Function using curl.

     MESSAGE_TEXT="Hello from the CLI!"
     curl -X POST "$FUNCTION_URI" -H "Content-Type: application/json" -d '{"text":"'"$MESSAGE_TEXT"'"}'
    

Note:
This command invokes the addMessage function with the provided data. The function name is case-sensitive.

    {"message":"Message with ID: 9GMxSOZp0yynY0I57Dav added to Firestore."}
  1. Check the Firestore console to confirm the data has been written.

     Open the Firebase console for your project. Navigate to Firestore Database, and you should see a new document in the 'messages' collection.
    

    Note:
    Verify that the data has been written to Firestore.


Solution of Lab