Your Web News in One Place

Help Webnuz

Referal links:

Sign up for GreenGeeks web hosting
March 25, 2022 03:12 am GMT

Why and How Migrate From Firebase to Serverless Stack?

This article is the third of a series around SST - Serverless Stack. I will try to let you discover some amazing aspects of this particular solution in the serverless world. You can find the first article here (introduction) and the second one here (some constructs presentation).

Firebase is a fantastic tool. It allows you to build mobile or web applications without having to manage a backend by yourself. But somehow, this comes with some drawbacks. In this article I will explain you why you may want to switch, and a practical guide to switch.

In a concrete example I will migrate a React application that is relying on both Firebase and a Serverless Framework backend to a single stack (with Serverless Stack)

Short Presentation of Each Solutions

  • Firebase is a product backed by Google. It allow you to create mobile and web applications based on a set of Firebase components. It contains an authentication layer, a database (FireStore), a storage component to save files, and a hosting solution to ship your application. Its also possible to rely on Cloud Function to run code in backend functions.
  • Serverless Framework is a solution to host your backend components in a dedicated cloud provider without having to manage servers. For exemple on AWS it will allow your to manage Lambda functions easily.
  • Serverless Stack is a new solution that can do what Serverless Framework offer. But it offer also to handle the hosting of your web application, and provide a better developer experience in my opinion. I have already written a couple of article on the subject: here for an introduction and here for some constructs presentation.
  • React is a Javascript library to build user interface

Why You May Want to Migrate?

I was running my system to manage Montreal library cards since a few year based on Firebase. Because I was using the free version of Firebase, I wasnt able to use Cloud Functions. But to query Montreal library system, it was needed to run some functions somewhere. Back in the days, I have selected Serverless Framework to operate this backend API on my own AWS account. But it was not ideal, because I was dealing with too much stacks. Focusing on Firebase, here is a list of items that can limit you:

  • Firebase is offering a limited set of functionalities: the integrated solutions is providing a really nice set of features for common web application (authentication, storage, database...). But its not easily extensible. When you use directly AWS, you can use any service provided by the cloud provider. Think about Machine Learning service, Queue systems, Container workload...
  • Pricing model is not cheap: when you leave the no-cost plan (Spark), Firebase can be quite expensive, depending on your usage. For reference this classic article 30k bill on Firebase is a good reference! The backend-as-a-service model can lead to such issues if not well optimized. AWS is not cheap either, but you will pay only what you are using and you have more options to build your product (does the frontend is running query on the database directly or via a backend API?)
  • Developer experience can be limited: local development is a must for serverless application : it reduces the feedback time it take you to test each feature. Firebase offer you a local emulator suite to provide you a local environment. It will allow you to test quickly the cloud function built, without waiting them to be shipped. But its only an emulation, not real cloud function running on your cloud provider. On the opposite, Serverless Stack is providing you a live lambda development environment that is relying on AWS services, not emulation.

Running the Migration in 6 Steps!

Step 1: Init your Serverless Stack application

Following the quick-start:

# Create a new SST appnpx create-serverless-stack@latest my-sst-appcd my-sst-app

Take some time to explore the organisation of the folder. stacks/ contains your infrastructure setup, src/ will contains your Lambda function code.

Step 2: Migrate from Serverless Framework to the new application

In my specific case, I was migrating functions from Serverless Framework. The guys from SST have a decent documentation for this classic case: Migrating From Serverless Framework.

Basically I have reused directly the javascript files from the old project, and place them in the src/ folder of the new project. Then inside stacks/MyStack.ts, I have created my API routes:

// Create a HTTP APIconst api = new sst.Api(this, "Api", {  defaultAuthorizationType: sst.ApiAuthorizationType.AWS_IAM,  cors: true,  routes: {    "GET /cards": "src/cards.list",    "POST /cards": "src/cards.add",    "DELETE /cards/{id}": "src/cards.remove",    "GET /cards/{id}/books": "src/books.list",        ...  },});

The defaultAuthorizationType allow me to secure the API with an IAM authentication (see next step!).

Step 3: Replace the Firebase Authentication

Firebase is handy because it comes with an authentication layer built-in. Inside SST the best option is to use the Auth construct, that is relying behind the scene on AWS Cognito.

In stacks/MyStack.ts, I am adding:

// Create authconst auth = new Auth(this, "Auth", {  cognito: {    userPoolClient: {      supportedIdentityProviders: [UserPoolClientIdentityProvider.GOOGLE],      oAuth: {        callbackUrls: [          scope.stage === "prod"            ? `https://${prodDomainName}`            : "http://localhost:3000",        ],        logoutUrls: [          scope.stage === "prod"            ? `https://${prodDomainName}`            : "http://localhost:3000",        ],      },    },  },});if (  !auth.cognitoUserPool ||  !auth.cognitoUserPoolClient ||  !process.env.GOOGLE_AUTH_CLIENT_ID ||  !process.env.GOOGLE_AUTH_CLIENT_SECRET) {  throw new Error(    "Please set GOOGLE_AUTH_CLIENT_ID and GOOGLE_AUTH_CLIENT_SECRET"  );}const provider = new UserPoolIdentityProviderGoogle(this, "Google", {  clientId: process.env.GOOGLE_AUTH_CLIENT_ID,  clientSecret: process.env.GOOGLE_AUTH_CLIENT_SECRET,  userPool: auth.cognitoUserPool,  scopes: ["profile", "email", "openid"],  attributeMapping: {    email: ProviderAttribute.GOOGLE_EMAIL,    givenName: ProviderAttribute.GOOGLE_GIVEN_NAME,    familyName: ProviderAttribute.GOOGLE_FAMILY_NAME,    phoneNumber: ProviderAttribute.GOOGLE_PHONE_NUMBERS,  },});// make sure to create provider before client (https://github.com/aws/aws-cdk/issues/15692#issuecomment-884495678)auth.cognitoUserPoolClient.node.addDependency(provider);const domain = auth.cognitoUserPool.addDomain("AuthDomain", {  cognitoDomain: {    domainPrefix: `${scope.stage}-nelligan-plus`,  },});// Allow authenticated users invoke APIauth.attachPermissionsForAuthUsers([api]);

This will allow me the use Google as my principal authentification system (inside Cognito User Pool). There is an alternate way to use Cognito Identity Pool with a simpler declaration:

new Auth(this, "Auth", {  google: {    clientId:      "xxx.apps.googleusercontent.com",  },});

But its harder to manage in the React app so I prefer my initial version .

Step 4: Replace the Firestore Database

The Firebase project rely on Firestore to store some data related to each user. On the new stack you must build a new system to store data. The equivalent structure in AWS world is a DynamoDB table, with a cost per usage. It fits well serverless deployments. There is useful Table construct available in SST:

// Table to store cards  const table = new Table(this, "Cards", {    fields: {      cardId: TableFieldType.STRING,      cardUser: TableFieldType.STRING,      cardCode: TableFieldType.STRING,      cardPin: TableFieldType.STRING,    },    primaryIndex: { partitionKey: "cardId" },  });

Step 5: Replace the Firebase Hosting

Here there is multiple approach possible. I am suggesting the most integrated solution for an SST stack:

First add in MyStack.ts:

// Create frontend appconst reactApp = new ReactStaticSite(this, "ReactSite", {  path: "react-app",  buildCommand: "yarn && yarn build",  environment: {    REACT_APP_REGION: this.region,    REACT_APP_API_URL: api.url,    REACT_APP_GA_TRACKING_ID: "UA-151729273-1",    REACT_APP_USER_POOL_ID: auth.cognitoUserPool.userPoolId,    REACT_APP_USER_POOL_CLIENT_ID:      auth.cognitoUserPoolClient.userPoolClientId,    REACT_APP_IDENTITY_POOL_ID: auth.cognitoIdentityPoolId,    REACT_APP_USER_UI_DOMAIN: domain.domainName,    REACT_APP_DOMAIN:      scope.stage === "prod"        ? `https://${prodDomainName}`        : "http://localhost:3000",  },  customDomain:    scope.stage === "prod"      ? {          domainName: prodDomainName,          hostedZone: "sidoine.org",        }      : undefined,});

The environment props allow to pass environment variables to the React stack. The path is the relative path that contains your React app.

Step 6: Adapt your React Application

So following step 5, in the react-app/ folder I move my existing React application and start changing it to support my new stack content. Here is a general guidance follow:

  • Remove any occurence of firebase library
  • Add aws-amplify instead (its a simple wrapper for using AWS ressources like auth, api, etc...)
  • Add @serverless-stack/static-site-env to manage environment variable from SST
  • Configure aws-amplify (see example here, based on environment variables)
  • Replace firebase calls by aws-amplify calls (thats probably the most long task!)

For reference here is two examples of aws-amplify usage:

  • The SignIn component to sign in the application (rely on CognitoHostedUIIdentityProvider)
  • The Card component that is calling an API endpoint, using the API object from aws-amplify

Link to the Project Before and After the Migration

For reference, you can dig into the project before and after the migration:

Before the migration:

GitHub - julbrs/nelligan-plus at sls_firebase

After the migration:

GitHub - julbrs/nelligan-plus at 7fcff53b8be57a2505ccbbe1556576c46c02df98

Conclusion

The switch have been a game-changer for me. And its not because of the cost or features, but more for the developer experience. Before the migration, I use to first build the backend function, test it, ship it. Then use this backend function in the frontend application after shipping the backend part. Then maybe I need to go back to the backend to adapt the contract or modify the code... You get it, it was a slow back-and-forth process, not very efficient.

Today I have a single stack:

  • First I start SST via npx sst start
  • Then I start my React app locally (yarn start)

The advantages:

  • I am working on a development environment without link to the production system (thanks to the stages)
  • I can change my backend code directly in the IDE, and its available instantly! Thanks to Live Lambda Development!
  • I dont have to manage directly the environment variables of my frontend stack (no more .env file to update!)
  • When its time to ship my project, just a single command to push both backend and frontend! npx sst deploy --stage prod

Get a look at Serverless Stack (SST), or my example project (here on Github). Its really worth the time to understand the main concepts, and then you will be more efficient building full stack serverless applications!
Continue the discussion on twitter


Original Link: https://dev.to/julbrs/why-and-how-migrate-from-firebase-to-serverless-stack-40e1

Share this article:    Share on Facebook
View Full Article

Dev To

An online community for sharing and discovering great ideas, having debates, and making friends

More About this Source Visit Dev To