In this post we will cover one small, but very much hyped, part of serverless; cloud functions. One of the solutions available is firebase's "Firebase Cloud Functions".
We are going to:
- Create and set up a Firebase project
- Setup a Firebase cloud function
- Deploy our first function
- Setup a local dev environment
Requirements
I assume that you have node and npm installed on your machine.
Starter project
Before we start, let us set up a basic project to work with. I created some files and boilerplate code in this repo in the 001-create-a-firebase-function-start
folder.
Check the readme file on how to get started with the code.
1. Create and set up a Firebase project
Create a Firebase project
To create a firebase project:
- Go to the Firebase Console
- Log in or create your account
- Once on the home page, click the big "Add project" button
- Enter a name for your project
- Click "Continue" and follow the steps
And voila, we have a Firebase project.
Setup our firebase project locally
First, we have to install the Firebase CLI tools:
1npm install -g firebase-cli
Then, we login to Firebase from the terminal:
1firebase login
This will open a browser tab for us to authenticate to Firebase console. Once authenticated successfully, we should have our terminal prompt back.
Next is to initialize a Firebase project locally:
1firebase init functions
The command will guide us through the setup. It will ask about 3 things: the Firebase project (which we already created), Cloud Functions language (I chose JavaScript, you can also choose TypeScript), and whether or not to use ESLint (which I replied with a "yes, please" to).
If all goes well, we should see these files created.
1-2+ .firebaserc3+ .gitignore4+ firebase.json5+ functions/.eslintrc.json6+ functions/.gitignore7+ functions/index.js8+ functions/package-lock.json9+ functions/package.json
In addition to some other files you see, these are the important ones:
.firebaserc
: stores your project aliases.firebase.json
: lists your project configuration.functions/package.json
node dependencies for our Firebase cloud function.
The file that we should take a look at now is functions/index.js
. This is where we write our code for the cloud function.
Let us use this "helloWorld" example. Notice that I disabled the CORS
header since we are in development.
1const functions = require('firebase-functions')2
3exports.helloWorld = functions.https.onRequest((request, response) => {4 // disable CORS header5 response.setHeader('Access-Control-Allow-Origin', '*')6
7 response.status(200).json({ message: 'And, hello from serverless!' })8})
3. Deploy our first cloud function
Test the Firebase function locally
Before we deploy, we want to test the function locally. To do so, let us cd
into the Functions
directory:
1cd functions
And start a local emulator (this is provided by the firebase-cli tools):
1npm run serve
After this runs, the function will be watched for changes, and the local URL should be logged in the console. Look for something like this:
1✔ functions[helloWorld]: http function initialized (http://localhost:5001/YOUR_PROJECT_ID/us-central1/helloWorld).
In the link above, YOUR_PROJECT_ID
and us-central1
are the project id and the data center region for your Firebase project respectively. And helloWorld
is the function name.
If we visit the URL and all goes well, we see this message:
1{ "message": "And, hello from serverless land!" }
Deploy the Firebase cloud function
Now, let us deploy our function. While still being in the functions directory, execute this command:
1npm run deploy
The result of the command should have a public URL to trigger our function. It looks something like this:
1https://${DATA_CENTER_REGION}-${YOUR_PROJECT_ID}.cloudfunctions.net/${FUNCTION_NAME}
Trigger the cloud function
Next, let us use the function in our project. To do that, we add a div
in the index.html
file to show a message:
1/* index.html */2 <h1>Hello Firebase Functions</h1>3+ <h2 id="function-response"></h2>4+
And in the index.js
file:
1// get the heading element2const messageDiv = document.querySelector('#function-response')3
4// a function that updates the heading5function updateMessage(message) {6 messageDiv.innerText = message7}8
9// make sure to replace these info with yours10const YOUR_PROJECT_ID = 'YOUR_PROJECT_ID'11const DATA_CENTER_REGION = 'DATA_CENTER_REGION'12const FUNCTION_NAME = 'FUNCTION_NAME'13
14// the function trigger endpoint15const url = `https://${DATA_CENTER_REGION}-${YOUR_PROJECT_ID}.cloudfunctions.net/${FUNCTION_NAME}`16
17// trigger the function and get the result back18fetch(url)19 .then((result) => result.json())20 // when we have the result, we update the heading with the message21 .then((data) => updateMessage(data.message))
After we made these changes, let us check the result. Run the dev server:
1npm run start
If everything went well, we should see in our browser a message like this:
1Hello Firebase Functions2And, hello from serverless land!
4. A better local development setup
When we are in development, we don't want to constantly deploy our function to see the result. So, we will leverage the local emulator provided by the Firebase CLI tools to have a better local development setup.
We know how to start the function emulator:
1cd functions && npm run serve
We know how to start our dev server:
1parcel ./index.html
Now, we need a way to start both of them with one command. Here is the easiest way I could find:
1(cd functions && npm run serve) & parcel ./index.html
And to keep this setup, we're gonna edit the scripts in our package.json
file:
1"scripts": {2- "start": "parcel ./index.html"3+ "start:frontend": "parcel ./index.html",4+ "start": "(cd functions && npm run serve) & npm run start:frontend"5},
And now we can use one command to start them both:
1npm run start
For the url
variable, we should modify it to accomodate for the environment (development vs production):
1const url =2 process.env.NODE_ENV === 'production'3 ? `https://${DATA_CENTER_REGION}-${YOUR_PROJECT_ID}.cloudfunctions.net/${FUNCTION_NAME}`4 : `http://localhost:5001/${YOUR_PROJECT_ID}/${DATA_CENTER_REGION}/${FUNCTION_NAME}`
And now that we use the local url of the function, we can remove the CORS
header in the function:
1- // disable CORS header2- response.setHeader('Access-Control-Allow-Origin', '*')3+ // disable CORS header for development4+ if (process.env.NODE_ENV !== 'production') {5+ response.setHeader('Access-Control-Allow-Origin', '*')6+ }
And then deploy the function:
1cd functions && npm run deploy
Summary
Until this point, we created a Firebase project using the Firebase console. In our local machine, we initialized our project a Firebase function and deployed it. We also configured a better setup for local development.
There is still much we can do here. We will explore other things in the next posts. But, if you are in a hurry, you can check the the Firebase Functions docs.