Automatically deploy a Gatsby site to Firebase Hosting

2,299
CircleCI
CircleCI’s continuous integration and delivery platform helps software teams rapidly release code with confidence by automating the build, test, and deploy process. CircleCI offers a modern software development platform that lets teams ramp quickly, scale easily, and build confidently every day.

This post was written by Kevin Ndung'u, a Web Developer from Nairobi, Kenya


Firebase Hosting is a web application hosting platform by Google. Through this service, you can host your web apps on Google’s infrastructure. It enables easy one-step deployment and has other cool features such as fast hosting from CDNs and rollbacks. A good overview of the service is available in the Firebase Hosting Docs.

Gatsby is a framework that enables you to create fast React-based apps and websites. It allows you to build these websites with data fetched from a wide variety of sources, including markdown files, APIs, and even CMSs. It then combines this data with a React-based frontend architecture to build extremely fast interactive websites. Gatsby compiles web apps to optimised static files, which we will deploy to Firebase Hosting. I think it’s amazing and I’m glad to share it with you!

In this post, we will setup a simple Gatsby site, host the code on a GitHub repository, and setup automatic deployment of our web application to Firebase Hosting using CircleCI.

Prerequisites

In order to go through this tutorial, you will need to install the following:

  1. Git
  2. Node.js

Note: You’ll also need to have a Google account in order to use Firebase Hosting.

Why Gatsby?

I chose Gatsby simply because it will enable us to focus on the high level details. For example, rather than building pages from scratch, figuring out routing, adding 404 pages, and so on, we will get all these built in to the starter project that we will generate shortly. Gatsby affords us these advantages out of the box, but the concepts of hosting will still apply to any other type of web application that can be compiled to static files including Vue and Angular apps or even a website generated by a static site generator.

Gatsby project setup

First, we need to install Gatsby in our local development environment. We can do this by running:

npm install --global gatsby-cli

After the installation is complete, we will have the gatsby command available. Now, let’s use the Gatsby CLI to generate a new site:

gatsby new gatsby-site

Next, we need to change directories to the newly created gatsby-site folder:

cd gatsby-site

And finally, we can explore our generated site by starting the development server:

gatsby develop

Your new site is now accessible on http://localhost:8000.

If everything ran successfully, you now have a Gatsby site running locally. Go ahead and explore the site. It looks like this:

If you take a look around through the generated files, you’ll find that Gatsby’s folder structure is simple to follow. For example, the code for the homepage can be found in src/pages/index.js. Also notice that links between different pages work as expected and we also have a 404 page set up. You can test the 404 page by going to a non-existent route.

Gatsby provides these low level details, such as routing, out of the box and gives us a functional web application that we can now deploy to Firebase Hosting.

Pushing to GitHub

At this point, let’s initialise a new Git repository and push the code to GitHub. Go ahead and initialise a new Git repository inside the gatsby-site folder and create an initial commit with these lines:

git init
git add -all
git commit -m "Generate Gatsby site"

After this, proceed to create a new repository on GitHub and push the code to the repository.

This guide is an excellent resource you can refer to if you’re not familiar with GitHub.

Firebase setup

At this point, we have a functional website that we can now deploy to Firebase Hosting. Before we do this, we need to create a new project on Firebase using these three simple steps:

  • Give your project a name in the modal that shows up and click Create project.

Once the project is created, we need to setup Firebase locally in order to link our local repository to the Firebase project. Install the Firebase command line tools by running:

npm install -g firebase-tools

We’ll also need to install the firebase-tools package locally to our project as a devDependency. This will come in handy later on when integrating with CircleCI, which does not allow installing packages globally by default. So let’s install it right now:

npm install -D firebase-tools

Afterwards, we need to sign in to Firebase to connect the CLI to the online Firebase account. We can do this by running:

firebase login

Once you are logged in, we can now initialise our project:

firebase init

This action will produce this prompt where we will select Hosting:

For the rest of the prompts, select the options as shown in the next screenshot:

After the prompts are complete, the Firebase CLI generates two files:

  • .firebaserc
  • firebase.json

Note: The firebase.json file enables configuring custom hosting behavior. To learn more about this, visit the Firebase full-config docs.

In the case that the Firebase CLI does not load your projects, you can add the project ID manually in the generated .firebaserc file:

{
  "projects": {
    "default": "gatsby-site-43ac5"
  }
}

This is also a good point to commit the new files to our repository and push the code to GitHub.

With this, we have connected our code to our Firebase project and we can now try out a manual deploy from our development environment.

Manual deployment to Firebase

The first step in manual deployment is generating an optimised production build. In our case, gatsbyhas us covered since it includes this by default. To generate it, run the command:

gatsby build

This generates an optimised static site in the public directory. This is the directory we will be deploying to Firebase Hosting. To manually deploy the public directory to Firebase Hosting, it only takes one command:

firebase deploy

If everything works as expected, Firebase will deploy our site and give us a link to the deployed site’s URL.

You’ll also notice a new .firebase folder created by Firebase to store it’s cache. Since we don’t want this folder in our repository, we can add the folder name to the .gitignore file so it is ignored by Git.

In the next step, we are going to automate the deployment with CircleCI so that we can deploy new changes pushed to the repository immediately.

CircleCI configuration

To build our project with CircleCI, we’ll need to add a configuration file that instructs CircleCI to build our web application and automatically deploy it to Firebase each time we make changes to our code.

In our project’s root folder, create a folder named .circleci and inside it, create a config.yml file. CircleCI requires that the config file be located here.

Here’s the config file we’ll use for our project:

# CircleCI Firebase Deployment Config
version: 2
jobs:
  build:
    docker:
      - image: circleci/node:10
    working_directory: ~/gatsby-site
    steps:
      - checkout
      - restore_cache:
          keys:
            # Find a cache corresponding to this specific package-lock.json
            - v1-npm-deps-{{ checksum "package-lock.json" }}
            # Fallback cache to be used
            - v1-npm-deps-
      - run:
          name: Install Dependencies
          command: npm install
      - save_cache:
          key: v1-npm-deps-{{ checksum "package-lock.json" }}
          paths:
            - ./node_modules
      - run:
          name: Gatsby Build
          command: npm run build
      - run:
          name: Firebase Deploy
          command: ./node_modules/.bin/firebase deploy --token "$FIREBASE_TOKEN"

Let’s do a quick review of the config file.

  • First, the version key enables us to specify that we are using CircleCI 2.0.
  • Next up, we specify the base Docker image where our code will be run. In this case is a container based on Node 10, which is the current version at the time of writing this. You can use a later version if one is available.
  • The working_directory option specifies the location where our code will be cloned.
  • Next is the restore_cache section, which instructs CircleCI to restore any previously installed dependencies. Here we’re using a checksum of the package-lock.json file to detect whether to install the dependencies afresh or to use the cache to restore previously downloaded packages.
  • The next step is installing the dependencies through the npm install command.
  • The save_cache section instructs CircleCI to save the dependencies after installing them.
  • We then run the Gatsby Build command. This builds the optimized production version of the site, which is ready to be deployed.
  • Finally, we run the Firebase Deploy command that deploys our code to Firebase Hosting. In this step, you’ll notice that we need a Firebase token to allow deploying the app to our account. The command specifies that the token should be obtained from the FIREBASE_TOKEN environment variable. We’ll get this token in a moment.

Additionally, note the change in how we are running the firebase command from our locally installed dependencies rather than as a global command. As mentioned earlier, installing packages globally with CircleCI can be an issue, so we install all the packages we need locally in our project.

Integrating CircleCI and GitHub

We now have a config file and we can go ahead and integrate CircleCI with our GitHub repository that we created earlier.

  • Create an account on CircleCI, if you haven’t already.
  • Once you are logged in, ensure your account is selected on the top left corner.

  • Click Add Projects on the left sidebar.
  • On the next page, search for the name of your GitHub repository then click Set Up Project next to it.

  • On the next page, there’s a list of steps that are needed to build our project, the most important one being adding the CircleCI config file. Since we already have this file in our repo, let’s scroll all the way to the bottom and click Start Building.

Our build will finally start running, but it predictably fails in the Firebase deployment step. 😢

Fortunately, I know why the deploy fails. It’s because we’ve not yet added the Firebase deploy token to CircleCI. Let’s work on fixing this in the next section.

Getting a Firebase login token to use for deployments

In the final step, we will need to generate a Firebase token that we’ll use to allow access to our account. This token will enable CircleCI to deploy to Firebase on our behalf, since we cannot login using Firebase’s interactive prompt in a CI environment.

In our local development environment, let’s run this command to generate the token:

firebase login:ci

This will open up a browser window where you’ll be prompted to login to your Firebase account. Once you’re signed in, a token will be generated. You should get a result similar to the following after authenticating via the web browser.

Now that we have our token, all that’s left is to add the token as an environment variable in CircleCI so that we can use it in our project. Our deployment command expects to find the value in the FIREBASE_TOKENenvironment variable.

Adding the Firebase Token to CircleCI

These are the steps we’ll need to take to add the token:

  • Go to your project’s settings by clicking the gear icon next to your project.
  • Under the Build Settings section, click Environment Variables.
  • Click Add Variable.
  • In the modal that appears, enter FIREBASE_TOKEN in the name field, add the token we got from Firebase in the value field, then finally click Add Variable to finalize adding the variable.

  • With this step complete, we can now rerun our build by clicking Rerun Workflow on the right of the CircleCI project page.

We now have completed a successful deployment of our web application to Firebase Hosting using CircleCI! 🎉

Conclusion

This concludes our exploration of deploying web applications to Firebase using CircleCI. From now on, when we make updates to our Gatsby site and push the changes to GitHub, they will automatically be deployed to Firebase Hosting. It really is a great combination.

This approach will work for any other frontend projects and is not specific to Gatsby. Firebase provides the hosting for the web applications and CircleCI helps in automating and simplifying the process. Go forth and deploy! 🚀

For more information on these technologies, see the following resources:


Kevin Ndung’u is a software developer and open source enthusiast currently working as a software engineer at Andela. He is passionate about sharing his knowledge through blog posts and open source code. When not building web applications, you can find him watching a game of soccer.

CircleCI
CircleCI’s continuous integration and delivery platform helps software teams rapidly release code with confidence by automating the build, test, and deploy process. CircleCI offers a modern software development platform that lets teams ramp quickly, scale easily, and build confidently every day.
Tools mentioned in article
Open jobs at CircleCI
Interested in CircleCI Career? Join O...
Japan
<p><span style="font-weight: 400;">Stay connected by joining our Talent Network!&nbsp;</span></p> <p><span style="font-weight: 400;">If we currently do not have any opportunity available that aligns with your career goals or are just curious about hearing more about working at CircleCI Japan, please feel free to submit your resume/Linkedin URL to our Talent Network! We will review all applicants on a regular basis and we will reach out to you when the timing is right or have our casual conversation.&nbsp;</span></p> <p><span style="font-weight: 400;">We look forward to staying connected with you as we will continue to grow and expand our business!</span></p> <p><span style="font-weight: 400;">弊社のキャリアネットワークへ登録しませんか?</span></p> <p><span style="font-weight: 400;">現時点で希望する職種での募集がないけれど、チャンスがあれば今後CircleCIの選考チャレンジしたい方やCircleCIへのキャリアに興味がある方、是非お気軽にレジュメもしくはLinkedin URLを是非ともご登録ください!その後、都度、カジュアル面談・選考の打診をさせていただく流れとなります。</span></p> <p><span style="font-weight: 400;">特定の職種に限定することなくご登録いただけますので、CircleCIキャリアの可能性やキャリア形成についてお伺いしたい方は是非お気軽にご登録ください。</span></p> <p><strong>Prospect positions we are seeking in the future</strong></p> <p><strong>将来募集が検討されるポジション一覧;</strong></p> <ul> <li style="font-weight: 400;"><span style="font-weight: 400;">Account Executive, SMB &amp; Enterprise industries</span></li> <li style="font-weight: 400;"><span style="font-weight: 400;">Account Executive, APAC regions</span></li> <li style="font-weight: 400;"><span style="font-weight: 400;">Sales Development Representative, Japan or APAC</span></li> <li style="font-weight: 400;"><span style="font-weight: 400;">Customer Success Representative</span></li> <li style="font-weight: 400;"><span style="font-weight: 400;">Marketing</span></li> <li style="font-weight: 400;"><span style="font-weight: 400;">Support Technical Engineer</span></li> <li style="font-weight: 400;"><span style="font-weight: 400;">DevOps Engineer</span></li> <li style="font-weight: 400;"><span style="font-weight: 400;">Solutions Engineer</span></li> <li style="font-weight: 400;"><span style="font-weight: 400;">Full Stack Engineer</span></li> <li style="font-weight: 400;"><span style="font-weight: 400;">Back-end Engineer</span></li> <li style="font-weight: 400;"><span style="font-weight: 400;">Front-end Engineer</span></li> <li style="font-weight: 400;"><span style="font-weight: 400;">Product Manager</span></li> <li style="font-weight: 400;"><span style="font-weight: 400;">Project Manager</span></li> <li style="font-weight: 400;"><span style="font-weight: 400;">Infrastructure Engineer&nbsp; &nbsp; Others...</span></li> </ul> <p><strong>Please note below your registration;</strong></p> <p><span style="font-weight: 400;">*This is not the official application. If you are interested in applying right away, please go to each opening job posting page. The recruiter will check your resume and if we find our jobs that will match with your experience and interests, we will contact you within 2 weeks. If you haven’t received any contact from us, please note that we don’t have any matching positions but we will update you if a position becomes available that is a match to your profile.&nbsp;</span></p> <p><span style="font-weight: 400;">こちらは正式応募ポジションではございません。もし正式な応募をご希望される際は、該当する募集ページからの応募をお願い致します。また、マッチングする募集ポジションがあった場合、2週間以内にリクルーターからポジションのご案内のご連絡を差し上げます。3週間経過しても連絡がなかった場合は、恐れ入りますが現時点でご提案できるポジションが無いとのことでご理解いただけましたら幸いです。その様な場合でも、カジュアルミーティングセッションの実施や月毎に最新情報を配信予定ですので是非チェックください!</span></p> <p><span style="font-weight: 400;">*Please note that this registration is </span><strong><em>only for people who have Japanese residency and who are eligible to work in Japan currently.</em></strong></p>
Join our Engineering Talent Community!
North America & Canada
<p>CircleCI is looking for Senior Software Engineers and Staff Software Engineers across all levels. As a globally distributed software engineering team spread across North America, Europe, and Asia, we are building a culture that values diversity, inclusion, action orientation, and openness. If you are interested in hearing about careers at CircleCI, please apply!</p> <p>&nbsp;</p> <h2><strong>About CircleCI</strong></h2> <p>CircleCI is the world’s largest shared continuous integration and continuous delivery (CI/CD) platform, and the central hub where code moves from idea to delivery. As one of the most-used DevOps tools that processes more than 1 million builds a day, CircleCI has unique access to data on how engineering teams work, and how their code runs. Companies like Spotify, Coinbase, and BuzzFeed use us to improve engineering team productivity, release better products, and get to market faster.&nbsp;</p> <p>Founded in 2011 and headquartered in downtown San Francisco with a global, remote workforce, CircleCI is venture-backed by Base10, Greenspring Associates, Eleven Prime, IVP, Sapphire Ventures, Top Tier Capital Partners, Baseline Ventures, Threshold Ventures, Scale Venture Partners, Owl Rock Capital, Next Equity Partners, Heavybit and Harrison Metal Capital.</p> <p>CircleCI is proud to be an Equal Opportunity and Affirmative Action employer. We do not discriminate based upon race, religion, color, national origin, sexual orientation, gender, gender identity, gender expression, transgender status, sexual stereotypes, age, status as a protected veteran, status as an individual with a disability, or other applicable legally protected characteristics. We also consider qualified applicants with criminal histories, consistent with applicable federal, state and local law.</p>
Staff Software Engineer
Paris
<h2><strong>About CircleCI Developer Experience department (CircleCI France, ex-Ponicode)</strong></h2> <p>In the CircleCI Developer Experience team, our mission is to invent and implement products that will become the new standards for the SW Engineering industry. The team comes from the fusion of two amazing companies (CircleCI and Ponicode) that share the same mission: handle change so software teams can innovate faster thanks to sustainable innovation.</p> <p>Ponicode was acquired by CircleCI in March 2022. Since then, we have been growing our team of passionate engineers (Software Developers and Data Scientists) in order to fulfill our new role: build products that help developers ship better code faster. Our mission in the Developer Experience Team is to drive the “shift left” in software development, by providing developers with feedback as early as possible so that they can ship code confidently and fast.</p> <p>Today, this means building CLI tools and IDE extensions that make it easier for developers to access rapid CI validation without disrupting their work flow.</p> <p>We measure our success as a team by monitoring both raw usage metrics and user-value driven metrics.</p> <p>The CircleCI Developer Experience department is based in Paris (France), and offers flexible working hours and the possibility of remote work within the Paris time zone (CEST).</p> <h1>What you will do</h1> <h2><strong>Full-Stack development</strong></h2> <p>Our stack is mainly Typescript with heavy typing usage (both in Back-End and Front-End). We are also progressively moving some of our microservices to Go, in order to best adapt to CircleCI’s stack and processes. We use React (with Typescript) for our front-ends.</p> <p>Your capacity to bring your experience when it comes to implementing robust, scalable and bug-free code will be a key asset in the Developer Experience team.</p> <h2><strong>Product Management (Very Nice to have, ratio depending on what you love)</strong></h2> <p>At CircleCI France we have a great opportunity: we develop THE products we’d love to use by ourselves everyday, every time. No one is better placed than developers to define what tools developers would love to use every day. Long-in-short, we deeply believe that the tech team should be deeply involved and contribute to the product definition, rather than entirely delegating the task to a faraway Product Management Team who are not themselves users of the product. Your ability to bring a fact-based vision to the table and validate your assumptions with our product managers is very important to us. We love engineers ready to share their experience and insights about product strategy.</p> <h2><strong>DevOps / Cloud dimension (Nice to have, ratio depending on what you love)</strong></h2> <p>The more the product grows, the more devops and infrastructure challenges we will face. In order to start dealing with this matter, we would like you to be able to bring DevOps knowledge and maintain an infra task backlog. If the subject interests you, there is a big space to jump-in and grow. The minimum requirement for this position is for you to understand the challenges and key concepts of a multi-cloud scalable infrastructure. We are as much as possible cloud-provider agnostic.</p> <h1>What you will find</h1> <p>As a Staff Software Engineer, you will not only revolutionize the way developers code, but you will specifically deep dive into the mechanics of the different programming languages. You will have to be creative and meet many challenges along with the team.</p> <h2><strong>Tech challenges:</strong></h2> <ul> <li>How to create multi-language and multi-framework compatible solutions</li> <li>How to build multi-IDEs compatible extensions / plugins</li> <li>How to parse large amounts of code with amazing performance</li> <li>How to implement algorithms that are able to understand and generate code</li> </ul> <h2><strong>Product and strategy challenges:</strong></h2> <ul> <li>How to think out-of-the-box to invent the development tools that will be used by all developers and last over the coming 10(000) years?</li> <li>How to shape a Product strategy based on the market trends, the developers feedbacks and our deep convictions as engineers and users?</li> </ul> <h1>What we are looking for in you</h1> <ul> <li>You are collaborative, open-minded, and looking to continue to develop your craft</li> <li>You are user centric and want every minute you spend at work to be of benefit to our users</li> <li>You are results oriented. You don’t consider your work or the work of your team to be done before it reaches the target that has been defined. You do whatever is required and take all the initiatives to reach this target</li> <li>You’re both a pragmatic and innovative person. You love thinking out of the box, while you always choose fast-result way</li> <li>You're experienced at pairing and mentoring</li> <li>You have a strong leadership attitude. You love helping your folks grow and improve. Having most of the people in your team over-perform their objectives is a driver for you</li> <li>You are proud of the code you produce; you do your best to apply clean code guidelines: it’s obvious, concise, tested and self-understandable / documented.</li> <li>Your mantra is to leave the code better than you found it</li> <li>You see writing tests as an integral part of the development process and understand the benefit of writing code and tests in small increments.</li> </ul> <h1>What you will use</h1> <ul> <li>Lots of Typescript (Back and Front), with Node.js and React</li> <li>Go (Growing)</li> <li>PostgreSQL</li> <li>Docker / K8s</li> <li>Azure / AWS cloud / GCP</li> </ul> <h1>What you will have</h1> <ul> <li>Attractive salary (based on experience) and regular reviews of your compensation package</li> <li>Stock options, because we like to offer all our employees a stake in our success</li> <li>Good French health insurance</li> <li>50% reimbursement of transport expenses (if you are based in Paris)</li> <li>An experienced and caring team (<a href="https://www.ponicode.com/blog/50-reasons-why-you-should-join-ponicode" target="_blank">50 reasons why you should join Ponicode</a>)</li> <li>Great office available at Châtelet - Les Halles + international network of coworking Spaces</li> <li>Flexible working hours with remote allowed (in the CEST time zone)</li> </ul> <h2><strong>CircleCI Engineering Competency Matrix: </strong></h2> <p>The<a href="https://drive.google.com/file/d/1F3xzmbdsMvfDZwZesvxcEIIBn2TmI4sg/view" target="_blank"> Engineering Competency Matrix</a> is our internal career growth system for engineers. This position is level E4. If you’re not sure this is you, we encourage you to apply. Find more about the matrix in this<a href="https://circleci.com/blog/why-we-re-designed-our-engineering-career-paths-at-circleci/" target="_blank"> blog post</a>.</p> <p>We will ensure that individuals with disabilities are provided reasonable accommodation to participate in the job application or interview process, to perform essential job functions, and to receive other benefits and privileges of employment. Please contact us to request accommodation.</p> <h2><strong>About CircleCI</strong></h2> <p>CircleCI is the world’s largest shared continuous integration/continuous delivery (CI/CD) platform, and the hub where code moves from idea to delivery. As one of the most-used DevOps tools - processing more than 1 million builds a day - CircleCI has unique access to data on how engineering teams work, and how their code runs. Companies like Spotify, Coinbase, and BuzzFeed use us to improve engineering team productivity, release better products, and get to market faster.</p> <p>Founded in 2011 and headquartered in downtown San Francisco with a global, remote workforce, CircleCI is venture-backed by Base10, Greenspring Associates, Eleven Prime, IVP, Sapphire Ventures, Top Tier Capital Partners, Baseline Ventures, Threshold Ventures, Scale Venture Partners, Owl Rock Capital, Next Equity Partners, Heavybit and Harrison Metal Capital.</p> <p>CircleCI is an Equal Opportunity and Affirmative Action employer. We do not discriminate based upon race, religion, color, national origin, sexual orientation, gender, gender identity, gender expression, transgender status, sexual stereotypes, age, status as a protected veteran, status as an individual with a disability, or other applicable legally protected characteristics. We also consider qualified applicants with criminal histories, consistent with applicable federal, state and local law.</p>
IT Systems Engineer
(United States)
<p><strong>IT Systems Engineer</strong></p> <p>What level of work-experience should this person have?</p> <ul> <li>At least three years of experience in IT-related role performing engineering or systems administration tasks.</li> </ul> <p>What skills are required for this role?</p> <ul> <li>API, integration, and automation (Boomi, Workato, Fivetran)</li> <li>Scripting or programming language experience (Python, Ruby, PHP)</li> <li>Provisioning and administration of SaaS products (Okta, Google Workspace, Atlassian, etc.)</li> <li>User and identity management (Okta, Azure/AD, LDAP)</li> <li>Asset and device management (Jamf, Intune)</li> </ul> <p>What additional skills are desired for this role?</p> <ul> <li>Information security, audit, compliance</li> <li>Disaster recovery / Business continuity</li> </ul> <p>How will this position progress (career path)?</p> <ul> <li>The IT Systems engineer is a mid-level technical position, typically progressing to more advanced technical roles and specializations within IT, including various domain engineer and architect roles.</li> </ul> <p>What does this role do on a day-to-day basis?</p> <ul> <li>Build and maintain integrations and automations for various systems and business needs</li> <li>Supervising systems and resolving system issues to ensure reliable operation</li> <li>Provide advanced support to our desktop team for sophisticated issues</li> <li>Administer key infrastructure and systems that support business activities</li> </ul> <p>What are some examples of projects that this role may work on?</p> <ul> <li>Connecting and integrating disparate business systems to support high-level business processes</li> <li>Engage with various teams to automate business workflows</li> <li>Configure and maintain a variety of enterprise SaaS products and related systems</li> </ul> <p>What are the personality traits that this role needs?</p> <ul> <li>An attention and passion for detail</li> <li>Strong desire to identify and resolve complex problems</li> <li>A competent and thoughtful communicator, both written and verbal</li> <li>Eagerness to learn and share knowledge</li> </ul> <p>What are the expectations of this role?</p> <ul> <li>Typical work days are Monday thru Friday. Occasional project responsibilities may require work outside these hours, though not common.</li> </ul> <p>We will ensure that individuals with disabilities are provided reasonable accommodation to participate in the job application or interview process, to perform essential job functions, and to receive other benefits and privileges of employment. Please contact us to request accommodation.</p> <h2><strong>About CircleCI</strong></h2> <p>CircleCI is the world’s largest shared continuous integration/continuous delivery (CI/CD) platform, and the hub where code moves from idea to delivery. As one of the most-used DevOps tools - processing more than 1 million builds a day - CircleCI has unique access to data on how engineering teams work, and how their code runs. Companies like Spotify, Coinbase, and BuzzFeed use us to improve engineering team productivity, release better products, and get to market faster.</p> <p>Founded in 2011 and headquartered in downtown San Francisco with a global, remote workforce, CircleCI is venture-backed by Base10, Greenspring Associates, Eleven Prime, IVP, Sapphire Ventures, Top Tier Capital Partners, Baseline Ventures, Threshold Ventures, Scale Venture Partners, Owl Rock Capital, Next Equity Partners, Heavybit and Harrison Metal Capital.</p> <p>CircleCI is an Equal Opportunity and Affirmative Action employer. We do not discriminate based upon race, religion, color, national origin, sexual orientation, gender, gender identity, gender expression, transgender status, sexual stereotypes, age, status as a protected veteran, status as an individual with a disability, or other applicable legally protected characteristics. We also consider qualified applicants with criminal histories, consistent with applicable federal, state and local law.</p> <p>&nbsp;</p> <p>Salary Range: "$101,000-$120,000"</p> <p>&nbsp;</p>
Verified by
Developer Evangelist
Support Engineer
Vice President of Marketing
Technical Content Marketing Manager
Head of DevRel & Community
You may also like