Automating a software company with GitHub Actions
Jul 05, 2022
When developing software, there's no shortage of work: building new features, fixing bugs, maintaining infrastructure, launching new systems, phasing deprecated solutions out, ensuring security, keeping track of dependencies… Whew. And that's before we get to product, people, or ops considerations.
Some of the above work requires a human brain constantly – software is all 1s and 0s, but in the end it serves human purposes. Without a massive breakthrough in artificial intelligence, figuring out features that compile AND suit human needs programmatically remains a pipe dream.
What about all the tedious tasks though? Running tests, publishing releases, deploying services, keeping the repository clean. Plain chores – boring and following the same pattern every time, but which are still are important.
We don't need intelligence (artificial or otherwise) for those tasks every single time. We just need it once to define the jobs to be done, and have those jobs run based on some triggers. Actually, let's take this further: any programming language you want, any supporting services you need, ready-made solutions up for grabs, and deep integration with the version control platform.
This article was originally published in August, 2021. It has been updated to reflect recent product changes
Actions 101
This is where GitHub Actions come in. With Actions, you can define per-repository workflows which run on robust runner virtual machines. They run every time a specific type of event happens – say, a push to main
, push to a pull request, addition of an issue label, or manual workflow dispatch.
A workflow consists of any number of jobs, each job being a series of steps that run a shell script or a standalone action.
Standalone actions can be run directly if written in TypeScript, or with the overhead of a Docker container for ultimate flexibility, and a multitude of them is freely available on the GitHub Marketplace.
This sounds pretty powerful already. But let's see where all this can take us in practice, with some concrete examples right out of PostHog GitHub.
Mind you, similar things can be achieved with competing solutions such as GitLab CI/CD or even Jenkins. GitHub Actions do have a seriously robust ecosystem though, despite being a relative newcomer, and at PostHog we've been avid users of GitHub since its early ARPANET days.
Unit testing
Unit tests are crucial for ensuring reliability of software - don't skip writing them, but also don't skip running them. The best way to do that is to run them on each PR that is being worked on. That used to be called "extreme programming" back in the day, but today it's standard practice as a component of continuous integration.
Below is a basic Django-oriented workflow that checks whether a database schema migration is missing and then runs tests.
Note how by defining a matrix we make this happen for three specified Python versions in parallel! This way we guarantee support for a range of versions with a single line.
on:- pull_requestjobs:django-tests:runs-on: ubuntu-lateststrategy:fail-fast: falsematrix:python-version: ['3.7.8', '3.8.5', '3.9.0']steps:- name: Check out the repositoryses: actions/checkout@v2- name: Set up Pythonuses: actions/setup-python@v2with:python-version: ${{ matrix.python-version }}- name: Install pip dependenciesrun: |python -m pip install -r requirements-dev.txtpython -m pip install -r requirements.txt- name: Check if a migration is missingrun: python manage.py makemigrations --check --dry-run- name: Run unit testsrun: python manage.py test
Subscribe to our newsletter
Product for Engineers
Helping engineers and founders flex their product muscles
We'll share your email with Substack
End-to-end testing
It's good to have each building block of your software covered with unit tests, but your users need the whole assembled machine to work – that is what end-to-end tests are about.
We use Cypress to run these on our web app, and while not perfect, it's been a boon for us. Here's the essence of our Cypress CI workflow:
on:- pull_requestjobs:e2e-tests:runs-on: ubuntu-lateststeps:- name: Check out the repositoryuses: actions/checkout@v2- name: Setup Node.jsuses: actions/setup-node@v2with:node-version: 14- name: Install dependenciesrun: yarn- name: Build and start applicationrun: echo "This is where you boot your application for testing"- name: Run end-to-end Cypress testsuses: cypress-io/github-action@v2- name: Archive test screenshotsif: failure()uses: actions/upload-artifact@v2with:name: screenshotspath: cypress/screenshots
I've skipped app-specific setup steps and services, but there are a couple of interesting things in this:
The workflow is made so simple by Cypress's ready-made suite runner action –
cypress-io/github-action
. It smartly takes care of the task including test parallelization and integration with the Cypress Dashboard - much better than shell scripts.GitHub Actions have a feature called "artifacts". It's storage provided by GitHub that temporarily stores files resulting from job runs and allows downloading these files. In this case it's screenshots from failed tests that
actions/upload-artifact
uploads for us to view.
Linting and formatting
Functionality tests verify that things work as expected. It's great to have code that works, but having code that's written well is even greater, otherwise development gets harder and harder over time.
To ensure that we don't add overly messy spaghetti with every new feature, we use:
linters, for making sure that best practices are used in the code and nothing funky is slipping through
formatters, for standardizing the look of our code and making it readable.
As with tests, it's great to run this on every PR to keep the quality of code landing in master
high.
on:- pull_requestjobs:code-quality:runs-on: ubuntu-lateststeps:- name: Check out the repositoryuses: actions/checkout@v2- name: Set up Nodeuses: actions/setup-node@v1with:node-version: 14- name: Install package.json dependencies with Yarnrun: yarn- name: Check formatting with prettierrun: yarn prettier .- name: Lint with ESLintrun: yarn eslint .
One thing we've not covered yet is what running jobs on every PR gives us in practice. It's two things:
- Such jobs become PR checks, and they are shown on the PR's page, along with their statuses.
- Select PR checks can be made required, in which case merging is prevented until all required checks turn green.
Keeping stale PRs in check
As our team has grown, so has the number of PRs open across repositories. Especially with our pull requests over issues approach, some PRs are left lingering for a bit – maybe because the work is blocked by something else, awaiting review, deprioritized, or only a proof-of-concept.
In any case, the longer a PR sits unattended, the harder it is to come back to, and it just causes more confusion later on.
To minimize that, we've added a very simple workflow to scan PRs for inactivity:
name: 'Handle stale PRs'on:schedule:- cron: '30 7 * * 1-5'jobs:stale:runs-on: ubuntu-lateststeps:- uses: actions/stale@v4with:only: pullsstale-pr-message: "This PR hasn't seen activity in a week! Should it be merged, closed, or worked on further? If you want to keep it open, post a comment or remove the `stale` label – otherwise this will be closed in another week."close-pr-message: 'This PR was closed due to 2 weeks of inactivity. Feel free to reopen it if still relevant.'days-before-pr-stale: 7days-before-pr-close: 7stale-issue-label: stalestale-pr-label: stale
It looks trivial – it's just one step – but that's because all the heavy lifting is done by the official
actions/stale
action.
Curiously, while the action can handle stale issues in an analogous way, we've found it to be awfully more noisy than valuable, so we recommend against that. If an old issue is not on our radar at the moment, a bot alert won't make it relevant.
Wondering what all those
@v1
,@v2
,@v4
mean?This is simply pinning against Git tags. Because ready-made actions are just GitHub repositories, they are specified the same way as repositories in all other contexts – you can specify a revision (commit hash, branch name, Git tag…) - otherwise the latest revision of the default branch is used.
Tags are particularly nice, because they are created when publishing a release using GitHub's UI.
Deploying continuously
We use continuous deployment for PostHog Cloud and we've been very happy with the results – our Amazon ECS-based stack is deployed automatically on each push to master
(in most cases: a PR being merged) and it's made our developer lives so much easier.
The human element is removed from deployment. You can simply be sure that within 20 minutes of merging, your code be live, every time.
on:push:branches:- masterjobs:build-and-deploy-production:runs-on: ubuntu-lateststeps:- name: Configure AWS credentialsuses: aws-actions/configure-aws-credentials@v1with:aws-access-key-id: ${{ secrets.AWS_ACCESS_KEY_ID }}aws-secret-access-key: ${{ secrets.AWS_SECRET_ACCESS_KEY }}aws-region: us-east-1- name: Log into Amazon ECRid: login-ecruses: aws-actions/amazon-ecr-login@v1- name: Fetch posthog-cloudrun: |curl -L https://github.com/posthog/posthog-cloud/tarball/master | tar --strip-components=1 -xz --mkdir deploy/- name: Check out main repositoryuses: actions/checkout@v2with:path: 'deploy/'- name: Build, tag, and push image to Amazon ECRid: build-imageenv:ECR_REGISTRY: ${{ steps.login-ecr.outputs.registry }}ECR_REPOSITORY: posthog-productionIMAGE_TAG: ${{ github.sha }}run: |docker build -t $ECR_REGISTRY/$ECR_REPOSITORY:$IMAGE_TAG -f prod.web.Dockerfile .docker push $ECR_REGISTRY/$ECR_REPOSITORY:$IMAGE_TAGecho "::set-output name=image::$ECR_REGISTRY/$ECR_REPOSITORY:$IMAGE_TAG"- name: Fill in the new app image ID in the Amazon ECS task definitionid: task-def-appuses: aws-actions/amazon-ecs-render-task-definition@v1with:task-definition: deploy/task-definition.migration.jsoncontainer-name: productionimage: ${{ steps.build-image.outputs.image }}- name: Fill in the new migration image ID in the Amazon ECS task definitionid: task-def-migrationuses: aws-actions/amazon-ecs-render-task-definition@v1with:task-definition: deploy/task-definition.migration.jsoncontainer-name: production-migrationimage: ${{ steps.build-image.outputs.image }}- name: Perform migrationsrun: |aws ecs register-task-definition --cli-input-json file://$TASK_DEFINITIONaws ecs run-task --cluster production-cluster --count 1 --launch-type FARGATE --task-definition production-migrationenv:AWS_ACCESS_KEY_ID: ${{ secrets.AWS_ACCESS_KEY_ID }}AWS_SECRET_ACCESS_KEY: ${{ secrets.AWS_SECRET_ACCESS_KEY }}AWS_DEFAULT_REGION: 'us-east-1'TASK_DEFINITION: ${{ steps.task-def-migrate.outputs.task-definition }}- name: Deploy Amazon ECS web task definitionuses: aws-actions/amazon-ecs-deploy-task-definition@v1with:task-definition: ${{ steps.task-def-web.outputs.task-definition }}service: productioncluster: production-cluster
Every containerized app is structured in its way, so this workflow won't do without your own adjustments, but it should give you the right idea.
Verifying build
Docker is now a standard way of building deployment-ready software images. We use it too, quite happily. But we've broken the build a few times - make a mistake somewhere and the image may fail to build. So we've taken to testing image building ahead of time – before master
is broken – on every PR.
We also lint the Docker files using hadolint
, which has given us really useful tips for maximum reliability of our Docker-based build process.
name: Dockeron:- pull_requestjobs:test-image-build:runs-on: ubuntu-lateststeps:- name: Check out the repositoryuses: actions/checkout@v2- name: Lint Dockerfiles with Hadolintrun: |# Install latest Hadolint binary from GitHub (not available via apt)HADOLINT_LATEST_TAG=$( \curl --silent "https://api.github.com/repos/hadolint/hadolint/releases/latest" | jq -r .tag_name \)sudo curl -sLo /usr/bin/hadolint \"https://github.com/hadolint/hadolint/releases/download/$HADOLINT_LATEST_TAG/hadolint-Linux-x86_64"sudo chmod +x /usr/bin/hadolinthadolint **Dockerfile- name: Set up QEMUuses: docker/setup-qemu-action@v1- name: Set up Docker Buildxuses: docker/setup-buildx-action@v1- name: Build imageid: docker_builduses: docker/build-push-action@v2with:push: false- name: Echo image digestrun: echo ${{ steps.docker_build.outputs.digest }}
Hint: Since Docker Hub has removed free autobuilds, but GitHub Actions are still free for public repositories (and with limits for private ones), you can build Docker images and then push them to Docker Hub very similar to the above workflow. Just add the login action docker/login-action
at the beginning, set push
to true
, et voila, now you are pushing.
Putting releases out
Something particularly tedious we eliminated is incrementing package versions. Alright, not really – but the days of having to open package.json
, edit, commit, push, build, publish, and tag are over.
What gives? Well, these days the only thing an engineer has to do is give their PR the right label:
Right after that PR gets merged, the package version gets incremented in master
:
name: Autobumpon:pull_request:types: [closed]jobs:label-version-bump:runs-on: ubuntu-latestif: |github.event.pull_request.merged&& (contains(github.event.pull_request.labels.*.name, 'bump patch')|| contains(github.event.pull_request.labels.*.name, 'bump minor')|| contains(github.event.pull_request.labels.*.name, 'bump major'))steps:- name: Check out the repositoryuses: actions/checkout@v2with:ref: ${{ github.event.pull_request.base.ref }}- name: Detect version bump typeid: bump-typerun: |BUMP_TYPE=nullif [[ $BUMP_PATCH_PRESENT == 'true' ]]; thenBUMP_TYPE=patchfiif [[ $BUMP_MINOR_PRESENT == 'true' ]]; thenBUMP_TYPE=minorfiif [[ $BUMP_MAJOR_PRESENT == 'true' ]]; thenBUMP_TYPE=majorfiecho "::set-output name=bump-type::$BUMP_TYPE"env:BUMP_PATCH_PRESENT: ${{ contains(github.event.pull_request.labels.*.name, 'bump patch') }}BUMP_MINOR_PRESENT: ${{ contains(github.event.pull_request.labels.*.name, 'bump minor') }}BUMP_MAJOR_PRESENT: ${{ contains(github.event.pull_request.labels.*.name, 'bump major') }}- name: Determine new versionid: new-versionif: steps.bump-type.outputs.bump-type != 'null'run: |OLD_VERSION=$(jq ".version" package.json -r)NEW_VERSION=$(npx semver $OLD_VERSION -i ${{ steps.bump-type.outputs.bump-type }})echo "::set-output name=new-version::$NEW_VERSION"- name: Update version in package.jsonif: steps.bump-type.outputs.bump-type != 'null'run: |mv package.json package.old.jsonjq --indent 4 '.version = "${{ steps.new-version.outputs.new-version }}"' package.old.json > package.jsonrm package.old.json- name: Commit bumpif: steps.bump-type.outputs.bump-type != 'null'uses: EndBug/add-and-commit@v7with:branch: ${{ github.event.pull_request.base.ref }}message: 'Bump version to ${{ steps.new-version.outputs.new-version }}'
Here's what this looks like in GitHub's workflow visualization feature:
But this is just the starting point, because on every commit to master
we check whether the version has been incremented - and if it has, all the aforementioned release tasks run automatically.
In fact, there are too many steps to show them all in this post – but I encourage you to take a look at real-world YAML that we use in our JS library's repo: cd.yaml
. In it, we also use our own GitHub Action (free on the Actions Marketplace) which compares package version between the repository contents and npm: PostHog/check-package-version.
GitHub can also visualize workflows – extremely boring if there's only one job, but here the graph is quite informative. Do keep in mind that this CD process is really an extension of the previous autobump workflow.
Fixing typos
This entire website, posthog.com, is stored in a GitHub repository: PostHog/posthog.com. In fact, this very post is nothing more than a Markdown file in the repository's /contents/blog/
directory.
All in all, we've got quite a bit of copy. All that text is written by humans… And that poses a problem, because humans make mistkes.
Leters get mixed up, which isn't always easy to spot. It's also a bit of a waste of time for a human to be spending time looking for that, instead of thinking about the actual style and substance of the text.
For these reasons on every PR we try to fix any typos noticed. For that we use codespell
, in an action looking like this:
on:- pull_requestjobs:spellcheck:runs-on: ubuntu-lateststeps:- name: Check out the repository- uses: actions/checkout@v2- name: Set up Pythonuses: actions/setup-python@v2with:python-version: 3.8- name: Install codespell with piprun: pip install codespell- name: Fix typosrun: codespell ./contents -w- name: Push changesuses: EndBug/add-and-commit@v7
Admittedly, some typos still sneak in occasionally, but this is still very helpful.
Ensuring PR descriptions
At PostHog, we collectively create lots of PRs daily. One issue we've seen is contributors or team members forgetting to write PR descriptions. This usually results in clarifications that could easily be avoided, and in lost context.
That's why with a simple workflow we created a bot that points out newly-opened PRs that lack a description:
on:pull_request:types: [opened]jobs:check-description:name: Check that PR has descriptionruns-on: ubuntu-lateststeps:- name: Check if PR is shame-worthyid: is-shame-worthyrun: |FILTERED_BODY=$( sed -r -e '/^(##? )|(- *\[)/d' <<< $RAW_BODY )echo "::debug::Filtered PR body to $FILTERED_BODY"if [[ -z "${FILTERED_BODY//[[:space:]]/}" ]]; thenecho "::set-output name=is-shame-worthy::true"elseecho "::set-output name=is-shame-worthy::false"fienv:RAW_BODY: ${{ github.event.pull_request.body }}- name: Shame if PR has no descriptionif: steps.is-shame-worthy.outputs.is-shame-worthy == 'true'run: |SHAME_BODY="Hey @${{ github.actor }}! 👋\nThis pull request seems to contain no description. Please add useful context, rationale, and/or any other information that will help make sense of this change now and in the distant Mars-based future."curl -s -u posthog-bot:${{ secrets.GITHUB_TOKEN }} -X POST -d "{ \"body\": \"$SHAME_BODY\" }" "https://api.github.com/repos/${{ github.repository }}/issues/${{ github.event.pull_request.number }}/comments"
Syncing repositories
One last case we'll discuss is syncing one repository's contents from another. In our case, we have a main product repo: https://github.com/PostHog/posthog. However, parts of it – enterprise features code – are non-FOSS, which means their code is not under a free license. We are happy to offer a purely FOSS version of PostHog with https://github.com/PostHog/posthog-foss, which is just like the main repo but with non-free portions removed.
Keeping posthog-foss
in sync with posthog
manually would be awful work though. So we've automated it:
on:push:branches:- masterjobs:repo-sync:name: Sync posthog-foss with posthogruns-on: ubuntu-lateststeps:- name: Sync repositories 1 to 1 - master branchif: github.repository == 'PostHog/posthog'uses: wei/git-sync@v3with:source_repo: 'https://posthog-bot:${{ secrets.POSTHOG_BOT_GITHUB_TOKEN }}@github.com/posthog/posthog.git'source_branch: 'master'destination_repo: 'https://posthog-bot:${{ secrets.POSTHOG_BOT_GITHUB_TOKEN }}@github.com/posthog/posthog-foss.git'destination_branch: 'master'- name: Check out posthog-fossif: github.repository == 'PostHog/posthog'uses: actions/checkout@v2with:repository: 'posthog/posthog-foss'ref: mastertoken: ${{ secrets.POSTHOG_BOT_GITHUB_TOKEN }}- name: Change LICENSE to pure MITif: github.repository == 'PostHog/posthog'run: |sed -i -e '/PostHog Inc\./,/Permission is hereby granted/c\Copyright (c) 2020-2021 PostHog Inc\.\n\nPermission is hereby granted, free of charge, to any person obtaining a copy' LICENSEecho -e "MIT License\n\n$(cat LICENSE)" > LICENSE- name: Commit "Sync and remove all non-FOSS parts"if: github.repository == 'PostHog/posthog'uses: EndBug/add-and-commit@v7with:message: 'Sync and remove all non-FOSS parts'remove: '["-r ee/", "-r .github/"]'github_token: ${{ secrets.POSTHOG_BOT_GITHUB_TOKEN }}- run: echo # Empty step so that GitHub doesn't complain about an empty job on forks
Automate your day-to-day
Hopefully these real-life examples inspire you to build the right workflow for your work, spending a bit of time once to reap the rewards of saved time indefinitely.
Enjoyed this? Subscribe to our newsletter to hear more from us twice a month!